diff --git a/.bumpversion.cfg b/.bumpversion.cfg index 6beae52ef..b093099a5 100644 --- a/.bumpversion.cfg +++ b/.bumpversion.cfg @@ -1,5 +1,5 @@ [bumpversion] -current_version = 3.15.5 +current_version = 3.17.0 tag_name = {new_version} commit = True tag = True diff --git a/aleph/logic/html.py b/aleph/logic/html.py index 1f1769e37..e8d70a64d 100644 --- a/aleph/logic/html.py +++ b/aleph/logic/html.py @@ -1,4 +1,5 @@ import logging +from html import escape from lxml import html from lxml.etree import tostring from lxml.html.clean import Cleaner @@ -65,6 +66,10 @@ def sanitize_html(html_text, base_url, encoding=None): def html_link(text, link): text = text or "[untitled]" + text = escape(text) + if link is None: - return "%s" % text - return "%s" % (link, text) + return f"{text}" + + link = escape(link) + return f"{text}" diff --git a/aleph/model/collection.py b/aleph/model/collection.py index 098e37458..171695908 100644 --- a/aleph/model/collection.py +++ b/aleph/model/collection.py @@ -237,6 +237,16 @@ def all_by_secret(cls, secret, authz=None): def create(cls, data, authz, created_at=None): foreign_id = data.get("foreign_id") or make_textid() collection = cls.by_foreign_id(foreign_id, deleted=True) + + # A collection with the given foreign ID already exists + if collection and not collection.deleted_at: + raise ValueError("Invalid foreign_id") + + # A deleted collection with the foreign ID already exists, but the deleted + # collection was created by a different role + if collection and collection.creator_id != authz.role.id: + raise ValueError("Invalid foreign_id") + if collection is None: collection = cls() collection.created_at = created_at diff --git a/aleph/tests/test_collections_api.py b/aleph/tests/test_collections_api.py index 42d429d25..6992f03dc 100644 --- a/aleph/tests/test_collections_api.py +++ b/aleph/tests/test_collections_api.py @@ -104,6 +104,41 @@ def test_update_valid(self): assert "Collected" in res.json["label"], res.json assert validate(res.json, "Collection") + def test_create_foreign_id(self): + role, headers = self.login() + _, headers_other = self.login(foreign_id="other") + collection = self.create_collection(foreign_id="foo", label="foo", creator=role) + + url = "/api/2/collections" + data = {"foreign_id": "foo", "label": "bar"} + + res = self.client.post(url, json=data, headers=headers_other) + assert res.status_code == 400 + + res = self.client.post(url, json=data, headers=headers) + assert res.status_code == 400 + + # Sanity check: The collection label is still the original one + collection_url = f"/api/2/collections/{collection.id}" + res = self.client.get(collection_url, headers=headers) + assert res.json["foreign_id"] == "foo" + assert res.json["label"] == "foo" + + # After deleting the collection, a new collection with the foreign ID + # can be created by the creator of the original collection + res = self.client.delete(collection_url, headers=headers) + assert res.status_code == 204 + + res = self.client.post(url, json=data, headers=headers_other) + assert res.status_code == 400 + + res = self.client.post(url, json=data, headers=headers) + assert res.status_code == 200 + + res = self.client.get(collection_url, headers=headers) + assert res.json["foreign_id"] == "foo" + assert res.json["label"] == "bar" + def test_update_no_label(self): _, headers = self.login(is_admin=True) url = "/api/2/collections/%s" % self.col.id diff --git a/aleph/tests/test_mappings_api.py b/aleph/tests/test_mappings_api.py index 58a994092..ab9d60a35 100644 --- a/aleph/tests/test_mappings_api.py +++ b/aleph/tests/test_mappings_api.py @@ -1,13 +1,11 @@ -from unittest import skip # noqa -import json import logging from followthemoney import model from followthemoney.proxy import EntityProxy -from aleph.core import archive +from aleph.core import archive, db +from aleph.model import Mapping from aleph.index.entities import index_proxy -from aleph.logic.aggregator import get_aggregator from aleph.views.util import validate from aleph.tests.util import TestCase @@ -17,30 +15,23 @@ class MappingAPITest(TestCase): def setUp(self): super(MappingAPITest, self).setUp() - self.col = self.create_collection(foreign_id="map1") - aggregator = get_aggregator(self.col) - aggregator.delete() - _, self.headers = self.login(is_admin=True) - self.rolex = self.create_user(foreign_id="user_3") - _, self.headers_x = self.login(foreign_id="user_3") - self.fixture = self.get_fixture_path("experts.csv") - self.content_hash = archive.archive_file(self.fixture) - data = { - "id": "foo", - "schema": "Table", - "properties": { - "csvHash": self.content_hash, - "contentHash": self.content_hash, - "mimeType": "text/csv", - "fileName": "experts.csv", - "name": "experts.csv", - }, - } - self.ent = EntityProxy.from_dict(model, data, cleaned=False) - self.ent.id = self.col.ns.sign(self.ent.id) - index_proxy(self.col, self.ent) + + self.role, self.headers = self.login() + self.col = self.create_collection(creator=self.role) + + self.role_other, self.headers_other = self.login(foreign_id="other") + self.col_other = self.create_collection(creator=self.role_other) + + self.role_read, self.headers_read = self.login(foreign_id="read_only") + self.grant(collection=self.col, role=self.role_read, read=True, write=False) + + fixture = self.get_fixture_path("experts.csv") + self.content_hash = archive.archive_file(fixture) + + def create_table_entity(self, collection, entity_id): + """Create a table entitiy to use as the mapping source.""" data = { - "id": "foo2", + "id": entity_id, "schema": "Table", "properties": { "csvHash": self.content_hash, @@ -50,34 +41,153 @@ def setUp(self): "name": "experts.csv", }, } - self.ent2 = EntityProxy.from_dict(model, data, cleaned=False) - self.ent2.id = self.col.ns.sign(self.ent2.id) - index_proxy(self.col, self.ent2) - data = { - "id": "bar", - "schema": "LegalEntity", - "properties": {"name": "John Doe"}, + + table = EntityProxy.from_dict(model, data, cleaned=False) + table.id = collection.ns.sign(table.id) + index_proxy(collection=collection, proxy=table) + + return table + + def create_mapping(self, collection, table, role): + query = { + "person": { + "schema": "Person", + "keys": ["name", "nationality"], + "properties": { + "name": {"column": "name"}, + "nationality": {"column": "nationality"}, + }, + } } - ent = EntityProxy.from_dict(model, data, cleaned=False) - ent.id = self.col.ns.sign(ent.id) - index_proxy(self.col, ent) - def test_mapping(self): - col_id = self.col.id - url = "/api/2/collections/%s/mappings" % col_id + mapping = Mapping.create( + query=query, + table_id=table.id, + collection=collection, + role_id=role.id, + ) + db.session.commit() + + return mapping + + def test_mappings_index(self): + table = self.create_table_entity( + collection=self.col, + entity_id="foo", + ) + mapping = self.create_mapping( + collection=self.col, + table=table, + role=self.role, + ) + + table_other = self.create_table_entity( + collection=self.col_other, + entity_id="bar", + ) + mapping_other = self.create_mapping( + collection=self.col_other, + table=table_other, + role=self.role_other, + ) + + url = f"/api/2/collections/{self.col.id}/mappings" + + res = self.client.get(url, headers=self.headers_other) + assert res.status_code == 403 + res = self.client.get(url, headers=self.headers) - assert res.status_code == 200, res + assert res.status_code == 200 + validate(res.json, "QueryResponse") - res = self.client.get(url, headers=self.headers_x) - assert res.status_code == 403, res + assert res.json["total"] == 1 + assert len(res.json["results"]) == 1 + assert res.json["results"][0]["id"] == str(mapping.id) + assert res.json["results"][0]["table_id"] == table.id + assert res.json["results"][0]["collection_id"] == str(self.col.id) - url = "/api/2/collections/%s/mappings?filter:table=%s" % (col_id, self.ent.id) - res = self.client.get(url, headers=self.headers) - assert res.status_code == 200, res + # Mapping can be viewed by users with read-only access + res = self.client.get(url, headers=self.headers_read) + assert res.status_code == 200 + assert len(res.json["results"]) == 1 + assert res.json["results"][0]["id"] == str(mapping.id) + + # Only mappings for the given collection are returned + url = f"/api/2/collections/{self.col_other.id}/mappings" + res = self.client.get(url, headers=self.headers_other) + assert res.status_code == 200 + assert len(res.json["results"]) == 1 + assert res.json["results"][0]["id"] == str(mapping_other.id) + + def test_mappings_index_filters(self): + table_1 = self.create_table_entity(collection=self.col, entity_id="foo") + mapping_1 = self.create_mapping( + collection=self.col, + table=table_1, + role=self.role, + ) + + table_2 = self.create_table_entity(collection=self.col, entity_id="bar") + mapping_2 = self.create_mapping( + collection=self.col, + table=table_2, + role=self.role, + ) + + url = f"/api/2/collections/{self.col.id}/mappings" + + query_string = {"filter:table": table_1.id} + res = self.client.get(url, headers=self.headers, query_string=query_string) + assert res.status_code == 200 validate(res.json, "QueryResponse") + assert res.json["total"] == 1 + assert len(res.json["results"]) == 1 + assert res.json["results"][0]["id"] == str(mapping_1.id) + assert res.json["results"][0]["table_id"] == table_1.id + + query_string = {"filter:table": table_2.id} + res = self.client.get(url, headers=self.headers, query_string=query_string) + assert res.json["total"] == 1 + assert res.json["results"][0]["id"] == str(mapping_2.id) + assert res.json["results"][0]["table_id"] == table_2.id + + def test_mappings_view(self): + table = self.create_table_entity(collection=self.col, entity_id="foo") + mapping = self.create_mapping(collection=self.col, table=table, role=self.role) + + # Mapping and collection IDs have to match + url = f"/api/2/collections/{self.col_other.id}/mappings/{mapping.id}" + res = self.client.get(url, headers=self.headers_other) + assert res.status_code == 404 + + url = f"/api/2/collections/{self.col.id}/mappings/{mapping.id}" + + # Only users with access to the collection can view mappings + res = self.client.get(url, headers=self.headers_other) + assert res.status_code == 403 + + res = self.client.get(url, headers=self.headers) + assert res.status_code == 200 + + validate(res.json, "Mapping") + assert res.json["id"] == str(mapping.id) + assert res.json["collection_id"] == str(self.col.id) + assert res.json["table_id"] == table.id + assert res.json["table"]["schema"] == "Table" + assert res.json["table"]["properties"]["fileName"] == ["experts.csv"] + + # Mappings cannot be viewed by users with read-only access. + # This doesn't make a whole lot of sense but it reflects the current implementation. + res = self.client.get(url, headers=self.headers_read) + assert res.status_code == 403 + + def test_mappings_create(self): + table = self.create_table_entity(collection=self.col, entity_id="foo") + + url = f"/api/2/collections/{self.col.id}/mappings" data = { - "table_id": self.ent.id, + "table_id": table.id, "mapping_query": { "person": { "schema": "Person", @@ -89,64 +199,298 @@ def test_mapping(self): } }, } - res = self.client.post(url, json=data, headers=self.headers_x) - assert res.status_code == 403, res + + # Mappings can only be created by users with access to the collection + res = self.client.post(url, json=data, headers=self.headers_other) + assert res.status_code == 403 + + # Read access is not enough to create a mapping + res = self.client.post(url, json=data, headers=self.headers_read) + assert res.status_code == 403 + res = self.client.post(url, json=data, headers=self.headers) - assert res.status_code == 200, res + assert res.status_code == 200 + validate(res.json, "Mapping") - mapping_id = res.json.get("id") + mapping_id = res.json["id"] + + res = self.client.get(url, headers=self.headers) + assert len(res.json["results"]) == 1 + assert res.json["results"][0]["id"] == mapping_id + + def test_mappings_trigger(self): + table = self.create_table_entity(self.col, entity_id="foo") + mapping = self.create_mapping(self.col, table=table, role=self.role) + + # There are no entities before running the mapping + entities_url = "/api/2/entities" + entities_query_string = { + "filter:collection_id": self.col.id, + "filter:schemata": "Person", + } - index_url = ( - "/api/2/entities?filter:collection_id=%s&filter:schemata=LegalEntity" + res = self.client.get( + entities_url, + query_string=entities_query_string, + headers=self.headers, ) - index_url = index_url % col_id - res = self.client.get(index_url, headers=self.headers) - assert res.status_code == 200, res - assert res.json["total"] == 1, res.json + assert res.json["total"] == 0 - url = "/api/2/collections/%s/mappings/%s/trigger" % ( - col_id, - mapping_id, + # Mapping and collection IDs have to match + trigger_url = ( + f"/api/2/collections/{self.col_other.id}/mappings/{mapping.id}/trigger" ) - res = self.client.post(url, headers=self.headers_x) - assert res.status_code == 403, res - res = self.client.post(url, headers=self.headers) - assert res.status_code == 202, res + res = self.client.post(trigger_url, headers=self.headers_other) + assert res.status_code == 404 + + # Trigger the mapping to generate entities + trigger_url = f"/api/2/collections/{self.col.id}/mappings/{mapping.id}/trigger" + + # Only users with access to the collection can trigger mappings + res = self.client.post(trigger_url, headers=self.headers_other) + assert res.status_code == 403 + + # Read access is not enough to trigger a mapping + res = self.client.post(trigger_url, headers=self.headers_read) + assert res.status_code == 403 + + res = self.client.post(trigger_url, headers=self.headers) + assert res.status_code == 202 + + view_url = f"/api/2/collections/{self.col.id}/mappings/{mapping.id}" + res = self.client.get(view_url, headers=self.headers) + assert res.json["last_run_status"] == "successful" + assert "last_run_err_msg" not in res.json + + # 14 entities have been generated after triggering the mapping + res = self.client.get( + entities_url, + query_string=entities_query_string, + headers=self.headers, + ) + assert len(res.json["results"]) == 14 + assert res.json["results"][0]["schema"] == "Person" + assert res.json["results"][0]["properties"]["proof"][0]["id"] == table.id + + def test_mappings_flush(self): + table = self.create_table_entity(collection=self.col, entity_id="foo") + mapping = self.create_mapping(collection=self.col, table=table, role=self.role) + + # Trigger mapping to generate entities + trigger_url = f"/api/2/collections/{self.col.id}/mappings/{mapping.id}/trigger" + res = self.client.post(trigger_url, headers=self.headers) + assert res.status_code == 202 + + # Manually create an entity. Used later on to ensure that flushing a mapping + # only deletes entities generated from the mapping. + person = EntityProxy.from_dict( + model, + { + "id": "john-doe", + "schema": "Person", + "properties": { + "name": ["John Doe"], + }, + }, + ) + person.id = self.col.ns.sign(person.id) + index_proxy(collection=self.col, proxy=person) + + entities_url = "/api/2/entities" + entities_query_string = { + "filter:schema": "Person", + "filter:collection_id": self.col.id, + "filter:origin": f"mapping:{mapping.id}", + } + + res = self.client.get( + entities_url, + query_string=entities_query_string, + headers=self.headers, + ) + assert len(res.json["results"]) == 14 + + # Mapping and collection IDs have to match + flush_url = ( + f"/api/2/collections/{self.col_other.id}/mappings/{mapping.id}/flush" + ) + res = self.client.post(flush_url, headers=self.headers_other) + assert res.status_code == 404 + + # Flush the mapping to delete generated entities + flush_url = f"/api/2/collections/{self.col.id}/mappings/{mapping.id}/flush" + + # Only users with access to the collection can flush a mapping + res = self.client.post(flush_url, headers=self.headers_other) + assert res.status_code == 403 + + # Read access is not enough to flush a collection + res = self.client.post(flush_url, headers=self.headers_read) + assert res.status_code == 403 + + res = self.client.post(flush_url, headers=self.headers) + assert res.status_code == 202 + + # All entities except for the one manually generated entity have been deleted + entities_query_string.pop("filter:origin") + res = self.client.get( + entities_url, + query_string=entities_query_string, + headers=self.headers, + ) + assert len(res.json["results"]) == 1 + assert res.json["results"][0]["id"] == person.id + + def test_mappings_update(self): + table = self.create_table_entity(collection=self.col, entity_id="foo") + mapping = self.create_mapping(collection=self.col, table=table, role=self.role) + + url = f"/api/2/collections/{self.col.id}/mappings/{mapping.id}" + trigger_url = f"/api/2/collections/{self.col.id}/mappings/{mapping.id}/trigger" + + # Trigger mapping to generate entities + res = self.client.post(trigger_url, headers=self.headers) + assert res.status_code == 202 + + entities_url = "/api/2/entities" + entities_query_string = { + "filter:schema": "Person", + "filter:collection_id": self.col.id, + } + + res = self.client.get( + entities_url, + query_string=entities_query_string, + headers=self.headers, + ) + assert len(res.json["results"]) == 14 + assert set(res.json["results"][0]["properties"].keys()) == { + "name", + "nationality", + "proof", + } + + new_query = { + "person": { + "schema": "Person", + "keys": ["name", "nationality"], + "properties": { + "name": {"column": "name"}, + "nationality": {"column": "nationality"}, + # The following column mapping is new + "gender": {"column": "gender"}, + }, + } + } + data = {"table_id": table.id, "mapping_query": new_query} + + # Mapping and collection IDs have to match + url = f"/api/2/collections/{self.col_other.id}/mappings/{mapping.id}" + res = self.client.post(url, json=data, headers=self.headers_other) + assert res.status_code == 404 + + # Update the mapping + url = f"/api/2/collections/{self.col.id}/mappings/{mapping.id}" + + # Only users with access to the collection can update mappings + res = self.client.post(url, json=data, headers=self.headers_other) + assert res.status_code == 403 + + # Read access is not enough to update a mapping + res = self.client.post(url, json=data, headers=self.headers_read) + assert res.status_code == 403 + + res = self.client.post(url, json=data, headers=self.headers) + assert res.status_code == 200 - url = "/api/2/collections/%s/mappings/%s" % (col_id, mapping_id) - res = self.client.get(url, headers=self.headers) - assert res.status_code == 200, res validate(res.json, "Mapping") - assert res.json["last_run_status"] == "successful", res.json - assert "last_run_err_msg" not in res.json, res.json + assert res.json["table_id"] == table.id + assert res.json["collection_id"] == str(self.col.id) + assert res.json["query"]["person"]["properties"]["gender"] == { + "column": "gender" + } - origin = "mapping%%3A%s" % mapping_id - url = ( - "/api/2/entities?filter:collection_id=%s&filter:schema=Person&filter:origin=%s" # noqa: E501 - % (col_id, origin) + # Trigger mapping to re-generate entities + res = self.client.post(trigger_url, headers=self.headers) + assert res.status_code == 202 + + # The mapped entities now include the new property + res = self.client.get( + entities_url, + query_string=entities_query_string, + headers=self.headers, ) + assert len(res.json["results"]) == 14 + assert set(res.json["results"][0]["properties"].keys()) == { + "name", + "nationality", + "gender", + "proof", + } + + def test_mappings_delete(self): + table = self.create_table_entity(collection=self.col, entity_id="foo") + mapping = self.create_mapping(collection=self.col, table=table, role=self.role) + + # Trigger the mapping to generate entities. We want to test that deleting a mapping + # deletes associated entities, so we need to have some entities in the first place! + trigger_url = f"/api/2/collections/{self.col.id}/mappings/{mapping.id}/trigger" + res = self.client.post(trigger_url, headers=self.headers) + assert res.status_code == 202 + + entities_url = "/api/2/entities" + entities_query_string = { + "filter:schema": "Person", + "filter:collection_id": self.col.id, + } + + res = self.client.get( + entities_url, + query_string=entities_query_string, + headers=self.headers, + ) + assert res.json["total"] == 14 + assert len(res.json["results"]) == 14 + + # Mapping and collection IDs have to match + url = f"/api/2/collections/{self.col_other.id}/mappings/{mapping.id}" + res = self.client.delete(url, headers=self.headers_other) + assert res.status_code == 404 + + # Delete the mapping + url = f"/api/2/collections/{self.col.id}/mappings/{mapping.id}" + + # Only users with access to the collection can delete mappings + res = self.client.delete(url, headers=self.headers_other) + assert res.status_code == 403 + + # Read access is not enough to delete mappings + res = self.client.delete(url, headers=self.headers_read) + assert res.status_code == 403 + + res = self.client.delete(url, headers=self.headers) + assert res.status_code == 204 + res = self.client.get(url, headers=self.headers) - assert res.status_code == 200, res.json - assert res.json["total"] == 14, res.json - person = res.json["results"][0]["properties"] - assert person.get("proof")[0].get("id") == self.ent.id, person - - # test deleting loaded entities - url = "/api/2/collections/%s/mappings/%s/flush" % ( - col_id, - mapping_id, - ) - res = self.client.post(url, headers=self.headers_x) - assert res.status_code == 403, res - res = self.client.post(url, headers=self.headers) - assert res.status_code == 202, res - res = self.client.get(index_url, headers=self.headers) - assert res.status_code == 200, res - # The pre-existing legal entity should not be deleted - assert res.json["total"] == 1, res.json + assert res.status_code == 404 + + # Deleting a mapping also deletes any entities generated from the mapping + res = self.client.get( + entities_url, + query_string=entities_query_string, + headers=self.headers, + ) + assert res.json["total"] == 0 + assert len(res.json["results"]) == 0 + + def test_mappings_create_update_valid_table(self): + table = self.create_table_entity(collection=self.col, entity_id="foo") + + role_admin, headers_admin = self.login(foreign_id="admin", is_admin=True) + col_admin = self.create_collection(creator=role_admin) + table_admin = self.create_table_entity(collection=col_admin, entity_id="bar") data = { - "table_id": self.ent2.id, "mapping_query": { "person": { "schema": "Person", @@ -154,41 +498,41 @@ def test_mapping(self): "properties": { "name": {"column": "name"}, "nationality": {"column": "nationality"}, - "gender": {"column": "gender"}, }, } }, } - url = "/api/2/collections/%s/mappings/%s" % (col_id, mapping_id) - res = self.client.get(url, headers=self.headers) - assert res.status_code == 200, res - assert "gender" not in json.dumps(res.json["query"]), res.json - url = "/api/2/collections/%s/mappings/%s" % (col_id, mapping_id) - res = self.client.post(url, json=data, headers=self.headers_x) - assert res.status_code == 403, res + + url = f"/api/2/collections/{self.col.id}/mappings" + + data["table_id"] = table_admin.id + + # Role does not have access to table + res = self.client.post(url, json=data, headers=self.headers) + assert res.status_code == 403 + + # Role has access to table, but table is not part of the collection + res = self.client.post(url, json=data, headers=headers_admin) + assert res.status_code == 400 + + # Create a mapping with a table that is part of the collection + data["table_id"] = table.id + res = self.client.post(url, json=data, headers=self.headers) + assert res.status_code == 200 + mapping_id = res.json["id"] + + # Update mapping + url = f"/api/2/collections/{self.col.id}/mappings/{mapping_id}" + data["table_id"] = table_admin.id + + # Role does not have access to table + res = self.client.post(url, json=data, headers=self.headers) + assert res.status_code == 403 + + # Role has access to table and collection, but table is not part of the collection + res = self.client.post(url, json=data, headers=headers_admin) + assert res.status_code == 400 + + # Update the mapping with a table that is part of the collection + data["table_id"] = table.id res = self.client.post(url, json=data, headers=self.headers) - assert res.status_code == 200, res - assert res.json.get("table_id") == self.ent2.id, res.json - assert "gender" in json.dumps(res.json["query"]) - res = self.client.get(index_url, headers=self.headers) - assert res.status_code == 200, res - assert res.json["total"] == 1, res.json - - url = "/api/2/collections/%s/mappings/%s/trigger" % ( - col_id, - mapping_id, - ) - res = self.client.post(url, headers=self.headers) - res = self.client.get(index_url, headers=self.headers) - assert res.json["total"] == 15, res.json - - url = "/api/2/collections/%s/mappings/%s" % (col_id, mapping_id) - res = self.client.delete(url, headers=self.headers_x) - assert res.status_code == 403, res - res = self.client.delete(url, headers=self.headers) - assert res.status_code == 204, res - res = self.client.get(url, headers=self.headers) - assert res.status_code == 404, res - res = self.client.get(index_url, headers=self.headers) - assert res.status_code == 200, res - assert res.json["total"] == 1, res.json diff --git a/aleph/tests/test_notifications.py b/aleph/tests/test_notifications.py index 862a987ed..29839265b 100644 --- a/aleph/tests/test_notifications.py +++ b/aleph/tests/test_notifications.py @@ -1,6 +1,10 @@ +import datetime + +from lxml.html import document_fromstring + from aleph.core import db, mail from aleph.model import Events -from aleph.logic.notifications import publish, generate_digest +from aleph.logic.notifications import publish, generate_digest, render_notification from aleph.logic.notifications import GLOBAL, get_notifications from aleph.logic.roles import update_role from aleph.tests.util import TestCase @@ -10,6 +14,17 @@ class NotificationsTestCase(TestCase): def setUp(self): super(NotificationsTestCase, self).setUp() + def get_indexed_notification(self, role, event, params): + return { + "_source": { + "actor_id": role.id, + "params": params, + "event": event.name, + "channels": [], + "created_at": datetime.datetime.now(datetime.timezone.utc), + }, + } + def test_publish_event(self): role = self.create_user() email = "test@aleph.skynet" @@ -36,3 +51,85 @@ def test_publish_event(self): msg = outbox[0] assert email in msg.recipients, msg.recipients assert label in msg.html, msg.html + + def test_render_notification(self): + role = self.create_user(name="John Doe", email="john.doe@example.org") + label = "My collection" + collection = self.create_collection(label=label) + db.session.commit() + update_role(role) + + data = self.get_indexed_notification( + role=role, + event=Events.CREATE_COLLECTION, + params={"collection": collection.id}, + ) + + rendered = render_notification(role, data) + assert rendered is not None + + plain = rendered["plain"] + html = rendered["html"] + assert ( + plain + == "'John Doe ' created 'My collection' (http://aleph.ui/datasets/1)" + ) + assert ( + html + == "John Doe <j*******@example.org> created My collection" + ) + + def test_render_notification_link_reference(self): + role = self.create_user() + label = "My collection" + collection = self.create_collection(label=label) + db.session.commit() + + data = self.get_indexed_notification( + role=role, + event=Events.CREATE_COLLECTION, + params={"collection": collection.id}, + ) + + rendered = render_notification(role, data) + assert rendered is not None + + html = rendered["html"] + doc = document_fromstring(html) + links = list(doc.iterlinks()) + + assert len(links) == 1 + assert ( + links[0][0].text_content() + == "My collection" + ) + + def test_render_notification_escape_plain_reference(self): + role = self.create_user( + name="John Doe", + email="john.doe@example.org", + ) + collection = self.create_collection(label="My collection") + db.session.commit() + update_role(role) + + data = self.get_indexed_notification( + role=role, + event=Events.CREATE_COLLECTION, + params={"collection": collection.id}, + ) + + rendered = render_notification(role, data) + assert rendered is not None + + html = rendered["html"] + doc = document_fromstring(html) + links = list(doc.iterlinks()) + user = doc.find(".//span[@class='reference']").text_content() + + assert len(links) == 1 + assert links[0][0].text_content() == "My collection" + + assert ( + user == "John Doe " + ) diff --git a/aleph/tests/test_view_util.py b/aleph/tests/test_view_util.py index e3d91a93e..a834ef9f5 100644 --- a/aleph/tests/test_view_util.py +++ b/aleph/tests/test_view_util.py @@ -3,7 +3,7 @@ from lxml.html import document_fromstring from werkzeug.exceptions import BadRequest -from aleph.logic.html import sanitize_html +from aleph.logic.html import sanitize_html, html_link from aleph.views.util import get_url_path, validate from aleph.tests.util import TestCase @@ -68,3 +68,47 @@ def test_validate_concatenates_multiple_errors_for_the_same_path(self): ctx.exception.response.get_json().get("errors"), {"": "'password' is a required property; 'code' is a required property"}, ) + + def test_html_link(self): + assert ( + html_link(text=None, link=None) + == "[untitled]" + ) + + assert ( + html_link(text="Hello World", link=None) + == "Hello World" + ) + + assert ( + html_link(text=None, link="https://example.org") + == "[untitled]" + ) + + assert ( + html_link(text="Hello World", link="https://example.org") + == "Hello World" + ) + + def test_html_link_text_escaping(self): + assert ( + html_link(text="Hello World", link=None) + == "<a href='https://example.org'>Hello World</a>" + ) + + assert ( + html_link( + text="Hello World", + link="https://occrp.org", + ) + == "</a><a href='https://example.org'>Hello World" + ) + + def test_html_link_attribute_escaping(self): + assert ( + html_link( + text="Hello World", + link="'>Hello WorldHello World" + ) diff --git a/aleph/tests/util.py b/aleph/tests/util.py index 64539c4bf..470faea2d 100644 --- a/aleph/tests/util.py +++ b/aleph/tests/util.py @@ -10,6 +10,7 @@ from tempfile import mkdtemp from datetime import datetime from servicelayer import settings as sls +from ftmstore import settings as ftms, get_store from followthemoney import model from followthemoney.cli.util import read_entity from werkzeug.utils import cached_property @@ -80,6 +81,7 @@ def create_app(self): # have actually been evaluated. sls.REDIS_URL = None sls.WORKER_THREADS = None + ftms.DATABASE_URI = DB_URI # ftms.DATABASE_URI = "sqlite:///%s/ftm.store" % self.temp_dir SETTINGS.APP_NAME = APP_NAME SETTINGS.TESTING = True @@ -253,6 +255,10 @@ def tearDown(self): db.session.rollback() db.session.close() + ftm_store = get_store(DB_URI) + for dataset in ftm_store.all(): + dataset.delete() + @classmethod def setUpClass(cls): cls.temp_dir = mkdtemp() diff --git a/aleph/translations/ar/LC_MESSAGES/aleph.mo b/aleph/translations/ar/LC_MESSAGES/aleph.mo index 1abfcf9dc..6d1140478 100644 Binary files a/aleph/translations/ar/LC_MESSAGES/aleph.mo and b/aleph/translations/ar/LC_MESSAGES/aleph.mo differ diff --git a/aleph/translations/ar/LC_MESSAGES/aleph.po b/aleph/translations/ar/LC_MESSAGES/aleph.po index 9123b9a19..47457296d 100644 --- a/aleph/translations/ar/LC_MESSAGES/aleph.po +++ b/aleph/translations/ar/LC_MESSAGES/aleph.po @@ -1,7 +1,7 @@ # Translations template for PROJECT. -# Copyright (C) 2023 ORGANIZATION +# Copyright (C) 2024 ORGANIZATION # This file is distributed under the same license as the PROJECT project. -# FIRST AUTHOR , 2023. +# FIRST AUTHOR , 2024. # # Translators: # Eman Alqaisi , 2020 @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: PROJECT VERSION\n" "Report-Msgid-Bugs-To: EMAIL@ADDRESS\n" -"POT-Creation-Date: 2023-11-27 13:54+0100\n" +"POT-Creation-Date: 2024-05-22 15:09+0000\n" "PO-Revision-Date: 2018-03-15 07:37+0000\n" "Last-Translator: Mohammed AlKawmani , 2020\n" "Language-Team: Arabic (https://app.transifex.com/aleph/teams/76591/ar/)\n" @@ -32,7 +32,7 @@ msgstr "ألف" msgid "No schema on entity" msgstr "لا جزئية في هذا الكل " -#: aleph/logic/html.py:63 +#: aleph/logic/html.py:64 msgid "[HTML removed: could not be sanitized]" msgstr "[تمت إزالة HTML: تعذر تنظيف المحتوى]" @@ -228,7 +228,7 @@ msgstr "" msgid "{{export}} is ready for download" msgstr "" -#: aleph/search/__init__.py:76 +#: aleph/search/__init__.py:77 msgid "No schema is specified for the query." msgstr "لم يتم تحديد مخطط للاستعلام." @@ -395,11 +395,11 @@ msgid "" "Aleph administrator" msgstr "" -#: aleph/views/sessions_api.py:61 +#: aleph/views/sessions_api.py:69 msgid "Invalid user or password." msgstr "اسم مستخدم أو كلمة مرور غير صحيحة" -#: aleph/views/sessions_api.py:95 +#: aleph/views/sessions_api.py:104 msgid "Authentication has failed." msgstr "فشل التوثيق " diff --git a/aleph/translations/bs/LC_MESSAGES/aleph.mo b/aleph/translations/bs/LC_MESSAGES/aleph.mo index 4ff102a3f..44290b97b 100644 Binary files a/aleph/translations/bs/LC_MESSAGES/aleph.mo and b/aleph/translations/bs/LC_MESSAGES/aleph.mo differ diff --git a/aleph/translations/bs/LC_MESSAGES/aleph.po b/aleph/translations/bs/LC_MESSAGES/aleph.po index 8457caa9e..b77f2869c 100644 --- a/aleph/translations/bs/LC_MESSAGES/aleph.po +++ b/aleph/translations/bs/LC_MESSAGES/aleph.po @@ -1,7 +1,7 @@ # Translations template for PROJECT. -# Copyright (C) 2023 ORGANIZATION +# Copyright (C) 2024 ORGANIZATION # This file is distributed under the same license as the PROJECT project. -# FIRST AUTHOR , 2023. +# FIRST AUTHOR , 2024. # # Translators: # pudo , 2018 @@ -14,7 +14,7 @@ msgid "" msgstr "" "Project-Id-Version: PROJECT VERSION\n" "Report-Msgid-Bugs-To: EMAIL@ADDRESS\n" -"POT-Creation-Date: 2023-11-27 13:54+0100\n" +"POT-Creation-Date: 2024-05-22 15:09+0000\n" "PO-Revision-Date: 2018-03-15 07:37+0000\n" "Last-Translator: Tajna Biscevic , 2019\n" "Language-Team: Bosnian (https://app.transifex.com/aleph/teams/76591/bs/)\n" @@ -33,7 +33,7 @@ msgstr "Aleph" msgid "No schema on entity" msgstr "" -#: aleph/logic/html.py:63 +#: aleph/logic/html.py:64 msgid "[HTML removed: could not be sanitized]" msgstr "" @@ -229,7 +229,7 @@ msgstr "" msgid "{{export}} is ready for download" msgstr "" -#: aleph/search/__init__.py:76 +#: aleph/search/__init__.py:77 msgid "No schema is specified for the query." msgstr "Nije navedena shema za upit." @@ -396,11 +396,11 @@ msgid "" "Aleph administrator" msgstr "" -#: aleph/views/sessions_api.py:61 +#: aleph/views/sessions_api.py:69 msgid "Invalid user or password." msgstr "" -#: aleph/views/sessions_api.py:95 +#: aleph/views/sessions_api.py:104 msgid "Authentication has failed." msgstr "" diff --git a/aleph/translations/de/LC_MESSAGES/aleph.mo b/aleph/translations/de/LC_MESSAGES/aleph.mo index ae955aa07..44fe2a895 100644 Binary files a/aleph/translations/de/LC_MESSAGES/aleph.mo and b/aleph/translations/de/LC_MESSAGES/aleph.mo differ diff --git a/aleph/translations/de/LC_MESSAGES/aleph.po b/aleph/translations/de/LC_MESSAGES/aleph.po index d8b4579de..e8656b292 100644 --- a/aleph/translations/de/LC_MESSAGES/aleph.po +++ b/aleph/translations/de/LC_MESSAGES/aleph.po @@ -1,7 +1,7 @@ # Translations template for PROJECT. -# Copyright (C) 2023 ORGANIZATION +# Copyright (C) 2024 ORGANIZATION # This file is distributed under the same license as the PROJECT project. -# FIRST AUTHOR , 2023. +# FIRST AUTHOR , 2024. # # Translators: # pudo , 2020 @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PROJECT VERSION\n" "Report-Msgid-Bugs-To: EMAIL@ADDRESS\n" -"POT-Creation-Date: 2023-11-27 13:54+0100\n" +"POT-Creation-Date: 2024-05-22 15:09+0000\n" "PO-Revision-Date: 2018-03-15 07:37+0000\n" "Last-Translator: pudo , 2020\n" "Language-Team: German (https://app.transifex.com/aleph/teams/76591/de/)\n" @@ -30,7 +30,7 @@ msgstr "Aleph" msgid "No schema on entity" msgstr "Dieses Objekt hat keinen Typ." -#: aleph/logic/html.py:63 +#: aleph/logic/html.py:64 msgid "[HTML removed: could not be sanitized]" msgstr "[HTML entfernt: konnte nicht gesichert werden]" @@ -227,7 +227,7 @@ msgstr "Vollständige Exporte" msgid "{{export}} is ready for download" msgstr "{{export}} ist zum Download bereit" -#: aleph/search/__init__.py:76 +#: aleph/search/__init__.py:77 msgid "No schema is specified for the query." msgstr "Diese Anfrage muss ein 'schema' enthalten." @@ -407,11 +407,11 @@ msgid "" "Aleph administrator" msgstr "" -#: aleph/views/sessions_api.py:61 +#: aleph/views/sessions_api.py:69 msgid "Invalid user or password." msgstr "Der Nutzername oder das Passwort ist falsch." -#: aleph/views/sessions_api.py:95 +#: aleph/views/sessions_api.py:104 msgid "Authentication has failed." msgstr "Die Anmeldung ist fehlgeschlagen." diff --git a/aleph/translations/es/LC_MESSAGES/aleph.mo b/aleph/translations/es/LC_MESSAGES/aleph.mo index b499bb7f7..688e95804 100644 Binary files a/aleph/translations/es/LC_MESSAGES/aleph.mo and b/aleph/translations/es/LC_MESSAGES/aleph.mo differ diff --git a/aleph/translations/es/LC_MESSAGES/aleph.po b/aleph/translations/es/LC_MESSAGES/aleph.po index ff6663128..9fb8faefa 100644 --- a/aleph/translations/es/LC_MESSAGES/aleph.po +++ b/aleph/translations/es/LC_MESSAGES/aleph.po @@ -1,7 +1,7 @@ # Translations template for PROJECT. -# Copyright (C) 2023 ORGANIZATION +# Copyright (C) 2024 ORGANIZATION # This file is distributed under the same license as the PROJECT project. -# FIRST AUTHOR , 2023. +# FIRST AUTHOR , 2024. # # Translators: # John Ospina , 2018 @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: PROJECT VERSION\n" "Report-Msgid-Bugs-To: EMAIL@ADDRESS\n" -"POT-Creation-Date: 2023-11-27 13:54+0100\n" +"POT-Creation-Date: 2024-05-22 15:09+0000\n" "PO-Revision-Date: 2018-03-15 07:37+0000\n" "Last-Translator: Nathan Jaccard , 2020\n" "Language-Team: Spanish (https://app.transifex.com/aleph/teams/76591/es/)\n" @@ -32,7 +32,7 @@ msgstr "Aleph" msgid "No schema on entity" msgstr "Sin esquema de la entidad" -#: aleph/logic/html.py:63 +#: aleph/logic/html.py:64 msgid "[HTML removed: could not be sanitized]" msgstr "[HTML eliminado: no se pudo depurar]" @@ -228,7 +228,7 @@ msgstr "" msgid "{{export}} is ready for download" msgstr "" -#: aleph/search/__init__.py:76 +#: aleph/search/__init__.py:77 msgid "No schema is specified for the query." msgstr "No se especificó esquema para la consulta." @@ -401,11 +401,11 @@ msgid "" "Aleph administrator" msgstr "" -#: aleph/views/sessions_api.py:61 +#: aleph/views/sessions_api.py:69 msgid "Invalid user or password." msgstr "Contraseña o usuario incorrecto." -#: aleph/views/sessions_api.py:95 +#: aleph/views/sessions_api.py:104 msgid "Authentication has failed." msgstr "Error en la autenticación." diff --git a/aleph/translations/fr/LC_MESSAGES/aleph.po b/aleph/translations/fr/LC_MESSAGES/aleph.po index 6dc4ebf2f..73ca8840e 100644 --- a/aleph/translations/fr/LC_MESSAGES/aleph.po +++ b/aleph/translations/fr/LC_MESSAGES/aleph.po @@ -1,7 +1,7 @@ # Translations template for PROJECT. -# Copyright (C) 2023 ORGANIZATION +# Copyright (C) 2024 ORGANIZATION # This file is distributed under the same license as the PROJECT project. -# FIRST AUTHOR , 2023. +# FIRST AUTHOR , 2024. # # Translators: # Mathieu Morey , 2020 @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PROJECT VERSION\n" "Report-Msgid-Bugs-To: EMAIL@ADDRESS\n" -"POT-Creation-Date: 2023-11-27 13:54+0100\n" +"POT-Creation-Date: 2024-05-22 15:09+0000\n" "PO-Revision-Date: 2018-03-15 07:37+0000\n" "Last-Translator: Jean-Philippe Menotti, 2022\n" "Language-Team: French (https://app.transifex.com/aleph/teams/76591/fr/)\n" @@ -31,7 +31,7 @@ msgstr "Aleph" msgid "No schema on entity" msgstr "Pas de schéma sur l’entité" -#: aleph/logic/html.py:63 +#: aleph/logic/html.py:64 msgid "[HTML removed: could not be sanitized]" msgstr "[HTML retiré : n’a pas pu être assaini]" @@ -228,7 +228,7 @@ msgstr "Exports terminés" msgid "{{export}} is ready for download" msgstr "{{export}} est prêt au téléchargement" -#: aleph/search/__init__.py:76 +#: aleph/search/__init__.py:77 msgid "No schema is specified for the query." msgstr "Aucun schéma n’est spécifié pour la requête." @@ -408,11 +408,11 @@ msgid "" "Aleph administrator" msgstr "" -#: aleph/views/sessions_api.py:61 +#: aleph/views/sessions_api.py:69 msgid "Invalid user or password." msgstr "Nom d’utilisateur ou mot de passe non valable." -#: aleph/views/sessions_api.py:95 +#: aleph/views/sessions_api.py:104 msgid "Authentication has failed." msgstr "L’authentification a échoué." diff --git a/aleph/translations/messages.pot b/aleph/translations/messages.pot index 8c80d5146..b48748d6c 100644 --- a/aleph/translations/messages.pot +++ b/aleph/translations/messages.pot @@ -1,14 +1,14 @@ # Translations template for PROJECT. -# Copyright (C) 2023 ORGANIZATION +# Copyright (C) 2024 ORGANIZATION # This file is distributed under the same license as the PROJECT project. -# FIRST AUTHOR , 2023. +# FIRST AUTHOR , 2024. # #, fuzzy msgid "" msgstr "" "Project-Id-Version: PROJECT VERSION\n" "Report-Msgid-Bugs-To: EMAIL@ADDRESS\n" -"POT-Creation-Date: 2023-11-27 13:54+0100\n" +"POT-Creation-Date: 2024-05-22 15:09+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -25,7 +25,7 @@ msgstr "" msgid "No schema on entity" msgstr "" -#: aleph/logic/html.py:63 +#: aleph/logic/html.py:64 msgid "[HTML removed: could not be sanitized]" msgstr "" @@ -221,7 +221,7 @@ msgstr "" msgid "{{export}} is ready for download" msgstr "" -#: aleph/search/__init__.py:76 +#: aleph/search/__init__.py:77 msgid "No schema is specified for the query." msgstr "" @@ -381,11 +381,11 @@ msgid "" "Aleph administrator" msgstr "" -#: aleph/views/sessions_api.py:61 +#: aleph/views/sessions_api.py:69 msgid "Invalid user or password." msgstr "" -#: aleph/views/sessions_api.py:95 +#: aleph/views/sessions_api.py:104 msgid "Authentication has failed." msgstr "" diff --git a/aleph/translations/nb/LC_MESSAGES/aleph.po b/aleph/translations/nb/LC_MESSAGES/aleph.po index 180fa870a..4666f5c6f 100644 --- a/aleph/translations/nb/LC_MESSAGES/aleph.po +++ b/aleph/translations/nb/LC_MESSAGES/aleph.po @@ -1,14 +1,14 @@ # Translations template for PROJECT. -# Copyright (C) 2023 ORGANIZATION +# Copyright (C) 2024 ORGANIZATION # This file is distributed under the same license as the PROJECT project. -# FIRST AUTHOR , 2023. +# FIRST AUTHOR , 2024. # #, fuzzy msgid "" msgstr "" "Project-Id-Version: PROJECT VERSION\n" "Report-Msgid-Bugs-To: EMAIL@ADDRESS\n" -"POT-Creation-Date: 2023-11-27 13:54+0100\n" +"POT-Creation-Date: 2024-05-22 15:09+0000\n" "PO-Revision-Date: 2018-03-15 07:37+0000\n" "Language-Team: Norwegian Bokmål (https://app.transifex.com/aleph/teams/76591/nb/)\n" "MIME-Version: 1.0\n" @@ -26,7 +26,7 @@ msgstr "" msgid "No schema on entity" msgstr "" -#: aleph/logic/html.py:63 +#: aleph/logic/html.py:64 msgid "[HTML removed: could not be sanitized]" msgstr "" @@ -222,7 +222,7 @@ msgstr "" msgid "{{export}} is ready for download" msgstr "" -#: aleph/search/__init__.py:76 +#: aleph/search/__init__.py:77 msgid "No schema is specified for the query." msgstr "" @@ -379,11 +379,11 @@ msgid "" "Aleph administrator" msgstr "" -#: aleph/views/sessions_api.py:61 +#: aleph/views/sessions_api.py:69 msgid "Invalid user or password." msgstr "" -#: aleph/views/sessions_api.py:95 +#: aleph/views/sessions_api.py:104 msgid "Authentication has failed." msgstr "" diff --git a/aleph/translations/nl/LC_MESSAGES/aleph.po b/aleph/translations/nl/LC_MESSAGES/aleph.po index 9b48f4ac7..1fb2d3ec7 100644 --- a/aleph/translations/nl/LC_MESSAGES/aleph.po +++ b/aleph/translations/nl/LC_MESSAGES/aleph.po @@ -1,14 +1,14 @@ # Translations template for PROJECT. -# Copyright (C) 2023 ORGANIZATION +# Copyright (C) 2024 ORGANIZATION # This file is distributed under the same license as the PROJECT project. -# FIRST AUTHOR , 2023. +# FIRST AUTHOR , 2024. # #, fuzzy msgid "" msgstr "" "Project-Id-Version: PROJECT VERSION\n" "Report-Msgid-Bugs-To: EMAIL@ADDRESS\n" -"POT-Creation-Date: 2023-11-27 13:54+0100\n" +"POT-Creation-Date: 2024-05-22 15:09+0000\n" "PO-Revision-Date: 2018-03-15 07:37+0000\n" "Language-Team: Dutch (https://app.transifex.com/aleph/teams/76591/nl/)\n" "MIME-Version: 1.0\n" @@ -26,7 +26,7 @@ msgstr "" msgid "No schema on entity" msgstr "" -#: aleph/logic/html.py:63 +#: aleph/logic/html.py:64 msgid "[HTML removed: could not be sanitized]" msgstr "" @@ -222,7 +222,7 @@ msgstr "" msgid "{{export}} is ready for download" msgstr "" -#: aleph/search/__init__.py:76 +#: aleph/search/__init__.py:77 msgid "No schema is specified for the query." msgstr "" @@ -379,11 +379,11 @@ msgid "" "Aleph administrator" msgstr "" -#: aleph/views/sessions_api.py:61 +#: aleph/views/sessions_api.py:69 msgid "Invalid user or password." msgstr "" -#: aleph/views/sessions_api.py:95 +#: aleph/views/sessions_api.py:104 msgid "Authentication has failed." msgstr "" diff --git a/aleph/translations/pt_BR/LC_MESSAGES/aleph.po b/aleph/translations/pt_BR/LC_MESSAGES/aleph.po index 058455a6c..9e3f6160e 100644 --- a/aleph/translations/pt_BR/LC_MESSAGES/aleph.po +++ b/aleph/translations/pt_BR/LC_MESSAGES/aleph.po @@ -1,7 +1,7 @@ # Translations template for PROJECT. -# Copyright (C) 2023 ORGANIZATION +# Copyright (C) 2024 ORGANIZATION # This file is distributed under the same license as the PROJECT project. -# FIRST AUTHOR , 2023. +# FIRST AUTHOR , 2024. # # Translators: # Laura M , 2019 @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PROJECT VERSION\n" "Report-Msgid-Bugs-To: EMAIL@ADDRESS\n" -"POT-Creation-Date: 2023-11-27 13:54+0100\n" +"POT-Creation-Date: 2024-05-22 15:09+0000\n" "PO-Revision-Date: 2018-03-15 07:37+0000\n" "Last-Translator: Laura M , 2019\n" "Language-Team: Portuguese (Brazil) (https://app.transifex.com/aleph/teams/76591/pt_BR/)\n" @@ -30,7 +30,7 @@ msgstr "Aleph" msgid "No schema on entity" msgstr "" -#: aleph/logic/html.py:63 +#: aleph/logic/html.py:64 msgid "[HTML removed: could not be sanitized]" msgstr "[HTML removido: não pôde ser sanitizado]" @@ -226,7 +226,7 @@ msgstr "" msgid "{{export}} is ready for download" msgstr "" -#: aleph/search/__init__.py:76 +#: aleph/search/__init__.py:77 msgid "No schema is specified for the query." msgstr "Nenhum schema especificado para a consulta." @@ -399,11 +399,11 @@ msgid "" "Aleph administrator" msgstr "" -#: aleph/views/sessions_api.py:61 +#: aleph/views/sessions_api.py:69 msgid "Invalid user or password." msgstr "Usuário ou senha inválida." -#: aleph/views/sessions_api.py:95 +#: aleph/views/sessions_api.py:104 msgid "Authentication has failed." msgstr "Autenticação falhou." diff --git a/aleph/translations/ru/LC_MESSAGES/aleph.mo b/aleph/translations/ru/LC_MESSAGES/aleph.mo index ada305774..780adad7f 100644 Binary files a/aleph/translations/ru/LC_MESSAGES/aleph.mo and b/aleph/translations/ru/LC_MESSAGES/aleph.mo differ diff --git a/aleph/translations/ru/LC_MESSAGES/aleph.po b/aleph/translations/ru/LC_MESSAGES/aleph.po index 1e1bd827f..b11471779 100644 --- a/aleph/translations/ru/LC_MESSAGES/aleph.po +++ b/aleph/translations/ru/LC_MESSAGES/aleph.po @@ -1,7 +1,7 @@ # Translations template for PROJECT. -# Copyright (C) 2023 ORGANIZATION +# Copyright (C) 2024 ORGANIZATION # This file is distributed under the same license as the PROJECT project. -# FIRST AUTHOR , 2023. +# FIRST AUTHOR , 2024. # # Translators: # jen occrp, 2022 @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PROJECT VERSION\n" "Report-Msgid-Bugs-To: EMAIL@ADDRESS\n" -"POT-Creation-Date: 2023-11-27 13:54+0100\n" +"POT-Creation-Date: 2024-05-22 15:09+0000\n" "PO-Revision-Date: 2018-03-15 07:37+0000\n" "Last-Translator: jen occrp, 2022\n" "Language-Team: Russian (https://app.transifex.com/aleph/teams/76591/ru/)\n" @@ -30,7 +30,7 @@ msgstr "Алеф" msgid "No schema on entity" msgstr "Отсутствует схема для сущности" -#: aleph/logic/html.py:63 +#: aleph/logic/html.py:64 msgid "[HTML removed: could not be sanitized]" msgstr "[HTML-код удалён как небезопасный]" @@ -227,7 +227,7 @@ msgstr "Экспорт завершён" msgid "{{export}} is ready for download" msgstr "{{export}} можно скачать" -#: aleph/search/__init__.py:76 +#: aleph/search/__init__.py:77 msgid "No schema is specified for the query." msgstr "Отсутствует схема данных для запроса." @@ -404,11 +404,11 @@ msgstr "" "техническая ошибка. Повторите запрос чуть позже или, если проблема " "повторится, обратитесь к администраторам Алефа" -#: aleph/views/sessions_api.py:61 +#: aleph/views/sessions_api.py:69 msgid "Invalid user or password." msgstr "Неверное имя пользователя или пароль." -#: aleph/views/sessions_api.py:95 +#: aleph/views/sessions_api.py:104 msgid "Authentication has failed." msgstr "Ошибка авторизации." diff --git a/aleph/translations/tr/LC_MESSAGES/aleph.mo b/aleph/translations/tr/LC_MESSAGES/aleph.mo index 224bd2061..1c6afe69d 100644 Binary files a/aleph/translations/tr/LC_MESSAGES/aleph.mo and b/aleph/translations/tr/LC_MESSAGES/aleph.mo differ diff --git a/aleph/translations/tr/LC_MESSAGES/aleph.po b/aleph/translations/tr/LC_MESSAGES/aleph.po index e6fd0f0e8..eb1aa89fa 100644 --- a/aleph/translations/tr/LC_MESSAGES/aleph.po +++ b/aleph/translations/tr/LC_MESSAGES/aleph.po @@ -1,7 +1,7 @@ # Translations template for PROJECT. -# Copyright (C) 2023 ORGANIZATION +# Copyright (C) 2024 ORGANIZATION # This file is distributed under the same license as the PROJECT project. -# FIRST AUTHOR , 2023. +# FIRST AUTHOR , 2024. # # Translators: # Pinar Dag , 2018 @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PROJECT VERSION\n" "Report-Msgid-Bugs-To: EMAIL@ADDRESS\n" -"POT-Creation-Date: 2023-11-27 13:54+0100\n" +"POT-Creation-Date: 2024-05-22 15:09+0000\n" "PO-Revision-Date: 2018-03-15 07:37+0000\n" "Last-Translator: Pinar Dag , 2018\n" "Language-Team: Turkish (https://app.transifex.com/aleph/teams/76591/tr/)\n" @@ -30,7 +30,7 @@ msgstr "Sesli Sözlük" msgid "No schema on entity" msgstr "" -#: aleph/logic/html.py:63 +#: aleph/logic/html.py:64 msgid "[HTML removed: could not be sanitized]" msgstr "" @@ -226,7 +226,7 @@ msgstr "" msgid "{{export}} is ready for download" msgstr "" -#: aleph/search/__init__.py:76 +#: aleph/search/__init__.py:77 msgid "No schema is specified for the query." msgstr "" @@ -392,11 +392,11 @@ msgid "" "Aleph administrator" msgstr "" -#: aleph/views/sessions_api.py:61 +#: aleph/views/sessions_api.py:69 msgid "Invalid user or password." msgstr "" -#: aleph/views/sessions_api.py:95 +#: aleph/views/sessions_api.py:104 msgid "Authentication has failed." msgstr "" diff --git a/aleph/views/collections_api.py b/aleph/views/collections_api.py index 2e6f6b9ba..0489c73a3 100644 --- a/aleph/views/collections_api.py +++ b/aleph/views/collections_api.py @@ -1,5 +1,6 @@ from banal import ensure_list from flask import Blueprint, request +from werkzeug.exceptions import BadRequest from aleph.core import db from aleph.search import CollectionsQuery @@ -68,7 +69,10 @@ def create(): require(request.authz.logged_in) data = parse_request("CollectionCreate") sync = get_flag("sync", True) - collection = create_collection(data, request.authz, sync=sync) + try: + collection = create_collection(data, request.authz, sync=sync) + except ValueError: + raise BadRequest() return view(collection.get("id")) diff --git a/aleph/views/mappings_api.py b/aleph/views/mappings_api.py index 8e51279c8..477ba4541 100644 --- a/aleph/views/mappings_api.py +++ b/aleph/views/mappings_api.py @@ -2,7 +2,7 @@ from banal import first from followthemoney import model from flask import Blueprint, request -from werkzeug.exceptions import BadRequest +from werkzeug.exceptions import BadRequest, NotFound from aleph.core import db from aleph.model import Mapping, Status @@ -10,7 +10,7 @@ from aleph.queues import queue_task, OP_FLUSH_MAPPING, OP_LOAD_MAPPING from aleph.views.serializers import MappingSerializer from aleph.views.util import get_db_collection, get_entityset, parse_request, get_nested -from aleph.views.util import get_index_entity, get_session_id, obj_or_404, require +from aleph.views.util import get_index_entity, get_session_id, require blueprint = Blueprint("mappings_api", __name__) @@ -28,8 +28,13 @@ def load_query(): return query -def get_table_id(data): - return get_index_entity(data.get("table_id"), request.authz.READ).get("id") +def get_table_id(data, collection): + table = get_index_entity(data.get("table_id"), request.authz.READ) + + if table["collection_id"] != collection.id: + raise BadRequest() + + return table.get("id") def get_entityset_id(data): @@ -39,6 +44,21 @@ def get_entityset_id(data): return entityset_id +def get_mapping(mapping_id, collection): + mapping = Mapping.by_id(mapping_id) + + if not mapping: + raise NotFound() + + # This could be implemented in a cleaner way by adding a where clause + # to the database query. But `Mapping.by_id` directly executes the query + # and does not return a query object, so we cannot alter the query. + if mapping.collection_id != collection.id: + raise NotFound() + + return mapping + + @blueprint.route("//mappings", methods=["GET"]) def index(collection_id): """Returns a list of mappings for the collection and table. @@ -120,7 +140,7 @@ def create(collection_id): data = parse_request("MappingCreate") mapping = Mapping.create( load_query(), - get_table_id(data), + get_table_id(data, collection), collection, request.authz.id, entityset_id=get_entityset_id(data), @@ -163,8 +183,8 @@ def view(collection_id, mapping_id): - Collection - Mapping """ - get_db_collection(collection_id, request.authz.WRITE) - mapping = obj_or_404(Mapping.by_id(mapping_id)) + collection = get_db_collection(collection_id, request.authz.WRITE) + mapping = get_mapping(mapping_id, collection) return MappingSerializer.jsonify(mapping) @@ -210,12 +230,12 @@ def update(collection_id, mapping_id): - Collection - Mapping """ - get_db_collection(collection_id, request.authz.WRITE) - mapping = obj_or_404(Mapping.by_id(mapping_id)) + collection = get_db_collection(collection_id, request.authz.WRITE) + mapping = get_mapping(mapping_id, collection) data = parse_request("MappingCreate") mapping.update( query=load_query(), - table_id=get_table_id(data), + table_id=get_table_id(data, collection), entityset_id=get_entityset_id(data), ) db.session.commit() @@ -257,13 +277,12 @@ def trigger(collection_id, mapping_id): - Mapping """ collection = get_db_collection(collection_id, request.authz.WRITE) - mapping = obj_or_404(Mapping.by_id(mapping_id)) + mapping = get_mapping(mapping_id, collection) mapping.disabled = False mapping.set_status(Status.PENDING) db.session.commit() job_id = get_session_id() queue_task(collection, OP_LOAD_MAPPING, job_id=job_id, mapping_id=mapping.id) - mapping = obj_or_404(Mapping.by_id(mapping_id)) return MappingSerializer.jsonify(mapping, status=202) @@ -301,7 +320,7 @@ def flush(collection_id, mapping_id): - Mapping """ collection = get_db_collection(collection_id, request.authz.WRITE) - mapping = obj_or_404(Mapping.by_id(mapping_id)) + mapping = get_mapping(mapping_id, collection) mapping.disabled = True mapping.last_run_status = None mapping.last_run_err_msg = None @@ -350,7 +369,7 @@ def delete(collection_id, mapping_id): - Mapping """ collection = get_db_collection(collection_id, request.authz.WRITE) - mapping = obj_or_404(Mapping.by_id(mapping_id)) + mapping = get_mapping(mapping_id, collection) mapping.delete() db.session.commit() queue_task( diff --git a/contrib/aleph-traefik-minio-keycloak/docker-compose.yml b/contrib/aleph-traefik-minio-keycloak/docker-compose.yml index 6ead397db..79d3fa417 100644 --- a/contrib/aleph-traefik-minio-keycloak/docker-compose.yml +++ b/contrib/aleph-traefik-minio-keycloak/docker-compose.yml @@ -36,7 +36,7 @@ services: - "traefik.enable=false" ingest-file: - image: ghcr.io/alephdata/ingest-file:3.20.0 + image: ghcr.io/alephdata/ingest-file:3.22.0 tmpfs: - /tmp:mode=777 volumes: @@ -54,7 +54,7 @@ services: - "traefik.enable=false" worker: - image: ghcr.io/alephdata/aleph:${ALEPH_TAG:-3.15.5} + image: ghcr.io/alephdata/aleph:${ALEPH_TAG:-3.17.0} command: aleph worker restart: on-failure links: @@ -79,7 +79,7 @@ services: - "traefik.enable=false" shell: - image: ghcr.io/alephdata/aleph:${ALEPH_TAG:-3.15.5} + image: ghcr.io/alephdata/aleph:${ALEPH_TAG:-3.17.0} command: /bin/bash depends_on: - postgres @@ -99,7 +99,7 @@ services: - "traefik.enable=false" api: - image: ghcr.io/alephdata/aleph:${ALEPH_TAG:-3.15.5} + image: ghcr.io/alephdata/aleph:${ALEPH_TAG:-3.17.0} command: gunicorn -w 6 -b 0.0.0.0:8000 --log-level debug --log-file - aleph.wsgi:app expose: - 8000 @@ -121,7 +121,7 @@ services: - "traefik.enable=false" ui: - image: ghcr.io/alephdata/aleph-ui-production:${ALEPH_TAG:-3.15.5} + image: ghcr.io/alephdata/aleph-ui-production:${ALEPH_TAG:-3.17.0} depends_on: - api - traefik diff --git a/contrib/keycloak/docker-compose.dev-keycloak.yml b/contrib/keycloak/docker-compose.dev-keycloak.yml index 332e5da7b..5f9ab8f32 100644 --- a/contrib/keycloak/docker-compose.dev-keycloak.yml +++ b/contrib/keycloak/docker-compose.dev-keycloak.yml @@ -16,7 +16,7 @@ services: elasticsearch: build: context: services/elasticsearch - image: ghcr.io/alephdata/aleph-elasticsearch:${ALEPH_TAG:-3.15.5} + image: ghcr.io/alephdata/aleph-elasticsearch:${ALEPH_TAG:-3.17.0} hostname: elasticsearch environment: - discovery.type=single-node @@ -35,7 +35,7 @@ services: ingest-file: build: context: services/ingest-file - image: ghcr.io/alephdata/ingest-file:3.20.0 + image: ghcr.io/alephdata/ingest-file:3.22.0 hostname: ingest tmpfs: /tmp volumes: @@ -55,7 +55,7 @@ services: app: build: context: . - image: alephdata/aleph:${ALEPH_TAG:-3.15.5} + image: alephdata/aleph:${ALEPH_TAG:-3.17.0} hostname: aleph command: /bin/bash links: @@ -83,7 +83,7 @@ services: api: build: context: . - image: alephdata/aleph:${ALEPH_TAG:-3.15.5} + image: alephdata/aleph:${ALEPH_TAG:-3.17.0} command: aleph run -h 0.0.0.0 -p 5000 --with-threads --reload --debugger ports: - "127.0.0.1:5000:5000" @@ -117,7 +117,7 @@ services: ui: build: context: ui - image: alephdata/aleph-ui:${ALEPH_TAG:-3.15.5} + image: alephdata/aleph-ui:${ALEPH_TAG:-3.17.0} links: - api command: npm run start diff --git a/docker-compose.dev.yml b/docker-compose.dev.yml index 99a48c9ad..d420073e5 100644 --- a/docker-compose.dev.yml +++ b/docker-compose.dev.yml @@ -37,7 +37,7 @@ services: - redis-data:/data ingest-file: - image: ghcr.io/alephdata/ingest-file:3.20.0 + image: ghcr.io/alephdata/ingest-file:3.22.0 hostname: ingest tmpfs: /tmp volumes: diff --git a/docker-compose.yml b/docker-compose.yml index 4f93f8805..576bed6c4 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -25,7 +25,7 @@ services: - redis-data:/data ingest-file: - image: ghcr.io/alephdata/ingest-file:3.20.0 + image: ghcr.io/alephdata/ingest-file:3.22.0 tmpfs: - /tmp:mode=777 volumes: @@ -38,7 +38,7 @@ services: - aleph.env worker: - image: ghcr.io/alephdata/aleph:${ALEPH_TAG:-3.15.5} + image: ghcr.io/alephdata/aleph:${ALEPH_TAG:-3.17.0} command: aleph worker restart: on-failure depends_on: @@ -54,7 +54,7 @@ services: - aleph.env shell: - image: ghcr.io/alephdata/aleph:${ALEPH_TAG:-3.15.5} + image: ghcr.io/alephdata/aleph:${ALEPH_TAG:-3.17.0} command: /bin/bash depends_on: - postgres @@ -72,7 +72,7 @@ services: - aleph.env api: - image: ghcr.io/alephdata/aleph:${ALEPH_TAG:-3.15.5} + image: ghcr.io/alephdata/aleph:${ALEPH_TAG:-3.17.0} expose: - 8000 depends_on: @@ -89,7 +89,7 @@ services: - aleph.env ui: - image: ghcr.io/alephdata/aleph-ui-production:${ALEPH_TAG:-3.15.5} + image: ghcr.io/alephdata/aleph-ui-production:${ALEPH_TAG:-3.17.0} depends_on: - api ports: diff --git a/docs/public/assets/pages/users/getting-started/account/2fa-code.png b/docs/public/assets/pages/users/getting-started/account/2fa-code.png deleted file mode 100644 index ba3b63308..000000000 Binary files a/docs/public/assets/pages/users/getting-started/account/2fa-code.png and /dev/null differ diff --git a/docs/public/assets/pages/users/getting-started/account/2fa-setup.png b/docs/public/assets/pages/users/getting-started/account/2fa-setup.png deleted file mode 100644 index e41d157ee..000000000 Binary files a/docs/public/assets/pages/users/getting-started/account/2fa-setup.png and /dev/null differ diff --git a/docs/public/assets/pages/users/getting-started/account/aleph-homepage-signin.png b/docs/public/assets/pages/users/getting-started/account/aleph-homepage-signin.png deleted file mode 100644 index 40dd4dec8..000000000 Binary files a/docs/public/assets/pages/users/getting-started/account/aleph-homepage-signin.png and /dev/null differ diff --git a/docs/public/assets/pages/users/getting-started/account/aleph-homepage.png b/docs/public/assets/pages/users/getting-started/account/aleph-homepage.png new file mode 100644 index 000000000..cf7d94953 Binary files /dev/null and b/docs/public/assets/pages/users/getting-started/account/aleph-homepage.png differ diff --git a/docs/public/assets/pages/users/getting-started/account/google-authenticator-setup.png b/docs/public/assets/pages/users/getting-started/account/google-authenticator-setup.png new file mode 100644 index 000000000..c59e4bc9e Binary files /dev/null and b/docs/public/assets/pages/users/getting-started/account/google-authenticator-setup.png differ diff --git a/docs/public/assets/pages/users/getting-started/account/keycloak-2fa-setup.png b/docs/public/assets/pages/users/getting-started/account/keycloak-2fa-setup.png new file mode 100644 index 000000000..f5415c5be Binary files /dev/null and b/docs/public/assets/pages/users/getting-started/account/keycloak-2fa-setup.png differ diff --git a/docs/public/assets/pages/users/getting-started/account/keycloak-account-information.png b/docs/public/assets/pages/users/getting-started/account/keycloak-account-information.png new file mode 100644 index 000000000..3e4eeedeb Binary files /dev/null and b/docs/public/assets/pages/users/getting-started/account/keycloak-account-information.png differ diff --git a/docs/public/assets/pages/users/getting-started/account/keycloak-change-password.png b/docs/public/assets/pages/users/getting-started/account/keycloak-change-password.png new file mode 100644 index 000000000..6de92cda2 Binary files /dev/null and b/docs/public/assets/pages/users/getting-started/account/keycloak-change-password.png differ diff --git a/docs/public/assets/pages/users/getting-started/account/keycloak-email-verification.png b/docs/public/assets/pages/users/getting-started/account/keycloak-email-verification.png new file mode 100644 index 000000000..cea745882 Binary files /dev/null and b/docs/public/assets/pages/users/getting-started/account/keycloak-email-verification.png differ diff --git a/docs/public/assets/pages/users/getting-started/account/keycloak-forgot-password.png b/docs/public/assets/pages/users/getting-started/account/keycloak-forgot-password.png new file mode 100644 index 000000000..ccd2a1bed Binary files /dev/null and b/docs/public/assets/pages/users/getting-started/account/keycloak-forgot-password.png differ diff --git a/docs/public/assets/pages/users/getting-started/account/keycloak-set-password.png b/docs/public/assets/pages/users/getting-started/account/keycloak-set-password.png new file mode 100644 index 000000000..2bac3096d Binary files /dev/null and b/docs/public/assets/pages/users/getting-started/account/keycloak-set-password.png differ diff --git a/docs/public/assets/pages/users/getting-started/account/keycloak-signin.png b/docs/public/assets/pages/users/getting-started/account/keycloak-signin.png new file mode 100644 index 000000000..c77e299d3 Binary files /dev/null and b/docs/public/assets/pages/users/getting-started/account/keycloak-signin.png differ diff --git a/docs/public/assets/pages/users/getting-started/account/reset.png b/docs/public/assets/pages/users/getting-started/account/reset.png deleted file mode 100644 index 2f160cd1f..000000000 Binary files a/docs/public/assets/pages/users/getting-started/account/reset.png and /dev/null differ diff --git a/docs/public/assets/pages/users/getting-started/account/signin.png b/docs/public/assets/pages/users/getting-started/account/signin.png deleted file mode 100644 index d29be18be..000000000 Binary files a/docs/public/assets/pages/users/getting-started/account/signin.png and /dev/null differ diff --git a/docs/src/options.json b/docs/src/options.json index 87d1779c0..c51c51dbd 100644 --- a/docs/src/options.json +++ b/docs/src/options.json @@ -29,7 +29,13 @@ { "title": "Getting started", "items": [ - { "slug": "/users/getting-started/account" }, + { + "slug": "/users/getting-started/account", + "children": [ + { "slug": "/users/getting-started/account/create" }, + { "slug": "/users/getting-started/account/reset-password" } + ] + }, { "slug": "/users/getting-started/key-terms" }, { "slug": "/users/getting-started/homepage" } ] diff --git a/docs/src/pages/about/index.mdx b/docs/src/pages/about/index.mdx index aeb6a7b4a..6ff206ed5 100644 --- a/docs/src/pages/about/index.mdx +++ b/docs/src/pages/about/index.mdx @@ -60,7 +60,7 @@ Besides grants to OCCRP, the following organizations have contributed to the dev Aleph is an open source project, we're very excited for contributions from people or organizations who see benefit in helping to refine or extend our tools. Here are some of the ways you could help: -* If you are a **native speaker** of a language that isn't supported by the Aleph user interface, join the [Transifex project](https://www.transifex.com/aleph/) and help us provide the software in that language. +* If you are a **native speaker** of a language that isn't supported by the Aleph user interface, join one or more of the [Transifex projects](https://explore.transifex.com/aleph/): [FollowTheMoney](https://explore.transifex.com/aleph/followthemoney), [Aleph-ui](https://explore.transifex.com/aleph/aleph-ui), [Aleph-api](https://explore.transifex.com/aleph/aleph-api) and [React-FTM](https://explore.transifex.com/aleph/react-ftm) and help us provide the software in that language. * If you're a **coder** (Python, JavaScript/React.js), please refer to our [contribution guide](https://github.com/alephdata/aleph/blob/main/CONTRIBUTING.md) to get started. diff --git a/docs/src/pages/developers/memorious.mdx b/docs/src/pages/developers/memorious.mdx index c30476caa..853d7eb56 100644 --- a/docs/src/pages/developers/memorious.mdx +++ b/docs/src/pages/developers/memorious.mdx @@ -86,6 +86,6 @@ pipeline: To learn more about Memorious, you can: -- Visit the documentation available at [https://memorious.readthedocs.io](https://memorious.readthedocs.io) +- Visit the documentation available at [https://alephdata.github.io/memorious/](https://alephdata.github.io/memorious/) - Explore and contribute to [the source code](https://github.com/alephdata/visdesktop) - Adapt the [example project ](https://github.com/alephdata/memorious/tree/master/example)which includes some test crawlers and docker configuration. diff --git a/docs/src/pages/users/faq/account/index.mdx b/docs/src/pages/users/faq/account/index.mdx index 509dbe1f3..49beb8662 100644 --- a/docs/src/pages/users/faq/account/index.mdx +++ b/docs/src/pages/users/faq/account/index.mdx @@ -3,11 +3,11 @@ layout: '@layouts/UsersLayout.astro' title: Account & Recovery --- +import OCCRPCallout from "@snippets/OCCRPCallout.astro"; + # Account creation and password recovery - - This page answers common questions about accounts on [aleph.occrp.org](https://aleph.occrp.org), an Aleph instance operated by the OCCRP. If your organization runs its own in-house Aleph instance, the information on this page may not apply. - + ## When I enter the code from my 2FA app to log in to Aleph, it says it is incorrect. I tried several times and it did not work. What should I do? @@ -69,12 +69,12 @@ If you followed the above troubleshooting steps and are still experiencing issue ## I already have an Aleph account but I do not remember my username. Is there a way to recover it? -Your Aleph account’s username is the e-mail address you used to register. If you are entering the correct e-mail address and are experiencing issues logging into Aleph, please contact OCCRP’s IT Helpdesk using [this form](https://form.asana.com/?k=9e-nT6JyUfSivzqHwNhsDw&d=24418422500834). +Your Aleph account’s username is the email address you used to register. If you are entering the correct email address and are experiencing issues logging into Aleph, please [contact OCCRP’s IT Helpdesk](https://requests.occrp.org/helpdesk). ## I removed my 2FA app/lost my phone and I cannot log in to Aleph. What should I do? -In either of the above situations, you will have to reset the password to your Aleph account. Please follow the instructions to [reset your password](/users/getting-started/account#reset-your-password). +In either of the above situations, you will have to reset the password to your Aleph account. Please follow the instructions to [reset your password](/users/getting-started/account/reset-password). ## I tried everything and I can’t log in to Aleph? How do I get in touch with OCCRP to ask for assistance? -If you followed all of the above troubleshooting steps and are still experiencing issues accessing your Aleph account, please contact OCCRP’s IT Helpdesk using [this form](https://form.asana.com/?k=9e-nT6JyUfSivzqHwNhsDw&d=24418422500834). +If you followed all of the above troubleshooting steps and are still experiencing issues accessing your Aleph account, please [contact OCCRP’s IT Helpdesk](https://requests.occrp.org/helpdesk). diff --git a/docs/src/pages/users/getting-started/account/create/index.mdx b/docs/src/pages/users/getting-started/account/create/index.mdx new file mode 100644 index 000000000..6d2dd20a8 --- /dev/null +++ b/docs/src/pages/users/getting-started/account/create/index.mdx @@ -0,0 +1,179 @@ +--- +layout: '@layouts/UsersLayout.astro' +title: How to create an account +--- + +import OCCRPCallout from "@snippets/OCCRPCallout.astro"; + +# How to create an account + +

Are you a new user? Learn how to set up an account for OCCRP Aleph.

+ + + +## Fill out the registration form + + + + To create an account for OCCRP Aleph please fill out the [registration form](https://requests.occrp.org/register). Please note that we do not process incomplete submissions. + + + + We manually review new registrations. This may take a few days. Once your registration has been approved, you will receive an email confirmation. After you have received the email confirmation, continue with the steps in the next section. + + + +## Request a new password + + + + In order to set a password for your new account, go to [aleph.occrp.org](https://aleph.occrp.org) and click on Sign in in the top right corner of the screen. + + + A screenshot of the Aleph homepage. The page header contains a 'Signin' link at the top-right corner of the screen. + + + + + + Click on Forgot Password?. + + + A screenshot of the 'Signin' page. The page consists of a form with email and password inputs and a link labeled 'Forgot password?'. + + + + + + Enter your email address and click the **Submit** button. + + A screenshot of the 'Forgot password?' page. The page consists of a form with an email input. + + + + + You will receive an email with the subject line **Reset password**. This may take up to 5 minutes. This email contains a link to reset your password. Click on the link and continue with the steps in the next section. + + + +## Set up a mobile authenticator (2FA) + + + + To keep your account secure, we require that you set up a mobile authenticator (sometimes also referred to as "2FA"). A mobile authenticator is an app that you install on your smartphone. It is required in addition to your email address and password when you log in. We recommend the **Google Authenticator** app, but you can also use a different app if you prefer. You can download the Google Authenticator app [for iOS from the Apple AppStore](https://apps.apple.com/de/app/google-authenticator/id388497605) or [for Android from Google Play](https://play.google.com/store/apps/details?id=com.google.android.apps.authenticator2). + + + + In the Google Authenticator app, click on Add a code, then select Scan a QR code. + + + Two smartphone screens showing the Google Authenticator app. The first screen has a button labeled 'Add a code'. The second screen has the title 'Add an authenticator code' and two options: 'Scan a QR code' and 'Enter a setup key'. + + + + + + + Use the Google Authenticator app on your phone to scan the QR code displayed on your computer screen. + + + A screenshot of the 'Mobile Authenticator Setup' page. The page shows a QR code and a form with an input labelled 'One-time code'. + + + + + + The Google Authenticator app on your phone now displays a six-digit code. Enter this code in the One-time code field on your computer and click the **Submit** button to complete the mobile authenticator setup. + + In the Device name field, you can optionally provide a name for the device you installed the Google Authenticator app on. For example, if you installed the Google Authenticator app on an iPhone, you could enter "iPhone" as the device name, but you can also chose any other name. + + + A screenshot of the 'Mobile Authenticator Setup' page. The page shows a QR code and a form with an input labelled 'One-time code'. + + + + + +## Set a password + + + + After setting up a mobile authenticator, you will be prompted to set a password. Choose a unique and long password. We recommend that you use a password manager to generate and store passwords. + + A screenshot of the 'Update password' page. It has two input fields labeled 'New password' and 'Confirm password'. + + + + Confirm your password and click the **Submit** button. + + + +## Update account information and verify email address + + + + Enter your first and last name and click on the **Submit** button to complete the setup of your account. + + A screenshot of the 'Update account information' page. The page shows a form with three input fields labelled 'Email address', 'First name', and 'Last name'. + + + Finally, you will receive another email with the subject line **Verify email**. Click on the link in the email to verify your email address. + + + That’s it. Your new account is now active and you can start using Aleph. + + diff --git a/docs/src/pages/users/getting-started/account/index.mdx b/docs/src/pages/users/getting-started/account/index.mdx index c9972cae8..e211ba531 100644 --- a/docs/src/pages/users/getting-started/account/index.mdx +++ b/docs/src/pages/users/getting-started/account/index.mdx @@ -3,121 +3,20 @@ layout: '@layouts/UsersLayout.astro' title: Manage your account --- -{/*TODO Use page/screen consistently*/} +import OCCRPCallout from "@snippets/OCCRPCallout.astro"; -# How to create an account or reset your password +# Manage your account -

On this page, you will find instructions on how to create an account for OCCRP Aleph and how to reset your password.

+

OCCRP Aleph is an Aleph instance operated by the OCCRP. Learn how to create an account for OCCRP Aleph or how to resset your password.

- - This page describes how to create an account on [aleph.occrp.org](https://aleph.occrp.org), an Aleph instance operated by the OCCRP. If your organization runs its own in-house Aleph instance, the process might be different. - + -{/*TODO Add warning: Sign up / sign in may be different for in-house instances*/} + - - -## Create an account - - - To create an Aleph account, go to [aleph.occrp.org](https://aleph.occrp.org/) and click on Sign In in the upper right-hand corner. - - - - - - - - - - You will be redirected to the **OCCRP Secure Sign-in** page. Once there, click on New user? Register. - - - - - - - - - Aleph will ask you for an e-mail address and a password, among other information. Subsequently, you will receive an e-mail confirming that your account has been created. Click on the link received to complete the e-mail verification process. - - - - Now, try logging in to your new account with the e-mail and password you chose. For security reasons, Aleph requires you to have an authentication application installed, which works as a two-step verification to log in to the account. We recommend using the free **Google Authenticator** application, which can be downloaded directly from your device’s app store. - - - - Within the app, click on the **+** symbol followed by **Scan a QR code** and scan the QR code displayed on your screen. - - - - - - - - - Finally, enter the temporary code displayed on your mobile phone. For example: - {/*TODO Clarify what to enter in which fields*/} - - - - - - - Having problems creating an Aleph account? Please, check our [FAQ section](/users/faq/account). - - -## Reset your password - - - - Go to [aleph.occrp.org](https://aleph.occrp.org) and click on **Sign In** in the upper right-hand corner. - - - - You will then be presented with the following window. In the bottom right-hand corner, go to Forgot Password? - - - - - - - - - On a new screen, Aleph will ask you to enter your e-mail address (the e-mail address you used to register on the platform). - - - - - - You will then receive an e-mail titled **Link to reset credentials**. When you click on it, a new screen will open asking you to scan a code with the app you used when you created your user (e.g. **Google Authenticator**). Then enter the code provided by the app (**One-time code** field) and finally define a name for the phone you are using (**Device name** field). You can put any name (please remember it), that's all! - - - - - Having problems recovering your username or password? Please, check our [FAQ section](/users/faq/account). If you do not see the Aleph email in your inbox, please remember to check your spam folder. - - -## Request extended data access - -Are you a journalist, a researcher or an activist? We have created special user groups to support reporters, journalists, researchers and NGOs respectively. These groups contain hundreds of datasets for you to work with. You can apply for this extended access [using this form](https://form.asana.com/?k=hsYmAKHX1ViTzUoe410y8Q&d=24418422500834). Our Research & Data team evaluates applications case by case and responses will be handled in a timely manner. + diff --git a/docs/src/pages/users/getting-started/account/reset-password/index.mdx b/docs/src/pages/users/getting-started/account/reset-password/index.mdx new file mode 100644 index 000000000..ca2b1e0fb --- /dev/null +++ b/docs/src/pages/users/getting-started/account/reset-password/index.mdx @@ -0,0 +1,75 @@ +--- +layout: '@layouts/UsersLayout.astro' +title: How to reset your password +--- + +import OCCRPCallout from "@snippets/OCCRPCallout.astro"; + +# How to reset your password + +

Already have an account for OCCRP Aleph but forgot your password? Learn how to reset your password.

+ + + + + + In order to set a password for your new account, go to [aleph.occrp.org](https://aleph.occrp.org) and click on Sign in in the top right corner of the screen. + + + A screenshot of the Aleph homepage. The page header contains a 'Signin' link at the top-right corner of the screen. + + + + + + Click on Forgot Password?. + + + A screenshot of the 'Signin' page. The page consists of a form with email and password inputs and a link labeled 'Forgot password?'. + + + + + + Enter your email address and click the **Submit** button. + + A screenshot of the 'Forgot password?' page. The page consists of a form with an email input. + + + + + You will receive an email with the subject line **Reset password**. This may take up to 5 minutes. This email contains a link to reset your password. + + + + You can now set a new password. Choose a unique and long password. We recommend that you use a password manager to generate and store passwords. + + A screenshot of the 'Update password' page. It has two input fields labeled 'New password' and 'Confirm password'. + + + + Click the **Submit** button to complete the password reset. + + diff --git a/docs/src/pages/users/getting-started/homepage/index.mdx b/docs/src/pages/users/getting-started/homepage/index.mdx index 6adde9e8b..416a80a7f 100644 --- a/docs/src/pages/users/getting-started/homepage/index.mdx +++ b/docs/src/pages/users/getting-started/homepage/index.mdx @@ -158,4 +158,4 @@ Shows the current number of lists that you have created. Lists let you organize /> -This section shows which research projects/groups OCCRP granted access for you to view. For further details, see [Request privileged data access](/users/getting-started/account#request-extended-data-access). +This section shows which research projects/groups OCCRP granted access for you to view. diff --git a/docs/src/snippets/OCCRPCallout.astro b/docs/src/snippets/OCCRPCallout.astro new file mode 100644 index 000000000..52f4180c9 --- /dev/null +++ b/docs/src/snippets/OCCRPCallout.astro @@ -0,0 +1,11 @@ +--- +import { Callout } from 'astro-theme-docs/components'; +--- + + + This page describes how to manage your account on aleph.occrp.org, an Aleph instance operated by the OCCRP. If your organization runs its own + in-house Aleph instance, the information on this page may not apply. + diff --git a/docs/tsconfig.json b/docs/tsconfig.json index c3e8616cd..8c437c737 100644 --- a/docs/tsconfig.json +++ b/docs/tsconfig.json @@ -4,6 +4,7 @@ "types": ["astro/client"], "baseUrl": ".", "paths": { + "@snippets/*": ["src/snippets/*"], "@components/*": ["src/components/*"], "@layouts/*": ["src/layouts/*"] } diff --git a/helm/charts/aleph/Chart.yaml b/helm/charts/aleph/Chart.yaml index cf14c35dd..83d6301de 100644 --- a/helm/charts/aleph/Chart.yaml +++ b/helm/charts/aleph/Chart.yaml @@ -2,6 +2,6 @@ apiVersion: v2 name: aleph description: Helm chart for Aleph type: application -version: 3.15.5 -appVersion: 3.15.5 +version: 3.17.0 +appVersion: 3.17.0 diff --git a/helm/charts/aleph/README.md b/helm/charts/aleph/README.md index a52b92d65..803fd9ace 100644 --- a/helm/charts/aleph/README.md +++ b/helm/charts/aleph/README.md @@ -11,7 +11,7 @@ Helm chart for Aleph | global.amazon | bool | `true` | Are we using AWS services like s3? | | global.google | bool | `false` | Are we using GCE services like storage, vision api? | | global.image.repository | string | `"alephdata/aleph"` | Aleph docker image repo | -| global.image.tag | string | `"3.15.5"` | Aleph docker image tag | +| global.image.tag | string | `"3.17.0"` | Aleph docker image tag | | global.image.tag | string | `"Always"` | | | global.namingPrefix | string | `"aleph"` | Prefix for the names of k8s resources | diff --git a/helm/charts/aleph/values.yaml b/helm/charts/aleph/values.yaml index 5777a467b..d15457e32 100644 --- a/helm/charts/aleph/values.yaml +++ b/helm/charts/aleph/values.yaml @@ -6,7 +6,7 @@ global: image: repository: ghcr.io/alephdata/aleph - tag: "3.15.5" + tag: "3.17.0" pullPolicy: Always commonEnv: @@ -123,7 +123,7 @@ ingestfile: image: repository: ghcr.io/alephdata/ingest-file - tag: "3.20.0" + tag: "3.22.0" pullPolicy: Always containerSecurityContext: diff --git a/requirements.txt b/requirements.txt index 919914eb8..fb5e5ae46 100644 --- a/requirements.txt +++ b/requirements.txt @@ -4,12 +4,12 @@ followthemoney==3.5.9 followthemoney-store[postgresql]==3.1.0 followthemoney-compare==0.4.4 fingerprints==1.2.3 -servicelayer[google,amazon]==1.22.0 +servicelayer[google,amazon]==1.22.2 normality==2.5.0 pantomime==0.6.1 # Flask ecosystem -Flask==3.0.3 +Flask==2.3.3 Flask-SQLAlchemy==3.0.5 Flask-Mail==0.9.1 Flask-Migrate==4.0.7 @@ -18,7 +18,7 @@ Flask-Babel==4.0.0 flask-talisman==1.1.0 SQLAlchemy==2.0.21 alembic==1.13.1 -authlib==1.3.0 +authlib==0.15.5 elasticsearch==7.17.0 marshmallow==3.21.1 diff --git a/setup.py b/setup.py index d86bd027f..c6d8e4a49 100644 --- a/setup.py +++ b/setup.py @@ -2,7 +2,7 @@ setup( name="aleph", - version="3.15.5", + version="3.17.0", description="Document sifting web frontend", classifiers=[ "Intended Audience :: Developers", diff --git a/ui/Dockerfile b/ui/Dockerfile index 787b8ac66..ee193034a 100644 --- a/ui/Dockerfile +++ b/ui/Dockerfile @@ -18,7 +18,6 @@ RUN cp -R /alephui/node_modules/ /node_modules COPY i18n /alephui/i18n COPY public /alephui/public -RUN cp /alephui/node_modules/pdfjs-dist/build/pdf.worker.min.js /alephui/public/static/ COPY src /alephui/src ENV REACT_APP_API_ENDPOINT /api/2/ diff --git a/ui/i18n/translations/compiled/nl.json b/ui/i18n/translations/compiled/nl.json index f3a3fc7af..3418ba843 100644 --- a/ui/i18n/translations/compiled/nl.json +++ b/ui/i18n/translations/compiled/nl.json @@ -1,128 +1,128 @@ { - "alert.manager.description": "You will receive notifications when a new result is added that matches any of the alerts you have set up below.", - "alerts.add_placeholder": "Create a new tracking alert...", - "alerts.delete": "Remove alert", - "alerts.heading": "Manage your alerts", - "alerts.no_alerts": "You are not tracking any searches", - "alerts.save": "Update", - "alerts.title": "Tracking alerts", - "alerts.track": "Track", - "auth.bad_request": "The Server did not accept your input", - "auth.server_error": "Server error", - "auth.success": "Success", - "auth.unauthorized": "Not authorized", - "auth.unknown_error": "An unexpected error occured", - "case.choose.name": "Title", - "case.choose.summary": "Summary", - "case.chose.languages": "Languages", - "case.create.login": "You must sign in to upload your own data.", - "case.description": "Investigations let you upload and share documents and data which belong to a particular story. You can upload PDFs, email archives or spreadsheets, and they will be made easy to search and browse.", - "case.label_placeholder": "Untitled investigation", - "case.language_placeholder": "Select languages", - "case.languages.helper": "Used for optical text recognition in non-Latin alphabets.", - "case.save": "Save", - "case.share.with": "Share with", - "case.summary": "A brief description of the investigation", - "case.title": "Create an investigation", - "case.users": "Search users", - "cases.create": "New investigation", - "cases.empty": "You do not have any investigations yet.", - "cases.no_results": "No investigations were found matching this query.", - "cases.placeholder": "Search investigations...", - "cases.title": "Investigations", - "clipboard.copy.after": "Successfully copied to clipboard", - "clipboard.copy.before": "Copy to clipboard", - "collection.addSchema.placeholder": "Add new entity type", - "collection.analyze.alert.text": "You're about to re-index the entities in {collectionLabel}. This can be helpful if there are inconsistencies in how the data is presented.", - "collection.analyze.cancel": "Cancel", - "collection.cancel.button": "Cancel", - "collection.countries": "Country", - "collection.creator": "Manager", - "collection.data_updated_at": "Content updated", + "alert.manager.description": "U krijgt een bericht wanneer een nieuw resultaat wordt toegevoegd dat overeenkomst met een van de waarschuwingen die u hieronder aanmaakt.", + "alerts.add_placeholder": "Maak een nieuwe volgwaarschuwing aan...", + "alerts.delete": "Verwijder waarschuwing", + "alerts.heading": "Bewerk uw waarschuwingen", + "alerts.no_alerts": "U hebt geen volgwaarschuwingen ingesteld", + "alerts.save": "Bijwerken", + "alerts.title": "Volgwaarschuwingen", + "alerts.track": "Volgen", + "auth.bad_request": "De server weigerde uw invoer", + "auth.server_error": "Serverfout", + "auth.success": "Succes", + "auth.unauthorized": "Niet bevoegd", + "auth.unknown_error": "Er ging onverwacht iets fout", + "case.choose.name": "Titel", + "case.choose.summary": "Samenvatting", + "case.chose.languages": "Talen", + "case.create.login": "Meld u aan om gegevens te uploaden", + "case.description": "Onderzoeken laten u documenten uploaden en delen, die bij een verhaal horen. U kunt PDFs, email-archieven en spreadsheets uploaden, waar dan gemakkelijk in gezocht en gebladerd kan worden.", + "case.label_placeholder": "Naamloos onderzoek", + "case.language_placeholder": "Selecteer talen", + "case.languages.helper": "Gebruikt voor tekstherkenning (OCR) van niet-Latijnse tekens.", + "case.save": "Opslaan", + "case.share.with": "Deel met", + "case.summary": "Een korte omschrijving van het onderzoek", + "case.title": "Start een nieuw onderzoek", + "case.users": "Zoek gebruikers", + "cases.create": "Nieuw onderzoek", + "cases.empty": "U hebt nog geen onderzoeken", + "cases.no_results": "Er werd geen onderzoek gevonden dat aan de zoekopdracht voldoet.", + "cases.placeholder": "Doorzoek onderzoeken...", + "cases.title": "Onderzoeken", + "clipboard.copy.after": "Succesvol naar het klembord gekopieerd", + "clipboard.copy.before": "Kopieer naar het klembord", + "collection.addSchema.placeholder": "Voeg een nieuw type entiteit toe", + "collection.analyze.alert.text": "U gaat de entiteiten in [collectionLabel] opnieuw indexeren.\nDit kan helpen wanneer er tegenstrijdigheden zitten in de weergave van de data.", + "collection.analyze.cancel": "Annuleren", + "collection.cancel.button": "Annuleren", + "collection.countries": "Land", + "collection.creator": "Beheerder", + "collection.data_updated_at": "Inhoud bijgewerkt", "collection.data_url": "Data URL", - "collection.delete.confirm": "I understand the consequences.", - "collection.delete.confirm.dataset": "Delete this dataset.", - "collection.delete.confirm.investigation": "Delete this investigation.", - "collection.delete.question": "Are you sure you want to permanently delete {collectionLabel} and all contained items? This cannot be undone.", - "collection.delete.success": "Successfully deleted {label}", - "collection.delete.title.dataset": "Delete dataset", - "collection.delete.title.investigation": "Delete investigation", + "collection.delete.confirm": "Ik begrijp de consequenties", + "collection.delete.confirm.dataset": "Verwijder deze dataset.", + "collection.delete.confirm.investigation": "Verwijder dit onderzoek.", + "collection.delete.question": "Weet u zeker dat u [collectionLabel] definitief wilt verwijderen, inclusief alle bijbehorende objecten? Dit kan niet ongedaangemaakt worden.", + "collection.delete.success": "{label} succesvol verwijderd", + "collection.delete.title.dataset": "Verwijder dataset", + "collection.delete.title.investigation": "Verwijder onderzoek", "collection.edit.access_title": "Access control", - "collection.edit.cancel_button": "Cancel", - "collection.edit.groups": "Groups", - "collection.edit.info.analyze": "Re-process", - "collection.edit.info.cancel": "Cancel", - "collection.edit.info.category": "Category", - "collection.edit.info.countries": "Countries", - "collection.edit.info.creator": "Manager", - "collection.edit.info.data_url": "Data source URL", - "collection.edit.info.delete": "Delete", + "collection.edit.cancel_button": "Annuleren", + "collection.edit.groups": "Groepen", + "collection.edit.info.analyze": "Verwerk opnieuw", + "collection.edit.info.cancel": "Annuleren", + "collection.edit.info.category": "Categorie", + "collection.edit.info.countries": "Landen", + "collection.edit.info.creator": "Beheerder", + "collection.edit.info.data_url": "Databron-URL", + "collection.edit.info.delete": "Verwijderen", "collection.edit.info.foreign_id": "Foreign ID", - "collection.edit.info.frequency": "Update frequency", - "collection.edit.info.info_url": "Information URL", + "collection.edit.info.frequency": "Bijwerk-frequentie", + "collection.edit.info.info_url": "Informatie-URL", "collection.edit.info.label": "Label", - "collection.edit.info.languages": "Languages", - "collection.edit.info.placeholder_country": "Select countries", - "collection.edit.info.placeholder_data_url": "Link to the raw data in a downloadable form", - "collection.edit.info.placeholder_info_url": "Link to further information", - "collection.edit.info.placeholder_label": "A label", - "collection.edit.info.placeholder_language": "Select languages", - "collection.edit.info.placeholder_publisher": "Organisation or person publishing this data", - "collection.edit.info.placeholder_publisher_url": "Link to the publisher", - "collection.edit.info.placeholder_summary": "A brief summary", - "collection.edit.info.publisher": "Publisher", - "collection.edit.info.publisher_url": "Publisher URL", - "collection.edit.info.restricted": "This dataset is restricted and viewers should be warned.", - "collection.edit.info.save": "Save changes", - "collection.edit.info.summary": "Summary", - "collection.edit.permissions_warning": "Note: User must already have an Aleph account in order to receive access.", - "collection.edit.permissionstable.edit": "Edit", - "collection.edit.permissionstable.view": "View", - "collection.edit.save_button": "Save changes", - "collection.edit.save_success": "Your changes are saved.", - "collection.edit.title": "Settings", - "collection.edit.users": "Users", + "collection.edit.info.languages": "Talen", + "collection.edit.info.placeholder_country": "Selecteer landen", + "collection.edit.info.placeholder_data_url": "Verwijzing naar de ruwe data in de vorm van een download", + "collection.edit.info.placeholder_info_url": "Verwijzing naar meer informatie", + "collection.edit.info.placeholder_label": "Een label", + "collection.edit.info.placeholder_language": "Selecteer talen", + "collection.edit.info.placeholder_publisher": "Organisatie of persoon die deze data publiceert", + "collection.edit.info.placeholder_publisher_url": "Verwijzing naar de publicist", + "collection.edit.info.placeholder_summary": "Korte samenvatting", + "collection.edit.info.publisher": "Publicist", + "collection.edit.info.publisher_url": "URL van de publicist", + "collection.edit.info.restricted": "Deze dataset is beperkt en kijkers moeten gewaarschuwd worden.", + "collection.edit.info.save": "Wijzigingen opslaan", + "collection.edit.info.summary": "Samenvatting", + "collection.edit.permissions_warning": "N.B. Gebruiker moet al een Aleph account hebben om toegang te verkrijgen.", + "collection.edit.permissionstable.edit": "Wijzig", + "collection.edit.permissionstable.view": "Bekijk", + "collection.edit.save_button": "Wijzigingen opslaan", + "collection.edit.save_success": "Wijzigingen worden opgeslagen.", + "collection.edit.title": "Instellingen", + "collection.edit.users": "Gebruikers", "collection.foreign_id": "Foreign ID", "collection.frequency": "Updates", - "collection.index.empty": "No datasets were found.", - "collection.index.filter.all": "All", - "collection.index.filter.mine": "Created by me", - "collection.index.no_results": "No datasets were found matching this query.", - "collection.index.placeholder": "Search datasets...", + "collection.index.empty": "Geen datasets gevonden.", + "collection.index.filter.all": "Alle", + "collection.index.filter.mine": "Gemaakt door mij", + "collection.index.no_results": "Geen datasets gevonden met deze zoekopdracht.", + "collection.index.placeholder": "Zoek datasets...", "collection.index.title": "Datasets", - "collection.info.access": "Share", - "collection.info.browse": "Documents", - "collection.info.delete": "Delete dataset", - "collection.info.delete_casefile": "Delete investigation", - "collection.info.diagrams": "Network diagrams", - "collection.info.diagrams_description": "Network diagrams let you visualize complex relationships within an investigation.", - "collection.info.documents": "Documents", - "collection.info.edit": "Settings", + "collection.info.access": "Delen", + "collection.info.browse": "Documenten", + "collection.info.delete": "Verwijder dataset", + "collection.info.delete_casefile": "Verwijder onderzoek", + "collection.info.diagrams": "Netwerkdiagrammen", + "collection.info.diagrams_description": "Netwerkdiagrammen visualiseren complexe relaties binnen een onderzoek.", + "collection.info.documents": "Documenten", + "collection.info.edit": "Instellingen", "collection.info.entities": "Entities", - "collection.info.lists": "Lists", - "collection.info.lists_description": "Lists let you organize and group related entities of interest.", + "collection.info.lists": "Lijsten", + "collection.info.lists_description": "Met lijsten organiseer je een groep gerelateerde entiteiten die je onderzoekt.", "collection.info.mappings": "Entity mappings", "collection.info.mappings_description": "Entity mappings allow you to bulk generate structured Follow the Money entities (like People, Companies, and the relationships among them) from rows in a spreadsheet or CSV document", - "collection.info.mentions": "Mentions", + "collection.info.mentions": "Vermeldingen", "collection.info.mentions_description": "Aleph automatically extracts terms that resemble names, address, phone numbers, and email addresses from uploaded documents and entities within your investigation. {br}{br} Click on a mentioned term below to find where it appears in your investigation.", - "collection.info.overview": "Overview", - "collection.info.reindex": "Re-index all content", + "collection.info.overview": "Overzicht", + "collection.info.reindex": "Her-indexeer de hele inhoud", "collection.info.reingest": "Re-ingest documents", - "collection.info.search": "Search", - "collection.info.source_documents": "Source documents", - "collection.info.timelines": "Timelines", - "collection.info.timelines_description": "Timelines are a way to view and organize events chronologically.", - "collection.info.xref": "Cross-reference", + "collection.info.search": "Zoek", + "collection.info.source_documents": "Brondocumenten", + "collection.info.timelines": "Tijdlijnen", + "collection.info.timelines_description": "Tijdlijnen zijn een manier om gebeurtenissen chronologisch te bekijken en te organiseren.", + "collection.info.xref": "Kruisverwijzing", "collection.info.xref_description": "Cross-referencing allows you to search the rest of Aleph for entities similar to those contained in your investigation.", - "collection.info_url": "Information URL", + "collection.info_url": "Informatie-URL", "collection.last_updated": "Last updated {date}", "collection.mappings.create": "Create a new entity mapping", "collection.mappings.create_docs_link": "For more information, please refer to the {link}", "collection.overview.empty": "This dataset is empty.", - "collection.publisher": "Publisher", + "collection.publisher": "Publicist", "collection.reconcile": "Reconciliation", "collection.reconcile.description": "Match your own data against the entities in this collection using the free {openrefine} tool by adding the reconciliation endpoint.", - "collection.reindex.cancel": "Cancel", + "collection.reindex.cancel": "Annuleren", "collection.reindex.confirm": "Start indexing", "collection.reindex.flush": "Clear index before re-indexing", "collection.reindex.processing": "Indexing started.", @@ -142,25 +142,25 @@ "collection.status.title": "Update in progress ({percent}%)", "collection.team": "Accessible to", "collection.updated_at": "Metadata updated", - "collection.xref.cancel": "Cancel", + "collection.xref.cancel": "Annuleren", "collection.xref.confirm": "Confirm", "collection.xref.empty": "There are no cross-referencing results.", "collection.xref.processing": "Cross-referencing started.", "collection.xref.text": "You will now cross-reference {collectionLabel} against all other sources. Start this process once and then wait for it to complete.", - "collection.xref.title": "Cross-reference", + "collection.xref.title": "Kruisverwijzing", "dashboard.activity": "Activity", "dashboard.alerts": "Alerts", - "dashboard.cases": "Investigations", - "dashboard.diagrams": "Network diagrams", + "dashboard.cases": "Onderzoeken", + "dashboard.diagrams": "Netwerkdiagrammen", "dashboard.exports": "Exports", - "dashboard.groups": "Groups", - "dashboard.lists": "Lists", + "dashboard.groups": "Groepen", + "dashboard.lists": "Lijsten", "dashboard.notifications": "Notifications", - "dashboard.settings": "Settings", - "dashboard.status": "System status", + "dashboard.settings": "Instellingen", + "dashboard.status": "Systeemstatus", "dashboard.subheading": "Check the progress of ongoing data analysis, upload, and processing tasks.", - "dashboard.timelines": "Timelines", - "dashboard.title": "System Status", + "dashboard.timelines": "Tijdlijnen", + "dashboard.title": "Systeemstatus", "dashboard.workspace": "Workspace", "dataset.search.placeholder": "Search this dataset", "diagram.create.button": "New diagram", @@ -190,11 +190,11 @@ "diagram.update.summary_placeholder": "A brief description of the diagram", "diagram.update.title": "Diagram settings", "diagrams": "Diagrams", - "diagrams.description": "Network diagrams let you visualize complex relationships within an investigation.", + "diagrams.description": "Netwerkdiagrammen visualiseren complexe relaties binnen een onderzoek.", "diagrams.no_diagrams": "There are no network diagrams.", - "diagrams.title": "Network diagrams", + "diagrams.title": "Netwerkdiagrammen", "document.download": "Download", - "document.download.cancel": "Cancel", + "document.download.cancel": "Annuleren", "document.download.confirm": "Download", "document.download.dont_warn": "Don't warn me in the future when downloading source documents", "document.download.tooltip": "Download the original document", @@ -212,12 +212,12 @@ "document.report_problem.title": "Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?", "document.search.no_match": "No single page within this document matches all your search terms.", "document.upload.button": "Upload", - "document.upload.cancel": "Cancel", + "document.upload.cancel": "Annuleren", "document.upload.close": "Close", "document.upload.errors": "Some files couldn't be transferred. You can use the Retry button to restart all failed uploads.", "document.upload.files": "Choose files to upload...", "document.upload.folder": "If you would like to upload folders instead, { button }.", - "document.upload.folder-toggle": "click here", + "document.upload.folder-toggle": "klik hier", "document.upload.info": "If you need to upload a large amount of files (100+) consider {link}.", "document.upload.notice": "The upload is complete. It will take a few moments for the documents to be processed and become searchable.", "document.upload.progress": "{done} of {total} files done, {errors} errors.", @@ -230,8 +230,8 @@ "document.viewer.ignored_file": "The system does not work with these types of files. Please download it so you’ll be able to see it.", "document.viewer.no_viewer": "No preview is available for this document", "email.body.empty": "No message body.", - "entity.delete.cancel": "Cancel", - "entity.delete.confirm": "Delete", + "entity.delete.cancel": "Annuleren", + "entity.delete.confirm": "Verwijderen", "entity.delete.error": "An error occured while attempting to delete this entity.", "entity.delete.progress": "Deleting...", "entity.delete.question.multiple": "Are you sure you want to delete the following {count, plural, one {item} other {items}}?", @@ -242,13 +242,13 @@ "entity.document.manager.search_placeholder": "Search documents", "entity.document.manager.search_placeholder_document": "Search in {label}", "entity.info.attachments": "Attachments", - "entity.info.documents": "Documents", + "entity.info.documents": "Documenten", "entity.info.info": "Info", "entity.info.last_view": "Last viewed {time}", "entity.info.similar": "Similar", - "entity.info.tags": "Mentions", + "entity.info.tags": "Vermeldingen", "entity.info.text": "Text", - "entity.info.view": "View", + "entity.info.view": "Bekijk", "entity.info.workbook_warning": "This sheet is part of workbook {link}", "entity.manager.bulk_import.description.1": "Select a table below from which to import new {schema} entities.", "entity.manager.bulk_import.description.2": "Once selected, you will be prompted to assign columns from that table to properties of the generated entities.", @@ -256,7 +256,7 @@ "entity.manager.bulk_import.link_text": "Upload a new table document", "entity.manager.bulk_import.no_results": "No matching documents found", "entity.manager.bulk_import.placeholder": "Select a table document", - "entity.manager.delete": "Delete", + "entity.manager.delete": "Verwijderen", "entity.manager.edge_create_success": "Successfully linked {source} and {target}", "entity.manager.entity_set_add_success": "Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}", "entity.manager.remove": "Remove", @@ -286,14 +286,14 @@ "entity.viewer.bulk_import": "Bulk import", "entity.viewer.search_placeholder": "Search in {label}", "entitySet.last_updated": "Updated {date}", - "entityset.choose.name": "Title", - "entityset.choose.summary": "Summary", + "entityset.choose.name": "Titel", + "entityset.choose.summary": "Samenvatting", "entityset.create.collection": "Investigation", "entityset.create.collection.existing": "Select an investigation", "entityset.create.collection.new": "Don't see the investigation you're looking for? {link}", "entityset.create.collection.new_link": "Create a new investigation", "entityset.create.submit": "Create", - "entityset.delete.confirm": "I understand the consequences.", + "entityset.delete.confirm": "Ik begrijp de consequenties", "entityset.delete.confirm.diagram": "Delete this network diagram.", "entityset.delete.confirm.list": "Delete this list.", "entityset.delete.confirm.profile": "Delete this profile.", @@ -304,20 +304,20 @@ "entityset.delete.title.list": "Delete list", "entityset.delete.title.profile": "Delete profile", "entityset.delete.title.timeline": "Delete timeline", - "entityset.info.delete": "Delete", - "entityset.info.edit": "Settings", + "entityset.info.delete": "Verwijderen", + "entityset.info.edit": "Instellingen", "entityset.info.export": "Export", "entityset.info.exportAsSvg": "Export as SVG", "entityset.selector.placeholder": "Search existing", "entityset.selector.success": "Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}", - "entityset.selector.success_toast_button": "View", + "entityset.selector.success_toast_button": "Bekijk", "entityset.selector.title": "Add {firstCaption} {titleSecondary} to...", "entityset.selector.title_default": "Add entities to...", "entityset.selector.title_other": "and {count} other {count, plural, one {entity} other {entities}}", - "entityset.update.submit": "Save changes", + "entityset.update.submit": "Wijzigingen opslaan", "error.screen.not_found": "The requested page could not be found.", "export.dialog.text": "Initiate your export. {br}{br} Exports take some time to generate. You will receive an email once the data is ready. {br}{br} Please trigger this export only once.", - "exports.dialog.cancel": "Cancel", + "exports.dialog.cancel": "Annuleren", "exports.dialog.confirm": "Export", "exports.dialog.dashboard_link": "View progress", "exports.dialog.success": "Your export has begun.", @@ -365,7 +365,7 @@ "hotkeys.search.different": "Preview previous result", "hotkeys.search.group_label": "Search preview", "hotkeys.search.unsure": "Preview next result", - "hotkeys.search_focus": "Search", + "hotkeys.search_focus": "Zoeken", "infoMode.collection_casefile": "Investigation", "infoMode.collection_dataset": "Dataset", "infoMode.createdAt": "Created at", @@ -409,25 +409,25 @@ "list.update.success": "Your list has been updated successfully.", "list.update.summary_placeholder": "A brief description of the list", "list.update.title": "List settings", - "lists": "Lists", - "lists.description": "Lists let you organize and group related entities of interest.", + "lists": "Lijsten", + "lists.description": "Met lijsten organiseer je een groep gerelateerde entiteiten die je onderzoekt.", "lists.no_lists": "There are no lists.", - "lists.title": "Lists", + "lists.title": "Lijsten", "login.oauth": "Sign in via OAuth", "mapping.actions.create": "Generate entities", "mapping.actions.create.toast": "Generating entities...", - "mapping.actions.delete": "Delete", + "mapping.actions.delete": "Verwijderen", "mapping.actions.delete.toast": "Deleting mapping and any generated entities...", "mapping.actions.export": "Export mapping", "mapping.actions.flush": "Remove generated entities", "mapping.actions.flush.toast": "Removing generated entities...", - "mapping.actions.save": "Save changes", + "mapping.actions.save": "Wijzigingen opslaan", "mapping.actions.save.toast": "Re-generating entities...", - "mapping.create.cancel": "Cancel", + "mapping.create.cancel": "Annuleren", "mapping.create.confirm": "Generate", "mapping.create.question": "Are you sure you are ready to generate entities using this mapping?", - "mapping.delete.cancel": "Cancel", - "mapping.delete.confirm": "Delete", + "mapping.delete.cancel": "Annuleren", + "mapping.delete.confirm": "Verwijderen", "mapping.delete.question": "Are you sure you want to delete this mapping and all generated entities?", "mapping.docs.link": "Aleph entity mapping documentation", "mapping.entityAssign.helpText": "You must create an object of type \"{range}\" to be the {property}", @@ -437,7 +437,7 @@ "mapping.entityset.remove": "Remove", "mapping.error.keyMissing": "Key Error: {id} entity must have at least one key", "mapping.error.relationshipMissing": "Relationship Error: {id} entity must have a {source} and {target} assigned", - "mapping.flush.cancel": "Cancel", + "mapping.flush.cancel": "Annuleren", "mapping.flush.confirm": "Remove", "mapping.flush.question": "Are you sure you want to remove entities generated using this mapping?", "mapping.import.button": "Import existing mapping", @@ -463,7 +463,7 @@ "mapping.propAssign.placeholder": "Assign a property", "mapping.propRemove": "Remove this property from mapping", "mapping.props": "Properties", - "mapping.save.cancel": "Cancel", + "mapping.save.cancel": "Annuleren", "mapping.save.confirm": "Update mapping & re-generate", "mapping.save.question": "Updating this mapping will delete any previously generated entities and re-generate them. Are you sure you would like to continue?", "mapping.section1.title": "1. Select entity types to generate", @@ -482,17 +482,17 @@ "messages.banner.dismiss": "Dismiss", "nav.alerts": "Alerts", "nav.bookmarks": "Bookmarks", - "nav.cases": "Investigations", + "nav.cases": "Onderzoeken", "nav.collections": "Datasets", - "nav.diagrams": "Network diagrams", + "nav.diagrams": "Netwerkdiagrammen", "nav.exports": "Exports", - "nav.lists": "Lists", - "nav.menu.cases": "Investigations", - "nav.settings": "Settings", + "nav.lists": "Lijsten", + "nav.menu.cases": "Onderzoeken", + "nav.settings": "Instellingen", "nav.signin": "Sign in", "nav.signout": "Sign out", - "nav.status": "System status", - "nav.timelines": "Timelines", + "nav.status": "Systeemstatus", + "nav.timelines": "Tijdlijnen", "nav.view_notifications": "Notifications", "navbar.alert_add": "Click to receive alerts about new results for this search.", "navbar.alert_remove": "You are receiving alerts about this search.", @@ -500,7 +500,7 @@ "notifications.greeting": "What's new, {role}?", "notifications.no_notifications": "You have no unseen notifications", "notifications.title": "Recent notifications", - "notifications.type_filter.all": "All", + "notifications.type_filter.all": "Alle", "pages.not.found": "Page not found", "pass.auth.not_same": "Your passwords are not the same!", "password_auth.activate": "Activate", @@ -552,7 +552,7 @@ "search.advanced.proximity.label": "Terms in proximity to each other", "search.advanced.proximity.term": "First term", "search.advanced.proximity.term2": "Second term", - "search.advanced.submit": "Search", + "search.advanced.submit": "Zoeken", "search.advanced.title": "Advanced Search", "search.advanced.variants.distance": "Letters different", "search.advanced.variants.helptext": "Increase the fuzziness of a search. For example, Wladimir~2 will return not just the term “Wladimir” but also similar spellings such as \"Wladimyr\" or \"Vladimyr\". A spelling variant is defined by the number of spelling mistakes that must be made to get from the original word to the variant.", @@ -595,7 +595,7 @@ "search.screen.export_disabled_empty": "No results to export.", "search.screen.export_helptext": "Export results", "search.title": "Search: {title}", - "search.title_emptyq": "Search", + "search.title_emptyq": "Zoeken", "settings.api_key": "API Secret Access Key", "settings.confirm": "(confirm)", "settings.current_explain": "Enter your current password to set a new one.", @@ -610,9 +610,9 @@ "settings.password.missmatch": "Passwords do not match", "settings.password.rules": "Use at least six characters", "settings.password.title": "Change your password", - "settings.save": "Update", + "settings.save": "Bijwerken", "settings.saved": "It's official, your profile is updated.", - "settings.title": "Settings", + "settings.title": "Instellingen", "sidebar.open": "Expand", "signup.activate": "Activate your account", "signup.inbox.desc": "We've sent you an email, please follow the link to complete your registration", @@ -622,16 +622,16 @@ "signup.register.question": "Don't have account? Register!", "signup.title": "Sign in", "sorting.bar.button.label": "Show:", - "sorting.bar.caption": "Title", + "sorting.bar.caption": "Titel", "sorting.bar.collection_id": "Dataset", "sorting.bar.count": "Size", - "sorting.bar.countries": "Countries", + "sorting.bar.countries": "Landen", "sorting.bar.created_at": "Creation Date", "sorting.bar.date": "Date", "sorting.bar.dates": "Dates", "sorting.bar.direction": "Direction:", "sorting.bar.endDate": "End date", - "sorting.bar.label": "Title", + "sorting.bar.label": "Titel", "sorting.bar.sort": "Sort by:", "sorting.bar.updated_at": "Update Date", "sources.index.empty": "This group is not linked to any datasets or investigations.", @@ -652,10 +652,10 @@ "timeline.update.success": "Your timeline has been updated successfully.", "timeline.update.summary_placeholder": "A brief description of the timeline", "timeline.update.title": "Timeline settings", - "timelines": "Timelines", - "timelines.description": "Timelines are a way to view and organize events chronologically.", + "timelines": "Tijdlijnen", + "timelines.description": "Tijdlijnen zijn een manier om gebeurtenissen chronologisch te bekijken en te organiseren.", "timelines.no_timelines": "There are no timelines.", - "timelines.title": "Timelines", + "timelines.title": "Tijdlijnen", "valuelink.tooltip": "{count} mentions in {appName}", "xref.compute": "Compute", "xref.entity": "Reference", diff --git a/ui/i18n/translations/compiled/ru.json b/ui/i18n/translations/compiled/ru.json index c42ead342..82545cc22 100644 --- a/ui/i18n/translations/compiled/ru.json +++ b/ui/i18n/translations/compiled/ru.json @@ -207,9 +207,9 @@ "document.mapping.start": "Создать сущности", "document.paging": "Страница {pageInput} из {numberOfPages}", "document.pdf.search.page": "Страница {page}", - "document.report_problem": "Report a problem", - "document.report_problem.text": "You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.", - "document.report_problem.title": "Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?", + "document.report_problem": "Сообщить об ошибке", + "document.report_problem.text": "Сообщайте о любых проблемах — это поможет нам улучшить обработку и отображение документов в Алефе.", + "document.report_problem.title": "Документ выглядит странно? Текст извлечён некорректно или информация неполная?", "document.search.no_match": "Искомых слов в документе не найдено.", "document.upload.button": "Загрузить", "document.upload.cancel": "Отменить", @@ -218,7 +218,7 @@ "document.upload.files": "Выберите файлы для загрузки", "document.upload.folder": "Если вы хотите загрузить папки, { button }.", "document.upload.folder-toggle": "нажмите здесь", - "document.upload.info": "If you need to upload a large amount of files (100+) consider {link}.", + "document.upload.info": "Если необходимо загрузить большое количество файлов (100+), воспользуйтесь {link}.", "document.upload.notice": "Загрузка завершена. После индексирования документы станут доступны для полнотекстового поиска.", "document.upload.progress": "{done} из {total} файлов готовы, ошибок: {errors}.", "document.upload.rejected": "Невозможно загрузить {fileName}, поскольку не известен тип файла.", diff --git a/ui/i18n/translations/raw/nl.json b/ui/i18n/translations/raw/nl.json index 5df83152b..6d0166bb9 100644 --- a/ui/i18n/translations/raw/nl.json +++ b/ui/i18n/translations/raw/nl.json @@ -1,252 +1,252 @@ { "alert.manager.description": { - "defaultMessage": "You will receive notifications when a new result is added that matches any of the alerts you have set up below." + "defaultMessage": "U krijgt een bericht wanneer een nieuw resultaat wordt toegevoegd dat overeenkomst met een van de waarschuwingen die u hieronder aanmaakt." }, "alerts.add_placeholder": { - "defaultMessage": "Create a new tracking alert..." + "defaultMessage": "Maak een nieuwe volgwaarschuwing aan..." }, "alerts.delete": { - "defaultMessage": "Remove alert" + "defaultMessage": "Verwijder waarschuwing" }, "alerts.heading": { - "defaultMessage": "Manage your alerts" + "defaultMessage": "Bewerk uw waarschuwingen" }, "alerts.no_alerts": { - "defaultMessage": "You are not tracking any searches" + "defaultMessage": "U hebt geen volgwaarschuwingen ingesteld" }, "alerts.save": { - "defaultMessage": "Update" + "defaultMessage": "Bijwerken" }, "alerts.title": { - "defaultMessage": "Tracking alerts" + "defaultMessage": "Volgwaarschuwingen" }, "alerts.track": { - "defaultMessage": "Track" + "defaultMessage": "Volgen" }, "auth.bad_request": { - "defaultMessage": "The Server did not accept your input" + "defaultMessage": "De server weigerde uw invoer" }, "auth.server_error": { - "defaultMessage": "Server error" + "defaultMessage": "Serverfout" }, "auth.success": { - "defaultMessage": "Success" + "defaultMessage": "Succes" }, "auth.unauthorized": { - "defaultMessage": "Not authorized" + "defaultMessage": "Niet bevoegd" }, "auth.unknown_error": { - "defaultMessage": "An unexpected error occured" + "defaultMessage": "Er ging onverwacht iets fout" }, "case.choose.name": { - "defaultMessage": "Title" + "defaultMessage": "Titel" }, "case.choose.summary": { - "defaultMessage": "Summary" + "defaultMessage": "Samenvatting" }, "case.chose.languages": { - "defaultMessage": "Languages" + "defaultMessage": "Talen" }, "case.create.login": { - "defaultMessage": "You must sign in to upload your own data." + "defaultMessage": "Meld u aan om gegevens te uploaden" }, "case.description": { - "defaultMessage": "Investigations let you upload and share documents and data which belong to a particular story. You can upload PDFs, email archives or spreadsheets, and they will be made easy to search and browse." + "defaultMessage": "Onderzoeken laten u documenten uploaden en delen, die bij een verhaal horen. U kunt PDFs, email-archieven en spreadsheets uploaden, waar dan gemakkelijk in gezocht en gebladerd kan worden." }, "case.label_placeholder": { - "defaultMessage": "Untitled investigation" + "defaultMessage": "Naamloos onderzoek" }, "case.language_placeholder": { - "defaultMessage": "Select languages" + "defaultMessage": "Selecteer talen" }, "case.languages.helper": { - "defaultMessage": "Used for optical text recognition in non-Latin alphabets." + "defaultMessage": "Gebruikt voor tekstherkenning (OCR) van niet-Latijnse tekens." }, "case.save": { - "defaultMessage": "Save" + "defaultMessage": "Opslaan" }, "case.share.with": { - "defaultMessage": "Share with" + "defaultMessage": "Deel met" }, "case.summary": { - "defaultMessage": "A brief description of the investigation" + "defaultMessage": "Een korte omschrijving van het onderzoek" }, "case.title": { - "defaultMessage": "Create an investigation" + "defaultMessage": "Start een nieuw onderzoek" }, "case.users": { - "defaultMessage": "Search users" + "defaultMessage": "Zoek gebruikers" }, "cases.create": { - "defaultMessage": "New investigation" + "defaultMessage": "Nieuw onderzoek" }, "cases.empty": { - "defaultMessage": "You do not have any investigations yet." + "defaultMessage": "U hebt nog geen onderzoeken" }, "cases.no_results": { - "defaultMessage": "No investigations were found matching this query." + "defaultMessage": "Er werd geen onderzoek gevonden dat aan de zoekopdracht voldoet." }, "cases.placeholder": { - "defaultMessage": "Search investigations..." + "defaultMessage": "Doorzoek onderzoeken..." }, "cases.title": { - "defaultMessage": "Investigations" + "defaultMessage": "Onderzoeken" }, "clipboard.copy.after": { - "defaultMessage": "Successfully copied to clipboard" + "defaultMessage": "Succesvol naar het klembord gekopieerd" }, "clipboard.copy.before": { - "defaultMessage": "Copy to clipboard" + "defaultMessage": "Kopieer naar het klembord" }, "collection.addSchema.placeholder": { - "defaultMessage": "Add new entity type" + "defaultMessage": "Voeg een nieuw type entiteit toe" }, "collection.analyze.alert.text": { - "defaultMessage": "You're about to re-index the entities in {collectionLabel}. This can be helpful if there are inconsistencies in how the data is presented." + "defaultMessage": "U gaat de entiteiten in [collectionLabel] opnieuw indexeren.\nDit kan helpen wanneer er tegenstrijdigheden zitten in de weergave van de data." }, "collection.analyze.cancel": { - "defaultMessage": "Cancel" + "defaultMessage": "Annuleren" }, "collection.cancel.button": { - "defaultMessage": "Cancel" + "defaultMessage": "Annuleren" }, "collection.countries": { - "defaultMessage": "Country" + "defaultMessage": "Land" }, "collection.creator": { - "defaultMessage": "Manager" + "defaultMessage": "Beheerder" }, "collection.data_updated_at": { - "defaultMessage": "Content updated" + "defaultMessage": "Inhoud bijgewerkt" }, "collection.data_url": { "defaultMessage": "Data URL" }, "collection.delete.confirm": { - "defaultMessage": "I understand the consequences." + "defaultMessage": "Ik begrijp de consequenties" }, "collection.delete.confirm.dataset": { - "defaultMessage": "Delete this dataset." + "defaultMessage": "Verwijder deze dataset." }, "collection.delete.confirm.investigation": { - "defaultMessage": "Delete this investigation." + "defaultMessage": "Verwijder dit onderzoek." }, "collection.delete.question": { - "defaultMessage": "Are you sure you want to permanently delete {collectionLabel} and all contained items? This cannot be undone." + "defaultMessage": "Weet u zeker dat u [collectionLabel] definitief wilt verwijderen, inclusief alle bijbehorende objecten? Dit kan niet ongedaangemaakt worden." }, "collection.delete.success": { - "defaultMessage": "Successfully deleted {label}" + "defaultMessage": "{label} succesvol verwijderd" }, "collection.delete.title.dataset": { - "defaultMessage": "Delete dataset" + "defaultMessage": "Verwijder dataset" }, "collection.delete.title.investigation": { - "defaultMessage": "Delete investigation" + "defaultMessage": "Verwijder onderzoek" }, "collection.edit.access_title": { "defaultMessage": "Access control" }, "collection.edit.cancel_button": { - "defaultMessage": "Cancel" + "defaultMessage": "Annuleren" }, "collection.edit.groups": { - "defaultMessage": "Groups" + "defaultMessage": "Groepen" }, "collection.edit.info.analyze": { - "defaultMessage": "Re-process" + "defaultMessage": "Verwerk opnieuw" }, "collection.edit.info.cancel": { - "defaultMessage": "Cancel" + "defaultMessage": "Annuleren" }, "collection.edit.info.category": { - "defaultMessage": "Category" + "defaultMessage": "Categorie" }, "collection.edit.info.countries": { - "defaultMessage": "Countries" + "defaultMessage": "Landen" }, "collection.edit.info.creator": { - "defaultMessage": "Manager" + "defaultMessage": "Beheerder" }, "collection.edit.info.data_url": { - "defaultMessage": "Data source URL" + "defaultMessage": "Databron-URL" }, "collection.edit.info.delete": { - "defaultMessage": "Delete" + "defaultMessage": "Verwijderen" }, "collection.edit.info.foreign_id": { "defaultMessage": "Foreign ID" }, "collection.edit.info.frequency": { - "defaultMessage": "Update frequency" + "defaultMessage": "Bijwerk-frequentie" }, "collection.edit.info.info_url": { - "defaultMessage": "Information URL" + "defaultMessage": "Informatie-URL" }, "collection.edit.info.label": { "defaultMessage": "Label" }, "collection.edit.info.languages": { - "defaultMessage": "Languages" + "defaultMessage": "Talen" }, "collection.edit.info.placeholder_country": { - "defaultMessage": "Select countries" + "defaultMessage": "Selecteer landen" }, "collection.edit.info.placeholder_data_url": { - "defaultMessage": "Link to the raw data in a downloadable form" + "defaultMessage": "Verwijzing naar de ruwe data in de vorm van een download" }, "collection.edit.info.placeholder_info_url": { - "defaultMessage": "Link to further information" + "defaultMessage": "Verwijzing naar meer informatie" }, "collection.edit.info.placeholder_label": { - "defaultMessage": "A label" + "defaultMessage": "Een label" }, "collection.edit.info.placeholder_language": { - "defaultMessage": "Select languages" + "defaultMessage": "Selecteer talen" }, "collection.edit.info.placeholder_publisher": { - "defaultMessage": "Organisation or person publishing this data" + "defaultMessage": "Organisatie of persoon die deze data publiceert" }, "collection.edit.info.placeholder_publisher_url": { - "defaultMessage": "Link to the publisher" + "defaultMessage": "Verwijzing naar de publicist" }, "collection.edit.info.placeholder_summary": { - "defaultMessage": "A brief summary" + "defaultMessage": "Korte samenvatting" }, "collection.edit.info.publisher": { - "defaultMessage": "Publisher" + "defaultMessage": "Publicist" }, "collection.edit.info.publisher_url": { - "defaultMessage": "Publisher URL" + "defaultMessage": "URL van de publicist" }, "collection.edit.info.restricted": { - "defaultMessage": "This dataset is restricted and viewers should be warned." + "defaultMessage": "Deze dataset is beperkt en kijkers moeten gewaarschuwd worden." }, "collection.edit.info.save": { - "defaultMessage": "Save changes" + "defaultMessage": "Wijzigingen opslaan" }, "collection.edit.info.summary": { - "defaultMessage": "Summary" + "defaultMessage": "Samenvatting" }, "collection.edit.permissions_warning": { - "defaultMessage": "Note: User must already have an Aleph account in order to receive access." + "defaultMessage": "N.B. Gebruiker moet al een Aleph account hebben om toegang te verkrijgen." }, "collection.edit.permissionstable.edit": { - "defaultMessage": "Edit" + "defaultMessage": "Wijzig" }, "collection.edit.permissionstable.view": { - "defaultMessage": "View" + "defaultMessage": "Bekijk" }, "collection.edit.save_button": { - "defaultMessage": "Save changes" + "defaultMessage": "Wijzigingen opslaan" }, "collection.edit.save_success": { - "defaultMessage": "Your changes are saved." + "defaultMessage": "Wijzigingen worden opgeslagen." }, "collection.edit.title": { - "defaultMessage": "Settings" + "defaultMessage": "Instellingen" }, "collection.edit.users": { - "defaultMessage": "Users" + "defaultMessage": "Gebruikers" }, "collection.foreign_id": { "defaultMessage": "Foreign ID" @@ -255,55 +255,55 @@ "defaultMessage": "Updates" }, "collection.index.empty": { - "defaultMessage": "No datasets were found." + "defaultMessage": "Geen datasets gevonden." }, "collection.index.filter.all": { - "defaultMessage": "All" + "defaultMessage": "Alle" }, "collection.index.filter.mine": { - "defaultMessage": "Created by me" + "defaultMessage": "Gemaakt door mij" }, "collection.index.no_results": { - "defaultMessage": "No datasets were found matching this query." + "defaultMessage": "Geen datasets gevonden met deze zoekopdracht." }, "collection.index.placeholder": { - "defaultMessage": "Search datasets..." + "defaultMessage": "Zoek datasets..." }, "collection.index.title": { "defaultMessage": "Datasets" }, "collection.info.access": { - "defaultMessage": "Share" + "defaultMessage": "Delen" }, "collection.info.browse": { - "defaultMessage": "Documents" + "defaultMessage": "Documenten" }, "collection.info.delete": { - "defaultMessage": "Delete dataset" + "defaultMessage": "Verwijder dataset" }, "collection.info.delete_casefile": { - "defaultMessage": "Delete investigation" + "defaultMessage": "Verwijder onderzoek" }, "collection.info.diagrams": { - "defaultMessage": "Network diagrams" + "defaultMessage": "Netwerkdiagrammen" }, "collection.info.diagrams_description": { - "defaultMessage": "Network diagrams let you visualize complex relationships within an investigation." + "defaultMessage": "Netwerkdiagrammen visualiseren complexe relaties binnen een onderzoek." }, "collection.info.documents": { - "defaultMessage": "Documents" + "defaultMessage": "Documenten" }, "collection.info.edit": { - "defaultMessage": "Settings" + "defaultMessage": "Instellingen" }, "collection.info.entities": { "defaultMessage": "Entities" }, "collection.info.lists": { - "defaultMessage": "Lists" + "defaultMessage": "Lijsten" }, "collection.info.lists_description": { - "defaultMessage": "Lists let you organize and group related entities of interest." + "defaultMessage": "Met lijsten organiseer je een groep gerelateerde entiteiten die je onderzoekt." }, "collection.info.mappings": { "defaultMessage": "Entity mappings" @@ -312,40 +312,40 @@ "defaultMessage": "Entity mappings allow you to bulk generate structured Follow the Money entities (like People, Companies, and the relationships among them) from rows in a spreadsheet or CSV document" }, "collection.info.mentions": { - "defaultMessage": "Mentions" + "defaultMessage": "Vermeldingen" }, "collection.info.mentions_description": { "defaultMessage": "Aleph automatically extracts terms that resemble names, address, phone numbers, and email addresses from uploaded documents and entities within your investigation. {br}{br} Click on a mentioned term below to find where it appears in your investigation." }, "collection.info.overview": { - "defaultMessage": "Overview" + "defaultMessage": "Overzicht" }, "collection.info.reindex": { - "defaultMessage": "Re-index all content" + "defaultMessage": "Her-indexeer de hele inhoud" }, "collection.info.reingest": { "defaultMessage": "Re-ingest documents" }, "collection.info.search": { - "defaultMessage": "Search" + "defaultMessage": "Zoek" }, "collection.info.source_documents": { - "defaultMessage": "Source documents" + "defaultMessage": "Brondocumenten" }, "collection.info.timelines": { - "defaultMessage": "Timelines" + "defaultMessage": "Tijdlijnen" }, "collection.info.timelines_description": { - "defaultMessage": "Timelines are a way to view and organize events chronologically." + "defaultMessage": "Tijdlijnen zijn een manier om gebeurtenissen chronologisch te bekijken en te organiseren." }, "collection.info.xref": { - "defaultMessage": "Cross-reference" + "defaultMessage": "Kruisverwijzing" }, "collection.info.xref_description": { "defaultMessage": "Cross-referencing allows you to search the rest of Aleph for entities similar to those contained in your investigation." }, "collection.info_url": { - "defaultMessage": "Information URL" + "defaultMessage": "Informatie-URL" }, "collection.last_updated": { "defaultMessage": "Last updated {date}" @@ -360,7 +360,7 @@ "defaultMessage": "This dataset is empty." }, "collection.publisher": { - "defaultMessage": "Publisher" + "defaultMessage": "Publicist" }, "collection.reconcile": { "defaultMessage": "Reconciliation" @@ -369,7 +369,7 @@ "defaultMessage": "Match your own data against the entities in this collection using the free {openrefine} tool by adding the reconciliation endpoint." }, "collection.reindex.cancel": { - "defaultMessage": "Cancel" + "defaultMessage": "Annuleren" }, "collection.reindex.confirm": { "defaultMessage": "Start indexing" @@ -429,7 +429,7 @@ "defaultMessage": "Metadata updated" }, "collection.xref.cancel": { - "defaultMessage": "Cancel" + "defaultMessage": "Annuleren" }, "collection.xref.confirm": { "defaultMessage": "Confirm" @@ -444,7 +444,7 @@ "defaultMessage": "You will now cross-reference {collectionLabel} against all other sources. Start this process once and then wait for it to complete." }, "collection.xref.title": { - "defaultMessage": "Cross-reference" + "defaultMessage": "Kruisverwijzing" }, "dashboard.activity": { "defaultMessage": "Activity" @@ -453,37 +453,37 @@ "defaultMessage": "Alerts" }, "dashboard.cases": { - "defaultMessage": "Investigations" + "defaultMessage": "Onderzoeken" }, "dashboard.diagrams": { - "defaultMessage": "Network diagrams" + "defaultMessage": "Netwerkdiagrammen" }, "dashboard.exports": { "defaultMessage": "Exports" }, "dashboard.groups": { - "defaultMessage": "Groups" + "defaultMessage": "Groepen" }, "dashboard.lists": { - "defaultMessage": "Lists" + "defaultMessage": "Lijsten" }, "dashboard.notifications": { "defaultMessage": "Notifications" }, "dashboard.settings": { - "defaultMessage": "Settings" + "defaultMessage": "Instellingen" }, "dashboard.status": { - "defaultMessage": "System status" + "defaultMessage": "Systeemstatus" }, "dashboard.subheading": { "defaultMessage": "Check the progress of ongoing data analysis, upload, and processing tasks." }, "dashboard.timelines": { - "defaultMessage": "Timelines" + "defaultMessage": "Tijdlijnen" }, "dashboard.title": { - "defaultMessage": "System Status" + "defaultMessage": "Systeemstatus" }, "dashboard.workspace": { "defaultMessage": "Workspace" @@ -573,19 +573,19 @@ "defaultMessage": "Diagrams" }, "diagrams.description": { - "defaultMessage": "Network diagrams let you visualize complex relationships within an investigation." + "defaultMessage": "Netwerkdiagrammen visualiseren complexe relaties binnen een onderzoek." }, "diagrams.no_diagrams": { "defaultMessage": "There are no network diagrams." }, "diagrams.title": { - "defaultMessage": "Network diagrams" + "defaultMessage": "Netwerkdiagrammen" }, "document.download": { "defaultMessage": "Download" }, "document.download.cancel": { - "defaultMessage": "Cancel" + "defaultMessage": "Annuleren" }, "document.download.confirm": { "defaultMessage": "Download" @@ -639,7 +639,7 @@ "defaultMessage": "Upload" }, "document.upload.cancel": { - "defaultMessage": "Cancel" + "defaultMessage": "Annuleren" }, "document.upload.close": { "defaultMessage": "Close" @@ -654,7 +654,7 @@ "defaultMessage": "If you would like to upload folders instead, { button }." }, "document.upload.folder-toggle": { - "defaultMessage": "click here" + "defaultMessage": "klik hier" }, "document.upload.info": { "defaultMessage": "If you need to upload a large amount of files (100+) consider {link}." @@ -693,10 +693,10 @@ "defaultMessage": "No message body." }, "entity.delete.cancel": { - "defaultMessage": "Cancel" + "defaultMessage": "Annuleren" }, "entity.delete.confirm": { - "defaultMessage": "Delete" + "defaultMessage": "Verwijderen" }, "entity.delete.error": { "defaultMessage": "An error occured while attempting to delete this entity." @@ -729,7 +729,7 @@ "defaultMessage": "Attachments" }, "entity.info.documents": { - "defaultMessage": "Documents" + "defaultMessage": "Documenten" }, "entity.info.info": { "defaultMessage": "Info" @@ -741,13 +741,13 @@ "defaultMessage": "Similar" }, "entity.info.tags": { - "defaultMessage": "Mentions" + "defaultMessage": "Vermeldingen" }, "entity.info.text": { "defaultMessage": "Text" }, "entity.info.view": { - "defaultMessage": "View" + "defaultMessage": "Bekijk" }, "entity.info.workbook_warning": { "defaultMessage": "This sheet is part of workbook {link}" @@ -771,7 +771,7 @@ "defaultMessage": "Select a table document" }, "entity.manager.delete": { - "defaultMessage": "Delete" + "defaultMessage": "Verwijderen" }, "entity.manager.edge_create_success": { "defaultMessage": "Successfully linked {source} and {target}" @@ -861,10 +861,10 @@ "defaultMessage": "Updated {date}" }, "entityset.choose.name": { - "defaultMessage": "Title" + "defaultMessage": "Titel" }, "entityset.choose.summary": { - "defaultMessage": "Summary" + "defaultMessage": "Samenvatting" }, "entityset.create.collection": { "defaultMessage": "Investigation" @@ -882,7 +882,7 @@ "defaultMessage": "Create" }, "entityset.delete.confirm": { - "defaultMessage": "I understand the consequences." + "defaultMessage": "Ik begrijp de consequenties" }, "entityset.delete.confirm.diagram": { "defaultMessage": "Delete this network diagram." @@ -915,10 +915,10 @@ "defaultMessage": "Delete timeline" }, "entityset.info.delete": { - "defaultMessage": "Delete" + "defaultMessage": "Verwijderen" }, "entityset.info.edit": { - "defaultMessage": "Settings" + "defaultMessage": "Instellingen" }, "entityset.info.export": { "defaultMessage": "Export" @@ -933,7 +933,7 @@ "defaultMessage": "Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}" }, "entityset.selector.success_toast_button": { - "defaultMessage": "View" + "defaultMessage": "Bekijk" }, "entityset.selector.title": { "defaultMessage": "Add {firstCaption} {titleSecondary} to..." @@ -945,7 +945,7 @@ "defaultMessage": "and {count} other {count, plural, one {entity} other {entities}}" }, "entityset.update.submit": { - "defaultMessage": "Save changes" + "defaultMessage": "Wijzigingen opslaan" }, "error.screen.not_found": { "defaultMessage": "The requested page could not be found." @@ -954,7 +954,7 @@ "defaultMessage": "Initiate your export. {br}{br} Exports take some time to generate. You will receive an email once the data is ready. {br}{br} Please trigger this export only once." }, "exports.dialog.cancel": { - "defaultMessage": "Cancel" + "defaultMessage": "Annuleren" }, "exports.dialog.confirm": { "defaultMessage": "Export" @@ -1098,7 +1098,7 @@ "defaultMessage": "Preview next result" }, "hotkeys.search_focus": { - "defaultMessage": "Search" + "defaultMessage": "Zoeken" }, "infoMode.collection_casefile": { "defaultMessage": "Investigation" @@ -1230,16 +1230,16 @@ "defaultMessage": "List settings" }, "lists": { - "defaultMessage": "Lists" + "defaultMessage": "Lijsten" }, "lists.description": { - "defaultMessage": "Lists let you organize and group related entities of interest." + "defaultMessage": "Met lijsten organiseer je een groep gerelateerde entiteiten die je onderzoekt." }, "lists.no_lists": { "defaultMessage": "There are no lists." }, "lists.title": { - "defaultMessage": "Lists" + "defaultMessage": "Lijsten" }, "login.oauth": { "defaultMessage": "Sign in via OAuth" @@ -1251,7 +1251,7 @@ "defaultMessage": "Generating entities..." }, "mapping.actions.delete": { - "defaultMessage": "Delete" + "defaultMessage": "Verwijderen" }, "mapping.actions.delete.toast": { "defaultMessage": "Deleting mapping and any generated entities..." @@ -1266,13 +1266,13 @@ "defaultMessage": "Removing generated entities..." }, "mapping.actions.save": { - "defaultMessage": "Save changes" + "defaultMessage": "Wijzigingen opslaan" }, "mapping.actions.save.toast": { "defaultMessage": "Re-generating entities..." }, "mapping.create.cancel": { - "defaultMessage": "Cancel" + "defaultMessage": "Annuleren" }, "mapping.create.confirm": { "defaultMessage": "Generate" @@ -1281,10 +1281,10 @@ "defaultMessage": "Are you sure you are ready to generate entities using this mapping?" }, "mapping.delete.cancel": { - "defaultMessage": "Cancel" + "defaultMessage": "Annuleren" }, "mapping.delete.confirm": { - "defaultMessage": "Delete" + "defaultMessage": "Verwijderen" }, "mapping.delete.question": { "defaultMessage": "Are you sure you want to delete this mapping and all generated entities?" @@ -1314,7 +1314,7 @@ "defaultMessage": "Relationship Error: {id} entity must have a {source} and {target} assigned" }, "mapping.flush.cancel": { - "defaultMessage": "Cancel" + "defaultMessage": "Annuleren" }, "mapping.flush.confirm": { "defaultMessage": "Remove" @@ -1392,7 +1392,7 @@ "defaultMessage": "Properties" }, "mapping.save.cancel": { - "defaultMessage": "Cancel" + "defaultMessage": "Annuleren" }, "mapping.save.confirm": { "defaultMessage": "Update mapping & re-generate" @@ -1449,25 +1449,25 @@ "defaultMessage": "Bookmarks" }, "nav.cases": { - "defaultMessage": "Investigations" + "defaultMessage": "Onderzoeken" }, "nav.collections": { "defaultMessage": "Datasets" }, "nav.diagrams": { - "defaultMessage": "Network diagrams" + "defaultMessage": "Netwerkdiagrammen" }, "nav.exports": { "defaultMessage": "Exports" }, "nav.lists": { - "defaultMessage": "Lists" + "defaultMessage": "Lijsten" }, "nav.menu.cases": { - "defaultMessage": "Investigations" + "defaultMessage": "Onderzoeken" }, "nav.settings": { - "defaultMessage": "Settings" + "defaultMessage": "Instellingen" }, "nav.signin": { "defaultMessage": "Sign in" @@ -1476,10 +1476,10 @@ "defaultMessage": "Sign out" }, "nav.status": { - "defaultMessage": "System status" + "defaultMessage": "Systeemstatus" }, "nav.timelines": { - "defaultMessage": "Timelines" + "defaultMessage": "Tijdlijnen" }, "nav.view_notifications": { "defaultMessage": "Notifications" @@ -1503,7 +1503,7 @@ "defaultMessage": "Recent notifications" }, "notifications.type_filter.all": { - "defaultMessage": "All" + "defaultMessage": "Alle" }, "pages.not.found": { "defaultMessage": "Page not found" @@ -1659,7 +1659,7 @@ "defaultMessage": "Second term" }, "search.advanced.submit": { - "defaultMessage": "Search" + "defaultMessage": "Zoeken" }, "search.advanced.title": { "defaultMessage": "Advanced Search" @@ -1788,7 +1788,7 @@ "defaultMessage": "Search: {title}" }, "search.title_emptyq": { - "defaultMessage": "Search" + "defaultMessage": "Zoeken" }, "settings.api_key": { "defaultMessage": "API Secret Access Key" @@ -1833,13 +1833,13 @@ "defaultMessage": "Change your password" }, "settings.save": { - "defaultMessage": "Update" + "defaultMessage": "Bijwerken" }, "settings.saved": { "defaultMessage": "It's official, your profile is updated." }, "settings.title": { - "defaultMessage": "Settings" + "defaultMessage": "Instellingen" }, "sidebar.open": { "defaultMessage": "Expand" @@ -1869,7 +1869,7 @@ "defaultMessage": "Show:" }, "sorting.bar.caption": { - "defaultMessage": "Title" + "defaultMessage": "Titel" }, "sorting.bar.collection_id": { "defaultMessage": "Dataset" @@ -1878,7 +1878,7 @@ "defaultMessage": "Size" }, "sorting.bar.countries": { - "defaultMessage": "Countries" + "defaultMessage": "Landen" }, "sorting.bar.created_at": { "defaultMessage": "Creation Date" @@ -1896,7 +1896,7 @@ "defaultMessage": "End date" }, "sorting.bar.label": { - "defaultMessage": "Title" + "defaultMessage": "Titel" }, "sorting.bar.sort": { "defaultMessage": "Sort by:" @@ -1959,16 +1959,16 @@ "defaultMessage": "Timeline settings" }, "timelines": { - "defaultMessage": "Timelines" + "defaultMessage": "Tijdlijnen" }, "timelines.description": { - "defaultMessage": "Timelines are a way to view and organize events chronologically." + "defaultMessage": "Tijdlijnen zijn een manier om gebeurtenissen chronologisch te bekijken en te organiseren." }, "timelines.no_timelines": { "defaultMessage": "There are no timelines." }, "timelines.title": { - "defaultMessage": "Timelines" + "defaultMessage": "Tijdlijnen" }, "valuelink.tooltip": { "defaultMessage": "{count} mentions in {appName}" diff --git a/ui/i18n/translations/raw/ru.json b/ui/i18n/translations/raw/ru.json index dad08dcf6..e60d703ea 100644 --- a/ui/i18n/translations/raw/ru.json +++ b/ui/i18n/translations/raw/ru.json @@ -624,13 +624,13 @@ "defaultMessage": "Страница {page}" }, "document.report_problem": { - "defaultMessage": "Report a problem" + "defaultMessage": "Сообщить об ошибке" }, "document.report_problem.text": { - "defaultMessage": "You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents." + "defaultMessage": "Сообщайте о любых проблемах — это поможет нам улучшить обработку и отображение документов в Алефе." }, "document.report_problem.title": { - "defaultMessage": "Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?" + "defaultMessage": "Документ выглядит странно? Текст извлечён некорректно или информация неполная?" }, "document.search.no_match": { "defaultMessage": "Искомых слов в документе не найдено." @@ -657,7 +657,7 @@ "defaultMessage": "нажмите здесь" }, "document.upload.info": { - "defaultMessage": "If you need to upload a large amount of files (100+) consider {link}." + "defaultMessage": "Если необходимо загрузить большое количество файлов (100+), воспользуйтесь {link}." }, "document.upload.notice": { "defaultMessage": "Загрузка завершена. После индексирования документы станут доступны для полнотекстового поиска." diff --git a/ui/package-lock.json b/ui/package-lock.json index 0672c387c..47e00873b 100644 --- a/ui/package-lock.json +++ b/ui/package-lock.json @@ -1,12 +1,12 @@ { "name": "aleph-ui", - "version": "3.15.5", + "version": "3.17.0", "lockfileVersion": 2, "requires": true, "packages": { "": { "name": "aleph-ui", - "version": "3.15.5", + "version": "3.17.0", "dependencies": { "@alephdata/followthemoney": "^3.5.5", "@blueprintjs/colors": "^4.1.5", diff --git a/ui/package.json b/ui/package.json index 14764f872..a7a628ec7 100644 --- a/ui/package.json +++ b/ui/package.json @@ -1,6 +1,6 @@ { "name": "aleph-ui", - "version": "3.15.5", + "version": "3.17.0", "private": true, "dependencies": { "@alephdata/followthemoney": "^3.5.5", diff --git a/ui/src/content/translations.json b/ui/src/content/translations.json index fbe31f477..d7325383d 100644 --- a/ui/src/content/translations.json +++ b/ui/src/content/translations.json @@ -1 +1 @@ -{"ar":{"alert.manager.description":"ستتلقى إشعارات عند إضافة نتيجة جديدة تطابق أي من التنبيهات التي أعددتها أدناه.","alerts.add_placeholder":"إنشاء تنبيه لتتبع جديد ...","alerts.delete":"Remove alert","alerts.heading":"إدارة التنبيهات","alerts.no_alerts":"أنت لا تجري أي عمليات بحث","alerts.save":"تحديث","alerts.title":"تتبع التنبيهات","alerts.track":"تتبع","auth.bad_request":"لم يقبل الخادم المعلومات المدخلة","auth.server_error":"خطأ في الخادم","auth.success":"نجاح","auth.unauthorized":"غير مخول","auth.unknown_error":"خطأ غير متوقع","case.choose.name":"عنوان","case.choose.summary":"ملخص","case.chose.languages":"اللغات","case.create.login":"يجب عليك تسجيل الدخول لتحميل بياناتك","case.description":"Investigations let you upload and share documents and data which belong to a particular story. You can upload PDFs, email archives or spreadsheets, and they will be made easy to search and browse.","case.label_placeholder":"Untitled investigation","case.language_placeholder":"اختيار اللغة","case.languages.helper":"تستخدم ميزة التعرف البصري على النصوص غير اللاتينية","case.save":"حفظ","case.share.with":"مشاركة مع","case.summary":"A brief description of the investigation","case.title":"Create an investigation","case.users":"البحث عن المستخدمين","cases.create":"New investigation","cases.empty":"You do not have any investigations yet.","cases.no_results":"No investigations were found matching this query.","cases.placeholder":"Search investigations...","cases.title":"Investigations","clipboard.copy.after":"Successfully copied to clipboard","clipboard.copy.before":"نسخ إلى الحافظة","collection.addSchema.placeholder":"أضف نوع كيان جديد","collection.analyze.alert.text":"You're about to re-index the entities in {collectionLabel}. This can be helpful if there are inconsistencies in how the data is presented.","collection.analyze.cancel":"الغاء","collection.cancel.button":"الغاء","collection.countries":"الدولة","collection.creator":"مدير","collection.data_updated_at":"Content updated","collection.data_url":"رابط البيانات","collection.delete.confirm":"I understand the consequences.","collection.delete.confirm.dataset":"Delete this dataset.","collection.delete.confirm.investigation":"Delete this investigation.","collection.delete.question":"Are you sure you want to permanently delete {collectionLabel} and all contained items? This cannot be undone.","collection.delete.success":"Successfully deleted {label}","collection.delete.title.dataset":"حذف قاعدة بيانات","collection.delete.title.investigation":"Delete investigation","collection.edit.access_title":"Access control","collection.edit.cancel_button":"الغاء","collection.edit.groups":"مجموعات","collection.edit.info.analyze":"إعادة المعالجة","collection.edit.info.cancel":"الغاء","collection.edit.info.category":"الفئة","collection.edit.info.countries":"الدول","collection.edit.info.creator":"مدير","collection.edit.info.data_url":"رابط مصدر البيانات","collection.edit.info.delete":"حذف","collection.edit.info.foreign_id":"هوية أجنبية","collection.edit.info.frequency":"معدل التحديث","collection.edit.info.info_url":"رابط المعلومات","collection.edit.info.label":"الاسم","collection.edit.info.languages":"اللغات","collection.edit.info.placeholder_country":"اختيار الدول","collection.edit.info.placeholder_data_url":"رابط البيانات الأولية في ملف قابل للتحميل","collection.edit.info.placeholder_info_url":"رابط لمزيد من المعلومات","collection.edit.info.placeholder_label":"اسم","collection.edit.info.placeholder_language":"اختيار اللغات","collection.edit.info.placeholder_publisher":"المنظمة أو الشخص الذي ينشر هذه البيانات","collection.edit.info.placeholder_publisher_url":"رابط الناشر","collection.edit.info.placeholder_summary":"ملخص موجز","collection.edit.info.publisher":"الناشر","collection.edit.info.publisher_url":"رابط الناشر","collection.edit.info.restricted":"This dataset is restricted and viewers should be warned.","collection.edit.info.save":"حفظ التغييرات","collection.edit.info.summary":"ملخص","collection.edit.permissions_warning":"Note: User must already have an Aleph account in order to receive access.","collection.edit.permissionstable.edit":"تعديل","collection.edit.permissionstable.view":"عرض","collection.edit.save_button":"حفظ التغييرات","collection.edit.save_success":"تم حفظ التغييرات","collection.edit.title":"الإعدادات","collection.edit.users":"المستخدمون","collection.foreign_id":"هوية غير معروفة","collection.frequency":"تحديث","collection.index.empty":"No datasets were found.","collection.index.filter.all":"الكل","collection.index.filter.mine":"تم انشاءه بواسطتي","collection.index.no_results":"No datasets were found matching this query.","collection.index.placeholder":"البحث في مجموعات البيانات ...","collection.index.title":"مجموعات البيانات","collection.info.access":"مشاركة","collection.info.browse":"الوثائق/ المستندات","collection.info.delete":"حذف قاعدة بيانات","collection.info.delete_casefile":"Delete investigation","collection.info.diagrams":"مخططات الشبكة","collection.info.diagrams_description":"Network diagrams let you visualize complex relationships within an investigation.","collection.info.documents":"الوثائق/ المستندات","collection.info.edit":"الإعدادات","collection.info.entities":"كيانات","collection.info.lists":"Lists","collection.info.lists_description":"Lists let you organize and group related entities of interest.","collection.info.mappings":"Entity mappings","collection.info.mappings_description":"Entity mappings allow you to bulk generate structured Follow the Money entities (like People, Companies, and the relationships among them) from rows in a spreadsheet or CSV document","collection.info.mentions":"تذكير","collection.info.mentions_description":"Aleph automatically extracts terms that resemble names, address, phone numbers, and email addresses from uploaded documents and entities within your investigation. {br}{br} Click on a mentioned term below to find where it appears in your investigation.","collection.info.overview":"نظرة عامة","collection.info.reindex":"أعد فهرسة كل المحتوى","collection.info.reingest":"إعادة استيعاب المستندات","collection.info.search":"بحث","collection.info.source_documents":"Source documents","collection.info.timelines":"Timelines","collection.info.timelines_description":"Timelines are a way to view and organize events chronologically.","collection.info.xref":"تطابق","collection.info.xref_description":"Cross-referencing allows you to search the rest of Aleph for entities similar to those contained in your investigation.","collection.info_url":"رابط المعلومات","collection.last_updated":"اخر تاريخ تحذيث","collection.mappings.create":"Create a new entity mapping","collection.mappings.create_docs_link":"For more information, please refer to the {link}","collection.overview.empty":"This dataset is empty.","collection.publisher":"الناشر","collection.reconcile":"تطابق","collection.reconcile.description":"Match your own data against the entities in this collection using the free {openrefine} tool by adding the reconciliation endpoint.","collection.reindex.cancel":"الغاء","collection.reindex.confirm":"ابدأ الفهرسة","collection.reindex.flush":"حذف الفهرس قبل إعادة الفهرسة","collection.reindex.processing":"بدأت الفهرسة","collection.reingest.confirm":"بدء المعالجة","collection.reingest.index":"فهرسة المستندات فور معالجتها.","collection.reingest.processing":"بدء الإعادة","collection.reingest.text":"You're about to re-process all documents in {collectionLabel}. This might take some time.","collection.statistics.showmore":"عرض المزيد","collection.status.cancel_button":"إلغاء العملية","collection.status.collection":"مجموعة البيانات","collection.status.finished_tasks":"تم الإنتهاء","collection.status.jobs":"الوظائف","collection.status.message":"استمر في المرح أثناء معالجة البيانات.","collection.status.no_active":"لا توجد مهام حاليا","collection.status.pending_tasks":"قيد الانتظار","collection.status.progress":"المهام","collection.status.title":"جاري التحديث ({percent}٪)","collection.team":"الوصول إلى","collection.updated_at":"Metadata updated","collection.xref.cancel":"الغاء","collection.xref.confirm":"تأكيد","collection.xref.empty":"لا توجد نتائج متطابقة مع مصادر أخرى","collection.xref.processing":"بدأت عملية المطابقة","collection.xref.text":"You will now cross-reference {collectionLabel} against all other sources. Start this process once and then wait for it to complete.","collection.xref.title":"مطابقة","dashboard.activity":"نشاط","dashboard.alerts":"تنبيهات","dashboard.cases":"Investigations","dashboard.diagrams":"مخططات الشبكة","dashboard.exports":"Exports","dashboard.groups":"مجموعات","dashboard.lists":"Lists","dashboard.notifications":"إشعارات","dashboard.settings":"الإعدادات","dashboard.status":"حالة النظام","dashboard.subheading":"تحقق من سير عملية تحليل البيانات وتحميلها ومعالجتها","dashboard.timelines":"Timelines","dashboard.title":"حالة النظام","dashboard.workspace":"مكان العمل","dataset.search.placeholder":"Search this dataset","diagram.create.button":"رسم تخطيطي جديد","diagram.create.label_placeholder":"رسم تخطيطي بدون عنوان","diagram.create.login":"يجب عليك تسجيل الدخول لإنشاء رسم تخطيطي","diagram.create.success":"تم إنشاء الرسم التخطيطي الخاص بك بنجاح.","diagram.create.summary_placeholder":"وصف موجز للرسم البياني","diagram.create.title":"Create a diagram","diagram.embed.error":"Error generating diagram embed","diagram.export.embed.description":"Generate an embeddable interactive version of the diagram that can be used in an article. The embed will not reflect future changes in the diagram.","diagram.export.error":"Error exporting diagram","diagram.export.ftm":"Export as .ftm","diagram.export.ftm.description":"Download the diagram as a data file that can be used in {link} or another Aleph site.","diagram.export.ftm.link":"Aleph Data Desktop","diagram.export.iframe":"Embed iframe","diagram.export.svg":"Export as SVG","diagram.export.svg.description":"Download a vector graphic with the contents of the diagram.","diagram.export.title":"Export options","diagram.import.button":"استيراد الرسم التخطيطي","diagram.import.placeholder":"Drop a .ftm or .vis file here or click to import an existing diagram","diagram.import.title":"استيراد رسم بياني من الشبكة","diagram.render.error":"Error rendering diagram","diagram.selector.create":"قم بإنشاء رسم بياني جديد","diagram.selector.select_empty":"No existing diagram","diagram.update.label_placeholder":"رسم تخطيطي بدون عنوان","diagram.update.success":"Your diagram has been updated successfully.","diagram.update.summary_placeholder":"وصف موجز للرسم البياني","diagram.update.title":"إعدادات الرسم البياني","diagrams":"الرسوم البيانية","diagrams.description":"Network diagrams let you visualize complex relationships within an investigation.","diagrams.no_diagrams":"لا توجد رسوم بيانية للشبكة.","diagrams.title":"رسوم بيانية الشبكة","document.download":"تحميل","document.download.cancel":"الغاء","document.download.confirm":"تحميل","document.download.dont_warn":"Don't warn me in the future when downloading source documents","document.download.tooltip":"تحميل المستند/ الملف الأصلي","document.download.warning":"You’re about to download a source file. {br}{br} Source files can contain viruses and code that notify the originator when you open them. {br}{br} For sensitive data, we recommend only opening source files on a computer that is permanently disconnected from the internet.","document.folder.error":"حدث خطأ أثناء إنشاء المجلد.","document.folder.new":"مجلد جديد","document.folder.save":"إنشاء","document.folder.title":"مجلد جديد","document.folder.untitled":"عنوان المجلد","document.mapping.start":"إنشاء كيانات","document.paging":"الصفحة {pageInput} من {numberOfPages}","document.pdf.search.page":"الصفحة {page}","document.report_problem":"Report a problem","document.report_problem.text":"You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.","document.report_problem.title":"Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?","document.search.no_match":"لا توجد صفحة واحدة في هذا المستند تتطابق مع جميع مصطلحات البحث الخاصة بك","document.upload.button":"تحميل","document.upload.cancel":"الغاء","document.upload.close":"Close","document.upload.errors":"Some files couldn't be transferred. You can use the Retry button to restart all failed uploads.","document.upload.files":"اختر الملفات المراد تحميلها...","document.upload.folder":"إذا كنت ترغب في تحميل المجلدات بدلاً من ذلك ، {button}.","document.upload.folder-toggle":"انقر هنا","document.upload.info":"If you need to upload a large amount of files (100+) consider {link}.","document.upload.notice":"The upload is complete. It will take a few moments for the documents to be processed and become searchable.","document.upload.progress":"{done} of {total} files done, {errors} errors.","document.upload.rejected":"{fileName} is missing a file type, so it cannot be uploaded.","document.upload.retry":"Retry","document.upload.save":"تحميل","document.upload.summary":"{numberOfFiles, number} files, {totalSize}","document.upload.title":"Upload documents","document.upload.title_in_folder":"Upload documents to {folder}","document.viewer.ignored_file":"لا يتعامل النظام مع هذه الأنواع من الملفات. يرجى تنزيله حتى تتمكن من رؤيته","document.viewer.no_viewer":"لا تتوفر مراجعة لهذا الملف","email.body.empty":"لا يوجد نص الرسالة","entity.delete.cancel":"الغاء","entity.delete.confirm":"حذف","entity.delete.error":"حدث خطأ أثناء محاولة حذف هذا الكيان","entity.delete.progress":"حذف","entity.delete.question.multiple":"Are you sure you want to delete the following {count, plural, one {item} other {items}}?","entity.delete.success":"تم الحذف بنجاح","entity.document.manager.cannot_map":"حدد جدول لإنشاء كيانات منتظمة","entity.document.manager.empty":"لا توجد ملفات أو فهرس","entity.document.manager.emptyCanUpload":"لا توجد ملفات أو فهارس. نزل الملفات هنا أو انقر للتحميل","entity.document.manager.search_placeholder":"البحث عن الملفات","entity.document.manager.search_placeholder_document":"بحث في {label}","entity.info.attachments":"مرفقات","entity.info.documents":"الوثائق/ المستندات","entity.info.info":"معلومات","entity.info.last_view":"Last viewed {time}","entity.info.similar":"مشابه","entity.info.tags":"تذكير","entity.info.text":"النص","entity.info.view":"عرض","entity.info.workbook_warning":"This sheet is part of workbook {link}","entity.manager.bulk_import.description.1":"حدد جدولاً أدناه ليتم استيراد كيانات {schema} الجديدة منه.","entity.manager.bulk_import.description.2":"بمجرد الاختيار، ستتم مطالبتك بتعيين أعمدة من هذا الجدول إلى خصائص الكيانات التي تم إنشاؤها","entity.manager.bulk_import.description.3":"هل تجد الجدول الذي تبحث عنه؟ {link}","entity.manager.bulk_import.link_text":"Upload a new table document","entity.manager.bulk_import.no_results":"لم يتم العثور على مستندات مطابقة","entity.manager.bulk_import.placeholder":"حدد جدول المستند","entity.manager.delete":"حذف","entity.manager.edge_create_success":"تم ربط {source} و {target} بنجاح","entity.manager.entity_set_add_success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entity.manager.remove":"إزالة","entity.manager.search_empty":"لم يتم العثور على نتائج مطابقة لـ {schema}","entity.manager.search_placeholder":"بحث في {schema}","entity.mapping.view":"إنشاء كيانات","entity.properties.missing":"غير معروف","entity.references.no_relationships":"هذا الكيان غير مرتبط بالبحث","entity.references.no_results":"No {schema} match this search.","entity.references.no_results_default":"No entities match this search.","entity.references.search.placeholder":"Search in {schema}","entity.references.search.placeholder_default":"Search entities","entity.remove.confirm":"إزالة","entity.remove.error":"An error occured while attempting to remove this entity.","entity.remove.progress":"Removing...","entity.remove.question.multiple":"Are you sure you want to remove the following {count, plural, one {item} other {items}}?","entity.remove.success":"Successfully removed","entity.search.empty_title":"هذا المجلد فارغ","entity.search.no_results_description":"حاول أن تجعل بحثك أكثر عمومية","entity.search.no_results_title":"لم يتم العثور على نتائج","entity.similar.empty":"لا توجد كيانات مشابهة","entity.similar.entity":"Similar entity","entity.similar.found_text":"Found {resultCount} {resultCount, plural, one {similar entity} other {similar entities}} from {datasetCount} {datasetCount, plural, one {dataset} other {datasets}}","entity.tags.no_tags":"لم تستخرج أي محددات من هذا الكيان","entity.viewer.add_link":"إنشاء رابط","entity.viewer.add_to":"Add to...","entity.viewer.bulk_import":"إدخال بالجملة","entity.viewer.search_placeholder":"بحث في {label}","entitySet.last_updated":"تم التحديث {date}","entityset.choose.name":"عنوان","entityset.choose.summary":"ملخص","entityset.create.collection":"Investigation","entityset.create.collection.existing":"Select an investigation","entityset.create.collection.new":"Don't see the investigation you're looking for? {link}","entityset.create.collection.new_link":"Create a new investigation","entityset.create.submit":"إنشاء","entityset.delete.confirm":"I understand the consequences.","entityset.delete.confirm.diagram":"Delete this network diagram.","entityset.delete.confirm.list":"Delete this list.","entityset.delete.confirm.profile":"Delete this profile.","entityset.delete.confirm.timeline":"Delete this timeline.","entityset.delete.question":"Are you sure you want to permanently delete {label}? This cannot be undone.","entityset.delete.success":"Successfully deleted {title}","entityset.delete.title.diagram":"Delete network diagram","entityset.delete.title.list":"Delete list","entityset.delete.title.profile":"Delete profile","entityset.delete.title.timeline":"Delete timeline","entityset.info.delete":"حذف","entityset.info.edit":"الإعدادات","entityset.info.export":"تصدير","entityset.info.exportAsSvg":"Export as SVG","entityset.selector.placeholder":"Search existing","entityset.selector.success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entityset.selector.success_toast_button":"عرض","entityset.selector.title":"Add {firstCaption} {titleSecondary} to...","entityset.selector.title_default":"Add entities to...","entityset.selector.title_other":"and {count} other {count, plural, one {entity} other {entities}}","entityset.update.submit":"حفظ التغييرات","error.screen.not_found":" لا يمكن العثور على الصفحة المطلوبة","export.dialog.text":"Initiate your export. {br}{br} Exports take some time to generate. You will receive an email once the data is ready. {br}{br} Please trigger this export only once.","exports.dialog.cancel":"الغاء","exports.dialog.confirm":"تصدير","exports.dialog.dashboard_link":"View progress","exports.dialog.success":"Your export has begun.","exports.expiration":"Expiration","exports.manager.description":"Below is a list of your exports. Make sure to download them before they expire.","exports.name":"الاسم","exports.no_exports":"You have no exports to download","exports.size":"الحجم","exports.status":"Status","exports.title":"Exports ready for download","facet.addresses":"{count, plural, zero {عناوين} one {عنوان} two {عناوين} few {عناوين} many {عناوين} other {عناوين}}","facet.caption":"الاسم","facet.category":"{count, plural, zero {فئات} one {فئة} two {فئات} few {فئات} many {فئات} other {فئات}}","facet.collection_id":"مجموعة البيانات","facet.countries":"{count, plural, zero {دول} one {دولة} two {دول} few {دول} many {دول} other {دول}}","facet.dates":"{count, plural, one {Date} other {Dates}}","facet.emails":"{count, plural, zero {إيميلات} one {ايميل} two {إيميلات} few {إيميلات} many {إيميلات} other {إيميلات}}","facet.ibans":"{count, plural, zero {أرقام الحسابات} one {رقم الحساب} two {أرقام الحسابات} few {أرقام الحسابات} many {أرقام الحسابات} other {أرقام حسابات IBAN}}","facet.languages":"{count, plural, zero {لغات} one {لغة} two {لغات} few {لغات} many {لغات} other {لغات}}","facet.mimetypes":"{count, plural, zero {نوع الملفات} one {نوع الملف} two {نوع الملفات} few {نوع الملفات} many {نوع الملفات} other {نوع الملفات}}","facet.names":"{count, plural, zero {اسماء} one {اسم} two {اسماء} few {اسماء} many {اسماء} other {اسماء}}","facet.phones":"{count, plural, zero {أرقام هواتف} one {رقم الهاتف} two {أرقام هواتف} few {أرقام هواتف} many {أرقام هواتف} other {أرقام هواتف}}","facet.schema":"Entity type","file_import.error":"خطأ في استيراد الملف","footer.aleph":"أَلِف {version}","footer.ftm":"FollowTheMoney {version}","group.page.description":"The list below shows all datasets and investigations that belong to this group.","group.page.search.description":"If you would like to search for specific entities or documents within the datasets that this group has access to, click here instead.","home.access_disabled":"Public access temporarily disabled","home.counts.countries":"Countries & territories","home.counts.datasets":"Public datasets","home.counts.entities":"Public entities","home.placeholder":"حاول البحث: {samples}","home.statistics.categories":"Dataset categories","home.statistics.countries":"Countries and territories","home.statistics.schemata":"Entity types","home.stats.title":"Get started exploring public data","home.title":"البحث عن السجلات العامة والتسريبات","hotkeys.judgement.different":"Decide different","hotkeys.judgement.group_label":"Entity decisions","hotkeys.judgement.next":"Select next result","hotkeys.judgement.previous":"Select previous result","hotkeys.judgement.same":"Decide same","hotkeys.judgement.unsure":"Decide not enough information","hotkeys.search.different":"Preview previous result","hotkeys.search.group_label":"Search preview","hotkeys.search.unsure":"Preview next result","hotkeys.search_focus":"بحث","infoMode.collection_casefile":"Investigation","infoMode.collection_dataset":"مجموعة البيانات","infoMode.createdAt":"Created at","infoMode.creator":"Created by","infoMode.updatedAt":"آخر تحديث","investigation.mentions.empty":"There are no mentions yet in this investigation.","investigation.overview.guides":"Read more","investigation.overview.guides.access":"Managing access","investigation.overview.guides.diagrams":"Drawing network diagrams","investigation.overview.guides.documents":"Uploading documents","investigation.overview.guides.entities":"Creating & editing entities","investigation.overview.guides.mappings":"Generating entities from a spreadsheet","investigation.overview.guides.xref":"Cross-referencing your data","investigation.overview.notifications":"Recent activity","investigation.overview.shortcuts":"Quick links","investigation.overview.shortcuts_empty":"Getting started","investigation.search.placeholder":"Search this investigation","investigation.shortcut.diagram":"Sketch a network diagram","investigation.shortcut.entities":"Create new entities","investigation.shortcut.entity_create_error":"Unable to create entity","investigation.shortcut.entity_create_success":"Successfully created {name}","investigation.shortcut.upload":"Upload documents","investigation.shortcut.xref":"Compare with other datasets","judgement.disabled":"You must have edit access in order to make judgements.","judgement.negative":"Different","judgement.positive":"Same","judgement.unsure":"Not enough information","landing.shortcut.alert":"Create a search alert","landing.shortcut.datasets":"Browse datasets","landing.shortcut.investigation":"Start an investigation","landing.shortcut.search":"Search entities","list.create.button":"New list","list.create.label_placeholder":"Untitled list","list.create.login":"You must log in to create a list","list.create.success":"Your list has been created successfully.","list.create.summary_placeholder":"A brief description of the list","list.create.title":"Create a list","list.selector.create":"Create a new list","list.selector.select_empty":"No existing list","list.update.label_placeholder":"Untitled list","list.update.success":"Your list has been updated successfully.","list.update.summary_placeholder":"A brief description of the list","list.update.title":"List settings","lists":"Lists","lists.description":"Lists let you organize and group related entities of interest.","lists.no_lists":"There are no lists.","lists.title":"Lists","login.oauth":"تسجيل الدخول عبر OAuth","mapping.actions.create":"إنشاء كيانات","mapping.actions.create.toast":"الكيانات قيد الإنشاء","mapping.actions.delete":"حذف","mapping.actions.delete.toast":"حذف اليحث الشامل وأي كيانات تم إنشاؤها ...","mapping.actions.export":"تصدير البحث الشامل","mapping.actions.flush":"إزالة الكيانات التي تم إنشاؤها","mapping.actions.flush.toast":"إزالة الكيانات التي تم إنشاؤها","mapping.actions.save":"حفظ التغييرات","mapping.actions.save.toast":"إعادة إنشاء الكيانات","mapping.create.cancel":"الغاء","mapping.create.confirm":"إنشاء","mapping.create.question":"هل أنت متأكد من أنك مستعد لإنشاء كيانات باستخدام البحث الشامل؟","mapping.delete.cancel":"الغاء","mapping.delete.confirm":"حذف","mapping.delete.question":"هل أنت متأكد أنك تريد حذف هذا التعيين وجميع الكيانات التي تم إنشاؤها؟","mapping.docs.link":"Aleph entity mapping documentation","mapping.entityAssign.helpText":"يجب إنشاء كائن من النوع \"{range}\" ليكون {property}","mapping.entityAssign.noResults":"لا توجد مواضيع مطابقة متاحة","mapping.entityAssign.placeholder":"حدد موضوع","mapping.entity_set_select":"Select a List or Diagram","mapping.entityset.remove":"إزالة","mapping.error.keyMissing":"خطأ رئيسي: يجب أن يحتوي {id} الكيان على مفتاح واحد على الأقل","mapping.error.relationshipMissing":"خطأ في العلاقة: {id} يجب أن يكون للكيان {source} و {target} معين","mapping.flush.cancel":"الغاء","mapping.flush.confirm":"إزالة","mapping.flush.question":"هل أنت متأكد من أنك تريد إزالة الكيانات التي تم إنشاؤها باستخدام هذا البحث الشامل؟","mapping.import.button":"استيراد الرسم التخطيطي الموجود","mapping.import.placeholder":"أسقط ملف yml هنا أو اضغط لاستيراد ملف بحث شامل موجود","mapping.import.querySelect":"حدد استعلام بحث شامل من هذا الملف للاستيراد:","mapping.import.submit":"إرسال","mapping.import.success":"تم استيراد بحثك الكامل بنجاح","mapping.import.title":"استيراد البحث الشامل","mapping.info":"Follow the steps below to map items in this investigation to structured Follow the Money entites. For more information, please refer to the {link}","mapping.info.link":"آلف لتوثيق بيانات البحث الشامل","mapping.keyAssign.additionalHelpText":"The best keys are columns from your data that contain id numbers, phone numbers, email addresses, or other uniquely identifying information. If no columns with unique values exist, select multiple columns to allow Aleph to generate unique entities correctly from your data.","mapping.keyAssign.additionalHelpToggle.less":"أقل","mapping.keyAssign.additionalHelpToggle.more":"المزيد عن المفاتيح","mapping.keyAssign.helpText":"حدد الأعمدة التي سيتم استخدامها لتحديد الكيانات الفريدة","mapping.keyAssign.noResults":"لا توجد نتائج","mapping.keyAssign.placeholder":"حدد المفاتيح من الأعمدة المتاحة","mapping.keys":"المفاتيح الرئيسية","mapping.propAssign.errorBlank":"الأعمدة بدون عناوين لا يمكن تعيينها","mapping.propAssign.errorDuplicate":"الأعمدة بالعناوين المكررة لا يمكن تعيينها","mapping.propAssign.literalButtonText":"أضف قيمة ثابتة","mapping.propAssign.literalPlaceholder":"أضف نصاً ثابتاً","mapping.propAssign.other":"آخر","mapping.propAssign.placeholder":"تعيين ملكية","mapping.propRemove":"إزالة هذه الخاصية من البحث الشامل","mapping.props":"الخصائص","mapping.save.cancel":"الغاء","mapping.save.confirm":"تحديث البحث الشامل او إعادة انشائها","mapping.save.question":"سيؤدي تحديث هذا التعيين إلى حذف أي كيانات تم إنشاؤها سابقًا وإعادة إنشائها. هل أنت متأكد أنك تريد الاستمرار؟","mapping.section1.title":"1.اختار أنواع الكيانات المراد إنشاؤها","mapping.section2.title":"2. تعيين أعمدة للكيان","mapping.section3.title":"3. تحقيق/ تدقيق","mapping.section4.description":"Generated entities will be added to {collection} by default. If you would like to additionally add them to a list or diagram within the investigation, please click below and select from the available options.","mapping.section4.title":"4. Select a destination for generated entities (optional)","mapping.status.error":"خطأ:","mapping.status.status":"الحالة:","mapping.status.updated":"آخر تحديث:","mapping.title":"إنشاء كيانات منظمة","mapping.types.objects":"مواضيع","mapping.types.relationships":"علاقات","mapping.warning.empty":"You must create at least one entity","mappings.no_mappings":"You have not generated any mappings yet","messages.banner.dismiss":"Dismiss","nav.alerts":"تنبيهات","nav.bookmarks":"Bookmarks","nav.cases":"Investigations","nav.collections":"مجموعات البيانات","nav.diagrams":"مخططات الشبكة","nav.exports":"Exports","nav.lists":"Lists","nav.menu.cases":"Investigations","nav.settings":"الإعدادات","nav.signin":"تسجيل الدخول","nav.signout":"تسجيل الخروج","nav.status":"حالة النظام","nav.timelines":"Timelines","nav.view_notifications":"إشعارات","navbar.alert_add":"اضغط لتلقي تنبيهات حول النتائج الجديدة بخصوص هذا البحث","navbar.alert_remove":"تتلقى تنبيهات حول هذا البحث","notification.description":"View the latest updates to datasets, investigations, groups and tracking alerts you follow.","notifications.greeting":"ما الجديد {role}؟","notifications.no_notifications":"ليس لديك إشعارات غير مرئية","notifications.title":"اشعارات حديثة","notifications.type_filter.all":"الكل","pages.not.found":"الصفحة غير موجودة","pass.auth.not_same":"كلمات السر الخاصة بك ليست هي نفسها!","password_auth.activate":"تفعيل","password_auth.confirm":"تأكيد كلمة المرور","password_auth.email":"البريد الإلكتروني","password_auth.name":"اسمك","password_auth.password":"كلمة المرور","password_auth.signin":"تسجيل الدخول","password_auth.signup":"تسجيل","profile.callout.details":"This profile aggregates attributes and relationships from {count} entities across different datasets.","profile.callout.intro":"You're viewing {entity} as a profile.","profile.callout.link":"View the original entity","profile.delete.warning":"Deleting this profile will not delete any of the entities or entity decisions contained within it.","profile.hint":"{entity} has been combined with entities from other datasets into a profile","profile.info.header":"Profile","profile.info.items":"Entity decisions","profile.info.similar":"Suggested","profile.items.entity":"Combined entities","profile.items.explanation":"Make decisions below to determine which source entities should be added or excluded from this profile.","profile.similar.no_results":"No suggested additions for this profile were found.","profileinfo.api_desc":"استخدم مفتاح API لقراءة البيانات وكتابتها عبر التطبيقات عن بعد.","queryFilters.clearAll":"حذف الكل","queryFilters.showHidden":"Show {count} more filters...","refresh.callout_message":" المستندات قيد المعالجة. ارجوك انتظر...","restricted.explain":"استخدام مجموعة البيانات مقيد. اقرأ الوصف واتصل بـ {creator} قبل استخدام هذه المادة.","restricted.explain.creator":"مالك مجموعة البيانات","restricted.tag":"مقيد","result.error":"خطأ","result.more_results":"أكثر من {total} نتيجة","result.none":"لم يتم العثور على نتائج","result.results":"العثور على {total} من النتائج","result.searching":"جاري البحث","result.solo":"تم العثور على نتيجة واحدة","role.select.user":"اختر اسم المستخدم","schemaSelect.button.relationship":"أضف علاقة جديدة","schemaSelect.button.thing":"أضف موضوعاَ جديداً","screen.load_more":"Load more","search.advanced.all.helptext":"Only results containing all of the given terms will be returned","search.advanced.all.label":"All of these words (Default)","search.advanced.any.helptext":"Results containing any of the given terms will be returned","search.advanced.any.label":"Any of these words","search.advanced.clear":"حذف الكل","search.advanced.exact.helptext":"Only results with this exact word or phrase will be returned","search.advanced.exact.label":"This exact word/phrase","search.advanced.none.helptext":"Exclude results with these words","search.advanced.none.label":"None of these words","search.advanced.proximity.distance":"Distance","search.advanced.proximity.helptext":"Search for two terms within a certain distance of each other. For example, return results with the terms \"Bank\" and \"America\" occurring within two words from each other, such as \"Bank of America\", \"Bank in America\", even \"America has a Bank\".","search.advanced.proximity.label":"Terms in proximity to each other","search.advanced.proximity.term":"First term","search.advanced.proximity.term2":"Second term","search.advanced.submit":"بحث","search.advanced.title":"Advanced Search","search.advanced.variants.distance":"Letters different","search.advanced.variants.helptext":"Increase the fuzziness of a search. For example, Wladimir~2 will return not just the term “Wladimir” but also similar spellings such as \"Wladimyr\" or \"Vladimyr\". A spelling variant is defined by the number of spelling mistakes that must be made to get from the original word to the variant.","search.advanced.variants.label":"Spelling variations","search.advanced.variants.term":"Term","search.callout_message":"بعض المصادر مخفية عن المستخدمين المجهولين. اضغط {signInButton} لعرض جميع النتائج المسموح لك بالوصول إليها.","search.callout_message.button_text":"تسجيل الدخول","search.columns.configure":"Configure columns","search.columns.configure_placeholder":"Search for a column...","search.config.groups":"Property groups","search.config.properties":"الخصائص","search.config.reset":"Reset to default","search.facets.clearDates":"Clear","search.facets.configure":"Configure filters","search.facets.configure_placeholder":"Search for a filter...","search.facets.filtersSelected":"{count} محدد","search.facets.hide":"Hide filters","search.facets.no_items":"لا توجد خيارات","search.facets.show":"Show filters","search.facets.showMore":"اعرض المزيد:","search.filterTag.ancestors":"في:","search.filterTag.exclude":"ليس:","search.filterTag.role":"تصفية حسب الوصول","search.loading":"Loading...","search.no_results_description":"حاول أن تجعل بحثك أكثر عمومية","search.no_results_title":"لم يتم العثور على نتائج","search.placeholder":"ابحث عن شركات وأشخاص ومستندات","search.placeholder_default":"Search…","search.placeholder_label":"بحث في {label}","search.screen.dates.show-all":"* Showing all date filter options. { button } to view recent dates only.","search.screen.dates.show-hidden":"* Showing only date filter options from {start} to the present. { button } to view dates outside this range.","search.screen.dates.show-hidden.click":"Click here","search.screen.dates_label":"نتائج","search.screen.dates_title":"تواريخ","search.screen.dates_uncertain_day":"* this count includes dates where no day is specified","search.screen.dates_uncertain_day_month":"* this count includes dates in {year} where no day or month is specified","search.screen.dates_uncertain_month":"* this count includes dates in {year} where no month is specified","search.screen.export":"تصدير","search.screen.export_disabled":"لا يمكن تصدير أكثر من 10000 نتيجة في المرة الواحدة","search.screen.export_disabled_empty":"No results to export.","search.screen.export_helptext":"Export results","search.title":"Search: {title}","search.title_emptyq":"بحث","settings.api_key":"مفتاح API الوصول السري ","settings.confirm":"(تأكيد)","settings.current_explain":"أدخل كلمة المرور الحالية لتعيين كلمة مرور جديدة.","settings.current_password":"كلمة المرور الحالية","settings.email":"البريد الكتروني","settings.email.muted":"استلام اشعارات رسائل البريد الإلكتروني","settings.email.no_change":"لا يمكن تغيير عنوان بريدك الإلكتروني","settings.email.tester":"اختبر الميزات الجديدة قبل الانتهاء","settings.locale":"اللغة","settings.name":"الاسم","settings.new_password":"كلمة سر جديدة","settings.password.missmatch":"كلمة المرور غير مطابقة","settings.password.rules":"استخدم ستة أحرف على الأقل","settings.password.title":"قم بتغيير كلمة المرور الخاصة بك","settings.save":"تحديث","settings.saved":"إنه رسمي، يتم تحديث ملفك الشخصي.","settings.title":"الإعدادات","sidebar.open":"توسيع النطاق","signup.activate":"فعل حسابك","signup.inbox.desc":"لقد أرسلنا لك بريدًا إلكترونيًا ، يرجى اتباع الرابط لإتمام عملية التسجيل","signup.inbox.title":"تحقق من بريدك الوارد","signup.login":"هل لديك حساب؟ تسجيل الدخول!","signup.register":"تسجيل","signup.register.question":"ليس لديك حساب؟ سجل!","signup.title":"تسجيل الدخول","sorting.bar.button.label":"إظهار","sorting.bar.caption":"العنوان","sorting.bar.collection_id":"مجموعة البيانات","sorting.bar.count":"الحجم","sorting.bar.countries":"الدول","sorting.bar.created_at":"انشاء تاريخ","sorting.bar.date":"التاريخ","sorting.bar.dates":"تواريخ ","sorting.bar.direction":"اتجاه:","sorting.bar.endDate":"End date","sorting.bar.label":"العنوان","sorting.bar.sort":"ترتيب حسب:","sorting.bar.updated_at":"تحديث التاريخ","sources.index.empty":"This group is not linked to any datasets or investigations.","sources.index.placeholder":"Search for a dataset or investigation belonging to {group}...","status.no_collection":"Other tasks","tags.results":"Mention count","tags.title":"Term","text.loading":"تحميل...","timeline.create.button":"New timeline","timeline.create.label_placeholder":"Untitled timeline","timeline.create.login":"You must log in to create a timeline","timeline.create.success":"Your timeline has been created successfully.","timeline.create.summary_placeholder":"A brief description of the timeline","timeline.create.title":"Create a timeline","timeline.selector.create":"Create a new timeline","timeline.selector.select_empty":"No existing timeline","timeline.update.label_placeholder":"Untitled timeline","timeline.update.success":"Your timeline has been updated successfully.","timeline.update.summary_placeholder":"A brief description of the timeline","timeline.update.title":"Timeline settings","timelines":"Timelines","timelines.description":"Timelines are a way to view and organize events chronologically.","timelines.no_timelines":"There are no timelines.","timelines.title":"Timelines","valuelink.tooltip":"ذكرت {count} في {appName}","xref.compute":"احسب","xref.entity":"مرجع","xref.match":"تطابق محتمل","xref.match_collection":"مجموعة البيانات","xref.recompute":"إعادة الحساب","xref.score":"نتيجة","xref.sort.default":"Default","xref.sort.label":"ترتيب حسب:","xref.sort.random":"Random"},"bs":{"alert.manager.description":"You will receive notifications when a new result is added that matches any of the alerts you have set up below.","alerts.add_placeholder":"Create a new tracking alert...","alerts.delete":"Remove alert","alerts.heading":"Upravljaj pretplatama","alerts.no_alerts":"Ne pratite nijednu pretragu","alerts.save":"Ažuriraj","alerts.title":"Tracking alerts","alerts.track":"Track","auth.bad_request":"Server nije prihvatio Vaš unos","auth.server_error":"Greška na serveru","auth.success":"Uspješno","auth.unauthorized":"Nije Vam dozvoljen pristup","auth.unknown_error":"Desila se neočekivana greška","case.choose.name":"Title","case.choose.summary":"Opis","case.chose.languages":"Jezici","case.create.login":"You must sign in to upload your own data.","case.description":"Investigations let you upload and share documents and data which belong to a particular story. You can upload PDFs, email archives or spreadsheets, and they will be made easy to search and browse.","case.label_placeholder":"Untitled investigation","case.language_placeholder":"Select languages","case.languages.helper":"Used for optical text recognition in non-Latin alphabets.","case.save":"Sačuvaj","case.share.with":"Podijeli sa","case.summary":"A brief description of the investigation","case.title":"Create an investigation","case.users":"Pretraži korisnike","cases.create":"New investigation","cases.empty":"You do not have any investigations yet.","cases.no_results":"No investigations were found matching this query.","cases.placeholder":"Search investigations...","cases.title":"Investigations","clipboard.copy.after":"Successfully copied to clipboard","clipboard.copy.before":"Copy to clipboard","collection.addSchema.placeholder":"Add new entity type","collection.analyze.alert.text":"You're about to re-index the entities in {collectionLabel}. This can be helpful if there are inconsistencies in how the data is presented.","collection.analyze.cancel":"Otkaži","collection.cancel.button":"Otkaži","collection.countries":"Država","collection.creator":"Upravitelj","collection.data_updated_at":"Content updated","collection.data_url":"Data URL","collection.delete.confirm":"I understand the consequences.","collection.delete.confirm.dataset":"Delete this dataset.","collection.delete.confirm.investigation":"Delete this investigation.","collection.delete.question":"Are you sure you want to permanently delete {collectionLabel} and all contained items? This cannot be undone.","collection.delete.success":"Successfully deleted {label}","collection.delete.title.dataset":"Delete dataset","collection.delete.title.investigation":"Delete investigation","collection.edit.access_title":"Kontrola pristupa","collection.edit.cancel_button":"Otkaži","collection.edit.groups":"Grupe","collection.edit.info.analyze":"Re-process","collection.edit.info.cancel":"Otkaži","collection.edit.info.category":"Kategorija","collection.edit.info.countries":"Države","collection.edit.info.creator":"Upravitelj","collection.edit.info.data_url":"Data source URL","collection.edit.info.delete":"Izbriši","collection.edit.info.foreign_id":"Foreign ID","collection.edit.info.frequency":"Update frequency","collection.edit.info.info_url":"Information URL","collection.edit.info.label":"Oznaka","collection.edit.info.languages":"Jezici","collection.edit.info.placeholder_country":"Select countries","collection.edit.info.placeholder_data_url":"Link to the raw data in a downloadable form","collection.edit.info.placeholder_info_url":"Link to further information","collection.edit.info.placeholder_label":"Labela","collection.edit.info.placeholder_language":"Select languages","collection.edit.info.placeholder_publisher":"Organisation or person publishing this data","collection.edit.info.placeholder_publisher_url":"Link to the publisher","collection.edit.info.placeholder_summary":"Sažetak","collection.edit.info.publisher":"Publisher","collection.edit.info.publisher_url":"Publisher URL","collection.edit.info.restricted":"This dataset is restricted and viewers should be warned.","collection.edit.info.save":"Sačuvaj izmjene","collection.edit.info.summary":"Opis","collection.edit.permissions_warning":"Note: User must already have an Aleph account in order to receive access.","collection.edit.permissionstable.edit":"Uredi","collection.edit.permissionstable.view":"Pregled","collection.edit.save_button":"Sačuvaj izmjene","collection.edit.save_success":"Vaše izmjene su sačuvane.","collection.edit.title":"Podešavanja","collection.edit.users":"Korisnici","collection.foreign_id":"Foreign ID","collection.frequency":"Updates","collection.index.empty":"No datasets were found.","collection.index.filter.all":"All","collection.index.filter.mine":"Created by me","collection.index.no_results":"No datasets were found matching this query.","collection.index.placeholder":"Search datasets...","collection.index.title":"Datasets","collection.info.access":"Share","collection.info.browse":"Documents","collection.info.delete":"Delete dataset","collection.info.delete_casefile":"Delete investigation","collection.info.diagrams":"Network diagrams","collection.info.diagrams_description":"Network diagrams let you visualize complex relationships within an investigation.","collection.info.documents":"Documents","collection.info.edit":"Podešavanja","collection.info.entities":"Entities","collection.info.lists":"Lists","collection.info.lists_description":"Lists let you organize and group related entities of interest.","collection.info.mappings":"Entity mappings","collection.info.mappings_description":"Entity mappings allow you to bulk generate structured Follow the Money entities (like People, Companies, and the relationships among them) from rows in a spreadsheet or CSV document","collection.info.mentions":"Mentions","collection.info.mentions_description":"Aleph automatically extracts terms that resemble names, address, phone numbers, and email addresses from uploaded documents and entities within your investigation. {br}{br} Click on a mentioned term below to find where it appears in your investigation.","collection.info.overview":"Sažetak","collection.info.reindex":"Re-index all content","collection.info.reingest":"Re-ingest documents","collection.info.search":"Pretraži","collection.info.source_documents":"Source documents","collection.info.timelines":"Timelines","collection.info.timelines_description":"Timelines are a way to view and organize events chronologically.","collection.info.xref":"Povezane reference","collection.info.xref_description":"Cross-referencing allows you to search the rest of Aleph for entities similar to those contained in your investigation.","collection.info_url":"Information URL","collection.last_updated":"Last updated {date}","collection.mappings.create":"Create a new entity mapping","collection.mappings.create_docs_link":"For more information, please refer to the {link}","collection.overview.empty":"This dataset is empty.","collection.publisher":"Publisher","collection.reconcile":"Reconciliation","collection.reconcile.description":"Match your own data against the entities in this collection using the free {openrefine} tool by adding the reconciliation endpoint.","collection.reindex.cancel":"Otkaži","collection.reindex.confirm":"Start indexing","collection.reindex.flush":"Clear index before re-indexing","collection.reindex.processing":"Indexing started.","collection.reingest.confirm":"Start processing","collection.reingest.index":"Index documents as they are processed.","collection.reingest.processing":"Re-ingest started.","collection.reingest.text":"You're about to re-process all documents in {collectionLabel}. This might take some time.","collection.statistics.showmore":"Show more","collection.status.cancel_button":"Cancel the process","collection.status.collection":"Dataset","collection.status.finished_tasks":"Finished","collection.status.jobs":"Jobs","collection.status.message":"Continue to frolic about while data is being processed.","collection.status.no_active":"There are no ongoing tasks","collection.status.pending_tasks":"Pending","collection.status.progress":"Tasks","collection.status.title":"Update in progress ({percent}%)","collection.team":"Accessible to","collection.updated_at":"Metadata updated","collection.xref.cancel":"Otkaži","collection.xref.confirm":"Confirm","collection.xref.empty":"There are no cross-referencing results.","collection.xref.processing":"Cross-referencing started.","collection.xref.text":"You will now cross-reference {collectionLabel} against all other sources. Start this process once and then wait for it to complete.","collection.xref.title":"Povezane reference","dashboard.activity":"Activity","dashboard.alerts":"Pretplata","dashboard.cases":"Investigations","dashboard.diagrams":"Network diagrams","dashboard.exports":"Exports","dashboard.groups":"Grupe","dashboard.lists":"Lists","dashboard.notifications":"Notifikacije","dashboard.settings":"Podešavanja","dashboard.status":"System status","dashboard.subheading":"Check the progress of ongoing data analysis, upload, and processing tasks.","dashboard.timelines":"Timelines","dashboard.title":"System Status","dashboard.workspace":"Workspace","dataset.search.placeholder":"Search this dataset","diagram.create.button":"New diagram","diagram.create.label_placeholder":"Untitled diagram","diagram.create.login":"You must log in to create a diagram","diagram.create.success":"Your diagram has been created successfully.","diagram.create.summary_placeholder":"A brief description of the diagram","diagram.create.title":"Create a diagram","diagram.embed.error":"Error generating diagram embed","diagram.export.embed.description":"Generate an embeddable interactive version of the diagram that can be used in an article. The embed will not reflect future changes in the diagram.","diagram.export.error":"Error exporting diagram","diagram.export.ftm":"Export as .ftm","diagram.export.ftm.description":"Download the diagram as a data file that can be used in {link} or another Aleph site.","diagram.export.ftm.link":"Aleph Data Desktop","diagram.export.iframe":"Embed iframe","diagram.export.svg":"Export as SVG","diagram.export.svg.description":"Download a vector graphic with the contents of the diagram.","diagram.export.title":"Export options","diagram.import.button":"Import diagram","diagram.import.placeholder":"Drop a .ftm or .vis file here or click to import an existing diagram","diagram.import.title":"Import a network diagram","diagram.render.error":"Error rendering diagram","diagram.selector.create":"Create a new diagram","diagram.selector.select_empty":"No existing diagram","diagram.update.label_placeholder":"Untitled diagram","diagram.update.success":"Your diagram has been updated successfully.","diagram.update.summary_placeholder":"A brief description of the diagram","diagram.update.title":"Diagram settings","diagrams":"Diagrams","diagrams.description":"Network diagrams let you visualize complex relationships within an investigation.","diagrams.no_diagrams":"There are no network diagrams.","diagrams.title":"Network diagrams","document.download":"Preuzmi","document.download.cancel":"Otkaži","document.download.confirm":"Preuzmi","document.download.dont_warn":"Don't warn me in the future when downloading source documents","document.download.tooltip":"Preuzmi originalni dokument","document.download.warning":"You’re about to download a source file. {br}{br} Source files can contain viruses and code that notify the originator when you open them. {br}{br} For sensitive data, we recommend only opening source files on a computer that is permanently disconnected from the internet.","document.folder.error":"There was an error creating the folder.","document.folder.new":"Nova datoteka","document.folder.save":"Kreiraj","document.folder.title":"Nova datoteka","document.folder.untitled":"Naziv foldera","document.mapping.start":"Generate entities","document.paging":"Page {pageInput} of {numberOfPages}","document.pdf.search.page":"Page {page}","document.report_problem":"Report a problem","document.report_problem.text":"You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.","document.report_problem.title":"Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?","document.search.no_match":"No single page within this document matches all your search terms.","document.upload.button":"Unos","document.upload.cancel":"Otkaži","document.upload.close":"Close","document.upload.errors":"Some files couldn't be transferred. You can use the Retry button to restart all failed uploads.","document.upload.files":"Izaberi fajlove za unos...","document.upload.folder":"If you would like to upload folders instead, { button }.","document.upload.folder-toggle":"click here","document.upload.info":"If you need to upload a large amount of files (100+) consider {link}.","document.upload.notice":"The upload is complete. It will take a few moments for the documents to be processed and become searchable.","document.upload.progress":"{done} of {total} files done, {errors} errors.","document.upload.rejected":"{fileName} is missing a file type, so it cannot be uploaded.","document.upload.retry":"Retry","document.upload.save":"Unos","document.upload.summary":"{numberOfFiles, number} files, {totalSize}","document.upload.title":"Unos dokumenata","document.upload.title_in_folder":"Upload documents to {folder}","document.viewer.ignored_file":"Sistem ne podržava ovaj tip dokumenta. Molimo vas da ga preuzmete kako bi bili u mogućnosti da ga vidite.","document.viewer.no_viewer":"Pregled ovog dokumenta nije dostupan","email.body.empty":"Nema sadržaja.","entity.delete.cancel":"Otkaži","entity.delete.confirm":"Izbriši","entity.delete.error":"An error occured while attempting to delete this entity.","entity.delete.progress":"Deleting...","entity.delete.question.multiple":"Are you sure you want to delete the following {count, plural, one {item} other {items}}?","entity.delete.success":"Successfully deleted","entity.document.manager.cannot_map":"Select a table document to generate structured entities","entity.document.manager.empty":"No files or directories.","entity.document.manager.emptyCanUpload":"No files or directories. Drop files here or click to upload.","entity.document.manager.search_placeholder":"Search documents","entity.document.manager.search_placeholder_document":"Search in {label}","entity.info.attachments":"Prilozi","entity.info.documents":"Documents","entity.info.info":"Informacije","entity.info.last_view":"Last viewed {time}","entity.info.similar":"Slično","entity.info.tags":"Mentions","entity.info.text":"Tekst","entity.info.view":"Pregled","entity.info.workbook_warning":"This sheet is part of workbook {link}","entity.manager.bulk_import.description.1":"Select a table below from which to import new {schema} entities.","entity.manager.bulk_import.description.2":"Once selected, you will be prompted to assign columns from that table to properties of the generated entities.","entity.manager.bulk_import.description.3":"Don't see the table you're looking for? {link}","entity.manager.bulk_import.link_text":"Upload a new table document","entity.manager.bulk_import.no_results":"No matching documents found","entity.manager.bulk_import.placeholder":"Select a table document","entity.manager.delete":"Izbriši","entity.manager.edge_create_success":"Successfully linked {source} and {target}","entity.manager.entity_set_add_success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entity.manager.remove":"Ukloni","entity.manager.search_empty":"No matching {schema} results found","entity.manager.search_placeholder":"Search {schema}","entity.mapping.view":"Generate entities","entity.properties.missing":"unknown","entity.references.no_relationships":"Entitet nema nikakve veze.","entity.references.no_results":"No {schema} match this search.","entity.references.no_results_default":"No entities match this search.","entity.references.search.placeholder":"Search in {schema}","entity.references.search.placeholder_default":"Search entities","entity.remove.confirm":"Ukloni","entity.remove.error":"An error occured while attempting to remove this entity.","entity.remove.progress":"Removing...","entity.remove.question.multiple":"Are you sure you want to remove the following {count, plural, one {item} other {items}}?","entity.remove.success":"Successfully removed","entity.search.empty_title":"Ova datoteka je prazna","entity.search.no_results_description":"Pokušajte opširniji pojam za pretragu","entity.search.no_results_title":"Nema rezultata pretrage","entity.similar.empty":"There are no similar entities.","entity.similar.entity":"Similar entity","entity.similar.found_text":"Found {resultCount} {resultCount, plural, one {similar entity} other {similar entities}} from {datasetCount} {datasetCount, plural, one {dataset} other {datasets}}","entity.tags.no_tags":"No selectors were extracted from this entity.","entity.viewer.add_link":"Create link","entity.viewer.add_to":"Add to...","entity.viewer.bulk_import":"Bulk import","entity.viewer.search_placeholder":"Search in {label}","entitySet.last_updated":"Ažurirano {date}","entityset.choose.name":"Title","entityset.choose.summary":"Opis","entityset.create.collection":"Investigation","entityset.create.collection.existing":"Select an investigation","entityset.create.collection.new":"Don't see the investigation you're looking for? {link}","entityset.create.collection.new_link":"Create a new investigation","entityset.create.submit":"Kreiraj","entityset.delete.confirm":"I understand the consequences.","entityset.delete.confirm.diagram":"Delete this network diagram.","entityset.delete.confirm.list":"Delete this list.","entityset.delete.confirm.profile":"Delete this profile.","entityset.delete.confirm.timeline":"Delete this timeline.","entityset.delete.question":"Are you sure you want to permanently delete {label}? This cannot be undone.","entityset.delete.success":"Successfully deleted {title}","entityset.delete.title.diagram":"Delete network diagram","entityset.delete.title.list":"Delete list","entityset.delete.title.profile":"Delete profile","entityset.delete.title.timeline":"Delete timeline","entityset.info.delete":"Izbriši","entityset.info.edit":"Podešavanja","entityset.info.export":"Export","entityset.info.exportAsSvg":"Export as SVG","entityset.selector.placeholder":"Search existing","entityset.selector.success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entityset.selector.success_toast_button":"Pregled","entityset.selector.title":"Add {firstCaption} {titleSecondary} to...","entityset.selector.title_default":"Add entities to...","entityset.selector.title_other":"and {count} other {count, plural, one {entity} other {entities}}","entityset.update.submit":"Sačuvaj izmjene","error.screen.not_found":"Tražena stranica nije pronađena.","export.dialog.text":"Initiate your export. {br}{br} Exports take some time to generate. You will receive an email once the data is ready. {br}{br} Please trigger this export only once.","exports.dialog.cancel":"Otkaži","exports.dialog.confirm":"Export","exports.dialog.dashboard_link":"View progress","exports.dialog.success":"Your export has begun.","exports.expiration":"Expiration","exports.manager.description":"Below is a list of your exports. Make sure to download them before they expire.","exports.name":"Ime","exports.no_exports":"You have no exports to download","exports.size":"Veličina","exports.status":"Status","exports.title":"Exports ready for download","facet.addresses":"{count, plural, one {Address} other {Addresses}}","facet.caption":"Ime","facet.category":"{count, plural, one {Category} other {Categories}}","facet.collection_id":"Dataset","facet.countries":"{count, plural, one {Country} other {Countries}}","facet.dates":"{count, plural, one {Date} other {Dates}}","facet.emails":"{count, plural, one {E-Mail} other {E-Mails}}","facet.ibans":"{count, plural, one {IBAN} other {IBANs}}","facet.languages":"{count, plural, one {Language} other {Languages}}","facet.mimetypes":"{count, plural, one {File type} other {File types}}","facet.names":"{count, plural, one {Name} other {Names}}","facet.phones":"{count, plural, one {Phone number} other {Phone numbers}}","facet.schema":"Entity type","file_import.error":"Error importing file","footer.aleph":"Aleph {version}","footer.ftm":"FollowTheMoney {version}","group.page.description":"The list below shows all datasets and investigations that belong to this group.","group.page.search.description":"If you would like to search for specific entities or documents within the datasets that this group has access to, click here instead.","home.access_disabled":"Public access temporarily disabled","home.counts.countries":"Countries & territories","home.counts.datasets":"Public datasets","home.counts.entities":"Public entities","home.placeholder":"Pokušajte pretražiti: {samples}","home.statistics.categories":"Dataset categories","home.statistics.countries":"Countries and territories","home.statistics.schemata":"Entity types","home.stats.title":"Get started exploring public data","home.title":"Find public records and leaks","hotkeys.judgement.different":"Decide different","hotkeys.judgement.group_label":"Entity decisions","hotkeys.judgement.next":"Select next result","hotkeys.judgement.previous":"Select previous result","hotkeys.judgement.same":"Decide same","hotkeys.judgement.unsure":"Decide not enough information","hotkeys.search.different":"Preview previous result","hotkeys.search.group_label":"Search preview","hotkeys.search.unsure":"Preview next result","hotkeys.search_focus":"Pretraži","infoMode.collection_casefile":"Investigation","infoMode.collection_dataset":"Dataset","infoMode.createdAt":"Created at","infoMode.creator":"Created by","infoMode.updatedAt":"Posljednja izmjena","investigation.mentions.empty":"There are no mentions yet in this investigation.","investigation.overview.guides":"Read more","investigation.overview.guides.access":"Managing access","investigation.overview.guides.diagrams":"Drawing network diagrams","investigation.overview.guides.documents":"Uploading documents","investigation.overview.guides.entities":"Creating & editing entities","investigation.overview.guides.mappings":"Generating entities from a spreadsheet","investigation.overview.guides.xref":"Cross-referencing your data","investigation.overview.notifications":"Recent activity","investigation.overview.shortcuts":"Quick links","investigation.overview.shortcuts_empty":"Getting started","investigation.search.placeholder":"Search this investigation","investigation.shortcut.diagram":"Sketch a network diagram","investigation.shortcut.entities":"Create new entities","investigation.shortcut.entity_create_error":"Unable to create entity","investigation.shortcut.entity_create_success":"Successfully created {name}","investigation.shortcut.upload":"Unos dokumenata","investigation.shortcut.xref":"Compare with other datasets","judgement.disabled":"You must have edit access in order to make judgements.","judgement.negative":"Different","judgement.positive":"Same","judgement.unsure":"Not enough information","landing.shortcut.alert":"Create a search alert","landing.shortcut.datasets":"Browse datasets","landing.shortcut.investigation":"Start an investigation","landing.shortcut.search":"Search entities","list.create.button":"New list","list.create.label_placeholder":"Untitled list","list.create.login":"You must log in to create a list","list.create.success":"Your list has been created successfully.","list.create.summary_placeholder":"A brief description of the list","list.create.title":"Create a list","list.selector.create":"Create a new list","list.selector.select_empty":"No existing list","list.update.label_placeholder":"Untitled list","list.update.success":"Your list has been updated successfully.","list.update.summary_placeholder":"A brief description of the list","list.update.title":"List settings","lists":"Lists","lists.description":"Lists let you organize and group related entities of interest.","lists.no_lists":"There are no lists.","lists.title":"Lists","login.oauth":"Loguj se pomoću OAuth","mapping.actions.create":"Generate entities","mapping.actions.create.toast":"Generating entities...","mapping.actions.delete":"Izbriši","mapping.actions.delete.toast":"Deleting mapping and any generated entities...","mapping.actions.export":"Export mapping","mapping.actions.flush":"Remove generated entities","mapping.actions.flush.toast":"Removing generated entities...","mapping.actions.save":"Sačuvaj izmjene","mapping.actions.save.toast":"Re-generating entities...","mapping.create.cancel":"Otkaži","mapping.create.confirm":"Generate","mapping.create.question":"Are you sure you are ready to generate entities using this mapping?","mapping.delete.cancel":"Otkaži","mapping.delete.confirm":"Izbriši","mapping.delete.question":"Are you sure you want to delete this mapping and all generated entities?","mapping.docs.link":"Aleph entity mapping documentation","mapping.entityAssign.helpText":"You must create an object of type \"{range}\" to be the {property}","mapping.entityAssign.noResults":"No matching objects available","mapping.entityAssign.placeholder":"Select an object","mapping.entity_set_select":"Select a List or Diagram","mapping.entityset.remove":"Ukloni","mapping.error.keyMissing":"Key Error: {id} entity must have at least one key","mapping.error.relationshipMissing":"Relationship Error: {id} entity must have a {source} and {target} assigned","mapping.flush.cancel":"Otkaži","mapping.flush.confirm":"Ukloni","mapping.flush.question":"Are you sure you want to remove entities generated using this mapping?","mapping.import.button":"Import existing mapping","mapping.import.placeholder":"Drop a .yml file here or click to import an existing mapping file","mapping.import.querySelect":"Select a mapping query from this file to import:","mapping.import.submit":"Submit","mapping.import.success":"Your mapping has been imported successfully.","mapping.import.title":"Import a mapping","mapping.info":"Follow the steps below to map items in this investigation to structured Follow the Money entites. For more information, please refer to the {link}","mapping.info.link":"Aleph data mapping documentation","mapping.keyAssign.additionalHelpText":"The best keys are columns from your data that contain id numbers, phone numbers, email addresses, or other uniquely identifying information. If no columns with unique values exist, select multiple columns to allow Aleph to generate unique entities correctly from your data.","mapping.keyAssign.additionalHelpToggle.less":"Less","mapping.keyAssign.additionalHelpToggle.more":"More about keys","mapping.keyAssign.helpText":"Specify which columns from the source data will be used to identify unique entities.","mapping.keyAssign.noResults":"No results","mapping.keyAssign.placeholder":"Select keys from available columns","mapping.keys":"Keys","mapping.propAssign.errorBlank":"Columns with no header cannot be assigned","mapping.propAssign.errorDuplicate":"Columns with duplicate headers cannot be assigned","mapping.propAssign.literalButtonText":"Add a fixed value","mapping.propAssign.literalPlaceholder":"Add fixed value text","mapping.propAssign.other":"Drugo","mapping.propAssign.placeholder":"Assign a property","mapping.propRemove":"Remove this property from mapping","mapping.props":"Properties","mapping.save.cancel":"Otkaži","mapping.save.confirm":"Update mapping & re-generate","mapping.save.question":"Updating this mapping will delete any previously generated entities and re-generate them. Are you sure you would like to continue?","mapping.section1.title":"1. Select entity types to generate","mapping.section2.title":"2. Map columns to entity properties","mapping.section3.title":"3. Verify","mapping.section4.description":"Generated entities will be added to {collection} by default. If you would like to additionally add them to a list or diagram within the investigation, please click below and select from the available options.","mapping.section4.title":"4. Select a destination for generated entities (optional)","mapping.status.error":"Error:","mapping.status.status":"Status:","mapping.status.updated":"Last updated:","mapping.title":"Generate structured entities","mapping.types.objects":"Objects","mapping.types.relationships":"Veze","mapping.warning.empty":"You must create at least one entity","mappings.no_mappings":"You have not generated any mappings yet","messages.banner.dismiss":"Dismiss","nav.alerts":"Pretplata","nav.bookmarks":"Bookmarks","nav.cases":"Investigations","nav.collections":"Datasets","nav.diagrams":"Network diagrams","nav.exports":"Exports","nav.lists":"Lists","nav.menu.cases":"Investigations","nav.settings":"Podešavanja","nav.signin":"Prijava","nav.signout":"Odloguj se","nav.status":"System status","nav.timelines":"Timelines","nav.view_notifications":"Notifikacije","navbar.alert_add":"Click to receive alerts about new results for this search.","navbar.alert_remove":"Dobijate notifikacije u vezi ove pretrage.","notification.description":"View the latest updates to datasets, investigations, groups and tracking alerts you follow.","notifications.greeting":"What's new, {role}?","notifications.no_notifications":"You have no unseen notifications","notifications.title":"Nedavne notifikacije","notifications.type_filter.all":"All","pages.not.found":"Stranica nije pronađena","pass.auth.not_same":"Vaše šifre nisu iste!","password_auth.activate":"Aktiviraj","password_auth.confirm":"Potvrdi šifru","password_auth.email":"E-mail adresa","password_auth.name":"Vaše ime","password_auth.password":"Šifra","password_auth.signin":"Prijava","password_auth.signup":"Registracija","profile.callout.details":"This profile aggregates attributes and relationships from {count} entities across different datasets.","profile.callout.intro":"You're viewing {entity} as a profile.","profile.callout.link":"View the original entity","profile.delete.warning":"Deleting this profile will not delete any of the entities or entity decisions contained within it.","profile.hint":"{entity} has been combined with entities from other datasets into a profile","profile.info.header":"Profil","profile.info.items":"Entity decisions","profile.info.similar":"Suggested","profile.items.entity":"Combined entities","profile.items.explanation":"Make decisions below to determine which source entities should be added or excluded from this profile.","profile.similar.no_results":"No suggested additions for this profile were found.","profileinfo.api_desc":"Koristi API ključ za čitanje i pisanje podataka pomoću udaljene aplikacije.","queryFilters.clearAll":"Clear all","queryFilters.showHidden":"Show {count} more filters...","refresh.callout_message":"Dokumenti se upravo precesuiraju. Molimo sačekajte...","restricted.explain":"Use of this dataset is restricted. Read the description and contact {creator} before using this material.","restricted.explain.creator":"the dataset owner","restricted.tag":"RESTRICTED","result.error":"Greška","result.more_results":"More than {total} results","result.none":"No results found","result.results":"Found {total} results","result.searching":"Traženje...","result.solo":"One result found","role.select.user":"Izaberi korisnika","schemaSelect.button.relationship":"Add a new relationship","schemaSelect.button.thing":"Add a new object","screen.load_more":"Load more","search.advanced.all.helptext":"Only results containing all of the given terms will be returned","search.advanced.all.label":"All of these words (Default)","search.advanced.any.helptext":"Results containing any of the given terms will be returned","search.advanced.any.label":"Any of these words","search.advanced.clear":"Clear all","search.advanced.exact.helptext":"Only results with this exact word or phrase will be returned","search.advanced.exact.label":"This exact word/phrase","search.advanced.none.helptext":"Exclude results with these words","search.advanced.none.label":"None of these words","search.advanced.proximity.distance":"Distance","search.advanced.proximity.helptext":"Search for two terms within a certain distance of each other. For example, return results with the terms \"Bank\" and \"America\" occurring within two words from each other, such as \"Bank of America\", \"Bank in America\", even \"America has a Bank\".","search.advanced.proximity.label":"Terms in proximity to each other","search.advanced.proximity.term":"First term","search.advanced.proximity.term2":"Second term","search.advanced.submit":"Pretraži","search.advanced.title":"Advanced Search","search.advanced.variants.distance":"Letters different","search.advanced.variants.helptext":"Increase the fuzziness of a search. For example, Wladimir~2 will return not just the term “Wladimir” but also similar spellings such as \"Wladimyr\" or \"Vladimyr\". A spelling variant is defined by the number of spelling mistakes that must be made to get from the original word to the variant.","search.advanced.variants.label":"Spelling variations","search.advanced.variants.term":"Term","search.callout_message":"Some sources are hidden from anonymous users. {signInButton} to see all results you are authorised to access.","search.callout_message.button_text":"Prijava","search.columns.configure":"Configure columns","search.columns.configure_placeholder":"Search for a column...","search.config.groups":"Property groups","search.config.properties":"Properties","search.config.reset":"Reset to default","search.facets.clearDates":"Clear","search.facets.configure":"Configure filters","search.facets.configure_placeholder":"Search for a filter...","search.facets.filtersSelected":"{count} odabrano","search.facets.hide":"Hide filters","search.facets.no_items":"Nema opcija","search.facets.show":"Show filters","search.facets.showMore":"Prikaži više...","search.filterTag.ancestors":"unutar:","search.filterTag.exclude":"osim:","search.filterTag.role":"Filter by access","search.loading":"Loading...","search.no_results_description":"Pokušajte opširniji pojam za pretragu","search.no_results_title":"Nema rezultata pretrage","search.placeholder":"Search companies, people and documents","search.placeholder_default":"Pretraži...","search.placeholder_label":"Search in {label}","search.screen.dates.show-all":"* Showing all date filter options. { button } to view recent dates only.","search.screen.dates.show-hidden":"* Showing only date filter options from {start} to the present. { button } to view dates outside this range.","search.screen.dates.show-hidden.click":"Click here","search.screen.dates_label":"rezultata","search.screen.dates_title":"Dates","search.screen.dates_uncertain_day":"* this count includes dates where no day is specified","search.screen.dates_uncertain_day_month":"* this count includes dates in {year} where no day or month is specified","search.screen.dates_uncertain_month":"* this count includes dates in {year} where no month is specified","search.screen.export":"Export","search.screen.export_disabled":"Cannot export more than 10,000 results at a time","search.screen.export_disabled_empty":"No results to export.","search.screen.export_helptext":"Export results","search.title":"Search: {title}","search.title_emptyq":"Pretraži","settings.api_key":"API tajni pristupni ključ","settings.confirm":"(potvrdi)","settings.current_explain":"Enter your current password to set a new one.","settings.current_password":"Current password","settings.email":"E-mail adrese","settings.email.muted":"Receive daily notification e-mails","settings.email.no_change":"Vaša e-mail adresa ne može se promijeniti","settings.email.tester":"Test new features before they are finished","settings.locale":"Jezik","settings.name":"Ime","settings.new_password":"New password","settings.password.missmatch":"Šifre nisu iste","settings.password.rules":"Koristi najmaje šest karaktera","settings.password.title":"Change your password","settings.save":"Ažuriraj","settings.saved":"It's official, your profile is updated.","settings.title":"Podešavanja","sidebar.open":"Expand","signup.activate":"Aktiviraj svoj profil","signup.inbox.desc":"Poslali smo Vam e-mail, molimo da pomoću linka završite svoju registraciju","signup.inbox.title":"Provjeri svoju poštu","signup.login":"Već imate kreiran profil? Logujte se!","signup.register":"Registrujte se","signup.register.question":"Nemate kreiran profil? Registrujte se!","signup.title":"Prijava","sorting.bar.button.label":"Show:","sorting.bar.caption":"Title","sorting.bar.collection_id":"Dataset","sorting.bar.count":"Veličina","sorting.bar.countries":"Države","sorting.bar.created_at":"Creation Date","sorting.bar.date":"Datum","sorting.bar.dates":"Dates","sorting.bar.direction":"Direction:","sorting.bar.endDate":"End date","sorting.bar.label":"Title","sorting.bar.sort":"Sort by:","sorting.bar.updated_at":"Update Date","sources.index.empty":"This group is not linked to any datasets or investigations.","sources.index.placeholder":"Search for a dataset or investigation belonging to {group}...","status.no_collection":"Other tasks","tags.results":"Mention count","tags.title":"Term","text.loading":"Učitavanje...","timeline.create.button":"New timeline","timeline.create.label_placeholder":"Untitled timeline","timeline.create.login":"You must log in to create a timeline","timeline.create.success":"Your timeline has been created successfully.","timeline.create.summary_placeholder":"A brief description of the timeline","timeline.create.title":"Create a timeline","timeline.selector.create":"Create a new timeline","timeline.selector.select_empty":"No existing timeline","timeline.update.label_placeholder":"Untitled timeline","timeline.update.success":"Your timeline has been updated successfully.","timeline.update.summary_placeholder":"A brief description of the timeline","timeline.update.title":"Timeline settings","timelines":"Timelines","timelines.description":"Timelines are a way to view and organize events chronologically.","timelines.no_timelines":"There are no timelines.","timelines.title":"Timelines","valuelink.tooltip":"{count} mentions in {appName}","xref.compute":"Compute","xref.entity":"Reference","xref.match":"Possible match","xref.match_collection":"Dataset","xref.recompute":"Re-compute","xref.score":"Količina usaglašenosti","xref.sort.default":"Default","xref.sort.label":"Sort by:","xref.sort.random":"Random"},"de":{"alert.manager.description":"Sie erhalten eine Benachrichtigung, sobald ein neues Suchergebnis zu einem ihrer Themen-Abos bereit steht.","alerts.add_placeholder":"Legen sie ein neues Themen-Abo an...","alerts.delete":"Remove alert","alerts.heading":"Verwalten sie sie ihre Themen-Abos","alerts.no_alerts":"Sie haben keine Themen-Abos","alerts.save":"Speichern","alerts.title":"Themen-Abos","alerts.track":"Verfolgen","auth.bad_request":"Der Server hat ihre Eingaben nicht akzeptiert.","auth.server_error":"Serverfehler","auth.success":"Erfolg","auth.unauthorized":"Erlaubnis verweigert","auth.unknown_error":"Ein unerwarteter Fehler ist aufgetreten.","case.choose.name":"Titel","case.choose.summary":"Beschreibung","case.chose.languages":"Sprachen","case.create.login":"Um ihre eigenen Daten hoch zu laden müssen sie sich anmelden.","case.description":"Investigations let you upload and share documents and data which belong to a particular story. You can upload PDFs, email archives or spreadsheets, and they will be made easy to search and browse.","case.label_placeholder":"Untitled investigation","case.language_placeholder":"Sprachen auswählen","case.languages.helper":"Wir zur optischen Erkennung von Schrift in Dokumenten verwendet.","case.save":"Speichern","case.share.with":"Teilen mit","case.summary":"A brief description of the investigation","case.title":"Create an investigation","case.users":"Nutzersuche","cases.create":"New investigation","cases.empty":"You do not have any investigations yet.","cases.no_results":"No investigations were found matching this query.","cases.placeholder":"Search investigations...","cases.title":"Recherchen","clipboard.copy.after":"Successfully copied to clipboard","clipboard.copy.before":"In die Zwischenablage kopieren","collection.addSchema.placeholder":"Neue Objektart hinzufügen","collection.analyze.alert.text":"You're about to re-index the entities in {collectionLabel}. This can be helpful if there are inconsistencies in how the data is presented.","collection.analyze.cancel":"Abbrechen","collection.cancel.button":"Abbrechen","collection.countries":"Land","collection.creator":"Verwalter","collection.data_updated_at":"Content updated","collection.data_url":"Daten-URL","collection.delete.confirm":"I understand the consequences.","collection.delete.confirm.dataset":"Delete this dataset.","collection.delete.confirm.investigation":"Delete this investigation.","collection.delete.question":"Are you sure you want to permanently delete {collectionLabel} and all contained items? This cannot be undone.","collection.delete.success":"Successfully deleted {label}","collection.delete.title.dataset":"Datensatz löschen","collection.delete.title.investigation":"Recherche löschen","collection.edit.access_title":"Zugangskontrolle","collection.edit.cancel_button":"Abbrechen","collection.edit.groups":"Gruppen","collection.edit.info.analyze":"Erneut verarbeiten","collection.edit.info.cancel":"Abbrechen","collection.edit.info.category":"Kategorie","collection.edit.info.countries":"Länder","collection.edit.info.creator":"Verwalter","collection.edit.info.data_url":"Quelldaten-URL","collection.edit.info.delete":"Löschen","collection.edit.info.foreign_id":"Foreign-ID","collection.edit.info.frequency":"Aktualisierungsrate","collection.edit.info.info_url":"Informations-URL","collection.edit.info.label":"Titel","collection.edit.info.languages":"Sprachen","collection.edit.info.placeholder_country":"Länder auswählen","collection.edit.info.placeholder_data_url":"Link zu den Rohdaten","collection.edit.info.placeholder_info_url":"Link zu zusätzlichen Informationen","collection.edit.info.placeholder_label":"Ein Titel","collection.edit.info.placeholder_language":"Sprachen auswählen","collection.edit.info.placeholder_publisher":"Die Organisation oder Person, die diese Daten bereitstellt","collection.edit.info.placeholder_publisher_url":"Link zum Herausgeber","collection.edit.info.placeholder_summary":"Eine kurze Beschreibung","collection.edit.info.publisher":"Herausgeber","collection.edit.info.publisher_url":"Herausgeber-URL","collection.edit.info.restricted":"This dataset is restricted and viewers should be warned.","collection.edit.info.save":"Speichern","collection.edit.info.summary":"Beschreibung","collection.edit.permissions_warning":"Note: User must already have an Aleph account in order to receive access.","collection.edit.permissionstable.edit":"Bearbeiten","collection.edit.permissionstable.view":"Darstellung","collection.edit.save_button":"Speichern","collection.edit.save_success":"Ich gebe ihnen mein Ehrenwort!","collection.edit.title":"Einstellungen","collection.edit.users":"Benutzer","collection.foreign_id":"Foreign-ID","collection.frequency":"Aktualisierung","collection.index.empty":"Es wurden keine Datensätze gefunden.","collection.index.filter.all":"Alle","collection.index.filter.mine":"Von mir erstellt","collection.index.no_results":"Es wurden keine Datensätze gefunden, die ihrer Suchanfrage entsprechen.","collection.index.placeholder":"Datensätze durchsuchen...","collection.index.title":"Datensätze","collection.info.access":"Teilen","collection.info.browse":"Dokumente","collection.info.delete":"Datensatz löschen","collection.info.delete_casefile":"Recherche löschen","collection.info.diagrams":"Netzwerkdiagramme","collection.info.diagrams_description":"Network diagrams let you visualize complex relationships within an investigation.","collection.info.documents":"Dokumente","collection.info.edit":"Einstellungen","collection.info.entities":"Objekte","collection.info.lists":"Listen","collection.info.lists_description":"Lists let you organize and group related entities of interest.","collection.info.mappings":"Entity mappings","collection.info.mappings_description":"Entity mappings allow you to bulk generate structured Follow the Money entities (like People, Companies, and the relationships among them) from rows in a spreadsheet or CSV document","collection.info.mentions":"Erwähnungen","collection.info.mentions_description":"Aleph automatically extracts terms that resemble names, address, phone numbers, and email addresses from uploaded documents and entities within your investigation. {br}{br} Click on a mentioned term below to find where it appears in your investigation.","collection.info.overview":"Übersicht","collection.info.reindex":"Alle Daten re-indizieren","collection.info.reingest":"Dokumente erneut verarbeiten","collection.info.search":"Suche","collection.info.source_documents":"Source documents","collection.info.timelines":"Timelines","collection.info.timelines_description":"Timelines are a way to view and organize events chronologically.","collection.info.xref":"Rasterfahndung","collection.info.xref_description":"Cross-referencing allows you to search the rest of Aleph for entities similar to those contained in your investigation.","collection.info_url":"Informations-URL","collection.last_updated":"Zuletzt {date} aktualisiert","collection.mappings.create":"Create a new entity mapping","collection.mappings.create_docs_link":"For more information, please refer to the {link}","collection.overview.empty":"This dataset is empty.","collection.publisher":"Herausgeber","collection.reconcile":"Reconciliation","collection.reconcile.description":"Gleichen sie mithilfe des freien {openrefine}-Tools ihre eigenen Daten mit den Objekten in diesem Datensatz ab.","collection.reindex.cancel":"Abbrechen","collection.reindex.confirm":"Indizieren","collection.reindex.flush":"Index vor dem re-indizieren entleeren","collection.reindex.processing":"Indizierung wurde gestartet.","collection.reingest.confirm":"Verarbeitung starten","collection.reingest.index":"Dokumente nach der Verarbeitung indizieren.","collection.reingest.processing":"Verarbeitung gestartet.","collection.reingest.text":"You're about to re-process all documents in {collectionLabel}. This might take some time.","collection.statistics.showmore":"Mehr zeigen","collection.status.cancel_button":"Vorgang abbrechen","collection.status.collection":"Datensatz","collection.status.finished_tasks":"Fertig","collection.status.jobs":"Prozesse","collection.status.message":"Tollen sie herum während die Daten verarbeitet werden.","collection.status.no_active":"Es findet keine Datenverarbeitung statt.","collection.status.pending_tasks":"Unerledigt","collection.status.progress":"Aufgaben","collection.status.title":"Wird verarbeitet ({percent}%)","collection.team":"Zugang","collection.updated_at":"Metadata updated","collection.xref.cancel":"Abbrechen","collection.xref.confirm":"Bestätigen","collection.xref.empty":"Er gibt keine Rasterfahndungsergebnisse.","collection.xref.processing":"Rasterfahndung gestartet.","collection.xref.text":"You will now cross-reference {collectionLabel} against all other sources. Start this process once and then wait for it to complete.","collection.xref.title":"Rasterfahndung","dashboard.activity":"Tätigkeiten","dashboard.alerts":"Themen-Abos","dashboard.cases":"Recherchen","dashboard.diagrams":"Netzwerkdiagramme","dashboard.exports":"Exporte","dashboard.groups":"Gruppen","dashboard.lists":"Listen","dashboard.notifications":"Benachrichtigungen","dashboard.settings":"Einstellungen","dashboard.status":"Systemstatus","dashboard.subheading":"Beobachten sie den Fortschritt von laufenden Datenimports und -analysen.","dashboard.timelines":"Timelines","dashboard.title":"Systemstatus","dashboard.workspace":"Arbeitsplatz","dataset.search.placeholder":"Search this dataset","diagram.create.button":"Neues Netzwerk","diagram.create.label_placeholder":"Unbenanntes Diagramm","diagram.create.login":"Um ein Netzwerkdiagramm anzulegen müssen sie angemeldet sein.","diagram.create.success":"Ihr Diagramm wurde erfolgreich erstellt.","diagram.create.summary_placeholder":"Eine kurze Beschreibung des Diagramms","diagram.create.title":"Neues Diagramm anlegen","diagram.embed.error":"Error generating diagram embed","diagram.export.embed.description":"Generate an embeddable interactive version of the diagram that can be used in an article. The embed will not reflect future changes in the diagram.","diagram.export.error":"Error exporting diagram","diagram.export.ftm":"Export as .ftm","diagram.export.ftm.description":"Download the diagram as a data file that can be used in {link} or another Aleph site.","diagram.export.ftm.link":"Aleph Data Desktop","diagram.export.iframe":"Embed iframe","diagram.export.svg":"Export as SVG","diagram.export.svg.description":"Download a vector graphic with the contents of the diagram.","diagram.export.title":"Export options","diagram.import.button":"Diagramm importieren","diagram.import.placeholder":"Legen sie hier eine .vis Datei ab, um ein bestehendes Netzwerkdiagramm zu importieren","diagram.import.title":"Netzwerkdiagramm importieren","diagram.render.error":"Error rendering diagram","diagram.selector.create":"Neues Diagramm anlegen","diagram.selector.select_empty":"Keine bestehenden Diagramme","diagram.update.label_placeholder":"Unbenanntes Diagramm","diagram.update.success":"Ihr Diagramm wurde erfolgreich angelegt.","diagram.update.summary_placeholder":"Eine kurze Beschreibung des Diagramms","diagram.update.title":"Diagramm-Einstellungen","diagrams":"Diagramme","diagrams.description":"Network diagrams let you visualize complex relationships within an investigation.","diagrams.no_diagrams":"Es gibt keine Netzwerkdiagramme.","diagrams.title":"Netzwerkdiagramme","document.download":"Herunterladen","document.download.cancel":"Abbrechen","document.download.confirm":"Herunterladen","document.download.dont_warn":"Don't warn me in the future when downloading source documents","document.download.tooltip":"Quelldokument herunterladen","document.download.warning":"You’re about to download a source file. {br}{br} Source files can contain viruses and code that notify the originator when you open them. {br}{br} For sensitive data, we recommend only opening source files on a computer that is permanently disconnected from the internet.","document.folder.error":"Beim Anlegen des Ordners trat ein Fehler auf.","document.folder.new":"Neuer Ordner","document.folder.save":"Anlegen","document.folder.title":"Neuer Ordner","document.folder.untitled":"Ordnertitel","document.mapping.start":"Entitäten erzeugen","document.paging":"Seite {pageInput} von {numberOfPages}","document.pdf.search.page":"Seite {page}","document.report_problem":"Report a problem","document.report_problem.text":"You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.","document.report_problem.title":"Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?","document.search.no_match":"Keine einzelne Seite in diesem Dokument enthält alle Suchbegriffe.","document.upload.button":"Hochladen","document.upload.cancel":"Abbrechen","document.upload.close":"Schließen","document.upload.errors":"Some files couldn't be transferred. You can use the Retry button to restart all failed uploads.","document.upload.files":"Wählen sie Dateien für den Upload","document.upload.folder":"Wenn sie stattdessen einen Ordner hochladen wollen: { button }.","document.upload.folder-toggle":"hier drücken","document.upload.info":"If you need to upload a large amount of files (100+) consider {link}.","document.upload.notice":"The upload is complete. It will take a few moments for the documents to be processed and become searchable.","document.upload.progress":"{done} of {total} files done, {errors} errors.","document.upload.rejected":"{fileName} is missing a file type, so it cannot be uploaded.","document.upload.retry":"Retry","document.upload.save":"Hochladen","document.upload.summary":"{numberOfFiles, number} files, {totalSize}","document.upload.title":"Dokumente hochladen","document.upload.title_in_folder":"Upload documents to {folder}","document.viewer.ignored_file":"Das System kann mit diesem Dateityp nicht umgehen. Bitte laden sie die Datei herunter um den Inhalt zu sehen.","document.viewer.no_viewer":"Für dieses Dokument ist keine Vorschau verfügbar","email.body.empty":"Kein Nachrichtentext","entity.delete.cancel":"Abbrechen","entity.delete.confirm":"Löschen","entity.delete.error":"Beim Löschen des Objektes trat ein Fehler auf.","entity.delete.progress":"Lösche...","entity.delete.question.multiple":"Are you sure you want to delete the following {count, plural, one {item} other {items}}?","entity.delete.success":"Erfolgreich gelöscht","entity.document.manager.cannot_map":"Wählen sie eine Tabelle aus der sie strukturierte Daten importieren wollen","entity.document.manager.empty":"Keine Dateien und Verzeichnisse.","entity.document.manager.emptyCanUpload":"Keine Dateien oder Verzeichnisse. Ziehen sie Dateien hier in um sie hoch zu laden.","entity.document.manager.search_placeholder":"Dokumente suchen","entity.document.manager.search_placeholder_document":"Suche in {label}","entity.info.attachments":"Anhänge","entity.info.documents":"Dokumente","entity.info.info":"Info","entity.info.last_view":"Last viewed {time}","entity.info.similar":"Ähnlich","entity.info.tags":"Erwähnungen","entity.info.text":"Text","entity.info.view":"Darstellung","entity.info.workbook_warning":"This sheet is part of workbook {link}","entity.manager.bulk_import.description.1":"Wählen die die Tabelle aus der sie {schema} importieren wollen.","entity.manager.bulk_import.description.2":"Nach der Auswahl können die Spalten aus der Tabelle den Eigenschaften der erzeugten Objekte zuweisen.","entity.manager.bulk_import.description.3":"Haben sie die gesuchte Tabelle nicht gefunden? {link}","entity.manager.bulk_import.link_text":"Upload a new table document","entity.manager.bulk_import.no_results":"Keine passenden Dokumente gefunden","entity.manager.bulk_import.placeholder":"Wählen sie eine Tabelle aus","entity.manager.delete":"Löschen","entity.manager.edge_create_success":"Successfully linked {source} and {target}","entity.manager.entity_set_add_success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entity.manager.remove":"Entfernen","entity.manager.search_empty":"No matching {schema} results found","entity.manager.search_placeholder":"{schema} suchen","entity.mapping.view":"Entitäten erzeugen","entity.properties.missing":"unbekannt","entity.references.no_relationships":"Diese Objekt hat keine Verbindungen.","entity.references.no_results":"No {schema} match this search.","entity.references.no_results_default":"No entities match this search.","entity.references.search.placeholder":"Search in {schema}","entity.references.search.placeholder_default":"Search entities","entity.remove.confirm":"Entfernen","entity.remove.error":"An error occured while attempting to remove this entity.","entity.remove.progress":"Removing...","entity.remove.question.multiple":"Are you sure you want to remove the following {count, plural, one {item} other {items}}?","entity.remove.success":"Successfully removed","entity.search.empty_title":"Dieser Ordner ist leer","entity.search.no_results_description":"Versuchen sie eine ungenauere Suchanfrage","entity.search.no_results_title":"Keine Suchergebnisse","entity.similar.empty":"Es gibt keine ähnlichen Einträge.","entity.similar.entity":"Similar entity","entity.similar.found_text":"Found {resultCount} {resultCount, plural, one {similar entity} other {similar entities}} from {datasetCount} {datasetCount, plural, one {dataset} other {datasets}}","entity.tags.no_tags":"Aus diesem Objekt wurden keine Schlagworte extrahiert.","entity.viewer.add_link":"Create link","entity.viewer.add_to":"Add to...","entity.viewer.bulk_import":"Objektimport","entity.viewer.search_placeholder":"Suche in {label}","entitySet.last_updated":"Aktualisiert am {date}","entityset.choose.name":"Titel","entityset.choose.summary":"Beschreibung","entityset.create.collection":"Investigation","entityset.create.collection.existing":"Select an investigation","entityset.create.collection.new":"Don't see the investigation you're looking for? {link}","entityset.create.collection.new_link":"Create a new investigation","entityset.create.submit":"Anlegen","entityset.delete.confirm":"I understand the consequences.","entityset.delete.confirm.diagram":"Delete this network diagram.","entityset.delete.confirm.list":"Delete this list.","entityset.delete.confirm.profile":"Delete this profile.","entityset.delete.confirm.timeline":"Delete this timeline.","entityset.delete.question":"Are you sure you want to permanently delete {label}? This cannot be undone.","entityset.delete.success":"Successfully deleted {title}","entityset.delete.title.diagram":"Delete network diagram","entityset.delete.title.list":"Delete list","entityset.delete.title.profile":"Delete profile","entityset.delete.title.timeline":"Delete timeline","entityset.info.delete":"Löschen","entityset.info.edit":"Einstellungen","entityset.info.export":"Export","entityset.info.exportAsSvg":"Export as SVG","entityset.selector.placeholder":"Search existing","entityset.selector.success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entityset.selector.success_toast_button":"Darstellung","entityset.selector.title":"Add {firstCaption} {titleSecondary} to...","entityset.selector.title_default":"Add entities to...","entityset.selector.title_other":"and {count} other {count, plural, one {entity} other {entities}}","entityset.update.submit":"Speichern","error.screen.not_found":"Die angeforderte Seite konnte nicht gefunden werden.","export.dialog.text":"Initiate your export. {br}{br} Exports take some time to generate. You will receive an email once the data is ready. {br}{br} Please trigger this export only once.","exports.dialog.cancel":"Abbrechen","exports.dialog.confirm":"Export","exports.dialog.dashboard_link":"View progress","exports.dialog.success":"Your export has begun.","exports.expiration":"Expiration","exports.manager.description":"Below is a list of your exports. Make sure to download them before they expire.","exports.name":"Name","exports.no_exports":"You have no exports to download","exports.size":"Größe","exports.status":"Status","exports.title":"Exports ready for download","facet.addresses":"{count, plural, one {Adresse} other {Adressen}}","facet.caption":"Name","facet.category":"{count, plural, one {Kategorie} other {Kategorien}}","facet.collection_id":"Datensatz","facet.countries":"{count, plural, one {Land} other {Länder}}","facet.dates":"{count, plural, one {Date} other {Dates}}","facet.emails":"{count, plural, one {E-Mail} other {E-Mails}}","facet.ibans":"{count, plural, one {IBAN} other {IBANs}}","facet.languages":"{count, plural, one {Sprache} other {Sprachen}}","facet.mimetypes":"{count, plural, one {Dateityp} other {Dateitypen}}","facet.names":"{count, plural, one {Name} other {Namen}}","facet.phones":"{count, plural, one {Telefonnummer} other {Telefonnummern}}","facet.schema":"Entity type","file_import.error":"Fehler beim Datei-Import","footer.aleph":"Aleph {version}","footer.ftm":"FollowTheMoney {version}","group.page.description":"The list below shows all datasets and investigations that belong to this group.","group.page.search.description":"If you would like to search for specific entities or documents within the datasets that this group has access to, click here instead.","home.access_disabled":"Public access temporarily disabled","home.counts.countries":"Countries & territories","home.counts.datasets":"Public datasets","home.counts.entities":"Public entities","home.placeholder":"Zum Beispiel: {samples}","home.statistics.categories":"Dataset categories","home.statistics.countries":"Countries and territories","home.statistics.schemata":"Objektarten","home.stats.title":"Get started exploring public data","home.title":"Finde öffentliche Dokumente und Leaks","hotkeys.judgement.different":"Decide different","hotkeys.judgement.group_label":"Entity decisions","hotkeys.judgement.next":"Select next result","hotkeys.judgement.previous":"Select previous result","hotkeys.judgement.same":"Decide same","hotkeys.judgement.unsure":"Decide not enough information","hotkeys.search.different":"Preview previous result","hotkeys.search.group_label":"Search preview","hotkeys.search.unsure":"Preview next result","hotkeys.search_focus":"Suche","infoMode.collection_casefile":"Investigation","infoMode.collection_dataset":"Datensatz","infoMode.createdAt":"Created at","infoMode.creator":"Created by","infoMode.updatedAt":"Aktualisiert","investigation.mentions.empty":"There are no mentions yet in this investigation.","investigation.overview.guides":"Read more","investigation.overview.guides.access":"Managing access","investigation.overview.guides.diagrams":"Drawing network diagrams","investigation.overview.guides.documents":"Uploading documents","investigation.overview.guides.entities":"Creating & editing entities","investigation.overview.guides.mappings":"Generating entities from a spreadsheet","investigation.overview.guides.xref":"Cross-referencing your data","investigation.overview.notifications":"Recent activity","investigation.overview.shortcuts":"Quick links","investigation.overview.shortcuts_empty":"Getting started","investigation.search.placeholder":"Search this investigation","investigation.shortcut.diagram":"Sketch a network diagram","investigation.shortcut.entities":"Neue Objekte anlegen","investigation.shortcut.entity_create_error":"Unable to create entity","investigation.shortcut.entity_create_success":"Successfully created {name}","investigation.shortcut.upload":"Dokumente hochladen","investigation.shortcut.xref":"Compare with other datasets","judgement.disabled":"You must have edit access in order to make judgements.","judgement.negative":"Ungleich","judgement.positive":"Gleich","judgement.unsure":"Nicht genug Informationen","landing.shortcut.alert":"Create a search alert","landing.shortcut.datasets":"Browse datasets","landing.shortcut.investigation":"Start an investigation","landing.shortcut.search":"Search entities","list.create.button":"Neue Liste","list.create.label_placeholder":"Unbenannte Liste","list.create.login":"You must log in to create a list","list.create.success":"Your list has been created successfully.","list.create.summary_placeholder":"A brief description of the list","list.create.title":"Create a list","list.selector.create":"Create a new list","list.selector.select_empty":"No existing list","list.update.label_placeholder":"Unbenannte Liste","list.update.success":"Your list has been updated successfully.","list.update.summary_placeholder":"A brief description of the list","list.update.title":"Listeneinstellungen","lists":"Listen","lists.description":"Lists let you organize and group related entities of interest.","lists.no_lists":"There are no lists.","lists.title":"Listen","login.oauth":"Mit OAuth anmelden","mapping.actions.create":"Entitäten erzeugen","mapping.actions.create.toast":"Entitäten werden erzeugt...","mapping.actions.delete":"Löschen","mapping.actions.delete.toast":"Mapping und erzeugte Entitäten löschen...","mapping.actions.export":"Mapping exportieren","mapping.actions.flush":"Entstandene Entitäten entfernen","mapping.actions.flush.toast":"Entferne erzeugte Entitäten...","mapping.actions.save":"Speichern","mapping.actions.save.toast":"Entitäten werden erneut erzeugt...","mapping.create.cancel":"Abbrechen","mapping.create.confirm":"Erzeugen","mapping.create.question":"Sind sie sicher, dass sie auf der Basis dieses Mappings Objekte erzeugen wollen?","mapping.delete.cancel":"Abbrechen","mapping.delete.confirm":"Löschen","mapping.delete.question":"Sind sie sicher, dass sie dieses Mapping und alle daraus resultierenden Objekte löschen wollen?","mapping.docs.link":"Aleph entity mapping documentation","mapping.entityAssign.helpText":"Sie benötigen eine \"{range}\" als Zuweisung für die Eigenschaft {property}","mapping.entityAssign.noResults":"Keine passenden Objekte sind verfügbar","mapping.entityAssign.placeholder":"Objekt auswählen","mapping.entity_set_select":"Select a List or Diagram","mapping.entityset.remove":"Entfernen","mapping.error.keyMissing":"Schlüssel-Fehler: Objekt {id} muss mindestens einen Schlüssel haben","mapping.error.relationshipMissing":"Verbindungsfehler: dem Objekt {id} muss sowohl {source} wie {target} zugewiesen werden.","mapping.flush.cancel":"Abbrechen","mapping.flush.confirm":"Entfernen","mapping.flush.question":"Sind sie sicher, dass sie die Entitäten die aus dieses Mapping generiert wurden löschen möchten?","mapping.import.button":"Bestehendes Mapping importieren","mapping.import.placeholder":"Legen sie hier eine YAML-Datei ab um ein bestehendes Mapping zu importieren","mapping.import.querySelect":"Wählen sie die Mapping-Query aus dieser Datei, die sie importieren wollen:","mapping.import.submit":"Speichern","mapping.import.success":"Ihr Mapping wurde erfolgreich importiert.","mapping.import.title":"Mapping importieren","mapping.info":"Follow the steps below to map items in this investigation to structured Follow the Money entites. For more information, please refer to the {link}","mapping.info.link":"Aleph Mapping-Dokumentation","mapping.keyAssign.additionalHelpText":"The best keys are columns from your data that contain id numbers, phone numbers, email addresses, or other uniquely identifying information. If no columns with unique values exist, select multiple columns to allow Aleph to generate unique entities correctly from your data.","mapping.keyAssign.additionalHelpToggle.less":"Weniger","mapping.keyAssign.additionalHelpToggle.more":"Mehr zu Schlüsseln","mapping.keyAssign.helpText":"Wählen sie die Spalten in den Quelldaten aus denen eindeutige Objekt-Kennungen erzeugt werden können.","mapping.keyAssign.noResults":"Keine Treffer","mapping.keyAssign.placeholder":"Wählen sie aus den verfügbaren Spalten einen Schlüssel","mapping.keys":"Schlüssel","mapping.propAssign.errorBlank":"Spalten ohne Kopfzeile können nicht zugewiesen weden","mapping.propAssign.errorDuplicate":"Mehrfach genutzte Kopfzeilen können nicht zugewiesen werden","mapping.propAssign.literalButtonText":"Einen fixen Wert setzen","mapping.propAssign.literalPlaceholder":"Fixen Wert hinzufügen","mapping.propAssign.other":"Andere","mapping.propAssign.placeholder":"Eigenschaft zuweisen","mapping.propRemove":"Diese Eigenschaft aus dem Mapping entfernen","mapping.props":"Eigenschaften","mapping.save.cancel":"Abbrechen","mapping.save.confirm":"Mapping speichern & aktualisieren","mapping.save.question":"Wenn sie dieses Mapping speichern werden alle zuvor erzeugten Entitäten entfernt und neu generiert. Wollen sie fortfahren?","mapping.section1.title":"1. Entitiäten-Typen auswählen","mapping.section2.title":"2. Verknüpfung von Spalten mit Eigenschaften ","mapping.section3.title":"3. Prüfung","mapping.section4.description":"Generated entities will be added to {collection} by default. If you would like to additionally add them to a list or diagram within the investigation, please click below and select from the available options.","mapping.section4.title":"4. Select a destination for generated entities (optional)","mapping.status.error":"Fehler: ","mapping.status.status":"Status: ","mapping.status.updated":"Aktualisiert: ","mapping.title":"Strukturierte Daten erzeugen","mapping.types.objects":"Objekte","mapping.types.relationships":"Verbindungen","mapping.warning.empty":"You must create at least one entity","mappings.no_mappings":"You have not generated any mappings yet","messages.banner.dismiss":"Dismiss","nav.alerts":"Themen-Abos","nav.bookmarks":"Bookmarks","nav.cases":"Recherchen","nav.collections":"Datensätze","nav.diagrams":"Netzwerkdiagramme","nav.exports":"Exporte","nav.lists":"Listen","nav.menu.cases":"Recherchen","nav.settings":"Einstellungen","nav.signin":"Anmelden","nav.signout":"Abmelden","nav.status":"Systemstatus","nav.timelines":"Timelines","nav.view_notifications":"Benachrichtigungen","navbar.alert_add":"Erhalten sie Benachrichtigungen über neue Treffer zu dieser Suche.","navbar.alert_remove":"Zu diesem Suchbegriff erhalten sie Benachrichtigungen","notification.description":"View the latest updates to datasets, investigations, groups and tracking alerts you follow.","notifications.greeting":"Was läuft, {role}?","notifications.no_notifications":"Sie haben keine ungesehenen Benachrichtigungen","notifications.title":"Neue Benachrichtigungen","notifications.type_filter.all":"Alle","pages.not.found":"Seite nicht gefunden","pass.auth.not_same":"Die Passwörter stimmen nicht überein!","password_auth.activate":"Aktivieren","password_auth.confirm":"Passwort bestätigen","password_auth.email":"E-Mail-Adresse","password_auth.name":"Ihr Name","password_auth.password":"Passwort","password_auth.signin":"Anmelden","password_auth.signup":"Registrieren","profile.callout.details":"This profile aggregates attributes and relationships from {count} entities across different datasets.","profile.callout.intro":"You're viewing {entity} as a profile.","profile.callout.link":"View the original entity","profile.delete.warning":"Deleting this profile will not delete any of the entities or entity decisions contained within it.","profile.hint":"{entity} has been combined with entities from other datasets into a profile","profile.info.header":"Profil","profile.info.items":"Entity decisions","profile.info.similar":"Suggested","profile.items.entity":"Combined entities","profile.items.explanation":"Make decisions below to determine which source entities should be added or excluded from this profile.","profile.similar.no_results":"No suggested additions for this profile were found.","profileinfo.api_desc":"Nutzen sie den API-Schlüssel um Daten aus anderen Programmen zu lesen oder schreiben.","queryFilters.clearAll":"Alle entfernen","queryFilters.showHidden":"Show {count} more filters...","refresh.callout_message":"Die Dokumente werden verarbeitet. Bitte warten sie...","restricted.explain":"Die Nutzung dieses Datensatzes unterliegt der Vertraulichkeit. Bitte lesen sie die Datensatzbeschreibung und treten sie mit {creator} in Verbindung, bevor sie das Material benutzen.","restricted.explain.creator":"dem Datensatz-Verwalter","restricted.tag":"VERTRAULICH","result.error":"Fehler","result.more_results":"Mehr als {total} Treffer","result.none":"Keine Treffer gefunden","result.results":"{total} Treffer gefunden","result.searching":"Suche...","result.solo":"Ein Treffer gefunden","role.select.user":"Wählen sie einen Nutzer","schemaSelect.button.relationship":"Neue Beziehung hinzufügen","schemaSelect.button.thing":"Neues Objekt hinzufügen","screen.load_more":"Load more","search.advanced.all.helptext":"Only results containing all of the given terms will be returned","search.advanced.all.label":"All of these words (Default)","search.advanced.any.helptext":"Results containing any of the given terms will be returned","search.advanced.any.label":"Any of these words","search.advanced.clear":"Alle entfernen","search.advanced.exact.helptext":"Only results with this exact word or phrase will be returned","search.advanced.exact.label":"This exact word/phrase","search.advanced.none.helptext":"Exclude results with these words","search.advanced.none.label":"None of these words","search.advanced.proximity.distance":"Distance","search.advanced.proximity.helptext":"Search for two terms within a certain distance of each other. For example, return results with the terms \"Bank\" and \"America\" occurring within two words from each other, such as \"Bank of America\", \"Bank in America\", even \"America has a Bank\".","search.advanced.proximity.label":"Terms in proximity to each other","search.advanced.proximity.term":"First term","search.advanced.proximity.term2":"Second term","search.advanced.submit":"Suche","search.advanced.title":"Advanced Search","search.advanced.variants.distance":"Letters different","search.advanced.variants.helptext":"Increase the fuzziness of a search. For example, Wladimir~2 will return not just the term “Wladimir” but also similar spellings such as \"Wladimyr\" or \"Vladimyr\". A spelling variant is defined by the number of spelling mistakes that must be made to get from the original word to the variant.","search.advanced.variants.label":"Spelling variations","search.advanced.variants.term":"Begriff","search.callout_message":"Einige Quellen sind anonymen Nutzern nicht zugänglich. {signInButton} um alle Resultate zu sehen, zu denen sie Zugang haben.","search.callout_message.button_text":"Anmelden","search.columns.configure":"Configure columns","search.columns.configure_placeholder":"Search for a column...","search.config.groups":"Property groups","search.config.properties":"Eigenschaften","search.config.reset":"Reset to default","search.facets.clearDates":"Clear","search.facets.configure":"Configure filters","search.facets.configure_placeholder":"Search for a filter...","search.facets.filtersSelected":"{count} ausgewählt","search.facets.hide":"Hide filters","search.facets.no_items":"Keine Optionen","search.facets.show":"Show filters","search.facets.showMore":"Mehr zeigen...","search.filterTag.ancestors":"in:","search.filterTag.exclude":"nicht:","search.filterTag.role":"Nach Zugriff gefiltert","search.loading":"Loading...","search.no_results_description":"Versuchen sie eine ungenauere Suchanfrage","search.no_results_title":"Keine Suchergebnisse","search.placeholder":"Suche nach Firmen, Personen oder Dokumenten","search.placeholder_default":"Suchen...","search.placeholder_label":"Suche in {label}","search.screen.dates.show-all":"* Showing all date filter options. { button } to view recent dates only.","search.screen.dates.show-hidden":"* Showing only date filter options from {start} to the present. { button } to view dates outside this range.","search.screen.dates.show-hidden.click":"Click here","search.screen.dates_label":"Treffer","search.screen.dates_title":"Zeitleiste","search.screen.dates_uncertain_day":"* this count includes dates where no day is specified","search.screen.dates_uncertain_day_month":"* this count includes dates in {year} where no day or month is specified","search.screen.dates_uncertain_month":"* this count includes dates in {year} where no month is specified","search.screen.export":"Export","search.screen.export_disabled":"Es können nur 10,000 Resultate auf einmal exportiert werden","search.screen.export_disabled_empty":"No results to export.","search.screen.export_helptext":"Export results","search.title":"Search: {title}","search.title_emptyq":"Suche","settings.api_key":"API-Zugangsschlüssel","settings.confirm":"(bestätigen)","settings.current_explain":"Geben sie ihr Passwort an um ein Neues zu setzen.","settings.current_password":"Gegenwärtiges Passwort","settings.email":"E-Mail-Adresse","settings.email.muted":"Tägliche Benachrichtigungen per E-Mail erhalten","settings.email.no_change":"Sie können Ihre E-Mail Adresse nicht ändern.","settings.email.tester":"Ich will neue Funktionen der Software testen bevor sie fertig sind","settings.locale":"Sprache","settings.name":"Name","settings.new_password":"Neues Passwort","settings.password.missmatch":"Passwörter stimmen nicht überein","settings.password.rules":"Mindestens sechs Buchstaben","settings.password.title":"Ändern sie ihr Passwort","settings.save":"Speichern","settings.saved":"Nach meiner Kenntnis tritt das sofort, unverzüglich in Kraft.","settings.title":"Einstellungen","sidebar.open":"Erweitern","signup.activate":"Aktivieren sie ihr Nutzerkonto","signup.inbox.desc":"Wir haben ihnen eine E-Mail geschickt, folgen sie dem enthaltenen Link um die Anmeldung abzuschliessen","signup.inbox.title":"Prüfen sie ihr Postfach","signup.login":"Haben sie schon ein Konto? Zur Anmeldung.","signup.register":"Anmelden","signup.register.question":"Sie haben kein Konto? Anmelden!","signup.title":"Anmelden","sorting.bar.button.label":"Show:","sorting.bar.caption":"Titel","sorting.bar.collection_id":"Datensatz","sorting.bar.count":"Größe","sorting.bar.countries":"Länder","sorting.bar.created_at":"Erzeugungsdatum","sorting.bar.date":"Datum","sorting.bar.dates":"Zeitleiste","sorting.bar.direction":"Richtung:","sorting.bar.endDate":"End date","sorting.bar.label":"Titel","sorting.bar.sort":"Sortieren nach:","sorting.bar.updated_at":"Aktualisierungsdatum","sources.index.empty":"This group is not linked to any datasets or investigations.","sources.index.placeholder":"Search for a dataset or investigation belonging to {group}...","status.no_collection":"Other tasks","tags.results":"Mention count","tags.title":"Begriff","text.loading":"Lade...","timeline.create.button":"New timeline","timeline.create.label_placeholder":"Untitled timeline","timeline.create.login":"You must log in to create a timeline","timeline.create.success":"Your timeline has been created successfully.","timeline.create.summary_placeholder":"A brief description of the timeline","timeline.create.title":"Create a timeline","timeline.selector.create":"Create a new timeline","timeline.selector.select_empty":"No existing timeline","timeline.update.label_placeholder":"Untitled timeline","timeline.update.success":"Your timeline has been updated successfully.","timeline.update.summary_placeholder":"A brief description of the timeline","timeline.update.title":"Timeline settings","timelines":"Timelines","timelines.description":"Timelines are a way to view and organize events chronologically.","timelines.no_timelines":"There are no timelines.","timelines.title":"Timelines","valuelink.tooltip":"{count} Erwähnungen in {appName}","xref.compute":"Errechnen","xref.entity":"Verweis","xref.match":"Möglicher Treffer","xref.match_collection":"Datensatz","xref.recompute":"Neu berechnen","xref.score":"Qualität","xref.sort.default":"Default","xref.sort.label":"Sortieren nach:","xref.sort.random":"Random"},"es":{"alert.manager.description":"Recibirá notificaciones cuando se agregue un nuevo resultado que coincida con cualquiera de las alertas que ha configurado a continuación.","alerts.add_placeholder":"Crear una nuevo monitor de alertas...","alerts.delete":"Remove alert","alerts.heading":"Administre sus alertas","alerts.no_alerts":"No está haciendo monitoreando ninguna búsqueda","alerts.save":"Actualizar","alerts.title":"Alertas de monitoreo","alerts.track":"Monitorear","auth.bad_request":"El servidor no aceptó su entrada","auth.server_error":"Error del servidor","auth.success":"Acierto","auth.unauthorized":"No autorizado","auth.unknown_error":"Ha ocurrido un error inesperado","case.choose.name":"Título","case.choose.summary":"Resumen","case.chose.languages":"Idiomas","case.create.login":"Debe iniciar sesión para subir sus propia serie de datos.","case.description":"Investigations let you upload and share documents and data which belong to a particular story. You can upload PDFs, email archives or spreadsheets, and they will be made easy to search and browse.","case.label_placeholder":"Untitled investigation","case.language_placeholder":"Seleccionar idiomas","case.languages.helper":"Se usa para reconocimiento óptico de texto en alfabetos no latinos.","case.save":"Guardar","case.share.with":"Compartir con","case.summary":"A brief description of the investigation","case.title":"Create an investigation","case.users":"Buscar usuarios","cases.create":"New investigation","cases.empty":"You do not have any investigations yet.","cases.no_results":"No investigations were found matching this query.","cases.placeholder":"Search investigations...","cases.title":"Investigations","clipboard.copy.after":"Successfully copied to clipboard","clipboard.copy.before":"Copiar al portapapeles","collection.addSchema.placeholder":"Agregar nuevo tipo de entidad","collection.analyze.alert.text":"You're about to re-index the entities in {collectionLabel}. This can be helpful if there are inconsistencies in how the data is presented.","collection.analyze.cancel":"Cancelar","collection.cancel.button":"Cancelar","collection.countries":"País","collection.creator":"Administrador","collection.data_updated_at":"Content updated","collection.data_url":"URL de datos","collection.delete.confirm":"I understand the consequences.","collection.delete.confirm.dataset":"Delete this dataset.","collection.delete.confirm.investigation":"Delete this investigation.","collection.delete.question":"Are you sure you want to permanently delete {collectionLabel} and all contained items? This cannot be undone.","collection.delete.success":"Successfully deleted {label}","collection.delete.title.dataset":"Eliminar conjunto de datos","collection.delete.title.investigation":"Delete investigation","collection.edit.access_title":"Control de acceso","collection.edit.cancel_button":"Cancelar","collection.edit.groups":"Grupos","collection.edit.info.analyze":"Reprocesar","collection.edit.info.cancel":"Cancelar","collection.edit.info.category":"Categoría","collection.edit.info.countries":"Países","collection.edit.info.creator":"Administrador","collection.edit.info.data_url":"URL de la fuente de datos","collection.edit.info.delete":"Borrar","collection.edit.info.foreign_id":"Identificación extranjera","collection.edit.info.frequency":"Frecuencia de actualización","collection.edit.info.info_url":"URL de información","collection.edit.info.label":"Etiqueta","collection.edit.info.languages":"Idiomas","collection.edit.info.placeholder_country":"Seleccionar países","collection.edit.info.placeholder_data_url":"Enlace a datos sin procesar en formato descargable","collection.edit.info.placeholder_info_url":"Enlace a más información","collection.edit.info.placeholder_label":"Una etiqueta","collection.edit.info.placeholder_language":"Seleccionar idiomas","collection.edit.info.placeholder_publisher":"Organismo o persona que publica estos datos","collection.edit.info.placeholder_publisher_url":"Enlace a quien publica","collection.edit.info.placeholder_summary":"Un resumen breve","collection.edit.info.publisher":"Editor","collection.edit.info.publisher_url":"URL del editor","collection.edit.info.restricted":"This dataset is restricted and viewers should be warned.","collection.edit.info.save":"Guardar cambios","collection.edit.info.summary":"Resumen","collection.edit.permissions_warning":"Note: User must already have an Aleph account in order to receive access.","collection.edit.permissionstable.edit":"Editar","collection.edit.permissionstable.view":"Vista","collection.edit.save_button":"Guardar cambios","collection.edit.save_success":"Sus cambios han sido guardados.","collection.edit.title":"Configuraciones","collection.edit.users":"Usuarios","collection.foreign_id":"Identificación extranjera","collection.frequency":"Actualizaciones","collection.index.empty":"No datasets were found.","collection.index.filter.all":"Todos","collection.index.filter.mine":"Creado por mi","collection.index.no_results":"No datasets were found matching this query.","collection.index.placeholder":"Buscar conjuntos de datos...","collection.index.title":"Conjuntos de datos","collection.info.access":"Compartir","collection.info.browse":"Documentos","collection.info.delete":"Eliminar conjunto de datos","collection.info.delete_casefile":"Delete investigation","collection.info.diagrams":"Diagramas de red","collection.info.diagrams_description":"Network diagrams let you visualize complex relationships within an investigation.","collection.info.documents":"Documentos","collection.info.edit":"Configuraciones","collection.info.entities":"Entidades","collection.info.lists":"Lists","collection.info.lists_description":"Lists let you organize and group related entities of interest.","collection.info.mappings":"Entity mappings","collection.info.mappings_description":"Entity mappings allow you to bulk generate structured Follow the Money entities (like People, Companies, and the relationships among them) from rows in a spreadsheet or CSV document","collection.info.mentions":"Menciones","collection.info.mentions_description":"Aleph automatically extracts terms that resemble names, address, phone numbers, and email addresses from uploaded documents and entities within your investigation. {br}{br} Click on a mentioned term below to find where it appears in your investigation.","collection.info.overview":"Resumen","collection.info.reindex":"Reindexar todo el contenido","collection.info.reingest":"Reintroducir documentos","collection.info.search":"Buscar","collection.info.source_documents":"Source documents","collection.info.timelines":"Timelines","collection.info.timelines_description":"Timelines are a way to view and organize events chronologically.","collection.info.xref":"Cruce de base de datos","collection.info.xref_description":"Cross-referencing allows you to search the rest of Aleph for entities similar to those contained in your investigation.","collection.info_url":"URL de información","collection.last_updated":"Última actualización {date}","collection.mappings.create":"Create a new entity mapping","collection.mappings.create_docs_link":"For more information, please refer to the {link}","collection.overview.empty":"This dataset is empty.","collection.publisher":"Editor","collection.reconcile":"Conciliación","collection.reconcile.description":"Match your own data against the entities in this collection using the free {openrefine} tool by adding the reconciliation endpoint.","collection.reindex.cancel":"Cancelar","collection.reindex.confirm":"Empezar a indexar","collection.reindex.flush":"Borrar el índice antes de reindexar","collection.reindex.processing":"Se inició el indexado.","collection.reingest.confirm":"Empezar a procesar","collection.reingest.index":"Indexar documentos mientras se procesan.","collection.reingest.processing":"Se inició la reintroducción.","collection.reingest.text":"You're about to re-process all documents in {collectionLabel}. This might take some time.","collection.statistics.showmore":"Mostrar más","collection.status.cancel_button":"Cancelar el proceso","collection.status.collection":"Conjunto de datos","collection.status.finished_tasks":"Terminado","collection.status.jobs":"Trabajos","collection.status.message":"Siga explorando mientras se procesan los datos.","collection.status.no_active":"No hay tareas en proceso","collection.status.pending_tasks":"Pendiente","collection.status.progress":"Tareas","collection.status.title":"Actualización en progreso ({percent}%)","collection.team":"Accesible para","collection.updated_at":"Metadata updated","collection.xref.cancel":"Cancelar","collection.xref.confirm":"Confirmar","collection.xref.empty":"No hay resultados de cruces de bases de datos.","collection.xref.processing":"Se inició el cruce de bases de datos.","collection.xref.text":"You will now cross-reference {collectionLabel} against all other sources. Start this process once and then wait for it to complete.","collection.xref.title":"Cruce de base de datos","dashboard.activity":"Actividad","dashboard.alerts":"Alertas","dashboard.cases":"Investigations","dashboard.diagrams":"Diagramas de red","dashboard.exports":"Exports","dashboard.groups":"Grupos","dashboard.lists":"Lists","dashboard.notifications":"Notificaciones","dashboard.settings":"Configuraciones","dashboard.status":"Estado del sistema","dashboard.subheading":"Verifique el progreso de análisis, carga y procesamiento de datos en curso.","dashboard.timelines":"Timelines","dashboard.title":"Estado del sistema","dashboard.workspace":"Espacio de trabajo","dataset.search.placeholder":"Search this dataset","diagram.create.button":"Nuevo diagrama","diagram.create.label_placeholder":"Diagrama sin título","diagram.create.login":"Debes iniciar sesión para crear un diagrama","diagram.create.success":"Tu diagrama se ha creado correctamente.","diagram.create.summary_placeholder":"Una breve descripción del diagrama","diagram.create.title":"Create a diagram","diagram.embed.error":"Error generating diagram embed","diagram.export.embed.description":"Generate an embeddable interactive version of the diagram that can be used in an article. The embed will not reflect future changes in the diagram.","diagram.export.error":"Error exporting diagram","diagram.export.ftm":"Export as .ftm","diagram.export.ftm.description":"Download the diagram as a data file that can be used in {link} or another Aleph site.","diagram.export.ftm.link":"Aleph Data Desktop","diagram.export.iframe":"Embed iframe","diagram.export.svg":"Export as SVG","diagram.export.svg.description":"Download a vector graphic with the contents of the diagram.","diagram.export.title":"Export options","diagram.import.button":"Importar diagrama","diagram.import.placeholder":"Drop a .ftm or .vis file here or click to import an existing diagram","diagram.import.title":"Importar un diagrama de una red","diagram.render.error":"Error rendering diagram","diagram.selector.create":"Crear un diagrama nuevo","diagram.selector.select_empty":"No existing diagram","diagram.update.label_placeholder":"Diagrama sin título","diagram.update.success":"Your diagram has been updated successfully.","diagram.update.summary_placeholder":"Una breve descripción del diagrama","diagram.update.title":"Configuración de diagrama","diagrams":"Diagramas","diagrams.description":"Network diagrams let you visualize complex relationships within an investigation.","diagrams.no_diagrams":"No hay diagramas de una red.","diagrams.title":"Diagramas de una red","document.download":"Descargar","document.download.cancel":"Cancelar","document.download.confirm":"Descargar","document.download.dont_warn":"Don't warn me in the future when downloading source documents","document.download.tooltip":"Descargar el documento original","document.download.warning":"You’re about to download a source file. {br}{br} Source files can contain viruses and code that notify the originator when you open them. {br}{br} For sensitive data, we recommend only opening source files on a computer that is permanently disconnected from the internet.","document.folder.error":"Se produjo un error al crear la carpeta.","document.folder.new":"Nueva carpeta","document.folder.save":"Crear","document.folder.title":"Nueva carpeta","document.folder.untitled":"Título de carpeta","document.mapping.start":"Generar entidades","document.paging":"Página {pageInput} de {numberOfPages}","document.pdf.search.page":"Página {page}","document.report_problem":"Report a problem","document.report_problem.text":"You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.","document.report_problem.title":"Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?","document.search.no_match":"Ninguna página de este documento coincide con todos los términos de su búsqueda.","document.upload.button":"Subir","document.upload.cancel":"Cancelar","document.upload.close":"Close","document.upload.errors":"Some files couldn't be transferred. You can use the Retry button to restart all failed uploads.","document.upload.files":"Elija los archivos a cargar...","document.upload.folder":"Si prefiere subir carpetas, { button }.","document.upload.folder-toggle":"Haga clic aquí","document.upload.info":"If you need to upload a large amount of files (100+) consider {link}.","document.upload.notice":"The upload is complete. It will take a few moments for the documents to be processed and become searchable.","document.upload.progress":"{done} of {total} files done, {errors} errors.","document.upload.rejected":"{fileName} is missing a file type, so it cannot be uploaded.","document.upload.retry":"Retry","document.upload.save":"Subir","document.upload.summary":"{numberOfFiles, number} files, {totalSize}","document.upload.title":"Upload documents","document.upload.title_in_folder":"Upload documents to {folder}","document.viewer.ignored_file":"El sistema no trabaja con este tipo de archivos. Por favor, descárguelo para poder visualizarlo.","document.viewer.no_viewer":"La vista previa para este documento no está disponible","email.body.empty":"Sin cuerpo de mensaje.","entity.delete.cancel":"Cancelar","entity.delete.confirm":"Borrar","entity.delete.error":"Ocurrió un error al intentar eliminar esta entidad.","entity.delete.progress":"Eliminando...","entity.delete.question.multiple":"Are you sure you want to delete the following {count, plural, one {item} other {items}}?","entity.delete.success":"Se eliminó correctamente","entity.document.manager.cannot_map":"Seleccione un documento de tabla para generar entidades estructuradas","entity.document.manager.empty":"No hay archivos ni directorios","entity.document.manager.emptyCanUpload":"No hay archivos ni directorios. Arrastre y suelte archivos aquí o haga clic para subirlos.","entity.document.manager.search_placeholder":"Buscar documentos","entity.document.manager.search_placeholder_document":"Buscar en {label}","entity.info.attachments":"Anexos","entity.info.documents":"Documentos","entity.info.info":"Información","entity.info.last_view":"Last viewed {time}","entity.info.similar":"Similar","entity.info.tags":"Menciones","entity.info.text":"Texto","entity.info.view":"Vista","entity.info.workbook_warning":"This sheet is part of workbook {link}","entity.manager.bulk_import.description.1":"Seleccione una tabla de abajo desde la cual importar nuevas entidades de {schema}.","entity.manager.bulk_import.description.2":"Al seleccionar, se te pedirá que asignes columnas de esa tabla a las propiedades de las entidades generadas.","entity.manager.bulk_import.description.3":"¿No puedes ver la tabla que estás buscando? {link}","entity.manager.bulk_import.link_text":"Upload a new table document","entity.manager.bulk_import.no_results":"No se encontraron documentos que coincidan","entity.manager.bulk_import.placeholder":"Seleccionar un documento de tabla","entity.manager.delete":"Borrar","entity.manager.edge_create_success":"Se enlazó exitosamente {source} y {target}","entity.manager.entity_set_add_success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entity.manager.remove":"Eliminar","entity.manager.search_empty":"No se encontraron {schema} que coincidan","entity.manager.search_placeholder":"Buscar {schema}","entity.mapping.view":"Generar entidades","entity.properties.missing":"desconocido","entity.references.no_relationships":"Esta entidad no tiene ninguna relación.","entity.references.no_results":"No {schema} match this search.","entity.references.no_results_default":"No entities match this search.","entity.references.search.placeholder":"Search in {schema}","entity.references.search.placeholder_default":"Search entities","entity.remove.confirm":"Eliminar","entity.remove.error":"An error occured while attempting to remove this entity.","entity.remove.progress":"Removing...","entity.remove.question.multiple":"Are you sure you want to remove the following {count, plural, one {item} other {items}}?","entity.remove.success":"Successfully removed","entity.search.empty_title":"Esta carpeta está vacía","entity.search.no_results_description":"Intente haciendo su búsqueda más general","entity.search.no_results_title":"Sin resultados de búsqueda","entity.similar.empty":"No hay entidades similares.","entity.similar.entity":"Similar entity","entity.similar.found_text":"Found {resultCount} {resultCount, plural, one {similar entity} other {similar entities}} from {datasetCount} {datasetCount, plural, one {dataset} other {datasets}}","entity.tags.no_tags":"No se extrajeron selectores de esta entidad.","entity.viewer.add_link":"Crear enlace","entity.viewer.add_to":"Add to...","entity.viewer.bulk_import":"Importación en bloque","entity.viewer.search_placeholder":"Buscar en {label}","entitySet.last_updated":"Actualizado {date}","entityset.choose.name":"Título","entityset.choose.summary":"Resumen","entityset.create.collection":"Investigation","entityset.create.collection.existing":"Select an investigation","entityset.create.collection.new":"Don't see the investigation you're looking for? {link}","entityset.create.collection.new_link":"Create a new investigation","entityset.create.submit":"Crear","entityset.delete.confirm":"I understand the consequences.","entityset.delete.confirm.diagram":"Delete this network diagram.","entityset.delete.confirm.list":"Delete this list.","entityset.delete.confirm.profile":"Delete this profile.","entityset.delete.confirm.timeline":"Delete this timeline.","entityset.delete.question":"Are you sure you want to permanently delete {label}? This cannot be undone.","entityset.delete.success":"Successfully deleted {title}","entityset.delete.title.diagram":"Delete network diagram","entityset.delete.title.list":"Delete list","entityset.delete.title.profile":"Delete profile","entityset.delete.title.timeline":"Delete timeline","entityset.info.delete":"Borrar","entityset.info.edit":"Configuraciones","entityset.info.export":"Exportar","entityset.info.exportAsSvg":"Export as SVG","entityset.selector.placeholder":"Search existing","entityset.selector.success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entityset.selector.success_toast_button":"Vista","entityset.selector.title":"Add {firstCaption} {titleSecondary} to...","entityset.selector.title_default":"Add entities to...","entityset.selector.title_other":"and {count} other {count, plural, one {entity} other {entities}}","entityset.update.submit":"Guardar cambios","error.screen.not_found":"No se encontró la página solicitada.","export.dialog.text":"Initiate your export. {br}{br} Exports take some time to generate. You will receive an email once the data is ready. {br}{br} Please trigger this export only once.","exports.dialog.cancel":"Cancelar","exports.dialog.confirm":"Exportar","exports.dialog.dashboard_link":"View progress","exports.dialog.success":"Your export has begun.","exports.expiration":"Expiration","exports.manager.description":"Below is a list of your exports. Make sure to download them before they expire.","exports.name":"Nombre","exports.no_exports":"You have no exports to download","exports.size":"Tamaño","exports.status":"Status","exports.title":"Exports ready for download","facet.addresses":"{count, plural, one {Address} many {Direcciones} other {Direcciones}}","facet.caption":"Nombre","facet.category":"{count, plural, one {Category} many {Categorías} other {Categorías}}","facet.collection_id":"Conjunto de datos","facet.countries":"{count, plural, one {Country} many {Países} other {Países}}","facet.dates":"{count, plural, one {Date} other {Dates}}","facet.emails":"{count, plural, one {E-Mail} many {Correos electrónicos} other {Correos electrónicos}}","facet.ibans":"{count, plural, one {IBAN} many {IBANs} other {IBANs}}","facet.languages":"{count, plural, one {Language} many {Idiomas} other {Idiomas}}","facet.mimetypes":"{count, plural, one {File type} many {Tipos de archivo} other {Tipos de archivo}}","facet.names":"{count, plural, one {Name} many {Nombres} other {Nombres}}","facet.phones":"{count, plural, one {Phone number} many {Números de teléfono} other {Números de teléfono}}","facet.schema":"Entity type","file_import.error":"Error al importar archivo","footer.aleph":"Aleph {versión}","footer.ftm":"FollowTheMoney {version}","group.page.description":"The list below shows all datasets and investigations that belong to this group.","group.page.search.description":"If you would like to search for specific entities or documents within the datasets that this group has access to, click here instead.","home.access_disabled":"Public access temporarily disabled","home.counts.countries":"Countries & territories","home.counts.datasets":"Public datasets","home.counts.entities":"Public entities","home.placeholder":"Intente buscando: {samples}","home.statistics.categories":"Dataset categories","home.statistics.countries":"Countries and territories","home.statistics.schemata":"Entity types","home.stats.title":"Get started exploring public data","home.title":"Buscar registros públicos y filtraciones","hotkeys.judgement.different":"Decide different","hotkeys.judgement.group_label":"Entity decisions","hotkeys.judgement.next":"Select next result","hotkeys.judgement.previous":"Select previous result","hotkeys.judgement.same":"Decide same","hotkeys.judgement.unsure":"Decide not enough information","hotkeys.search.different":"Preview previous result","hotkeys.search.group_label":"Search preview","hotkeys.search.unsure":"Preview next result","hotkeys.search_focus":"Buscar","infoMode.collection_casefile":"Investigation","infoMode.collection_dataset":"Conjunto de datos","infoMode.createdAt":"Created at","infoMode.creator":"Created by","infoMode.updatedAt":"Última actualización","investigation.mentions.empty":"There are no mentions yet in this investigation.","investigation.overview.guides":"Read more","investigation.overview.guides.access":"Managing access","investigation.overview.guides.diagrams":"Drawing network diagrams","investigation.overview.guides.documents":"Uploading documents","investigation.overview.guides.entities":"Creating & editing entities","investigation.overview.guides.mappings":"Generating entities from a spreadsheet","investigation.overview.guides.xref":"Cross-referencing your data","investigation.overview.notifications":"Recent activity","investigation.overview.shortcuts":"Quick links","investigation.overview.shortcuts_empty":"Getting started","investigation.search.placeholder":"Search this investigation","investigation.shortcut.diagram":"Sketch a network diagram","investigation.shortcut.entities":"Create new entities","investigation.shortcut.entity_create_error":"Unable to create entity","investigation.shortcut.entity_create_success":"Successfully created {name}","investigation.shortcut.upload":"Upload documents","investigation.shortcut.xref":"Compare with other datasets","judgement.disabled":"You must have edit access in order to make judgements.","judgement.negative":"Different","judgement.positive":"Same","judgement.unsure":"Not enough information","landing.shortcut.alert":"Create a search alert","landing.shortcut.datasets":"Browse datasets","landing.shortcut.investigation":"Start an investigation","landing.shortcut.search":"Search entities","list.create.button":"New list","list.create.label_placeholder":"Untitled list","list.create.login":"You must log in to create a list","list.create.success":"Your list has been created successfully.","list.create.summary_placeholder":"A brief description of the list","list.create.title":"Create a list","list.selector.create":"Create a new list","list.selector.select_empty":"No existing list","list.update.label_placeholder":"Untitled list","list.update.success":"Your list has been updated successfully.","list.update.summary_placeholder":"A brief description of the list","list.update.title":"List settings","lists":"Lists","lists.description":"Lists let you organize and group related entities of interest.","lists.no_lists":"There are no lists.","lists.title":"Lists","login.oauth":"Iniciar sesión vía OAuth","mapping.actions.create":"Generar entidades","mapping.actions.create.toast":"Generando entidades...","mapping.actions.delete":"Borrar","mapping.actions.delete.toast":"Eliminando mapeo y entidades generadas...","mapping.actions.export":"Exportar mapeo","mapping.actions.flush":"Eliminar entidades generadas","mapping.actions.flush.toast":"Eliminando entidades generadas","mapping.actions.save":"Guardar cambios","mapping.actions.save.toast":"Regenerando entidades","mapping.create.cancel":"Cancelar","mapping.create.confirm":"Generar","mapping.create.question":"¿Seguro desea generar entidades usando este mapeo?","mapping.delete.cancel":"Cancelar","mapping.delete.confirm":"Borrar","mapping.delete.question":"¿Seguro desea eliminar este mapeo y todas las entidades generadas?","mapping.docs.link":"Aleph entity mapping documentation","mapping.entityAssign.helpText":"Debe crear un objeto de tipo \"{range}\" para que sea la {property}","mapping.entityAssign.noResults":"No hay objetos disponibles que coincidan","mapping.entityAssign.placeholder":"Seleccionar un objeto","mapping.entity_set_select":"Select a List or Diagram","mapping.entityset.remove":"Eliminar","mapping.error.keyMissing":"Error de clave: {id} la entidad debe tener al menos una clave","mapping.error.relationshipMissing":"Error de relación: {id} entidad debe tener una {source} y {target} asignadas","mapping.flush.cancel":"Cancelar","mapping.flush.confirm":"Eliminar","mapping.flush.question":"¿Seguro desea eliminar las entidades generadas usando este mapeo?","mapping.import.button":"Importar mapeo existente","mapping.import.placeholder":"Coloque un archivo .yml aquí para importar un mapeo existente","mapping.import.querySelect":"Seleccione una consulta de mapeo de este archivo para importar:","mapping.import.submit":"Enviar","mapping.import.success":"Su mapeo se ha importado correctamente.","mapping.import.title":"Exportar un mapeo","mapping.info":"Follow the steps below to map items in this investigation to structured Follow the Money entites. For more information, please refer to the {link}","mapping.info.link":"Documentación de mapeo de datos de Aleph","mapping.keyAssign.additionalHelpText":"The best keys are columns from your data that contain id numbers, phone numbers, email addresses, or other uniquely identifying information. If no columns with unique values exist, select multiple columns to allow Aleph to generate unique entities correctly from your data.","mapping.keyAssign.additionalHelpToggle.less":"Menos","mapping.keyAssign.additionalHelpToggle.more":"Más información sobre las claves","mapping.keyAssign.helpText":"Especifique qué columnas de los datos fuente se usarán para identificar entidades únicas.","mapping.keyAssign.noResults":"No hay resultados","mapping.keyAssign.placeholder":"Seleccione claves de columnas disponibles","mapping.keys":"Claves","mapping.propAssign.errorBlank":"Las columnas sin encabezado no se pueden asignar","mapping.propAssign.errorDuplicate":"Las columnas con encabezados duplicados no se pueden asignar","mapping.propAssign.literalButtonText":"Agregar un valor fijo","mapping.propAssign.literalPlaceholder":"Agregar texto de valor fijo","mapping.propAssign.other":"Otro","mapping.propAssign.placeholder":"Asignar una propiedad","mapping.propRemove":"Eliminar esta propiedad de la asignación","mapping.props":"Propiedades","mapping.save.cancel":"Cancelar","mapping.save.confirm":"Actualizar mapeo y regenerar","mapping.save.question":"Al actualizar este mapeo se eliminará cualquier entidad generada anteriormente y se regenerarán. ¿Seguro desea continuar?","mapping.section1.title":"1. Seleccione los tipos de entidad a generar","mapping.section2.title":"2. Mapee las columnas con propiedades de entidad","mapping.section3.title":"3. Verifique","mapping.section4.description":"Generated entities will be added to {collection} by default. If you would like to additionally add them to a list or diagram within the investigation, please click below and select from the available options.","mapping.section4.title":"4. Select a destination for generated entities (optional)","mapping.status.error":"Error:","mapping.status.status":"Estado:","mapping.status.updated":"Última actualización:","mapping.title":"Generar entidades estructuradas","mapping.types.objects":"Objetos","mapping.types.relationships":"Relaciones","mapping.warning.empty":"You must create at least one entity","mappings.no_mappings":"You have not generated any mappings yet","messages.banner.dismiss":"Dismiss","nav.alerts":"Alertas","nav.bookmarks":"Bookmarks","nav.cases":"Investigations","nav.collections":"Conjuntos de datos","nav.diagrams":"Diagramas de red","nav.exports":"Exports","nav.lists":"Lists","nav.menu.cases":"Investigations","nav.settings":"Configuraciones","nav.signin":"Iniciar sesión","nav.signout":"Cerrar sesión","nav.status":"Estado del sistema","nav.timelines":"Timelines","nav.view_notifications":"Notificaciones","navbar.alert_add":"Haga clic para recibir alertas sobre nuevos resultados para esta búsqueda.","navbar.alert_remove":"Está recibiendo alertas sobre esta búsqueda.","notification.description":"View the latest updates to datasets, investigations, groups and tracking alerts you follow.","notifications.greeting":"¿Qué hay de nuevo, {role}?","notifications.no_notifications":"No tiene notificaciones sin leer","notifications.title":"Notificaciones recientes","notifications.type_filter.all":"Todos","pages.not.found":"Página no encontrada","pass.auth.not_same":"¡Sus contraseñas no coinciden!","password_auth.activate":"Activar","password_auth.confirm":"Confirmar contraseña","password_auth.email":"Dirección de correo electrónico","password_auth.name":"Su nombre","password_auth.password":"Contraseña","password_auth.signin":"Iniciar sesión","password_auth.signup":"Registrarse","profile.callout.details":"This profile aggregates attributes and relationships from {count} entities across different datasets.","profile.callout.intro":"You're viewing {entity} as a profile.","profile.callout.link":"View the original entity","profile.delete.warning":"Deleting this profile will not delete any of the entities or entity decisions contained within it.","profile.hint":"{entity} has been combined with entities from other datasets into a profile","profile.info.header":"Profile","profile.info.items":"Entity decisions","profile.info.similar":"Suggested","profile.items.entity":"Combined entities","profile.items.explanation":"Make decisions below to determine which source entities should be added or excluded from this profile.","profile.similar.no_results":"No suggested additions for this profile were found.","profileinfo.api_desc":"Use la clave API para leer y escribir datos a través de aplicaciones remotas.","queryFilters.clearAll":"Borrar todo","queryFilters.showHidden":"Show {count} more filters...","refresh.callout_message":"Los documentos se están procesando. Por favor, espere...","restricted.explain":"El uso de este conjunto de datos está restringido. Lea la descripción y contacte a {creator} antes de usar este material.","restricted.explain.creator":"el dueño del conjunto de datos","restricted.tag":"RESTRINGIDO","result.error":"Error","result.more_results":"Más de {total} resultados","result.none":"No se encontraron resultados","result.results":"Se encontraron {total} resultados","result.searching":"Buscando...","result.solo":"Se encontró un resultado","role.select.user":"Elija un usuario","schemaSelect.button.relationship":"Agregue una nueva relación","schemaSelect.button.thing":"Agregar un objeto nuevo","screen.load_more":"Load more","search.advanced.all.helptext":"Only results containing all of the given terms will be returned","search.advanced.all.label":"All of these words (Default)","search.advanced.any.helptext":"Results containing any of the given terms will be returned","search.advanced.any.label":"Any of these words","search.advanced.clear":"Borrar todo","search.advanced.exact.helptext":"Only results with this exact word or phrase will be returned","search.advanced.exact.label":"This exact word/phrase","search.advanced.none.helptext":"Exclude results with these words","search.advanced.none.label":"None of these words","search.advanced.proximity.distance":"Distance","search.advanced.proximity.helptext":"Search for two terms within a certain distance of each other. For example, return results with the terms \"Bank\" and \"America\" occurring within two words from each other, such as \"Bank of America\", \"Bank in America\", even \"America has a Bank\".","search.advanced.proximity.label":"Terms in proximity to each other","search.advanced.proximity.term":"First term","search.advanced.proximity.term2":"Second term","search.advanced.submit":"Buscar","search.advanced.title":"Advanced Search","search.advanced.variants.distance":"Letters different","search.advanced.variants.helptext":"Increase the fuzziness of a search. For example, Wladimir~2 will return not just the term “Wladimir” but also similar spellings such as \"Wladimyr\" or \"Vladimyr\". A spelling variant is defined by the number of spelling mistakes that must be made to get from the original word to the variant.","search.advanced.variants.label":"Spelling variations","search.advanced.variants.term":"Term","search.callout_message":"Algunas fuentes permanecen ocultad para los usuarios anónimos. {signInButton} para ver todos los resultados a los que puede acceder.","search.callout_message.button_text":"Iniciar sesión","search.columns.configure":"Configure columns","search.columns.configure_placeholder":"Search for a column...","search.config.groups":"Property groups","search.config.properties":"Propiedades","search.config.reset":"Reset to default","search.facets.clearDates":"Clear","search.facets.configure":"Configure filters","search.facets.configure_placeholder":"Search for a filter...","search.facets.filtersSelected":"{count} seleccionado","search.facets.hide":"Hide filters","search.facets.no_items":"Sin opciones","search.facets.show":"Show filters","search.facets.showMore":"Mostrar más...","search.filterTag.ancestors":"en:","search.filterTag.exclude":"no:","search.filterTag.role":"Filtrar por acceso","search.loading":"Loading...","search.no_results_description":"Intente volver su búsqueda más general","search.no_results_title":"Sin resultados de búsqueda","search.placeholder":"Buscar empresas, personas y documentos","search.placeholder_default":"Buscar...","search.placeholder_label":"Buscar en {label}","search.screen.dates.show-all":"* Showing all date filter options. { button } to view recent dates only.","search.screen.dates.show-hidden":"* Showing only date filter options from {start} to the present. { button } to view dates outside this range.","search.screen.dates.show-hidden.click":"Click here","search.screen.dates_label":"resultados","search.screen.dates_title":"Fechas","search.screen.dates_uncertain_day":"* this count includes dates where no day is specified","search.screen.dates_uncertain_day_month":"* this count includes dates in {year} where no day or month is specified","search.screen.dates_uncertain_month":"* this count includes dates in {year} where no month is specified","search.screen.export":"Exportar","search.screen.export_disabled":"No se pueden exportar más de 10.000 resultados a la vez","search.screen.export_disabled_empty":"No results to export.","search.screen.export_helptext":"Export results","search.title":"Search: {title}","search.title_emptyq":"Buscar","settings.api_key":"Clave de acceso secreto a la API","settings.confirm":"(confirmar)","settings.current_explain":"Introduzca su contraseña actual para crear una nueva.","settings.current_password":"Contraseña actual","settings.email":"Direcciones de correo electrónico","settings.email.muted":"Recibir notificaciones diarias por correo electrónico","settings.email.no_change":"Su dirección de correo electrónico no puede ser modificada","settings.email.tester":"Pruebe las nuevas funciones antes de que estén terminadas","settings.locale":"Idioma","settings.name":"Nombre","settings.new_password":"Nueva contraseña","settings.password.missmatch":"Las contraseñas no coinciden","settings.password.rules":"Use al menos seis caracteres","settings.password.title":"Cambie su contraseña","settings.save":"Actualizar","settings.saved":"Es oficial, su perfil se actualizó.","settings.title":"Configuraciones","sidebar.open":"Expandir","signup.activate":"Activar su cuenta","signup.inbox.desc":"Le enviaremos un correo electrónico, por favor ingrese al enlace para completar su registro","signup.inbox.title":"Revise su bandeja de entrada","signup.login":"¿Ya posee una cuenta? ¡Ingrese!","signup.register":"Registro","signup.register.question":"¿No tiene cuenta? ¡Regístrese!","signup.title":"Iniciar sesión","sorting.bar.button.label":"Mostrar:","sorting.bar.caption":"Título","sorting.bar.collection_id":"Conjunto de datos","sorting.bar.count":"Tamaño","sorting.bar.countries":"Países","sorting.bar.created_at":"Fecha de creación","sorting.bar.date":"Fecha","sorting.bar.dates":"Fechas","sorting.bar.direction":"Dirección:","sorting.bar.endDate":"End date","sorting.bar.label":"Título","sorting.bar.sort":"Ordenar por:","sorting.bar.updated_at":"Fecha de actualización","sources.index.empty":"This group is not linked to any datasets or investigations.","sources.index.placeholder":"Search for a dataset or investigation belonging to {group}...","status.no_collection":"Other tasks","tags.results":"Mention count","tags.title":"Term","text.loading":"Cargando...","timeline.create.button":"New timeline","timeline.create.label_placeholder":"Untitled timeline","timeline.create.login":"You must log in to create a timeline","timeline.create.success":"Your timeline has been created successfully.","timeline.create.summary_placeholder":"A brief description of the timeline","timeline.create.title":"Create a timeline","timeline.selector.create":"Create a new timeline","timeline.selector.select_empty":"No existing timeline","timeline.update.label_placeholder":"Untitled timeline","timeline.update.success":"Your timeline has been updated successfully.","timeline.update.summary_placeholder":"A brief description of the timeline","timeline.update.title":"Timeline settings","timelines":"Timelines","timelines.description":"Timelines are a way to view and organize events chronologically.","timelines.no_timelines":"There are no timelines.","timelines.title":"Timelines","valuelink.tooltip":"{count} menciones en {appName}","xref.compute":"Computar","xref.entity":"Referencia","xref.match":"Posible coincidencia","xref.match_collection":"Conjunto de datos","xref.recompute":"Recomputar","xref.score":"Puntuación","xref.sort.default":"Default","xref.sort.label":"Ordenar por:","xref.sort.random":"Random"},"fr":{"alert.manager.description":"Vous recevrez des notifications en cas d’ajout d’un nouveau résultat correspondant à l’une des alertes créées ci-dessous.","alerts.add_placeholder":"Créer une nouvelle alerte de suivi...","alerts.delete":"Retirer une alerte","alerts.heading":"Gérer vos alertes","alerts.no_alerts":"Vous ne suivez aucune recherche","alerts.save":"Actualiser","alerts.title":"Alertes de suivi","alerts.track":"Suivre","auth.bad_request":"Le serveur n’a pas accepté votre saisie","auth.server_error":"Erreur de serveur","auth.success":"Réussi","auth.unauthorized":"Pas autorisé","auth.unknown_error":"Une erreur inattendue s’est produite","case.choose.name":"Titre","case.choose.summary":"Résumé","case.chose.languages":"Langues","case.create.login":"Vous devez vous connecter pour envoyer vos propres données.","case.description":"Les enquêtes vous permettent d’envoyer et de partager des documents et des données qui portent sur une histoire spécifique. Vous pouvez envoyer des PDF, des fichiers d’e-mails ou des feuilles de calcul, sur lesquels la recherche et la navigation seront simplifiées.","case.label_placeholder":"Enquête sans nom","case.language_placeholder":"Choisir les langues","case.languages.helper":"Utilisé pour la reconnaissance optique de caractère pour les alphabets non latins","case.save":"Enregistrer","case.share.with":"Partager avec","case.summary":"Une brève description de l’enquête","case.title":"Créer une enquête","case.users":"Rechercher des utilisateurs","cases.create":"Nouvelle enquête","cases.empty":"Vous n’avez pas encore d’enquête.","cases.no_results":"Aucune enquête correspondant à votre demande n’a été trouvée.","cases.placeholder":"Rechercher des enquêtes...","cases.title":"Enquêtes","clipboard.copy.after":"Copié avec succès dans le presse-papier","clipboard.copy.before":"Copier dans le presse-papier","collection.addSchema.placeholder":"Ajouter un nouveau type d’entité","collection.analyze.alert.text":"Vous êtes sur le point de réindexer les entités dans {collectionLabel}. Cela peut être utile en cas d’incohérences dans la manière de présenter les données.","collection.analyze.cancel":"Annuler","collection.cancel.button":"Annuler","collection.countries":"Pays","collection.creator":"Directeur","collection.data_updated_at":"Contenu actualisé","collection.data_url":"URL des données","collection.delete.confirm":"I understand the consequences.","collection.delete.confirm.dataset":"Delete this dataset.","collection.delete.confirm.investigation":"Delete this investigation.","collection.delete.question":"Are you sure you want to permanently delete {collectionLabel} and all contained items? This cannot be undone.","collection.delete.success":"Successfully deleted {label}","collection.delete.title.dataset":"Supprimer l’ensemble de données","collection.delete.title.investigation":"Supprimer l’enquête","collection.edit.access_title":"Contrôle d’accès","collection.edit.cancel_button":"Annuler","collection.edit.groups":"Groupes","collection.edit.info.analyze":"Retraiter","collection.edit.info.cancel":"Annuler","collection.edit.info.category":"Catégorie","collection.edit.info.countries":"Pays","collection.edit.info.creator":"Directeur","collection.edit.info.data_url":"URL de la source de données","collection.edit.info.delete":"Supprimer","collection.edit.info.foreign_id":"Identification extérieure","collection.edit.info.frequency":"Actualiser la fréquence","collection.edit.info.info_url":"URL des informations","collection.edit.info.label":"Étiquette","collection.edit.info.languages":"Langues","collection.edit.info.placeholder_country":"Sélectionner des pays","collection.edit.info.placeholder_data_url":"Lien vers les données brutes dans un format téléchargeable","collection.edit.info.placeholder_info_url":"Lien vers des informations supplémentaires","collection.edit.info.placeholder_label":"Une étiquette","collection.edit.info.placeholder_language":"Choisir les langues","collection.edit.info.placeholder_publisher":"Organisation ou personne qui publie ces données","collection.edit.info.placeholder_publisher_url":"Lien vers l’organisation/personne à l’origine de la publication","collection.edit.info.placeholder_summary":"Un bref résumé","collection.edit.info.publisher":"Organisation/personne à l’origine de la publication","collection.edit.info.publisher_url":"URL de l’organisation/personne à l’origine de la publication","collection.edit.info.restricted":"Cet ensemble de données est réservé et les personnes qui le consultent doivent en être averties.","collection.edit.info.save":"Enregistrer les changements","collection.edit.info.summary":"Résumé","collection.edit.permissions_warning":"Remarque : l’utilisateur doit déjà disposer d’un compte Aleph pour obtenir l’accès.","collection.edit.permissionstable.edit":"Modifier","collection.edit.permissionstable.view":"Voir","collection.edit.save_button":"Enregistrer les changements","collection.edit.save_success":"Vos changements ont été enregistrés.","collection.edit.title":"Paramètres","collection.edit.users":"Utilisateurs","collection.foreign_id":"Identification extérieure","collection.frequency":"Actualisations","collection.index.empty":"Aucun ensemble de données trouvé.","collection.index.filter.all":"Tout","collection.index.filter.mine":"Créés par moi","collection.index.no_results":"Aucun ensemble de données correspondant à votre demande n’a été trouvé.","collection.index.placeholder":"Rechercher les ensembles de données...","collection.index.title":"Ensembles de données","collection.info.access":"Partager","collection.info.browse":"Documents","collection.info.delete":"Supprimer l’ensemble de données","collection.info.delete_casefile":"Supprimer l’enquête","collection.info.diagrams":"Diagrammes de réseau","collection.info.diagrams_description":"Les diagrammes de réseau vous permettent de visualiser des relations complètes dans une enquête.","collection.info.documents":"Documents","collection.info.edit":"Paramètres","collection.info.entities":"Entités","collection.info.lists":"Listes","collection.info.lists_description":"Les listes vous permettent d’organiser et de regrouper des entités d’intérêt.","collection.info.mappings":"Cartographies d’entités","collection.info.mappings_description":"Les cartographies d’entités vous permettent de générer en une fois des entités structurées pour suivre l’argent (comme des personnes, des entreprises et les relations entre elles) à partir des lignes d’une feuille de calcul ou d’un document au format CSV","collection.info.mentions":"Mentions","collection.info.mentions_description":"Aleph extrait automatiquement les termes qui ressemblent à des noms, des adresses, des numéros de téléphone et des adresses e-mail à partir des documents et des entités envoyés dans votre enquête. {br}{br} Cliquez sur un terme mentionné ci-dessous pour savoir où il apparaît dans votre enquête.","collection.info.overview":"Vue d’ensemble","collection.info.reindex":"Réindexer tout le contenu","collection.info.reingest":"Retraiter les documents","collection.info.search":"Rechercher","collection.info.source_documents":"Documents sources","collection.info.timelines":"Calendriers","collection.info.timelines_description":"Les calendriers sont un moyen d’afficher et d’organiser des événements de façon chronologique.","collection.info.xref":"Références croisées","collection.info.xref_description":"Les références croisées vous permettent de rechercher dans le reste d’Aleph des entités similaires à celles qui figurent dans votre enquête.","collection.info_url":"URL des informations","collection.last_updated":"Dernière actualisation le {date}","collection.mappings.create":"Créer une nouvelle cartographie d’entités","collection.mappings.create_docs_link":"Pour plus d’informations, veuillez consulter la page {link}","collection.overview.empty":"Cet ensemble de données est vide.","collection.publisher":"Organisation/personne à l’origine de la publication","collection.reconcile":"Réconciliation","collection.reconcile.description":"Faites correspondre vos propres données avec les entités de cet ensemble à l’aide de l’outil gratuit {openrefine} en ajoutant un critère de réconciliation.","collection.reindex.cancel":"Annuler","collection.reindex.confirm":"Commencer l’indexation","collection.reindex.flush":"Vider l’index avant de réindexer","collection.reindex.processing":"Indexation commencée.","collection.reingest.confirm":"Commencer le traitement","collection.reingest.index":"Indexer les documents pendant leur traitement.","collection.reingest.processing":"Retraitement commencé.","collection.reingest.text":"Vous êtes sur le point de retraiter tous les documents dans {collectionLabel}. Cette opération peut durer un certain temps.","collection.statistics.showmore":"Afficher plus","collection.status.cancel_button":"Annuler le processus","collection.status.collection":"Ensemble de données","collection.status.finished_tasks":"Terminé","collection.status.jobs":"Travaux","collection.status.message":"Poursuivez votre navigation pendant le traitement des données.","collection.status.no_active":"Il n’y a aucune tâche en cours","collection.status.pending_tasks":"En attente","collection.status.progress":"Tâches","collection.status.title":"Actualisation en cours ({percent} %)","collection.team":"Accessible à","collection.updated_at":"Métadonnées actualisées","collection.xref.cancel":"Annuler","collection.xref.confirm":"Confirmer","collection.xref.empty":"Aucun résultat de références croisées.","collection.xref.processing":"Référencement croisé commencé.","collection.xref.text":"Vous allez maintenant rechercher les références croisées de {collectionLabel} avec toutes les autres sources. Veuillez lancer ce processus une fois puis attendre qu’il soit terminé.","collection.xref.title":"Références croisées","dashboard.activity":"Activité","dashboard.alerts":"Alertes","dashboard.cases":"Enquêtes","dashboard.diagrams":"Diagrammes de réseau","dashboard.exports":"Exports","dashboard.groups":"Groupes","dashboard.lists":"Listes","dashboard.notifications":"Notifications","dashboard.settings":"Paramètres","dashboard.status":"État du système","dashboard.subheading":"Consulter l’avancement des tâches d’analyse, d’envoi et de traitement des données en cours.","dashboard.timelines":"Calendriers","dashboard.title":"État du système","dashboard.workspace":"Espace de travail","dataset.search.placeholder":"Rechercher cet ensemble de données","diagram.create.button":"Nouveau diagramme","diagram.create.label_placeholder":"Diagramme sans nom","diagram.create.login":"Vous devez vous connecter pour créer un diagramme","diagram.create.success":"Votre diagramme a été créé avec succès.","diagram.create.summary_placeholder":"Une brève description du diagramme","diagram.create.title":"Créer un diagramme","diagram.embed.error":"Erreur dans la création du diagramme intégré","diagram.export.embed.description":"Générer une version interactive intégrable du diagramme qui pourra être utilisée dans un article. Le diagramme intégré ne contiendra pas les modifications postérieures ajoutées au diagramme.","diagram.export.error":"Erreur dans l’export du diagramme","diagram.export.ftm":"Exporter au format .ftm","diagram.export.ftm.description":"Télécharger le diagramme comme fichier de données qui peut être utilisé dans {link} ou tout autre site d’Aleph.","diagram.export.ftm.link":"Aleph Data Desktop","diagram.export.iframe":"Intégrer comme iframe","diagram.export.svg":"Exporter au format SVG","diagram.export.svg.description":"Télécharger un graphique vectoriel contenant le diagramme.","diagram.export.title":"Options d’export","diagram.import.button":"Importer un diagramme","diagram.import.placeholder":"Faites glisser un fichier .ftm ou .vis ici ou cliquez pour importer un diagramme existant","diagram.import.title":"Importer un diagramme de réseau","diagram.render.error":"Erreur dans la représentation du diagramme","diagram.selector.create":"Créer un nouveau diagramme","diagram.selector.select_empty":"Pas de diagramme existant","diagram.update.label_placeholder":"Diagramme sans nom","diagram.update.success":"Votre diagramme a été actualisé avec succès.","diagram.update.summary_placeholder":"Une brève description du diagramme","diagram.update.title":"Paramètres du diagramme","diagrams":"Diagrammes","diagrams.description":"Les diagrammes de réseau vous permettent de visualiser des relations complètes dans une enquête.","diagrams.no_diagrams":"Il n’y a pas de diagramme de réseau.","diagrams.title":"Diagrammes de réseau","document.download":"Télécharger","document.download.cancel":"Annuler","document.download.confirm":"Télécharger","document.download.dont_warn":"À l’avenir, ne plus me demander en cas de téléchargement de documents sources","document.download.tooltip":"Télécharger le document original","document.download.warning":"Vous êtes sur le point de télécharger un fichier source. {br}{br} Les fichiers sources peuvent contenir des virus et des codes qui avertissent leur auteur quand vous les ouvrez. {br}{br} Pour les données sensibles, nous recommandons d’ouvrir des fichiers sources uniquement depuis un ordinateur qui n’est jamais connecté à Internet.","document.folder.error":"Erreur pendant la création du dossier.","document.folder.new":"Nouveau dossier","document.folder.save":"Créer","document.folder.title":"Nouveau dossier","document.folder.untitled":"Nom du dossier","document.mapping.start":"Générer des entités","document.paging":"Page {pageInput} sur {numberOfPages}","document.pdf.search.page":"Page {page}","document.report_problem":"Report a problem","document.report_problem.text":"You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.","document.report_problem.title":"Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?","document.search.no_match":"Aucune page de ce document ne correspond à vos critères de recherche.","document.upload.button":"Envoyer","document.upload.cancel":"Annuler","document.upload.close":"Fermer","document.upload.errors":"Certains fichiers n’ont pas pu être transférés. Vous pouvez utiliser le bouton Réessayer pour relancer tous les envois qui ont échoué.","document.upload.files":"Choisir les fichiers à envoyer...","document.upload.folder":"Si vous souhaitez plutôt envoyer des dossiers, { button }.","document.upload.folder-toggle":"cliquez ici","document.upload.info":"If you need to upload a large amount of files (100+) consider {link}.","document.upload.notice":"L’envoi est terminé. Le traitement des documents prendra quelque temps avant de pouvoir y réaliser des recherches.","document.upload.progress":"{done} sur {total} fichiers terminés, {errors} erreurs.","document.upload.rejected":"{fileName} ne comporte pas de type de fichier, alors il ne peut être envoyé.","document.upload.retry":"Réessayer","document.upload.save":"Envoyer","document.upload.summary":"{numberOfFiles, number} fichiers, {totalSize}","document.upload.title":"Envoyer des documents","document.upload.title_in_folder":"Envoyer des documents vers {folder}","document.viewer.ignored_file":"Le système ne fonctionne pas avec ces types de fichier. Veuillez le télécharger pour pouvoir le voir.","document.viewer.no_viewer":"Aucun aperçu n’est disponible pour ce document.","email.body.empty":"Aucun corps de message.","entity.delete.cancel":"Annuler","entity.delete.confirm":"Supprimer","entity.delete.error":"Une erreur est survenue en essayant de supprimer cette entité.","entity.delete.progress":"Suppression...","entity.delete.question.multiple":"Voulez-vous vraiment supprimer le/la/les {count, plural, one {item} other {items}} suivant(s) ?","entity.delete.success":"Suppression réussie","entity.document.manager.cannot_map":"Sélectionner un tableau pour générer des entités structurées","entity.document.manager.empty":"Aucun fichier ou répertoire.","entity.document.manager.emptyCanUpload":"Aucun fichier ou répertoire. Faites glisser des fichiers ici ou cliquez pour envoyer.","entity.document.manager.search_placeholder":"Rechercher des documents","entity.document.manager.search_placeholder_document":"Rechercher dans {label}","entity.info.attachments":"Pièces jointes","entity.info.documents":"Documents","entity.info.info":"Info","entity.info.last_view":"Dernière consultation : {time}","entity.info.similar":"Similaire","entity.info.tags":"Mentions","entity.info.text":"Texte","entity.info.view":"Voir","entity.info.workbook_warning":"Cette feuille de calcul fait partie du classeur {link}","entity.manager.bulk_import.description.1":"Sélectionner un tableau ci-dessous à partir duquel importer de nouvelles entités de {schema}.","entity.manager.bulk_import.description.2":"Une fois la sélection effectuée, vous devrez attribuer des colonnes de ce tableau aux propriétés des entités générées.","entity.manager.bulk_import.description.3":"Vous ne voyez pas le tableau que vous cherchez ? {link}","entity.manager.bulk_import.link_text":"Télécharger un nouveau document contenant un tableau","entity.manager.bulk_import.no_results":"Aucun document correspondant trouvé","entity.manager.bulk_import.placeholder":"Sélectionner un document contenant un tableau","entity.manager.delete":"Supprimer","entity.manager.edge_create_success":"Lien réussi entre {source} et {target}","entity.manager.entity_set_add_success":"Ajout réussi de {count} {count, plural, one {entity} other {entities}} à {entitySet}","entity.manager.remove":"Retirer","entity.manager.search_empty":"Aucun résultat de {schema} correspondant trouvé","entity.manager.search_placeholder":"Rechercher des {schema}","entity.mapping.view":"Générer des entités","entity.properties.missing":"inconnu","entity.references.no_relationships":"Cette entité n’a aucune relation.","entity.references.no_results":"Aucun {schema} ne correspond à cette recherche.","entity.references.no_results_default":"Aucune entité ne correspond à cette recherche.","entity.references.search.placeholder":"Rechercher dans {schema}","entity.references.search.placeholder_default":"Rechercher des entités","entity.remove.confirm":"Retirer","entity.remove.error":"Une erreur est survenue en essayant de retirer cette entité.","entity.remove.progress":"Retrait en cours...","entity.remove.question.multiple":"Voulez-vous vraiment retirer le/la/les {count, plural, one {item} other {items}} suivant(s) ?","entity.remove.success":"Retrait réussi","entity.search.empty_title":"Ce dossier est vide.","entity.search.no_results_description":"Essayez d’élargir votre recherche","entity.search.no_results_title":"Aucun résultat de recherche","entity.similar.empty":"Il n’y a pas d’entité similaire.","entity.similar.entity":"Entité similaire","entity.similar.found_text":"{resultCount} {resultCount, plural, one {similar entity} other {similar entities}} trouvée(s) dans {datasetCount} {datasetCount, plural, one {dataset} other {datasets}}","entity.tags.no_tags":"Aucun sélecteur n’a été extrait de cette entité.","entity.viewer.add_link":"Créer un lien","entity.viewer.add_to":"Ajouter à...","entity.viewer.bulk_import":"Importation groupée","entity.viewer.search_placeholder":"Rechercher dans {label}","entitySet.last_updated":"Actualisé le {date}","entityset.choose.name":"Titre","entityset.choose.summary":"Résumé","entityset.create.collection":"Enquête","entityset.create.collection.existing":"Sélectionner une enquête","entityset.create.collection.new":"Vous ne voyez pas l’enquête que vous cherchez ? {link}","entityset.create.collection.new_link":"Créer une nouvelle enquête","entityset.create.submit":"Créer","entityset.delete.confirm":"I understand the consequences.","entityset.delete.confirm.diagram":"Delete this network diagram.","entityset.delete.confirm.list":"Delete this list.","entityset.delete.confirm.profile":"Delete this profile.","entityset.delete.confirm.timeline":"Delete this timeline.","entityset.delete.question":"Are you sure you want to permanently delete {label}? This cannot be undone.","entityset.delete.success":"Suppression réussie de {title}","entityset.delete.title.diagram":"Delete network diagram","entityset.delete.title.list":"Delete list","entityset.delete.title.profile":"Delete profile","entityset.delete.title.timeline":"Delete timeline","entityset.info.delete":"Supprimer","entityset.info.edit":"Paramètres","entityset.info.export":"Export","entityset.info.exportAsSvg":"Exporter au format SVG","entityset.selector.placeholder":"Rechercher","entityset.selector.success":"Ajout réussi de {count} {count, plural, one {entity} other {entities}} à {entitySet}","entityset.selector.success_toast_button":"Voir","entityset.selector.title":"Ajouter {firstCaption} {titleSecondary} à...","entityset.selector.title_default":"Ajouter des entités à...","entityset.selector.title_other":"et {count} autre {count, plural, one {entity} other {entities}}","entityset.update.submit":"Enregistrer les changements","error.screen.not_found":"La page demandée n’a pas pu être trouvée.","export.dialog.text":"Lancer votre export. {br}{br} La création des exports peut prendre du temps. Vous recevrez un e-mail une fois les données prêtes. {br}{br} Merci de ne lancer l’export qu’une seule fois.","exports.dialog.cancel":"Annuler","exports.dialog.confirm":"Export","exports.dialog.dashboard_link":"Afficher l’avancement","exports.dialog.success":"Votre export a commencé.","exports.expiration":"Expiration","exports.manager.description":"Voici une liste de vos exports. Veillez à les télécharger avant leur expiration.","exports.name":"Nom","exports.no_exports":"Vous n’avez pas d’export à télécharger","exports.size":"Taille","exports.status":"État","exports.title":"Exports prêts au téléchargement","facet.addresses":"{count, plural, one {Address} many {Addresses} other {Addresses}}","facet.caption":"Nom","facet.category":"{count, plural, one {Category} many {Categories} other {Categories}}","facet.collection_id":"Ensemble de données","facet.countries":"{count, plural, one {Country} many {Countries} other {Countries}}","facet.dates":"{count, plural, one {Date} many {Dates} other {Dates}}","facet.emails":"{count, plural, one {E-Mail} many {E-Mails} other {E-Mails}}","facet.ibans":"{count, plural, one {IBAN} many {IBANs} other {IBANs}}","facet.languages":"{count, plural, one {Language} many {Languages} other {Languages}}","facet.mimetypes":"{count, plural, one {File type} many {File types} other {File types}}","facet.names":"{count, plural, one {Name} many {Names} other {Names}}","facet.phones":"{count, plural, one {Phone number} many {Phone numbers} other {Phone numbers}}","facet.schema":"Type d’entité","file_import.error":"Erreur d’import de fichier","footer.aleph":"Aleph {version}","footer.ftm":"FollowTheMoney {version}","group.page.description":"La liste ci-dessous montre tous les ensembles de données et toutes les enquêtes qui font partie de ce groupe.","group.page.search.description":"Si vous souhaitez rechercher des entités ou des documents spécifiques dans les ensembles de données auxquels ce groupe a accès, veuillez plutôt cliquer ici.","home.access_disabled":"Accès public temporairement désactivé","home.counts.countries":"Pays et territoires","home.counts.datasets":"Ensembles de données publics","home.counts.entities":"Entités publiques","home.placeholder":"Essayez de rechercher : {samples}","home.statistics.categories":"Catégories d’ensembles de données","home.statistics.countries":"Pays et territoires","home.statistics.schemata":"Types d’entité","home.stats.title":"Commencer à explorer des données publiques","home.title":"Trouver des registres publics et des fuites","hotkeys.judgement.different":"Décider que c’est différent","hotkeys.judgement.group_label":"Décisions d’entité","hotkeys.judgement.next":"Sélectionner le résultat suivant","hotkeys.judgement.previous":"Sélectionner le résultat précédent","hotkeys.judgement.same":"Décider que c’est identique","hotkeys.judgement.unsure":"Décider que les informations sont insuffisantes","hotkeys.search.different":"Aperçu du résultat précédent","hotkeys.search.group_label":"Rechercher l’aperçu","hotkeys.search.unsure":"Prévisualiser le résultat suivant","hotkeys.search_focus":"Rechercher","infoMode.collection_casefile":"Enquête","infoMode.collection_dataset":"Ensemble de données","infoMode.createdAt":"Créé à","infoMode.creator":"Créé par","infoMode.updatedAt":"Dernière actualisation","investigation.mentions.empty":"Il n’y a pas encore de mention dans cette enquête.","investigation.overview.guides":"En savoir plus","investigation.overview.guides.access":"Gérer les accès","investigation.overview.guides.diagrams":"Dessiner des diagrammes de réseau","investigation.overview.guides.documents":"Envoyer des documents","investigation.overview.guides.entities":"Créer et modifier des entités","investigation.overview.guides.mappings":"Générer des entités à partir d’une feuille de calcul","investigation.overview.guides.xref":"Référencement croisé de vos données","investigation.overview.notifications":"Activité récente","investigation.overview.shortcuts":"Liens rapides","investigation.overview.shortcuts_empty":"Commencer","investigation.search.placeholder":"Rechercher dans cette enquête","investigation.shortcut.diagram":"Dessiner un diagramme de réseau","investigation.shortcut.entities":"Créer de nouvelles entités","investigation.shortcut.entity_create_error":"Impossible de créer une entité","investigation.shortcut.entity_create_success":"Création réussie de {name}","investigation.shortcut.upload":"Envoyer des documents","investigation.shortcut.xref":"Comparer avec d’autres ensembles de données","judgement.disabled":"Vous devez disposer d’un accès en tant qu’éditeur pour pouvoir émettre des jugements.","judgement.negative":"Différent","judgement.positive":"Identique","judgement.unsure":"Informations insuffisantes","landing.shortcut.alert":"Créer une alerte de recherche","landing.shortcut.datasets":"Parcourir les ensembles de données","landing.shortcut.investigation":"Commencer une enquête","landing.shortcut.search":"Rechercher des entités","list.create.button":"Nouvelle liste","list.create.label_placeholder":"Liste sans nom","list.create.login":"Vous devez vous connecter pour créer une liste","list.create.success":"Votre liste a été créée avec succès.","list.create.summary_placeholder":"Une brève description de la liste","list.create.title":"Créer une liste","list.selector.create":"Créer une nouvelle liste","list.selector.select_empty":"Pas de liste existante","list.update.label_placeholder":"Liste sans nom","list.update.success":"Votre liste a été actualisée avec succès.","list.update.summary_placeholder":"Une brève description de la liste","list.update.title":"Paramètres de la liste","lists":"Listes","lists.description":"Les listes vous permettent d’organiser et de regrouper des entités d’intérêt.","lists.no_lists":"Il n’y a aucune liste.","lists.title":"Listes","login.oauth":"Se connecter via OAuth","mapping.actions.create":"Générer des entités","mapping.actions.create.toast":"Génération d’entités...","mapping.actions.delete":"Supprimer","mapping.actions.delete.toast":"Supprimer les cartographies et toute entité générée...","mapping.actions.export":"Exporter les cartographies","mapping.actions.flush":"Retirer les entités générées","mapping.actions.flush.toast":"Retrait des entités générées...","mapping.actions.save":"Enregistrer les changements","mapping.actions.save.toast":"Nouvelle génération d’entités...","mapping.create.cancel":"Annuler","mapping.create.confirm":"Générer","mapping.create.question":"Êtes-vous vraiment prêt-e à générer des entités à partir de cette cartographie ?","mapping.delete.cancel":"Annuler","mapping.delete.confirm":"Supprimer","mapping.delete.question":"Voulez-vous vraiment supprimer cette cartographie et toutes les entités générées ?","mapping.docs.link":"Documentation sur la cartographie des entités d’Aleph","mapping.entityAssign.helpText":"Vous devez créer un objet de type « {range} » comme {property}","mapping.entityAssign.noResults":"Aucun objet correspondant disponible","mapping.entityAssign.placeholder":"Sélectionner un objet","mapping.entity_set_select":"Sélectionner une liste ou un diagramme","mapping.entityset.remove":"Retirer","mapping.error.keyMissing":"Erreur de clé : {id} l’entité doit avoir au moins une clé","mapping.error.relationshipMissing":"Erreur de relation : {id} il faut assigner une {source} et une {target} à l’entité","mapping.flush.cancel":"Annuler","mapping.flush.confirm":"Retirer","mapping.flush.question":"Voulez-vous vraiment retirer des entités générées à partir de cette cartographie ?","mapping.import.button":"Importer une cartographie existante","mapping.import.placeholder":"Faites glisser un fichier .yml ici ou cliquez pour importer un fichier de cartographie existant","mapping.import.querySelect":"Sélectionner une requête de cartographie à partir de ce fichier à importer :","mapping.import.submit":"Envoyer","mapping.import.success":"Votre cartographie a été importée avec succès.","mapping.import.title":"Importer une cartographie","mapping.info":"Suivez les étapes ci-dessous pour cartographier des éléments de cette enquête en entités structurées pour suivre l’argent. Pour plus d’informations, veuillez consulter la page {link}","mapping.info.link":"Documentation sur la cartographie des données d’Aleph","mapping.keyAssign.additionalHelpText":"Les meilleures clés sont les colonnes issues de vos données qui contiennent des numéros d’identifiant, des numéros de téléphone, des adresses e-mail ou toute autre information d’identification unique. En l’absence de colonne contenant des données uniques, sélectionnez plusieurs colonnes pour permettre à Aleph de générer correctement des entités uniques à partir de vos données.","mapping.keyAssign.additionalHelpToggle.less":"Moins","mapping.keyAssign.additionalHelpToggle.more":"Plus d’informations sur les clés","mapping.keyAssign.helpText":"Veuillez préciser les colonnes des données sources qui seront utilisées pour identifier des entités uniques.","mapping.keyAssign.noResults":"Aucun résultat","mapping.keyAssign.placeholder":"Sélectionnez les clés à partir des colonnes disponibles","mapping.keys":"Clés","mapping.propAssign.errorBlank":"Les colonnes sans entête ne peuvent pas être attribuées","mapping.propAssign.errorDuplicate":"Les colonnes aux entêtes identiques ne peuvent pas être attribuées","mapping.propAssign.literalButtonText":"Ajouter une valeur fixe","mapping.propAssign.literalPlaceholder":"Ajouter une valeur texte fixe","mapping.propAssign.other":"Autre","mapping.propAssign.placeholder":"Attribuer une propriété","mapping.propRemove":"Retirer cette propriété de la cartographie","mapping.props":"Propriétés","mapping.save.cancel":"Annuler","mapping.save.confirm":"Actualiser la cartographie et générer à nouveau","mapping.save.question":"L’actualisation de cette cartographie supprimera toute entité générée précédemment et les génèrera à nouveau. Voulez-vous vraiment continuer ?","mapping.section1.title":"1. Sélectionnez les types d’entité à générer","mapping.section2.title":"2. Associez les colonnes aux propriétés des entités","mapping.section3.title":"3. Vérifiez","mapping.section4.description":"Les entités générées seront ajoutées à {collection} par défaut. Si vous souhaitez également les ajouter à une liste ou un diagramme dans l’enquête, veuillez cliquer ci-dessous et sélectionner les options disponibles.","mapping.section4.title":"4. Sélectionnez une destination pour les entités générées (facultatif)","mapping.status.error":"Erreur :","mapping.status.status":"État :","mapping.status.updated":"Dernière actualisation :","mapping.title":"Générer des entités structurées","mapping.types.objects":"Objets","mapping.types.relationships":"Relations","mapping.warning.empty":"Vous devez créer au moins une entité","mappings.no_mappings":"Vous n’avez pas encore généré de cartographie","messages.banner.dismiss":"Dismiss","nav.alerts":"Alertes","nav.bookmarks":"Bookmarks","nav.cases":"Enquêtes","nav.collections":"Ensembles de données","nav.diagrams":"Diagrammes de réseau","nav.exports":"Exports","nav.lists":"Listes","nav.menu.cases":"Enquêtes","nav.settings":"Paramètres","nav.signin":"Connexion","nav.signout":"Déconnexion","nav.status":"État du système","nav.timelines":"Calendriers","nav.view_notifications":"Notifications","navbar.alert_add":"Cliquez pour recevoir des alertes sur les nouveaux résultats pour cette recherche.","navbar.alert_remove":"Vous recevez des alertes à propos de cette recherche.","notification.description":"Consultez les dernières actualisations des ensembles de données, enquêtes, groupes et alertes de suivi que vous surveillez.","notifications.greeting":"Quoi de neuf, {role} ?","notifications.no_notifications":"Vous n’avez aucune nouvelle notification","notifications.title":"Notifications récentes","notifications.type_filter.all":"Tout","pages.not.found":"Page non trouvée","pass.auth.not_same":"Vos mots de passe sont différents !","password_auth.activate":"Activer","password_auth.confirm":"Confirmer le mot de passe","password_auth.email":"Adresse e-mail","password_auth.name":"Votre nom","password_auth.password":"Mot de passe","password_auth.signin":"Connexion","password_auth.signup":"Inscription","profile.callout.details":"Ce profil rassemble les attributs et les relations de {count} entités à travers différents ensembles de données.","profile.callout.intro":"Vous voyez {entity} sous forme de profil.","profile.callout.link":"Consultez l’entité originale","profile.delete.warning":"Deleting this profile will not delete any of the entities or entity decisions contained within it.","profile.hint":"{entity} a été associée à des entités d’autres ensembles de données dans un profil","profile.info.header":"Profil","profile.info.items":"Décisions d’entité","profile.info.similar":"Suggestion","profile.items.entity":"Entités associées","profile.items.explanation":"Prenez les décisions ci-dessous pour déterminer quelles entités sources doivent être ajoutées ou exclues de ce profil.","profile.similar.no_results":"Aucun ajout suggéré trouvé pour ce profil.","profileinfo.api_desc":"Utilisez la clé d’API pour lire et inscrire des données à partir d’applications à distance.","queryFilters.clearAll":"Effacer tout","queryFilters.showHidden":"Afficher {count} filtres supplémentaires...","refresh.callout_message":"Les documents sont en cours de traitement. Veuillez patienter...","restricted.explain":"L’utilisation de cet ensemble de données est limitée. Veuillez lire la description et contacter {creator} avant d’utiliser ce contenu.","restricted.explain.creator":"le propriétaire de l’ensemble de données","restricted.tag":"LIMITÉ","result.error":"Erreur","result.more_results":"Plus de {total} résultats","result.none":"Aucun résultat trouvé","result.results":"{count} résultats trouvés","result.searching":"Recherche...","result.solo":"Un résultat trouvé","role.select.user":"Choisir un utilisateur","schemaSelect.button.relationship":"Ajouter une nouvelle relation","schemaSelect.button.thing":"Ajouter un nouvel objet","screen.load_more":"Charger plus","search.advanced.all.helptext":"Seuls les résultats contenant tous les termes saisis apparaîtront","search.advanced.all.label":"Tous ces mots (par défaut)","search.advanced.any.helptext":"Les résultats contenant au moins un des termes saisis apparaîtront","search.advanced.any.label":"Au moins un de ces mots","search.advanced.clear":"Effacer tout","search.advanced.exact.helptext":"Seuls les résultats contenant le mot ou l’expression exacts apparaîtront","search.advanced.exact.label":"Ce mot/cette expression exact-e","search.advanced.none.helptext":"Exclure les résultats contenant ces mots","search.advanced.none.label":"Aucun de ces mots","search.advanced.proximity.distance":"Distance","search.advanced.proximity.helptext":"Rechercher deux termes situés à une certaine distance l’un de l’autre. Par exemple, recherchez les termes « Banque » et « Paris » à une distance de deux mots l’un de l’autre pour trouver des résultats comme « Banque Nationale de Paris », « Banque à Paris », voire « Paris a une Banque ».","search.advanced.proximity.label":"Termes à proximité les uns des autres","search.advanced.proximity.term":"Premier terme","search.advanced.proximity.term2":"Deuxième terme","search.advanced.submit":"Rechercher","search.advanced.title":"Recherche avancée","search.advanced.variants.distance":"Lettres différentes","search.advanced.variants.helptext":"Augmenter l’imprécision d’une recherche. Par exemple, Wladimir~2 donnera non seulement comme résultat « Wladimir », mais aussi des orthographes proches comme « Wladimyr » ou « Vladimyr ». Une variation orthographique est définie en fonction du nombre de fautes d’orthographe qu’il faut faire pour que la variation retrouve le mot original.","search.advanced.variants.label":"Variations orthographiques","search.advanced.variants.term":"Terme","search.callout_message":"Certaines sources sont masquées aux utilisateurs anonymes. Cliquez sur {signInButton} pour voir tous les résultats auxquels vous avez l’autorisation d’accéder.","search.callout_message.button_text":"Connexion","search.columns.configure":"Configurer les colonnes","search.columns.configure_placeholder":"Rechercher une colonne...","search.config.groups":"Groupes de propriétés","search.config.properties":"Propriétés","search.config.reset":"Rétablir les valeurs par défaut","search.facets.clearDates":"Effacer","search.facets.configure":"Configurer les filtres","search.facets.configure_placeholder":"Rechercher un filtre...","search.facets.filtersSelected":"{count} sélectionnés","search.facets.hide":"Masquer les filtres","search.facets.no_items":"Pas d’option","search.facets.show":"Afficher les filtres","search.facets.showMore":"Afficher plus...","search.filterTag.ancestors":"dans :","search.filterTag.exclude":"non :","search.filterTag.role":"Filtrer par accès","search.loading":"Chargement...","search.no_results_description":"Essayez d’élargir votre recherche","search.no_results_title":"Aucun résultat de recherche","search.placeholder":"Rechercher des entreprises, des personnes et des documents","search.placeholder_default":"Rechercher...","search.placeholder_label":"Rechercher dans {label}","search.screen.dates.show-all":"* Afficher toutes les options de filtre de date. { button } pour afficher uniquement les dates récentes","search.screen.dates.show-hidden":"* affiche uniquement les options de filtre de date de {start} à aujourd’hui. { button } pour voir les dates en dehors de cette fourchette.","search.screen.dates.show-hidden.click":"Cliquez ici","search.screen.dates_label":"résultats","search.screen.dates_title":"Dates","search.screen.dates_uncertain_day":"* this count includes dates where no day is specified","search.screen.dates_uncertain_day_month":"* this count includes dates in {year} where no day or month is specified","search.screen.dates_uncertain_month":"* this count includes dates in {year} where no month is specified","search.screen.export":"Export","search.screen.export_disabled":"Impossible d’exporter plus de 10 000 résultats à la fois","search.screen.export_disabled_empty":"Pas de résultat à exporter.","search.screen.export_helptext":"Résultats d’export","search.title":"Rechercher : {title}","search.title_emptyq":"Rechercher","settings.api_key":"Clé d’accès secrète API","settings.confirm":"(confirmer)","settings.current_explain":"Saisissez votre mot de passe actuel pour en définir un nouveau.","settings.current_password":"Mot de passe actuel","settings.email":"Adresse e-mail","settings.email.muted":"Recevoir des notifications quotidiennes par e-mail","settings.email.no_change":"Vous ne pouvez pas changer votre adresse e-mail","settings.email.tester":"Tester de nouvelles fonctionnalités avant leur finalisation","settings.locale":"Langue","settings.name":"Nom","settings.new_password":"Nouveau mot de passe","settings.password.missmatch":"Les mots de passe ne sont pas identiques","settings.password.rules":"Veuillez utiliser au moins six caractères","settings.password.title":"Modifier le mot de passe","settings.save":"Actualiser","settings.saved":"C’est officiel : votre profil a été actualisé.","settings.title":"Paramètres","sidebar.open":"Agrandir","signup.activate":"Activez votre compte","signup.inbox.desc":"Nous vous avons envoyé un e-mail, veuillez cliquer sur le lien pour terminer votre enregistrement","signup.inbox.title":"Consultez votre boîte de réception","signup.login":"Vous avez déjà un compte ? Connectez-vous !","signup.register":"Enregistrement","signup.register.question":"Vous n’avez pas de compte ? Enregistrez-vous !","signup.title":"Connexion","sorting.bar.button.label":"Afficher :","sorting.bar.caption":"Titre","sorting.bar.collection_id":"Ensemble de données","sorting.bar.count":"Taille","sorting.bar.countries":"Pays","sorting.bar.created_at":"Date de création","sorting.bar.date":"Date","sorting.bar.dates":"Dates","sorting.bar.direction":"Adresse :","sorting.bar.endDate":"Date de fin","sorting.bar.label":"Titre","sorting.bar.sort":"Trier par :","sorting.bar.updated_at":"Actualiser la date","sources.index.empty":"Ce groupe n’est lié à aucun ensemble de données ni aucune enquête.","sources.index.placeholder":"Rechercher un ensemble de données ou une enquête appartenant à {group}...","status.no_collection":"Autres tâches","tags.results":"Décompte des mentions","tags.title":"Terme","text.loading":"Chargement...","timeline.create.button":"Nouveau calendrier","timeline.create.label_placeholder":"Calendrier sans nom","timeline.create.login":"Vous devez vous connecter pour créer un calendrier","timeline.create.success":"Votre calendrier a été créé avec succès.","timeline.create.summary_placeholder":"Une brève description du calendrier","timeline.create.title":"Créer un calendrier","timeline.selector.create":"Créer un nouveau calendrier","timeline.selector.select_empty":"Pas de calendrier existant","timeline.update.label_placeholder":"Calendrier sans nom","timeline.update.success":"Votre calendrier a été actualisé avec succès.","timeline.update.summary_placeholder":"Une brève description du calendrier","timeline.update.title":"Paramètres de calendrier","timelines":"Calendriers","timelines.description":"Les calendriers sont un moyen d’afficher et d’organiser des événements de façon chronologique.","timelines.no_timelines":"Il n’y a pas de calendrier","timelines.title":"Calendriers","valuelink.tooltip":"{count} mentions dans {appName}","xref.compute":"Calculer","xref.entity":"Référence","xref.match":"Correspondance possible","xref.match_collection":"Ensemble de données","xref.recompute":"Recalculer","xref.score":"Score","xref.sort.default":"Par défaut","xref.sort.label":"Trier par :","xref.sort.random":"Aléatoire"},"nb":{"alert.manager.description":"Du vil motta varsler når det dukker opp et nytt søkeresultat som matcher et av de lagrede søkene du har satt opp.","alerts.add_placeholder":"Opprett et nytt lagret søk","alerts.delete":"Fjern varsel","alerts.heading":"Rediger dine lagrede søk","alerts.no_alerts":"Du har ingen lagrede søk","alerts.save":"Oppdater","alerts.title":"Lagrede søk","alerts.track":"Track","auth.bad_request":"Serveren aksepterte ikke det du skrev inn","auth.server_error":"Server-feil","auth.success":"Vellykket","auth.unauthorized":"Ingen tilgang","auth.unknown_error":"En ukjent feil har oppstått","case.choose.name":"Tittel","case.choose.summary":"Sammendrag","case.chose.languages":"Språk","case.create.login":"Du må logge inn for å laste opp egne data","case.description":"Ved å opprette en gransking kan du laste opp og dele dokumenter og data som hører til et prosjekt du jobber med. Du kan laste opp PDFer, e-postarkiver og regneark, og de blir gjort tilgjengelige for raskt søk og oversikt.","case.label_placeholder":"Gransking uten navn","case.language_placeholder":"Velg språk","case.languages.helper":"Brukt for optisk tegngjenkjenning i ikke-latinske alfabeter.","case.save":"Lagre","case.share.with":"Del med","case.summary":"En kort beskrivelse av granskingen","case.title":"Opprett en ny gransking","case.users":"Søk etter brukere","cases.create":"Ny gransking","cases.empty":"Du har ikke opprettet noen granskinger ennå","cases.no_results":"Fant ingen granskinger som passer med ditt søk","cases.placeholder":"Søk etter gransking...","cases.title":"Granskinger","clipboard.copy.after":"Kopiert til utklippstavlen","clipboard.copy.before":"Kopiér til utklippstavlen","collection.addSchema.placeholder":"Legg til ny entitets-type","collection.analyze.alert.text":"Du er i ferd med å re-indeksere entitetene i {collectionLabel}. Dette kan være nyttig hvis det er uregelmessigheter i hvordan dataene blir presentert.","collection.analyze.cancel":"Avbryt","collection.cancel.button":"Avbryt","collection.countries":"Land","collection.creator":"Ansvarlig","collection.data_updated_at":"Innhold oppdatert","collection.data_url":"Data URL","collection.delete.confirm":"I understand the consequences.","collection.delete.confirm.dataset":"Delete this dataset.","collection.delete.confirm.investigation":"Delete this investigation.","collection.delete.question":"Are you sure you want to permanently delete {collectionLabel} and all contained items? This cannot be undone.","collection.delete.success":"Successfully deleted {label}","collection.delete.title.dataset":"Slett datasett","collection.delete.title.investigation":"Slett gransking","collection.edit.access_title":"Tilgangskontroll","collection.edit.cancel_button":"Avbryt","collection.edit.groups":"Grupper","collection.edit.info.analyze":"Re-prosesser","collection.edit.info.cancel":"Avbryt","collection.edit.info.category":"Kategori","collection.edit.info.countries":"Land","collection.edit.info.creator":"Ansvarlig","collection.edit.info.data_url":"Data-kilde URL","collection.edit.info.delete":"Slett","collection.edit.info.foreign_id":"Ekstern ID","collection.edit.info.frequency":"Oppdateringsfrekvens","collection.edit.info.info_url":"Informasjons-URL","collection.edit.info.label":"Merkelapp","collection.edit.info.languages":"Språk","collection.edit.info.placeholder_country":"Velg land","collection.edit.info.placeholder_data_url":"Lenke til nedlastbare rådata","collection.edit.info.placeholder_info_url":"Lenke til ytterligere informasjon","collection.edit.info.placeholder_label":"En merkelapp","collection.edit.info.placeholder_language":"Velg språk","collection.edit.info.placeholder_publisher":"Organisasjon eller person som publiserere disse datene","collection.edit.info.placeholder_publisher_url":"Lenke til publiserings-kilden","collection.edit.info.placeholder_summary":"Et kort sammendrag","collection.edit.info.publisher":"Publisert av","collection.edit.info.publisher_url":"URL til publiserings-kilden","collection.edit.info.restricted":"Dette datasettet er begrenset/sensitivt og brukere bør få opp en advarsel.","collection.edit.info.save":"Lagre endringer","collection.edit.info.summary":"Sammendrag","collection.edit.permissions_warning":"NB: Brukeren må ha en Aleph-bruker for å kunne få tilgang.","collection.edit.permissionstable.edit":"Rediger","collection.edit.permissionstable.view":"Vis","collection.edit.save_button":"Lagre endringer","collection.edit.save_success":"Dine endringer er lagret.","collection.edit.title":"Innstillinger","collection.edit.users":"Brukere","collection.foreign_id":"Ekstern ID","collection.frequency":"Oppdateringer","collection.index.empty":"Fant ingen datasett.","collection.index.filter.all":"Alle","collection.index.filter.mine":"Opprettet av meg","collection.index.no_results":"Fant ingen datasett som passer til ditt søk.","collection.index.placeholder":"Søk etter datasett...","collection.index.title":"Datasett","collection.info.access":"Del","collection.info.browse":"Dokumenter","collection.info.delete":"Slett datasett","collection.info.delete_casefile":"Slett gransking","collection.info.diagrams":"Nettverksdiagram","collection.info.diagrams_description":"Nettverksdiagram lar deg visualisere komplekse relasjoner i en gransking.","collection.info.documents":"Dokumenter","collection.info.edit":"Innstillinger","collection.info.entities":"Entiteter","collection.info.lists":"Lister","collection.info.lists_description":"Lister lar deg organisere og gruppere relaterte entiteter av interesse.","collection.info.mappings":"Kobling av entiteter","collection.info.mappings_description":"Entitetskobling lar deg generere strukturerte data som følger Follow The Money-modellen (slik som personer, selskaper og relasjonene mellom dem). Du kan importere entitetene fra rader i et regneark eller en CSV-fil.","collection.info.mentions":"Henvisninger","collection.info.mentions_description":"Aleph finner automatisk navn, adresser, telefonnummer og e-postadresser som er nevnt i de opplastede dokumentene og entitetene i din gransking. {br}{br} Klikk på et av ordene som er funnet i listen under for å se hvor i dokumentene dine det finnes.","collection.info.overview":"Oversikt","collection.info.reindex":"Re-indekser alt innhold","collection.info.reingest":"Last inn dokumenter på nytt","collection.info.search":"Søk","collection.info.source_documents":"Kildedokumenter","collection.info.timelines":"Tidslinjer","collection.info.timelines_description":"Tidslinjer er en måte å organisere hendelser på kronologisk.","collection.info.xref":"Finn kryssreferanser","collection.info.xref_description":"Finne kryssreferanser lar deg søke i resten av Aleph etter entiteter som likner på de som er i din gransking.","collection.info_url":"Informasjons-URL","collection.last_updated":"Sist oppdatert {date}","collection.mappings.create":"Lag en ny entitetskobling","collection.mappings.create_docs_link":"For mer informasjon, klikk på lenken {link}","collection.overview.empty":"Dette datasettet er tomt.","collection.publisher":"Publisert av","collection.reconcile":"Sammenstilling av data","collection.reconcile.description":"Sammenstill dine egne data med entitetene i denne samlingen ved bruk av {openrefine}-verktøyet og ved å legge til sammenstillings-endepunktet.","collection.reindex.cancel":"Avbryt","collection.reindex.confirm":"Start indeksering","collection.reindex.flush":"Tøm indeks før re-indeksering","collection.reindex.processing":"Indeksering startet.","collection.reingest.confirm":"Start prosessering","collection.reingest.index":"Indekser dokumenter etter hvert som de blir prosessert.","collection.reingest.processing":"Innlasting har startet på nytt","collection.reingest.text":"Du er i ferd med å re-prosessere alle dokumentene i {collectionLabel}. Dette kan ta litt tid.","collection.statistics.showmore":"Vis mer","collection.status.cancel_button":"Avbryt prosesssen","collection.status.collection":"Datasett","collection.status.finished_tasks":"Ferdig","collection.status.jobs":"Jobber","collection.status.message":"Ta deg en trall mens dataene dine blir behandlet.","collection.status.no_active":"Det er ingen pågående oppgaver","collection.status.pending_tasks":"På vent","collection.status.progress":"Oppgaver","collection.status.title":"Oppdatering pågår ({percent}%)","collection.team":"Tilgjengelig for","collection.updated_at":"Metadata oppdatert","collection.xref.cancel":"Avbryt","collection.xref.confirm":"Bekreft","collection.xref.empty":"Det er ingen kryssreferanse-resultater.","collection.xref.processing":"Har startet å lete etter kryssreferanser.","collection.xref.text":"Du vil nå lete etter kryssreferanser mellom {collectionLabel} og andre kilder. Start denne prosessen én gang og vent til den er ferdig.","collection.xref.title":"Finn kryssreferanser","dashboard.activity":"Aktivitet","dashboard.alerts":"Lagrede søk","dashboard.cases":"Granskinger","dashboard.diagrams":"Nettverksdiagram","dashboard.exports":"Eksporter","dashboard.groups":"Grupper","dashboard.lists":"Lists","dashboard.notifications":"Varsler","dashboard.settings":"Innstillinger","dashboard.status":"System status","dashboard.subheading":"Sjekk fremdriften i pågående dataanalyser, opplastinger eller prosseseringsoppgaver.","dashboard.timelines":"Timelines","dashboard.title":"System Status","dashboard.workspace":"Arbeidsområde","dataset.search.placeholder":"Søk i dette datasettet","diagram.create.button":"Nytt diagram","diagram.create.label_placeholder":"Diagram uten navn","diagram.create.login":"Du må logge inn for å opprette et diagram","diagram.create.success":"Ditt diagram har blitt opprettet","diagram.create.summary_placeholder":"En kort beskrivelse av diagrammet","diagram.create.title":"Opprett et diagram","diagram.embed.error":"En feil oppsto ved generering av embed-kode for diagrammet.","diagram.export.embed.description":"Generer en interaktiv versjon av diagrammet som kan bygges inn i en artikkel. Denne versjonen vil ikke bli oppdater med eventuelle endringer du gjør i diagrammet i fremtiden.","diagram.export.error":"En feil oppsto ved eksport av diagrammet","diagram.export.ftm":"Eksporter som .ftm","diagram.export.ftm.description":"Last ned diagrammet som en datafil som kan bli brukt i {link} eller en annen Aleph site.","diagram.export.ftm.link":"Aleph Data Desktop","diagram.export.iframe":"Embed iframe","diagram.export.svg":"Eksporter som SVG","diagram.export.svg.description":"Last ned en vektorgrafikk med innholdet fra diagrammet.","diagram.export.title":"Eksport-alternativer","diagram.import.button":"Importer diagram","diagram.import.placeholder":"Slipp en .ftm- eller .vis- fil her eller klikk for å importere et eksisterende diagram.","diagram.import.title":"Importer et nettverksdiagram","diagram.render.error":"Feil ved uttegning av diagrammet","diagram.selector.create":"Opprett et diagram","diagram.selector.select_empty":"Det finnes ikke noe eksisterende diagram","diagram.update.label_placeholder":"Diagram uten navn","diagram.update.success":"Ditt diagram er oppdatert.","diagram.update.summary_placeholder":"En kort beskrivelse av diagrammet","diagram.update.title":"Diagram-innstillinger","diagrams":"Diagrammer","diagrams.description":"Nettverksdiagram lar deg visualisere komplekse relasjoner i en gransking.","diagrams.no_diagrams":"Det finnes ingen nettverksdiagrammer.","diagrams.title":"Nettverksdiagrammer","document.download":"Last ned","document.download.cancel":"Avbryt","document.download.confirm":"Last ned","document.download.dont_warn":"Ikke advar meg om nedlasting av kildedokumenter i fremtiden","document.download.tooltip":"Last ned originaldokumentet","document.download.warning":"Du er i ferd med å last ned et originaldokument. {br}{br} Originaldokumenter kan inneholde virus og kode som varsler de som har laget det om at du har åpnet det. {br}{br} Dersom det er snakk om sensitive data anbefaler vi at du åpner dokumentene på en pc som ikke er eller har vært koblet til internett. ","document.folder.error":"Det oppsto en feil ved opprettelse av mappen.","document.folder.new":"Ny mappe","document.folder.save":"Opprett","document.folder.title":"Ny mappe","document.folder.untitled":"Mappe-navn","document.mapping.start":"Generer entiteter","document.paging":"Side {pageInput} av {numberOfPages}","document.pdf.search.page":"Side {page}","document.report_problem":"Report a problem","document.report_problem.text":"You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.","document.report_problem.title":"Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?","document.search.no_match":"Det er ingen enkeltside i dette dokumentet der det er treff på alle søkeuttrykkene.","document.upload.button":"Last opp","document.upload.cancel":"Avbryt","document.upload.close":"Lukk","document.upload.errors":"Noen filer kunne ikke overføres. Du kan bruke Prøv på nytt-knappen for å starte alle opplastinger som feilet på nytt.","document.upload.files":"Velg filer du vil laste opp...","document.upload.folder":"Hvis du vil laste opp mapper i stedet { button }.","document.upload.folder-toggle":"klikk her","document.upload.info":"If you need to upload a large amount of files (100+) consider {link}.","document.upload.notice":"Opplastingen er ferdig. Det tar en liten stund før dokumentene er behandlet og er søkbare. ","document.upload.progress":"{done} av {total} filer ferdig, {errors} feil.","document.upload.rejected":"{fileName} mangler filtype, så den kan ikke lastes opp.","document.upload.retry":"Prøv på nytt","document.upload.save":"Last opp","document.upload.summary":"{numberOfFiles, number} filer, {totalSize}","document.upload.title":"Last opp dokumenter","document.upload.title_in_folder":"Last opp dokumenter til {folder}","document.viewer.ignored_file":"Systemet virker ikke med denne typen filer. Last ned filen for å se den.","document.viewer.no_viewer":"Forhåndsvisning er ikke tilgjengelig for dette dokumentet","email.body.empty":"Ikke noe innhold i meldingen","entity.delete.cancel":"Avbryt","entity.delete.confirm":"Slett","entity.delete.error":"En feil oppsto ved sletting av denne entiteten","entity.delete.progress":"Sletter...","entity.delete.question.multiple":"Are you sure you want to delete the following {count, plural, one {item} other {items}}?","entity.delete.success":"Slettingen var vellykket","entity.document.manager.cannot_map":"Velg en tabell for å opprette strukturerte entiteter","entity.document.manager.empty":"Ingen filer eller mapper","entity.document.manager.emptyCanUpload":"Ingen filer eller mapper. Slipp filer her eller klikk for å laste opp.","entity.document.manager.search_placeholder":"Søk etter dokumenter","entity.document.manager.search_placeholder_document":"Søk i {label}","entity.info.attachments":"Vedlegg","entity.info.documents":"Dokumenter","entity.info.info":"Informasjon","entity.info.last_view":"Sist vist {time}","entity.info.similar":"Liknende","entity.info.tags":"Henvisninger","entity.info.text":"Tekst","entity.info.view":"Vis","entity.info.workbook_warning":"Dette arket er del av arbeidsboken {link}","entity.manager.bulk_import.description.1":"Velg en tabell under som du vil importere nye {schema}-entiteter fra.","entity.manager.bulk_import.description.2":"Once selected, you will be prompted to assign columns from that table to properties of the generated entities.","entity.manager.bulk_import.description.3":"Ser du ikke tabellen du leter etter? {link}","entity.manager.bulk_import.link_text":"Last opp et nytt tabell-dokument.","entity.manager.bulk_import.no_results":"Fant ingen dokumenter som samsvarte med søket.","entity.manager.bulk_import.placeholder":"Velg et tabell-dokument","entity.manager.delete":"Slett","entity.manager.edge_create_success":"Opprettelsen av koblingen mellom {source} og {target} var vellykket.","entity.manager.entity_set_add_success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entity.manager.remove":"Fjern","entity.manager.search_empty":"No matching {schema} results found","entity.manager.search_placeholder":"Search {schema}","entity.mapping.view":"Generer entiteter","entity.properties.missing":"ukjent","entity.references.no_relationships":"Denne entiteten har ikke noen relasjoner","entity.references.no_results":"Det er ingen {schema} som passer til ditt søk","entity.references.no_results_default":"Det er ingen entiteter som passer til søket","entity.references.search.placeholder":"Søk etter {schema}","entity.references.search.placeholder_default":"Søk etter entiteter","entity.remove.confirm":"Fjern","entity.remove.error":"En feil oppsto ved fjerning av denne entiteten","entity.remove.progress":"Fjerner...","entity.remove.question.multiple":"Er du sikker på at du vil fjerne følgende {count, plural, one {item} other {items}}?","entity.remove.success":"Successfully removed","entity.search.empty_title":"This folder is empty","entity.search.no_results_description":"Try making your search more general","entity.search.no_results_title":"No search results","entity.similar.empty":"There are no similar entities.","entity.similar.entity":"Similar entity","entity.similar.found_text":"Found {resultCount} {resultCount, plural, one {similar entity} other {similar entities}} from {datasetCount} {datasetCount, plural, one {dataset} other {datasets}}","entity.tags.no_tags":"No selectors were extracted from this entity.","entity.viewer.add_link":"Create link","entity.viewer.add_to":"Add to...","entity.viewer.bulk_import":"Bulk import","entity.viewer.search_placeholder":"Søk i {label}","entitySet.last_updated":"Updated {date}","entityset.choose.name":"Tittel","entityset.choose.summary":"Sammendrag","entityset.create.collection":"Investigation","entityset.create.collection.existing":"Select an investigation","entityset.create.collection.new":"Don't see the investigation you're looking for? {link}","entityset.create.collection.new_link":"Create a new investigation","entityset.create.submit":"Opprett","entityset.delete.confirm":"I understand the consequences.","entityset.delete.confirm.diagram":"Delete this network diagram.","entityset.delete.confirm.list":"Delete this list.","entityset.delete.confirm.profile":"Delete this profile.","entityset.delete.confirm.timeline":"Delete this timeline.","entityset.delete.question":"Are you sure you want to permanently delete {label}? This cannot be undone.","entityset.delete.success":"Successfully deleted {title}","entityset.delete.title.diagram":"Delete network diagram","entityset.delete.title.list":"Delete list","entityset.delete.title.profile":"Delete profile","entityset.delete.title.timeline":"Delete timeline","entityset.info.delete":"Slett","entityset.info.edit":"Innstillinger","entityset.info.export":"Export","entityset.info.exportAsSvg":"Eksporter som SVG","entityset.selector.placeholder":"Search existing","entityset.selector.success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entityset.selector.success_toast_button":"Vis","entityset.selector.title":"Add {firstCaption} {titleSecondary} to...","entityset.selector.title_default":"Add entities to...","entityset.selector.title_other":"and {count} other {count, plural, one {entity} other {entities}}","entityset.update.submit":"Lagre endringer","error.screen.not_found":"The requested page could not be found.","export.dialog.text":"Initiate your export. {br}{br} Exports take some time to generate. You will receive an email once the data is ready. {br}{br} Please trigger this export only once.","exports.dialog.cancel":"Avbryt","exports.dialog.confirm":"Export","exports.dialog.dashboard_link":"View progress","exports.dialog.success":"Your export has begun.","exports.expiration":"Expiration","exports.manager.description":"Below is a list of your exports. Make sure to download them before they expire.","exports.name":"Name","exports.no_exports":"You have no exports to download","exports.size":"Size","exports.status":"Status","exports.title":"Exports ready for download","facet.addresses":"{count, plural, one {Address} other {Addresses}}","facet.caption":"Name","facet.category":"{count, plural, one {Category} other {Categories}}","facet.collection_id":"Datasett","facet.countries":"{count, plural, one {Country} other {Countries}}","facet.dates":"{count, plural, one {Date} other {Dates}}","facet.emails":"{count, plural, one {E-Mail} other {E-Mails}}","facet.ibans":"{count, plural, one {IBAN} other {IBANs}}","facet.languages":"{count, plural, one {Language} other {Languages}}","facet.mimetypes":"{count, plural, one {File type} other {File types}}","facet.names":"{count, plural, one {Name} other {Names}}","facet.phones":"{count, plural, one {Phone number} other {Phone numbers}}","facet.schema":"Entity type","file_import.error":"Error importing file","footer.aleph":"Aleph {version}","footer.ftm":"FollowTheMoney {version}","group.page.description":"The list below shows all datasets and investigations that belong to this group.","group.page.search.description":"If you would like to search for specific entities or documents within the datasets that this group has access to, click here instead.","home.access_disabled":"Public access temporarily disabled","home.counts.countries":"Countries & territories","home.counts.datasets":"Public datasets","home.counts.entities":"Public entities","home.placeholder":"Try searching: {samples}","home.statistics.categories":"Dataset categories","home.statistics.countries":"Countries and territories","home.statistics.schemata":"Entity types","home.stats.title":"Get started exploring public data","home.title":"Find public records and leaks","hotkeys.judgement.different":"Decide different","hotkeys.judgement.group_label":"Entity decisions","hotkeys.judgement.next":"Select next result","hotkeys.judgement.previous":"Select previous result","hotkeys.judgement.same":"Decide same","hotkeys.judgement.unsure":"Decide not enough information","hotkeys.search.different":"Preview previous result","hotkeys.search.group_label":"Search preview","hotkeys.search.unsure":"Preview next result","hotkeys.search_focus":"Søk","infoMode.collection_casefile":"Investigation","infoMode.collection_dataset":"Datasett","infoMode.createdAt":"Created at","infoMode.creator":"Created by","infoMode.updatedAt":"Last updated","investigation.mentions.empty":"There are no mentions yet in this investigation.","investigation.overview.guides":"Read more","investigation.overview.guides.access":"Managing access","investigation.overview.guides.diagrams":"Drawing network diagrams","investigation.overview.guides.documents":"Uploading documents","investigation.overview.guides.entities":"Creating & editing entities","investigation.overview.guides.mappings":"Generating entities from a spreadsheet","investigation.overview.guides.xref":"Cross-referencing your data","investigation.overview.notifications":"Recent activity","investigation.overview.shortcuts":"Quick links","investigation.overview.shortcuts_empty":"Getting started","investigation.search.placeholder":"Search this investigation","investigation.shortcut.diagram":"Sketch a network diagram","investigation.shortcut.entities":"Create new entities","investigation.shortcut.entity_create_error":"Unable to create entity","investigation.shortcut.entity_create_success":"Successfully created {name}","investigation.shortcut.upload":"Last opp dokumenter","investigation.shortcut.xref":"Compare with other datasets","judgement.disabled":"You must have edit access in order to make judgements.","judgement.negative":"Different","judgement.positive":"Same","judgement.unsure":"Not enough information","landing.shortcut.alert":"Create a search alert","landing.shortcut.datasets":"Browse datasets","landing.shortcut.investigation":"Start an investigation","landing.shortcut.search":"Søk etter entiteter","list.create.button":"New list","list.create.label_placeholder":"Untitled list","list.create.login":"You must log in to create a list","list.create.success":"Your list has been created successfully.","list.create.summary_placeholder":"A brief description of the list","list.create.title":"Create a list","list.selector.create":"Create a new list","list.selector.select_empty":"No existing list","list.update.label_placeholder":"Untitled list","list.update.success":"Your list has been updated successfully.","list.update.summary_placeholder":"A brief description of the list","list.update.title":"List settings","lists":"Lists","lists.description":"Lister lar deg organisere og gruppere relaterte entiteter av interesse.","lists.no_lists":"There are no lists.","lists.title":"Lists","login.oauth":"Sign in via OAuth","mapping.actions.create":"Generer entiteter","mapping.actions.create.toast":"Generating entities...","mapping.actions.delete":"Slett","mapping.actions.delete.toast":"Deleting mapping and any generated entities...","mapping.actions.export":"Export mapping","mapping.actions.flush":"Remove generated entities","mapping.actions.flush.toast":"Removing generated entities...","mapping.actions.save":"Lagre endringer","mapping.actions.save.toast":"Re-generating entities...","mapping.create.cancel":"Avbryt","mapping.create.confirm":"Generate","mapping.create.question":"Are you sure you are ready to generate entities using this mapping?","mapping.delete.cancel":"Avbryt","mapping.delete.confirm":"Slett","mapping.delete.question":"Are you sure you want to delete this mapping and all generated entities?","mapping.docs.link":"Aleph entity mapping documentation","mapping.entityAssign.helpText":"You must create an object of type \"{range}\" to be the {property}","mapping.entityAssign.noResults":"No matching objects available","mapping.entityAssign.placeholder":"Select an object","mapping.entity_set_select":"Select a List or Diagram","mapping.entityset.remove":"Fjern","mapping.error.keyMissing":"Key Error: {id} entity must have at least one key","mapping.error.relationshipMissing":"Relationship Error: {id} entity must have a {source} and {target} assigned","mapping.flush.cancel":"Avbryt","mapping.flush.confirm":"Fjern","mapping.flush.question":"Are you sure you want to remove entities generated using this mapping?","mapping.import.button":"Import existing mapping","mapping.import.placeholder":"Drop a .yml file here or click to import an existing mapping file","mapping.import.querySelect":"Select a mapping query from this file to import:","mapping.import.submit":"Submit","mapping.import.success":"Your mapping has been imported successfully.","mapping.import.title":"Import a mapping","mapping.info":"Follow the steps below to map items in this investigation to structured Follow the Money entites. For more information, please refer to the {link}","mapping.info.link":"Aleph data mapping documentation","mapping.keyAssign.additionalHelpText":"The best keys are columns from your data that contain id numbers, phone numbers, email addresses, or other uniquely identifying information. If no columns with unique values exist, select multiple columns to allow Aleph to generate unique entities correctly from your data.","mapping.keyAssign.additionalHelpToggle.less":"Less","mapping.keyAssign.additionalHelpToggle.more":"More about keys","mapping.keyAssign.helpText":"Specify which columns from the source data will be used to identify unique entities.","mapping.keyAssign.noResults":"No results","mapping.keyAssign.placeholder":"Select keys from available columns","mapping.keys":"Keys","mapping.propAssign.errorBlank":"Columns with no header cannot be assigned","mapping.propAssign.errorDuplicate":"Columns with duplicate headers cannot be assigned","mapping.propAssign.literalButtonText":"Add a fixed value","mapping.propAssign.literalPlaceholder":"Add fixed value text","mapping.propAssign.other":"Other","mapping.propAssign.placeholder":"Assign a property","mapping.propRemove":"Remove this property from mapping","mapping.props":"Properties","mapping.save.cancel":"Avbryt","mapping.save.confirm":"Update mapping & re-generate","mapping.save.question":"Updating this mapping will delete any previously generated entities and re-generate them. Are you sure you would like to continue?","mapping.section1.title":"1. Select entity types to generate","mapping.section2.title":"2. Map columns to entity properties","mapping.section3.title":"3. Verify","mapping.section4.description":"Generated entities will be added to {collection} by default. If you would like to additionally add them to a list or diagram within the investigation, please click below and select from the available options.","mapping.section4.title":"4. Select a destination for generated entities (optional)","mapping.status.error":"Error:","mapping.status.status":"Status:","mapping.status.updated":"Last updated:","mapping.title":"Generate structured entities","mapping.types.objects":"Objects","mapping.types.relationships":"Relationships","mapping.warning.empty":"You must create at least one entity","mappings.no_mappings":"You have not generated any mappings yet","messages.banner.dismiss":"Dismiss","nav.alerts":"Lagrede søk","nav.bookmarks":"Bookmarks","nav.cases":"Granskinger","nav.collections":"Datasett","nav.diagrams":"Nettverksdiagrammer","nav.exports":"Eksporter","nav.lists":"Lists","nav.menu.cases":"Granskinger","nav.settings":"Innstillinger","nav.signin":"Sign in","nav.signout":"Sign out","nav.status":"System status","nav.timelines":"Tidslinjer","nav.view_notifications":"Varsler","navbar.alert_add":"Click to receive alerts about new results for this search.","navbar.alert_remove":"You are receiving alerts about this search.","notification.description":"View the latest updates to datasets, investigations, groups and tracking alerts you follow.","notifications.greeting":"What's new, {role}?","notifications.no_notifications":"You have no unseen notifications","notifications.title":"Recent notifications","notifications.type_filter.all":"Alle","pages.not.found":"Page not found","pass.auth.not_same":"Your passwords are not the same!","password_auth.activate":"Activate","password_auth.confirm":"Confirm password","password_auth.email":"Email address","password_auth.name":"Your Name","password_auth.password":"Password","password_auth.signin":"Sign in","password_auth.signup":"Sign up","profile.callout.details":"This profile aggregates attributes and relationships from {count} entities across different datasets.","profile.callout.intro":"You're viewing {entity} as a profile.","profile.callout.link":"View the original entity","profile.delete.warning":"Deleting this profile will not delete any of the entities or entity decisions contained within it.","profile.hint":"{entity} has been combined with entities from other datasets into a profile","profile.info.header":"Profile","profile.info.items":"Entity decisions","profile.info.similar":"Suggested","profile.items.entity":"Combined entities","profile.items.explanation":"Make decisions below to determine which source entities should be added or excluded from this profile.","profile.similar.no_results":"No suggested additions for this profile were found.","profileinfo.api_desc":"Use the API key to read and write data via remote applications.","queryFilters.clearAll":"Clear all","queryFilters.showHidden":"Show {count} more filters...","refresh.callout_message":"Documents are being processed. Please wait...","restricted.explain":"Use of this dataset is restricted. Read the description and contact {creator} before using this material.","restricted.explain.creator":"the dataset owner","restricted.tag":"RESTRICTED","result.error":"Error","result.more_results":"More than {total} results","result.none":"No results found","result.results":"Found {total} results","result.searching":"Searching...","result.solo":"One result found","role.select.user":"Choose a user","schemaSelect.button.relationship":"Add a new relationship","schemaSelect.button.thing":"Add a new object","screen.load_more":"Load more","search.advanced.all.helptext":"Only results containing all of the given terms will be returned","search.advanced.all.label":"All of these words (Default)","search.advanced.any.helptext":"Results containing any of the given terms will be returned","search.advanced.any.label":"Any of these words","search.advanced.clear":"Clear all","search.advanced.exact.helptext":"Only results with this exact word or phrase will be returned","search.advanced.exact.label":"This exact word/phrase","search.advanced.none.helptext":"Exclude results with these words","search.advanced.none.label":"None of these words","search.advanced.proximity.distance":"Distance","search.advanced.proximity.helptext":"Search for two terms within a certain distance of each other. For example, return results with the terms \"Bank\" and \"America\" occurring within two words from each other, such as \"Bank of America\", \"Bank in America\", even \"America has a Bank\".","search.advanced.proximity.label":"Terms in proximity to each other","search.advanced.proximity.term":"First term","search.advanced.proximity.term2":"Second term","search.advanced.submit":"Søk","search.advanced.title":"Advanced Search","search.advanced.variants.distance":"Letters different","search.advanced.variants.helptext":"Increase the fuzziness of a search. For example, Wladimir~2 will return not just the term “Wladimir” but also similar spellings such as \"Wladimyr\" or \"Vladimyr\". A spelling variant is defined by the number of spelling mistakes that must be made to get from the original word to the variant.","search.advanced.variants.label":"Spelling variations","search.advanced.variants.term":"Term","search.callout_message":"Some sources are hidden from anonymous users. {signInButton} to see all results you are authorised to access.","search.callout_message.button_text":"Sign in","search.columns.configure":"Configure columns","search.columns.configure_placeholder":"Search for a column...","search.config.groups":"Property groups","search.config.properties":"Properties","search.config.reset":"Reset to default","search.facets.clearDates":"Clear","search.facets.configure":"Configure filters","search.facets.configure_placeholder":"Search for a filter...","search.facets.filtersSelected":"{count} selected","search.facets.hide":"Hide filters","search.facets.no_items":"No options","search.facets.show":"Show filters","search.facets.showMore":"Show more…","search.filterTag.ancestors":"in:","search.filterTag.exclude":"not:","search.filterTag.role":"Filter by access","search.loading":"Loading...","search.no_results_description":"Try making your search more general","search.no_results_title":"No search results","search.placeholder":"Search companies, people and documents","search.placeholder_default":"Search…","search.placeholder_label":"Søk i {label}","search.screen.dates.show-all":"* Showing all date filter options. { button } to view recent dates only.","search.screen.dates.show-hidden":"* Showing only date filter options from {start} to the present. { button } to view dates outside this range.","search.screen.dates.show-hidden.click":"Click here","search.screen.dates_label":"results","search.screen.dates_title":"Dates","search.screen.dates_uncertain_day":"* this count includes dates where no day is specified","search.screen.dates_uncertain_day_month":"* this count includes dates in {year} where no day or month is specified","search.screen.dates_uncertain_month":"* this count includes dates in {year} where no month is specified","search.screen.export":"Export","search.screen.export_disabled":"Cannot export more than 10,000 results at a time","search.screen.export_disabled_empty":"No results to export.","search.screen.export_helptext":"Export results","search.title":"Search: {title}","search.title_emptyq":"Søk","settings.api_key":"API Secret Access Key","settings.confirm":"(confirm)","settings.current_explain":"Enter your current password to set a new one.","settings.current_password":"Current password","settings.email":"E-mail Address","settings.email.muted":"Receive daily notification e-mails","settings.email.no_change":"Your e-mail address cannot be changed","settings.email.tester":"Test new features before they are finished","settings.locale":"Language","settings.name":"Name","settings.new_password":"New password","settings.password.missmatch":"Passwords do not match","settings.password.rules":"Use at least six characters","settings.password.title":"Change your password","settings.save":"Oppdater","settings.saved":"It's official, your profile is updated.","settings.title":"Innstillinger","sidebar.open":"Expand","signup.activate":"Activate your account","signup.inbox.desc":"We've sent you an email, please follow the link to complete your registration","signup.inbox.title":"Check your inbox","signup.login":"Already have account? Sign in!","signup.register":"Register","signup.register.question":"Don't have account? Register!","signup.title":"Sign in","sorting.bar.button.label":"Show:","sorting.bar.caption":"Tittel","sorting.bar.collection_id":"Datasett","sorting.bar.count":"Size","sorting.bar.countries":"Land","sorting.bar.created_at":"Creation Date","sorting.bar.date":"Date","sorting.bar.dates":"Dates","sorting.bar.direction":"Direction:","sorting.bar.endDate":"End date","sorting.bar.label":"Tittel","sorting.bar.sort":"Sort by:","sorting.bar.updated_at":"Update Date","sources.index.empty":"This group is not linked to any datasets or investigations.","sources.index.placeholder":"Search for a dataset or investigation belonging to {group}...","status.no_collection":"Other tasks","tags.results":"Mention count","tags.title":"Term","text.loading":"Loading…","timeline.create.button":"New timeline","timeline.create.label_placeholder":"Untitled timeline","timeline.create.login":"You must log in to create a timeline","timeline.create.success":"Your timeline has been created successfully.","timeline.create.summary_placeholder":"A brief description of the timeline","timeline.create.title":"Create a timeline","timeline.selector.create":"Create a new timeline","timeline.selector.select_empty":"No existing timeline","timeline.update.label_placeholder":"Untitled timeline","timeline.update.success":"Your timeline has been updated successfully.","timeline.update.summary_placeholder":"A brief description of the timeline","timeline.update.title":"Timeline settings","timelines":"Tidslinjer","timelines.description":"Tidslinjer er en måte å organisere hendelser på kronologisk.","timelines.no_timelines":"There are no timelines.","timelines.title":"Tidslinjer","valuelink.tooltip":"{count} mentions in {appName}","xref.compute":"Compute","xref.entity":"Reference","xref.match":"Possible match","xref.match_collection":"Datasett","xref.recompute":"Re-compute","xref.score":"Score","xref.sort.default":"Default","xref.sort.label":"Sort by:","xref.sort.random":"Random"},"nl":{"alert.manager.description":"You will receive notifications when a new result is added that matches any of the alerts you have set up below.","alerts.add_placeholder":"Create a new tracking alert...","alerts.delete":"Remove alert","alerts.heading":"Manage your alerts","alerts.no_alerts":"You are not tracking any searches","alerts.save":"Update","alerts.title":"Tracking alerts","alerts.track":"Track","auth.bad_request":"The Server did not accept your input","auth.server_error":"Server error","auth.success":"Success","auth.unauthorized":"Not authorized","auth.unknown_error":"An unexpected error occured","case.choose.name":"Title","case.choose.summary":"Summary","case.chose.languages":"Languages","case.create.login":"You must sign in to upload your own data.","case.description":"Investigations let you upload and share documents and data which belong to a particular story. You can upload PDFs, email archives or spreadsheets, and they will be made easy to search and browse.","case.label_placeholder":"Untitled investigation","case.language_placeholder":"Select languages","case.languages.helper":"Used for optical text recognition in non-Latin alphabets.","case.save":"Save","case.share.with":"Share with","case.summary":"A brief description of the investigation","case.title":"Create an investigation","case.users":"Search users","cases.create":"New investigation","cases.empty":"You do not have any investigations yet.","cases.no_results":"No investigations were found matching this query.","cases.placeholder":"Search investigations...","cases.title":"Investigations","clipboard.copy.after":"Successfully copied to clipboard","clipboard.copy.before":"Copy to clipboard","collection.addSchema.placeholder":"Add new entity type","collection.analyze.alert.text":"You're about to re-index the entities in {collectionLabel}. This can be helpful if there are inconsistencies in how the data is presented.","collection.analyze.cancel":"Cancel","collection.cancel.button":"Cancel","collection.countries":"Country","collection.creator":"Manager","collection.data_updated_at":"Content updated","collection.data_url":"Data URL","collection.delete.confirm":"I understand the consequences.","collection.delete.confirm.dataset":"Delete this dataset.","collection.delete.confirm.investigation":"Delete this investigation.","collection.delete.question":"Are you sure you want to permanently delete {collectionLabel} and all contained items? This cannot be undone.","collection.delete.success":"Successfully deleted {label}","collection.delete.title.dataset":"Delete dataset","collection.delete.title.investigation":"Delete investigation","collection.edit.access_title":"Access control","collection.edit.cancel_button":"Cancel","collection.edit.groups":"Groups","collection.edit.info.analyze":"Re-process","collection.edit.info.cancel":"Cancel","collection.edit.info.category":"Category","collection.edit.info.countries":"Countries","collection.edit.info.creator":"Manager","collection.edit.info.data_url":"Data source URL","collection.edit.info.delete":"Delete","collection.edit.info.foreign_id":"Foreign ID","collection.edit.info.frequency":"Update frequency","collection.edit.info.info_url":"Information URL","collection.edit.info.label":"Label","collection.edit.info.languages":"Languages","collection.edit.info.placeholder_country":"Select countries","collection.edit.info.placeholder_data_url":"Link to the raw data in a downloadable form","collection.edit.info.placeholder_info_url":"Link to further information","collection.edit.info.placeholder_label":"A label","collection.edit.info.placeholder_language":"Select languages","collection.edit.info.placeholder_publisher":"Organisation or person publishing this data","collection.edit.info.placeholder_publisher_url":"Link to the publisher","collection.edit.info.placeholder_summary":"A brief summary","collection.edit.info.publisher":"Publisher","collection.edit.info.publisher_url":"Publisher URL","collection.edit.info.restricted":"This dataset is restricted and viewers should be warned.","collection.edit.info.save":"Save changes","collection.edit.info.summary":"Summary","collection.edit.permissions_warning":"Note: User must already have an Aleph account in order to receive access.","collection.edit.permissionstable.edit":"Edit","collection.edit.permissionstable.view":"View","collection.edit.save_button":"Save changes","collection.edit.save_success":"Your changes are saved.","collection.edit.title":"Settings","collection.edit.users":"Users","collection.foreign_id":"Foreign ID","collection.frequency":"Updates","collection.index.empty":"No datasets were found.","collection.index.filter.all":"All","collection.index.filter.mine":"Created by me","collection.index.no_results":"No datasets were found matching this query.","collection.index.placeholder":"Search datasets...","collection.index.title":"Datasets","collection.info.access":"Share","collection.info.browse":"Documents","collection.info.delete":"Delete dataset","collection.info.delete_casefile":"Delete investigation","collection.info.diagrams":"Network diagrams","collection.info.diagrams_description":"Network diagrams let you visualize complex relationships within an investigation.","collection.info.documents":"Documents","collection.info.edit":"Settings","collection.info.entities":"Entities","collection.info.lists":"Lists","collection.info.lists_description":"Lists let you organize and group related entities of interest.","collection.info.mappings":"Entity mappings","collection.info.mappings_description":"Entity mappings allow you to bulk generate structured Follow the Money entities (like People, Companies, and the relationships among them) from rows in a spreadsheet or CSV document","collection.info.mentions":"Mentions","collection.info.mentions_description":"Aleph automatically extracts terms that resemble names, address, phone numbers, and email addresses from uploaded documents and entities within your investigation. {br}{br} Click on a mentioned term below to find where it appears in your investigation.","collection.info.overview":"Overview","collection.info.reindex":"Re-index all content","collection.info.reingest":"Re-ingest documents","collection.info.search":"Search","collection.info.source_documents":"Source documents","collection.info.timelines":"Timelines","collection.info.timelines_description":"Timelines are a way to view and organize events chronologically.","collection.info.xref":"Cross-reference","collection.info.xref_description":"Cross-referencing allows you to search the rest of Aleph for entities similar to those contained in your investigation.","collection.info_url":"Information URL","collection.last_updated":"Last updated {date}","collection.mappings.create":"Create a new entity mapping","collection.mappings.create_docs_link":"For more information, please refer to the {link}","collection.overview.empty":"This dataset is empty.","collection.publisher":"Publisher","collection.reconcile":"Reconciliation","collection.reconcile.description":"Match your own data against the entities in this collection using the free {openrefine} tool by adding the reconciliation endpoint.","collection.reindex.cancel":"Cancel","collection.reindex.confirm":"Start indexing","collection.reindex.flush":"Clear index before re-indexing","collection.reindex.processing":"Indexing started.","collection.reingest.confirm":"Start processing","collection.reingest.index":"Index documents as they are processed.","collection.reingest.processing":"Re-ingest started.","collection.reingest.text":"You're about to re-process all documents in {collectionLabel}. This might take some time.","collection.statistics.showmore":"Show more","collection.status.cancel_button":"Cancel the process","collection.status.collection":"Dataset","collection.status.finished_tasks":"Finished","collection.status.jobs":"Jobs","collection.status.message":"Continue to frolic about while data is being processed.","collection.status.no_active":"There are no ongoing tasks","collection.status.pending_tasks":"Pending","collection.status.progress":"Tasks","collection.status.title":"Update in progress ({percent}%)","collection.team":"Accessible to","collection.updated_at":"Metadata updated","collection.xref.cancel":"Cancel","collection.xref.confirm":"Confirm","collection.xref.empty":"There are no cross-referencing results.","collection.xref.processing":"Cross-referencing started.","collection.xref.text":"You will now cross-reference {collectionLabel} against all other sources. Start this process once and then wait for it to complete.","collection.xref.title":"Cross-reference","dashboard.activity":"Activity","dashboard.alerts":"Alerts","dashboard.cases":"Investigations","dashboard.diagrams":"Network diagrams","dashboard.exports":"Exports","dashboard.groups":"Groups","dashboard.lists":"Lists","dashboard.notifications":"Notifications","dashboard.settings":"Settings","dashboard.status":"System status","dashboard.subheading":"Check the progress of ongoing data analysis, upload, and processing tasks.","dashboard.timelines":"Timelines","dashboard.title":"System Status","dashboard.workspace":"Workspace","dataset.search.placeholder":"Search this dataset","diagram.create.button":"New diagram","diagram.create.label_placeholder":"Untitled diagram","diagram.create.login":"You must log in to create a diagram","diagram.create.success":"Your diagram has been created successfully.","diagram.create.summary_placeholder":"A brief description of the diagram","diagram.create.title":"Create a diagram","diagram.embed.error":"Error generating diagram embed","diagram.export.embed.description":"Generate an embeddable interactive version of the diagram that can be used in an article. The embed will not reflect future changes in the diagram.","diagram.export.error":"Error exporting diagram","diagram.export.ftm":"Export as .ftm","diagram.export.ftm.description":"Download the diagram as a data file that can be used in {link} or another Aleph site.","diagram.export.ftm.link":"Aleph Data Desktop","diagram.export.iframe":"Embed iframe","diagram.export.svg":"Export as SVG","diagram.export.svg.description":"Download a vector graphic with the contents of the diagram.","diagram.export.title":"Export options","diagram.import.button":"Import diagram","diagram.import.placeholder":"Drop a .ftm or .vis file here or click to import an existing diagram","diagram.import.title":"Import a network diagram","diagram.render.error":"Error rendering diagram","diagram.selector.create":"Create a new diagram","diagram.selector.select_empty":"No existing diagram","diagram.update.label_placeholder":"Untitled diagram","diagram.update.success":"Your diagram has been updated successfully.","diagram.update.summary_placeholder":"A brief description of the diagram","diagram.update.title":"Diagram settings","diagrams":"Diagrams","diagrams.description":"Network diagrams let you visualize complex relationships within an investigation.","diagrams.no_diagrams":"There are no network diagrams.","diagrams.title":"Network diagrams","document.download":"Download","document.download.cancel":"Cancel","document.download.confirm":"Download","document.download.dont_warn":"Don't warn me in the future when downloading source documents","document.download.tooltip":"Download the original document","document.download.warning":"You’re about to download a source file. {br}{br} Source files can contain viruses and code that notify the originator when you open them. {br}{br} For sensitive data, we recommend only opening source files on a computer that is permanently disconnected from the internet.","document.folder.error":"There was an error creating the folder.","document.folder.new":"New folder","document.folder.save":"Create","document.folder.title":"New folder","document.folder.untitled":"Folder title","document.mapping.start":"Generate entities","document.paging":"Page {pageInput} of {numberOfPages}","document.pdf.search.page":"Page {page}","document.report_problem":"Report a problem","document.report_problem.text":"You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.","document.report_problem.title":"Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?","document.search.no_match":"No single page within this document matches all your search terms.","document.upload.button":"Upload","document.upload.cancel":"Cancel","document.upload.close":"Close","document.upload.errors":"Some files couldn't be transferred. You can use the Retry button to restart all failed uploads.","document.upload.files":"Choose files to upload...","document.upload.folder":"If you would like to upload folders instead, { button }.","document.upload.folder-toggle":"click here","document.upload.info":"If you need to upload a large amount of files (100+) consider {link}.","document.upload.notice":"The upload is complete. It will take a few moments for the documents to be processed and become searchable.","document.upload.progress":"{done} of {total} files done, {errors} errors.","document.upload.rejected":"{fileName} is missing a file type, so it cannot be uploaded.","document.upload.retry":"Retry","document.upload.save":"Upload","document.upload.summary":"{numberOfFiles, number} files, {totalSize}","document.upload.title":"Upload documents","document.upload.title_in_folder":"Upload documents to {folder}","document.viewer.ignored_file":"The system does not work with these types of files. Please download it so you’ll be able to see it.","document.viewer.no_viewer":"No preview is available for this document","email.body.empty":"No message body.","entity.delete.cancel":"Cancel","entity.delete.confirm":"Delete","entity.delete.error":"An error occured while attempting to delete this entity.","entity.delete.progress":"Deleting...","entity.delete.question.multiple":"Are you sure you want to delete the following {count, plural, one {item} other {items}}?","entity.delete.success":"Successfully deleted","entity.document.manager.cannot_map":"Select a table document to generate structured entities","entity.document.manager.empty":"No files or directories.","entity.document.manager.emptyCanUpload":"No files or directories. Drop files here or click to upload.","entity.document.manager.search_placeholder":"Search documents","entity.document.manager.search_placeholder_document":"Search in {label}","entity.info.attachments":"Attachments","entity.info.documents":"Documents","entity.info.info":"Info","entity.info.last_view":"Last viewed {time}","entity.info.similar":"Similar","entity.info.tags":"Mentions","entity.info.text":"Text","entity.info.view":"View","entity.info.workbook_warning":"This sheet is part of workbook {link}","entity.manager.bulk_import.description.1":"Select a table below from which to import new {schema} entities.","entity.manager.bulk_import.description.2":"Once selected, you will be prompted to assign columns from that table to properties of the generated entities.","entity.manager.bulk_import.description.3":"Don't see the table you're looking for? {link}","entity.manager.bulk_import.link_text":"Upload a new table document","entity.manager.bulk_import.no_results":"No matching documents found","entity.manager.bulk_import.placeholder":"Select a table document","entity.manager.delete":"Delete","entity.manager.edge_create_success":"Successfully linked {source} and {target}","entity.manager.entity_set_add_success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entity.manager.remove":"Remove","entity.manager.search_empty":"No matching {schema} results found","entity.manager.search_placeholder":"Search {schema}","entity.mapping.view":"Generate entities","entity.properties.missing":"unknown","entity.references.no_relationships":"This entity does not have any relationships.","entity.references.no_results":"No {schema} match this search.","entity.references.no_results_default":"No entities match this search.","entity.references.search.placeholder":"Search in {schema}","entity.references.search.placeholder_default":"Search entities","entity.remove.confirm":"Remove","entity.remove.error":"An error occured while attempting to remove this entity.","entity.remove.progress":"Removing...","entity.remove.question.multiple":"Are you sure you want to remove the following {count, plural, one {item} other {items}}?","entity.remove.success":"Successfully removed","entity.search.empty_title":"This folder is empty","entity.search.no_results_description":"Try making your search more general","entity.search.no_results_title":"No search results","entity.similar.empty":"There are no similar entities.","entity.similar.entity":"Similar entity","entity.similar.found_text":"Found {resultCount} {resultCount, plural, one {similar entity} other {similar entities}} from {datasetCount} {datasetCount, plural, one {dataset} other {datasets}}","entity.tags.no_tags":"No selectors were extracted from this entity.","entity.viewer.add_link":"Create link","entity.viewer.add_to":"Add to...","entity.viewer.bulk_import":"Bulk import","entity.viewer.search_placeholder":"Search in {label}","entitySet.last_updated":"Updated {date}","entityset.choose.name":"Title","entityset.choose.summary":"Summary","entityset.create.collection":"Investigation","entityset.create.collection.existing":"Select an investigation","entityset.create.collection.new":"Don't see the investigation you're looking for? {link}","entityset.create.collection.new_link":"Create a new investigation","entityset.create.submit":"Create","entityset.delete.confirm":"I understand the consequences.","entityset.delete.confirm.diagram":"Delete this network diagram.","entityset.delete.confirm.list":"Delete this list.","entityset.delete.confirm.profile":"Delete this profile.","entityset.delete.confirm.timeline":"Delete this timeline.","entityset.delete.question":"Are you sure you want to permanently delete {label}? This cannot be undone.","entityset.delete.success":"Successfully deleted {title}","entityset.delete.title.diagram":"Delete network diagram","entityset.delete.title.list":"Delete list","entityset.delete.title.profile":"Delete profile","entityset.delete.title.timeline":"Delete timeline","entityset.info.delete":"Delete","entityset.info.edit":"Settings","entityset.info.export":"Export","entityset.info.exportAsSvg":"Export as SVG","entityset.selector.placeholder":"Search existing","entityset.selector.success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entityset.selector.success_toast_button":"View","entityset.selector.title":"Add {firstCaption} {titleSecondary} to...","entityset.selector.title_default":"Add entities to...","entityset.selector.title_other":"and {count} other {count, plural, one {entity} other {entities}}","entityset.update.submit":"Save changes","error.screen.not_found":"The requested page could not be found.","export.dialog.text":"Initiate your export. {br}{br} Exports take some time to generate. You will receive an email once the data is ready. {br}{br} Please trigger this export only once.","exports.dialog.cancel":"Cancel","exports.dialog.confirm":"Export","exports.dialog.dashboard_link":"View progress","exports.dialog.success":"Your export has begun.","exports.expiration":"Expiration","exports.manager.description":"Below is a list of your exports. Make sure to download them before they expire.","exports.name":"Name","exports.no_exports":"You have no exports to download","exports.size":"Size","exports.status":"Status","exports.title":"Exports ready for download","facet.addresses":"{count, plural, one {Address} other {Addresses}}","facet.caption":"Name","facet.category":"{count, plural, one {Category} other {Categories}}","facet.collection_id":"Dataset","facet.countries":"{count, plural, one {Country} other {Countries}}","facet.dates":"{count, plural, one {Date} other {Dates}}","facet.emails":"{count, plural, one {E-Mail} other {E-Mails}}","facet.ibans":"{count, plural, one {IBAN} other {IBANs}}","facet.languages":"{count, plural, one {Language} other {Languages}}","facet.mimetypes":"{count, plural, one {File type} other {File types}}","facet.names":"{count, plural, one {Name} other {Names}}","facet.phones":"{count, plural, one {Phone number} other {Phone numbers}}","facet.schema":"Entity type","file_import.error":"Error importing file","footer.aleph":"Aleph {version}","footer.ftm":"FollowTheMoney {version}","group.page.description":"The list below shows all datasets and investigations that belong to this group.","group.page.search.description":"If you would like to search for specific entities or documents within the datasets that this group has access to, click here instead.","home.access_disabled":"Public access temporarily disabled","home.counts.countries":"Countries & territories","home.counts.datasets":"Public datasets","home.counts.entities":"Public entities","home.placeholder":"Try searching: {samples}","home.statistics.categories":"Dataset categories","home.statistics.countries":"Countries and territories","home.statistics.schemata":"Entity types","home.stats.title":"Get started exploring public data","home.title":"Find public records and leaks","hotkeys.judgement.different":"Decide different","hotkeys.judgement.group_label":"Entity decisions","hotkeys.judgement.next":"Select next result","hotkeys.judgement.previous":"Select previous result","hotkeys.judgement.same":"Decide same","hotkeys.judgement.unsure":"Decide not enough information","hotkeys.search.different":"Preview previous result","hotkeys.search.group_label":"Search preview","hotkeys.search.unsure":"Preview next result","hotkeys.search_focus":"Search","infoMode.collection_casefile":"Investigation","infoMode.collection_dataset":"Dataset","infoMode.createdAt":"Created at","infoMode.creator":"Created by","infoMode.updatedAt":"Last updated","investigation.mentions.empty":"There are no mentions yet in this investigation.","investigation.overview.guides":"Read more","investigation.overview.guides.access":"Managing access","investigation.overview.guides.diagrams":"Drawing network diagrams","investigation.overview.guides.documents":"Uploading documents","investigation.overview.guides.entities":"Creating & editing entities","investigation.overview.guides.mappings":"Generating entities from a spreadsheet","investigation.overview.guides.xref":"Cross-referencing your data","investigation.overview.notifications":"Recent activity","investigation.overview.shortcuts":"Quick links","investigation.overview.shortcuts_empty":"Getting started","investigation.search.placeholder":"Search this investigation","investigation.shortcut.diagram":"Sketch a network diagram","investigation.shortcut.entities":"Create new entities","investigation.shortcut.entity_create_error":"Unable to create entity","investigation.shortcut.entity_create_success":"Successfully created {name}","investigation.shortcut.upload":"Upload documents","investigation.shortcut.xref":"Compare with other datasets","judgement.disabled":"You must have edit access in order to make judgements.","judgement.negative":"Different","judgement.positive":"Same","judgement.unsure":"Not enough information","landing.shortcut.alert":"Create a search alert","landing.shortcut.datasets":"Browse datasets","landing.shortcut.investigation":"Start an investigation","landing.shortcut.search":"Search entities","list.create.button":"New list","list.create.label_placeholder":"Untitled list","list.create.login":"You must log in to create a list","list.create.success":"Your list has been created successfully.","list.create.summary_placeholder":"A brief description of the list","list.create.title":"Create a list","list.selector.create":"Create a new list","list.selector.select_empty":"No existing list","list.update.label_placeholder":"Untitled list","list.update.success":"Your list has been updated successfully.","list.update.summary_placeholder":"A brief description of the list","list.update.title":"List settings","lists":"Lists","lists.description":"Lists let you organize and group related entities of interest.","lists.no_lists":"There are no lists.","lists.title":"Lists","login.oauth":"Sign in via OAuth","mapping.actions.create":"Generate entities","mapping.actions.create.toast":"Generating entities...","mapping.actions.delete":"Delete","mapping.actions.delete.toast":"Deleting mapping and any generated entities...","mapping.actions.export":"Export mapping","mapping.actions.flush":"Remove generated entities","mapping.actions.flush.toast":"Removing generated entities...","mapping.actions.save":"Save changes","mapping.actions.save.toast":"Re-generating entities...","mapping.create.cancel":"Cancel","mapping.create.confirm":"Generate","mapping.create.question":"Are you sure you are ready to generate entities using this mapping?","mapping.delete.cancel":"Cancel","mapping.delete.confirm":"Delete","mapping.delete.question":"Are you sure you want to delete this mapping and all generated entities?","mapping.docs.link":"Aleph entity mapping documentation","mapping.entityAssign.helpText":"You must create an object of type \"{range}\" to be the {property}","mapping.entityAssign.noResults":"No matching objects available","mapping.entityAssign.placeholder":"Select an object","mapping.entity_set_select":"Select a List or Diagram","mapping.entityset.remove":"Remove","mapping.error.keyMissing":"Key Error: {id} entity must have at least one key","mapping.error.relationshipMissing":"Relationship Error: {id} entity must have a {source} and {target} assigned","mapping.flush.cancel":"Cancel","mapping.flush.confirm":"Remove","mapping.flush.question":"Are you sure you want to remove entities generated using this mapping?","mapping.import.button":"Import existing mapping","mapping.import.placeholder":"Drop a .yml file here or click to import an existing mapping file","mapping.import.querySelect":"Select a mapping query from this file to import:","mapping.import.submit":"Submit","mapping.import.success":"Your mapping has been imported successfully.","mapping.import.title":"Import a mapping","mapping.info":"Follow the steps below to map items in this investigation to structured Follow the Money entites. For more information, please refer to the {link}","mapping.info.link":"Aleph data mapping documentation","mapping.keyAssign.additionalHelpText":"The best keys are columns from your data that contain id numbers, phone numbers, email addresses, or other uniquely identifying information. If no columns with unique values exist, select multiple columns to allow Aleph to generate unique entities correctly from your data.","mapping.keyAssign.additionalHelpToggle.less":"Less","mapping.keyAssign.additionalHelpToggle.more":"More about keys","mapping.keyAssign.helpText":"Specify which columns from the source data will be used to identify unique entities.","mapping.keyAssign.noResults":"No results","mapping.keyAssign.placeholder":"Select keys from available columns","mapping.keys":"Keys","mapping.propAssign.errorBlank":"Columns with no header cannot be assigned","mapping.propAssign.errorDuplicate":"Columns with duplicate headers cannot be assigned","mapping.propAssign.literalButtonText":"Add a fixed value","mapping.propAssign.literalPlaceholder":"Add fixed value text","mapping.propAssign.other":"Other","mapping.propAssign.placeholder":"Assign a property","mapping.propRemove":"Remove this property from mapping","mapping.props":"Properties","mapping.save.cancel":"Cancel","mapping.save.confirm":"Update mapping & re-generate","mapping.save.question":"Updating this mapping will delete any previously generated entities and re-generate them. Are you sure you would like to continue?","mapping.section1.title":"1. Select entity types to generate","mapping.section2.title":"2. Map columns to entity properties","mapping.section3.title":"3. Verify","mapping.section4.description":"Generated entities will be added to {collection} by default. If you would like to additionally add them to a list or diagram within the investigation, please click below and select from the available options.","mapping.section4.title":"4. Select a destination for generated entities (optional)","mapping.status.error":"Error:","mapping.status.status":"Status:","mapping.status.updated":"Last updated:","mapping.title":"Generate structured entities","mapping.types.objects":"Objects","mapping.types.relationships":"Relationships","mapping.warning.empty":"You must create at least one entity","mappings.no_mappings":"You have not generated any mappings yet","messages.banner.dismiss":"Dismiss","nav.alerts":"Alerts","nav.bookmarks":"Bookmarks","nav.cases":"Investigations","nav.collections":"Datasets","nav.diagrams":"Network diagrams","nav.exports":"Exports","nav.lists":"Lists","nav.menu.cases":"Investigations","nav.settings":"Settings","nav.signin":"Sign in","nav.signout":"Sign out","nav.status":"System status","nav.timelines":"Timelines","nav.view_notifications":"Notifications","navbar.alert_add":"Click to receive alerts about new results for this search.","navbar.alert_remove":"You are receiving alerts about this search.","notification.description":"View the latest updates to datasets, investigations, groups and tracking alerts you follow.","notifications.greeting":"What's new, {role}?","notifications.no_notifications":"You have no unseen notifications","notifications.title":"Recent notifications","notifications.type_filter.all":"All","pages.not.found":"Page not found","pass.auth.not_same":"Your passwords are not the same!","password_auth.activate":"Activate","password_auth.confirm":"Confirm password","password_auth.email":"Email address","password_auth.name":"Your Name","password_auth.password":"Password","password_auth.signin":"Sign in","password_auth.signup":"Sign up","profile.callout.details":"This profile aggregates attributes and relationships from {count} entities across different datasets.","profile.callout.intro":"You're viewing {entity} as a profile.","profile.callout.link":"View the original entity","profile.delete.warning":"Deleting this profile will not delete any of the entities or entity decisions contained within it.","profile.hint":"{entity} has been combined with entities from other datasets into a profile","profile.info.header":"Profile","profile.info.items":"Entity decisions","profile.info.similar":"Suggested","profile.items.entity":"Combined entities","profile.items.explanation":"Make decisions below to determine which source entities should be added or excluded from this profile.","profile.similar.no_results":"No suggested additions for this profile were found.","profileinfo.api_desc":"Use the API key to read and write data via remote applications.","queryFilters.clearAll":"Clear all","queryFilters.showHidden":"Show {count} more filters...","refresh.callout_message":"Documents are being processed. Please wait...","restricted.explain":"Use of this dataset is restricted. Read the description and contact {creator} before using this material.","restricted.explain.creator":"the dataset owner","restricted.tag":"RESTRICTED","result.error":"Error","result.more_results":"More than {total} results","result.none":"No results found","result.results":"Found {total} results","result.searching":"Searching...","result.solo":"One result found","role.select.user":"Choose a user","schemaSelect.button.relationship":"Add a new relationship","schemaSelect.button.thing":"Add a new object","screen.load_more":"Load more","search.advanced.all.helptext":"Only results containing all of the given terms will be returned","search.advanced.all.label":"All of these words (Default)","search.advanced.any.helptext":"Results containing any of the given terms will be returned","search.advanced.any.label":"Any of these words","search.advanced.clear":"Clear all","search.advanced.exact.helptext":"Only results with this exact word or phrase will be returned","search.advanced.exact.label":"This exact word/phrase","search.advanced.none.helptext":"Exclude results with these words","search.advanced.none.label":"None of these words","search.advanced.proximity.distance":"Distance","search.advanced.proximity.helptext":"Search for two terms within a certain distance of each other. For example, return results with the terms \"Bank\" and \"America\" occurring within two words from each other, such as \"Bank of America\", \"Bank in America\", even \"America has a Bank\".","search.advanced.proximity.label":"Terms in proximity to each other","search.advanced.proximity.term":"First term","search.advanced.proximity.term2":"Second term","search.advanced.submit":"Search","search.advanced.title":"Advanced Search","search.advanced.variants.distance":"Letters different","search.advanced.variants.helptext":"Increase the fuzziness of a search. For example, Wladimir~2 will return not just the term “Wladimir” but also similar spellings such as \"Wladimyr\" or \"Vladimyr\". A spelling variant is defined by the number of spelling mistakes that must be made to get from the original word to the variant.","search.advanced.variants.label":"Spelling variations","search.advanced.variants.term":"Term","search.callout_message":"Some sources are hidden from anonymous users. {signInButton} to see all results you are authorised to access.","search.callout_message.button_text":"Sign in","search.columns.configure":"Configure columns","search.columns.configure_placeholder":"Search for a column...","search.config.groups":"Property groups","search.config.properties":"Properties","search.config.reset":"Reset to default","search.facets.clearDates":"Clear","search.facets.configure":"Configure filters","search.facets.configure_placeholder":"Search for a filter...","search.facets.filtersSelected":"{count} selected","search.facets.hide":"Hide filters","search.facets.no_items":"No options","search.facets.show":"Show filters","search.facets.showMore":"Show more…","search.filterTag.ancestors":"in:","search.filterTag.exclude":"not:","search.filterTag.role":"Filter by access","search.loading":"Loading...","search.no_results_description":"Try making your search more general","search.no_results_title":"No search results","search.placeholder":"Search companies, people and documents","search.placeholder_default":"Search…","search.placeholder_label":"Search in {label}","search.screen.dates.show-all":"* Showing all date filter options. { button } to view recent dates only.","search.screen.dates.show-hidden":"* Showing only date filter options from {start} to the present. { button } to view dates outside this range.","search.screen.dates.show-hidden.click":"Click here","search.screen.dates_label":"results","search.screen.dates_title":"Dates","search.screen.dates_uncertain_day":"* this count includes dates where no day is specified","search.screen.dates_uncertain_day_month":"* this count includes dates in {year} where no day or month is specified","search.screen.dates_uncertain_month":"* this count includes dates in {year} where no month is specified","search.screen.export":"Export","search.screen.export_disabled":"Cannot export more than 10,000 results at a time","search.screen.export_disabled_empty":"No results to export.","search.screen.export_helptext":"Export results","search.title":"Search: {title}","search.title_emptyq":"Search","settings.api_key":"API Secret Access Key","settings.confirm":"(confirm)","settings.current_explain":"Enter your current password to set a new one.","settings.current_password":"Current password","settings.email":"E-mail Address","settings.email.muted":"Receive daily notification e-mails","settings.email.no_change":"Your e-mail address cannot be changed","settings.email.tester":"Test new features before they are finished","settings.locale":"Language","settings.name":"Name","settings.new_password":"New password","settings.password.missmatch":"Passwords do not match","settings.password.rules":"Use at least six characters","settings.password.title":"Change your password","settings.save":"Update","settings.saved":"It's official, your profile is updated.","settings.title":"Settings","sidebar.open":"Expand","signup.activate":"Activate your account","signup.inbox.desc":"We've sent you an email, please follow the link to complete your registration","signup.inbox.title":"Check your inbox","signup.login":"Already have account? Sign in!","signup.register":"Register","signup.register.question":"Don't have account? Register!","signup.title":"Sign in","sorting.bar.button.label":"Show:","sorting.bar.caption":"Title","sorting.bar.collection_id":"Dataset","sorting.bar.count":"Size","sorting.bar.countries":"Countries","sorting.bar.created_at":"Creation Date","sorting.bar.date":"Date","sorting.bar.dates":"Dates","sorting.bar.direction":"Direction:","sorting.bar.endDate":"End date","sorting.bar.label":"Title","sorting.bar.sort":"Sort by:","sorting.bar.updated_at":"Update Date","sources.index.empty":"This group is not linked to any datasets or investigations.","sources.index.placeholder":"Search for a dataset or investigation belonging to {group}...","status.no_collection":"Other tasks","tags.results":"Mention count","tags.title":"Term","text.loading":"Loading…","timeline.create.button":"New timeline","timeline.create.label_placeholder":"Untitled timeline","timeline.create.login":"You must log in to create a timeline","timeline.create.success":"Your timeline has been created successfully.","timeline.create.summary_placeholder":"A brief description of the timeline","timeline.create.title":"Create a timeline","timeline.selector.create":"Create a new timeline","timeline.selector.select_empty":"No existing timeline","timeline.update.label_placeholder":"Untitled timeline","timeline.update.success":"Your timeline has been updated successfully.","timeline.update.summary_placeholder":"A brief description of the timeline","timeline.update.title":"Timeline settings","timelines":"Timelines","timelines.description":"Timelines are a way to view and organize events chronologically.","timelines.no_timelines":"There are no timelines.","timelines.title":"Timelines","valuelink.tooltip":"{count} mentions in {appName}","xref.compute":"Compute","xref.entity":"Reference","xref.match":"Possible match","xref.match_collection":"Dataset","xref.recompute":"Re-compute","xref.score":"Score","xref.sort.default":"Default","xref.sort.label":"Sort by:","xref.sort.random":"Random"},"pt_BR":{"alert.manager.description":"Você receberá notificações quando um novo resultado for gerado para qualquer uma das pesquisas utilizadas para criar os alertas abaixo.","alerts.add_placeholder":"Criar novo alerta de monitoramento...","alerts.delete":"Remove alert","alerts.heading":"Gerencie seus alertas","alerts.no_alerts":"Você não está monitorando nenhuma pesquisa","alerts.save":"Atualizar","alerts.title":"Monitorando alertas","alerts.track":"Monitorar","auth.bad_request":"O Servidor não aceitou sua entrada","auth.server_error":"Erro no servidor","auth.success":"Sucesso","auth.unauthorized":"Acesso negado","auth.unknown_error":"Um erro inesperado ocorreu","case.choose.name":"Título","case.choose.summary":"Resumo","case.chose.languages":"Línguas","case.create.login":"Você deve fazer login para enviar seus próprios dados.","case.description":"Investigations let you upload and share documents and data which belong to a particular story. You can upload PDFs, email archives or spreadsheets, and they will be made easy to search and browse.","case.label_placeholder":"Untitled investigation","case.language_placeholder":"Select languages","case.languages.helper":"Usado para reconhecimento óptico de texto em alfabetos não latinos.","case.save":"Salvar","case.share.with":"Compartilhar com","case.summary":"A brief description of the investigation","case.title":"Create an investigation","case.users":"Pesquisar usuários","cases.create":"New investigation","cases.empty":"You do not have any investigations yet.","cases.no_results":"No investigations were found matching this query.","cases.placeholder":"Search investigations...","cases.title":"Investigations","clipboard.copy.after":"Successfully copied to clipboard","clipboard.copy.before":"Copiar para a área de transferência","collection.addSchema.placeholder":"Add new entity type","collection.analyze.alert.text":"You're about to re-index the entities in {collectionLabel}. This can be helpful if there are inconsistencies in how the data is presented.","collection.analyze.cancel":"Cancelar","collection.cancel.button":"Cancelar","collection.countries":"País","collection.creator":"Gerenciador","collection.data_updated_at":"Content updated","collection.data_url":"URL do dado","collection.delete.confirm":"I understand the consequences.","collection.delete.confirm.dataset":"Delete this dataset.","collection.delete.confirm.investigation":"Delete this investigation.","collection.delete.question":"Are you sure you want to permanently delete {collectionLabel} and all contained items? This cannot be undone.","collection.delete.success":"Successfully deleted {label}","collection.delete.title.dataset":"Delete dataset","collection.delete.title.investigation":"Delete investigation","collection.edit.access_title":"Controle de acesso","collection.edit.cancel_button":"Cancelar","collection.edit.groups":"Grupos","collection.edit.info.analyze":"Reprocessar","collection.edit.info.cancel":"Cancelar","collection.edit.info.category":"Categoria","collection.edit.info.countries":"Países","collection.edit.info.creator":"Gerenciador","collection.edit.info.data_url":"URL da fonte do dado","collection.edit.info.delete":"Excluir","collection.edit.info.foreign_id":"ID externo","collection.edit.info.frequency":"Update frequency","collection.edit.info.info_url":"URL de informação","collection.edit.info.label":"Nome","collection.edit.info.languages":"Línguas","collection.edit.info.placeholder_country":"Select countries","collection.edit.info.placeholder_data_url":"Link para o dado original e disponível pra download","collection.edit.info.placeholder_info_url":"Link para informações adicionais","collection.edit.info.placeholder_label":"Um nome","collection.edit.info.placeholder_language":"Select languages","collection.edit.info.placeholder_publisher":"Organização ou pessoa publicando esses dados","collection.edit.info.placeholder_publisher_url":"Link para o publicador","collection.edit.info.placeholder_summary":"Breve resumo","collection.edit.info.publisher":"Publicador","collection.edit.info.publisher_url":"URL do publicador","collection.edit.info.restricted":"This dataset is restricted and viewers should be warned.","collection.edit.info.save":"Salvar alterações","collection.edit.info.summary":"Resumo","collection.edit.permissions_warning":"Note: User must already have an Aleph account in order to receive access.","collection.edit.permissionstable.edit":"Editar","collection.edit.permissionstable.view":"Visualizar","collection.edit.save_button":"Salvar alterações","collection.edit.save_success":"Suas alterações foram gravadas.","collection.edit.title":"Configurações","collection.edit.users":"Usuários","collection.foreign_id":"ID externo","collection.frequency":"Updates","collection.index.empty":"No datasets were found.","collection.index.filter.all":"Todas","collection.index.filter.mine":"Created by me","collection.index.no_results":"No datasets were found matching this query.","collection.index.placeholder":"Pesquisar conjuntos de dados...","collection.index.title":"Conjuntos de dados","collection.info.access":"Compartilhar","collection.info.browse":"Documentos","collection.info.delete":"Delete dataset","collection.info.delete_casefile":"Delete investigation","collection.info.diagrams":"Network diagrams","collection.info.diagrams_description":"Network diagrams let you visualize complex relationships within an investigation.","collection.info.documents":"Documentos","collection.info.edit":"Configurações","collection.info.entities":"Entities","collection.info.lists":"Lists","collection.info.lists_description":"Lists let you organize and group related entities of interest.","collection.info.mappings":"Entity mappings","collection.info.mappings_description":"Entity mappings allow you to bulk generate structured Follow the Money entities (like People, Companies, and the relationships among them) from rows in a spreadsheet or CSV document","collection.info.mentions":"Menções","collection.info.mentions_description":"Aleph automatically extracts terms that resemble names, address, phone numbers, and email addresses from uploaded documents and entities within your investigation. {br}{br} Click on a mentioned term below to find where it appears in your investigation.","collection.info.overview":"Overview","collection.info.reindex":"Re-index all content","collection.info.reingest":"Re-ingest documents","collection.info.search":"Pesquisar","collection.info.source_documents":"Source documents","collection.info.timelines":"Timelines","collection.info.timelines_description":"Timelines are a way to view and organize events chronologically.","collection.info.xref":"Referência Cruzada","collection.info.xref_description":"Cross-referencing allows you to search the rest of Aleph for entities similar to those contained in your investigation.","collection.info_url":"URL de informação","collection.last_updated":"Last updated {date}","collection.mappings.create":"Create a new entity mapping","collection.mappings.create_docs_link":"For more information, please refer to the {link}","collection.overview.empty":"This dataset is empty.","collection.publisher":"Publicador","collection.reconcile":"Reconciliação","collection.reconcile.description":"Match your own data against the entities in this collection using the free {openrefine} tool by adding the reconciliation endpoint.","collection.reindex.cancel":"Cancelar","collection.reindex.confirm":"Start indexing","collection.reindex.flush":"Clear index before re-indexing","collection.reindex.processing":"Indexing started.","collection.reingest.confirm":"Start processing","collection.reingest.index":"Index documents as they are processed.","collection.reingest.processing":"Re-ingest started.","collection.reingest.text":"You're about to re-process all documents in {collectionLabel}. This might take some time.","collection.statistics.showmore":"Show more","collection.status.cancel_button":"Cancelar processo","collection.status.collection":"Conjunto de dado","collection.status.finished_tasks":"Finalizado","collection.status.jobs":"Jobs","collection.status.message":"Aguarde enquanto os dados são processados.","collection.status.no_active":"Nãp há tarefas em andamento","collection.status.pending_tasks":"Pendente","collection.status.progress":"Tarefas","collection.status.title":"Atualização em progresso ({percent}%)","collection.team":"Acessível por","collection.updated_at":"Metadata updated","collection.xref.cancel":"Cancelar","collection.xref.confirm":"Confirm","collection.xref.empty":"Nenhum resultado na análise de referenciamento cruzado.","collection.xref.processing":"Cruzamento de dados iniciado.","collection.xref.text":"You will now cross-reference {collectionLabel} against all other sources. Start this process once and then wait for it to complete.","collection.xref.title":"Referência Cruzada","dashboard.activity":"Ações","dashboard.alerts":"Alertas","dashboard.cases":"Investigations","dashboard.diagrams":"Network diagrams","dashboard.exports":"Exports","dashboard.groups":"Grupos","dashboard.lists":"Lists","dashboard.notifications":"Notificações","dashboard.settings":"Configurações","dashboard.status":"Status do sistema","dashboard.subheading":"Verifique o progresso das análises de dados, upload e tarefas de processamento em andamento.","dashboard.timelines":"Timelines","dashboard.title":"Status do Sistema","dashboard.workspace":"Workspace","dataset.search.placeholder":"Search this dataset","diagram.create.button":"New diagram","diagram.create.label_placeholder":"Untitled diagram","diagram.create.login":"You must log in to create a diagram","diagram.create.success":"Your diagram has been created successfully.","diagram.create.summary_placeholder":"A brief description of the diagram","diagram.create.title":"Create a diagram","diagram.embed.error":"Error generating diagram embed","diagram.export.embed.description":"Generate an embeddable interactive version of the diagram that can be used in an article. The embed will not reflect future changes in the diagram.","diagram.export.error":"Error exporting diagram","diagram.export.ftm":"Export as .ftm","diagram.export.ftm.description":"Download the diagram as a data file that can be used in {link} or another Aleph site.","diagram.export.ftm.link":"Aleph Data Desktop","diagram.export.iframe":"Embed iframe","diagram.export.svg":"Export as SVG","diagram.export.svg.description":"Download a vector graphic with the contents of the diagram.","diagram.export.title":"Export options","diagram.import.button":"Import diagram","diagram.import.placeholder":"Drop a .ftm or .vis file here or click to import an existing diagram","diagram.import.title":"Import a network diagram","diagram.render.error":"Error rendering diagram","diagram.selector.create":"Create a new diagram","diagram.selector.select_empty":"No existing diagram","diagram.update.label_placeholder":"Untitled diagram","diagram.update.success":"Your diagram has been updated successfully.","diagram.update.summary_placeholder":"A brief description of the diagram","diagram.update.title":"Diagram settings","diagrams":"Diagrams","diagrams.description":"Network diagrams let you visualize complex relationships within an investigation.","diagrams.no_diagrams":"There are no network diagrams.","diagrams.title":"Network diagrams","document.download":"Download","document.download.cancel":"Cancelar","document.download.confirm":"Download","document.download.dont_warn":"Don't warn me in the future when downloading source documents","document.download.tooltip":"Download do arquivo original","document.download.warning":"You’re about to download a source file. {br}{br} Source files can contain viruses and code that notify the originator when you open them. {br}{br} For sensitive data, we recommend only opening source files on a computer that is permanently disconnected from the internet.","document.folder.error":"Ocorreu um erro ao criar a pasta.","document.folder.new":"Nova pasta","document.folder.save":"Criar","document.folder.title":"Nova pasta","document.folder.untitled":"Título da pasta","document.mapping.start":"Generate entities","document.paging":"Page {pageInput} of {numberOfPages}","document.pdf.search.page":"Página {page}","document.report_problem":"Report a problem","document.report_problem.text":"You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.","document.report_problem.title":"Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?","document.search.no_match":"Nenhuma página desse documento atende aos termos buscados.","document.upload.button":"Enviar","document.upload.cancel":"Cancelar","document.upload.close":"Close","document.upload.errors":"Some files couldn't be transferred. You can use the Retry button to restart all failed uploads.","document.upload.files":"Escolha os arquivos pra upload...","document.upload.folder":"If you would like to upload folders instead, { button }.","document.upload.folder-toggle":"click here","document.upload.info":"If you need to upload a large amount of files (100+) consider {link}.","document.upload.notice":"The upload is complete. It will take a few moments for the documents to be processed and become searchable.","document.upload.progress":"{done} of {total} files done, {errors} errors.","document.upload.rejected":"{fileName} is missing a file type, so it cannot be uploaded.","document.upload.retry":"Retry","document.upload.save":"Enviar","document.upload.summary":"{numberOfFiles, number} files, {totalSize}","document.upload.title":"Enviar documentos","document.upload.title_in_folder":"Upload documents to {folder}","document.viewer.ignored_file":"O sistema não trabalha com esses tipos de arquivos. Por favor, faça o download do arquivo para que possa visualizá-lo,.","document.viewer.no_viewer":"Não há pré-visualização disponível para esse documento","email.body.empty":"Sem corpo da mensagem.","entity.delete.cancel":"Cancelar","entity.delete.confirm":"Excluir","entity.delete.error":"Um erro ocorreu ao tentar excluir essa entidade.","entity.delete.progress":"Deleting...","entity.delete.question.multiple":"Are you sure you want to delete the following {count, plural, one {item} other {items}}?","entity.delete.success":"Successfully deleted","entity.document.manager.cannot_map":"Select a table document to generate structured entities","entity.document.manager.empty":"Nenhum arquivo ou diretório.","entity.document.manager.emptyCanUpload":"No files or directories. Drop files here or click to upload.","entity.document.manager.search_placeholder":"Search documents","entity.document.manager.search_placeholder_document":"Pesquisar em {label}","entity.info.attachments":"Anexos","entity.info.documents":"Documentos","entity.info.info":"Informação","entity.info.last_view":"Last viewed {time}","entity.info.similar":"Similar","entity.info.tags":"Menções","entity.info.text":"Texto","entity.info.view":"Visualizar","entity.info.workbook_warning":"This sheet is part of workbook {link}","entity.manager.bulk_import.description.1":"Select a table below from which to import new {schema} entities.","entity.manager.bulk_import.description.2":"Once selected, you will be prompted to assign columns from that table to properties of the generated entities.","entity.manager.bulk_import.description.3":"Don't see the table you're looking for? {link}","entity.manager.bulk_import.link_text":"Upload a new table document","entity.manager.bulk_import.no_results":"No matching documents found","entity.manager.bulk_import.placeholder":"Select a table document","entity.manager.delete":"Excluir","entity.manager.edge_create_success":"Successfully linked {source} and {target}","entity.manager.entity_set_add_success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entity.manager.remove":"Remove","entity.manager.search_empty":"No matching {schema} results found","entity.manager.search_placeholder":"Search {schema}","entity.mapping.view":"Generate entities","entity.properties.missing":"desconhecido","entity.references.no_relationships":"A entidade não possui relacionamentos.","entity.references.no_results":"No {schema} match this search.","entity.references.no_results_default":"No entities match this search.","entity.references.search.placeholder":"Search in {schema}","entity.references.search.placeholder_default":"Search entities","entity.remove.confirm":"Remove","entity.remove.error":"An error occured while attempting to remove this entity.","entity.remove.progress":"Removing...","entity.remove.question.multiple":"Are you sure you want to remove the following {count, plural, one {item} other {items}}?","entity.remove.success":"Successfully removed","entity.search.empty_title":"A pasta está vazia","entity.search.no_results_description":"Tente refazer sua pesquisa de forma mais genérica","entity.search.no_results_title":"Nenhum resultado pra busca","entity.similar.empty":"Não há entidades similares.","entity.similar.entity":"Similar entity","entity.similar.found_text":"Found {resultCount} {resultCount, plural, one {similar entity} other {similar entities}} from {datasetCount} {datasetCount, plural, one {dataset} other {datasets}}","entity.tags.no_tags":"Nenhum seletor foi extraído dessa entidade.","entity.viewer.add_link":"Create link","entity.viewer.add_to":"Add to...","entity.viewer.bulk_import":"Bulk import","entity.viewer.search_placeholder":"Pesquisar em {label}","entitySet.last_updated":"Atualizado em {date}","entityset.choose.name":"Título","entityset.choose.summary":"Resumo","entityset.create.collection":"Investigation","entityset.create.collection.existing":"Select an investigation","entityset.create.collection.new":"Don't see the investigation you're looking for? {link}","entityset.create.collection.new_link":"Create a new investigation","entityset.create.submit":"Criar","entityset.delete.confirm":"I understand the consequences.","entityset.delete.confirm.diagram":"Delete this network diagram.","entityset.delete.confirm.list":"Delete this list.","entityset.delete.confirm.profile":"Delete this profile.","entityset.delete.confirm.timeline":"Delete this timeline.","entityset.delete.question":"Are you sure you want to permanently delete {label}? This cannot be undone.","entityset.delete.success":"Successfully deleted {title}","entityset.delete.title.diagram":"Delete network diagram","entityset.delete.title.list":"Delete list","entityset.delete.title.profile":"Delete profile","entityset.delete.title.timeline":"Delete timeline","entityset.info.delete":"Excluir","entityset.info.edit":"Configurações","entityset.info.export":"Exportar","entityset.info.exportAsSvg":"Export as SVG","entityset.selector.placeholder":"Search existing","entityset.selector.success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entityset.selector.success_toast_button":"Visualizar","entityset.selector.title":"Add {firstCaption} {titleSecondary} to...","entityset.selector.title_default":"Add entities to...","entityset.selector.title_other":"and {count} other {count, plural, one {entity} other {entities}}","entityset.update.submit":"Salvar alterações","error.screen.not_found":"A página solicitada não foi encontrada.","export.dialog.text":"Initiate your export. {br}{br} Exports take some time to generate. You will receive an email once the data is ready. {br}{br} Please trigger this export only once.","exports.dialog.cancel":"Cancelar","exports.dialog.confirm":"Exportar","exports.dialog.dashboard_link":"View progress","exports.dialog.success":"Your export has begun.","exports.expiration":"Expiration","exports.manager.description":"Below is a list of your exports. Make sure to download them before they expire.","exports.name":"Nome","exports.no_exports":"You have no exports to download","exports.size":"Tamanho","exports.status":"Status","exports.title":"Exports ready for download","facet.addresses":"{count, plural, one {Address} other {Addresses}}","facet.caption":"Nome","facet.category":"{count, plural, one {Category} other {Categories}}","facet.collection_id":"Conjunto de dado","facet.countries":"{count, plural, one {Country} other {Countries}}","facet.dates":"{count, plural, one {Date} other {Dates}}","facet.emails":"{count, plural, one {E-Mail} other {E-Mails}}","facet.ibans":"{count, plural, one {IBAN} other {IBANs}}","facet.languages":"{count, plural, one {Language} other {Languages}}","facet.mimetypes":"{count, plural, one {File type} other {File types}}","facet.names":"{count, plural, one {Name} other {Names}}","facet.phones":"{count, plural, one {Phone number} other {Phone numbers}}","facet.schema":"Entity type","file_import.error":"Error importing file","footer.aleph":"Aleph {version}","footer.ftm":"FollowTheMoney {version}","group.page.description":"The list below shows all datasets and investigations that belong to this group.","group.page.search.description":"If you would like to search for specific entities or documents within the datasets that this group has access to, click here instead.","home.access_disabled":"Public access temporarily disabled","home.counts.countries":"Countries & territories","home.counts.datasets":"Public datasets","home.counts.entities":"Public entities","home.placeholder":"Tente buscar por: {samples}","home.statistics.categories":"Dataset categories","home.statistics.countries":"Countries and territories","home.statistics.schemata":"Tipos de entidades","home.stats.title":"Get started exploring public data","home.title":"Encontre registros públicos e vazados","hotkeys.judgement.different":"Decide different","hotkeys.judgement.group_label":"Entity decisions","hotkeys.judgement.next":"Select next result","hotkeys.judgement.previous":"Select previous result","hotkeys.judgement.same":"Decide same","hotkeys.judgement.unsure":"Decide not enough information","hotkeys.search.different":"Preview previous result","hotkeys.search.group_label":"Search preview","hotkeys.search.unsure":"Preview next result","hotkeys.search_focus":"Pesquisar","infoMode.collection_casefile":"Investigation","infoMode.collection_dataset":"Conjunto de dado","infoMode.createdAt":"Created at","infoMode.creator":"Created by","infoMode.updatedAt":"Última atualização","investigation.mentions.empty":"There are no mentions yet in this investigation.","investigation.overview.guides":"Read more","investigation.overview.guides.access":"Managing access","investigation.overview.guides.diagrams":"Drawing network diagrams","investigation.overview.guides.documents":"Uploading documents","investigation.overview.guides.entities":"Creating & editing entities","investigation.overview.guides.mappings":"Generating entities from a spreadsheet","investigation.overview.guides.xref":"Cross-referencing your data","investigation.overview.notifications":"Recent activity","investigation.overview.shortcuts":"Quick links","investigation.overview.shortcuts_empty":"Getting started","investigation.search.placeholder":"Search this investigation","investigation.shortcut.diagram":"Sketch a network diagram","investigation.shortcut.entities":"Create new entities","investigation.shortcut.entity_create_error":"Unable to create entity","investigation.shortcut.entity_create_success":"Successfully created {name}","investigation.shortcut.upload":"Enviar documentos","investigation.shortcut.xref":"Compare with other datasets","judgement.disabled":"You must have edit access in order to make judgements.","judgement.negative":"Different","judgement.positive":"Same","judgement.unsure":"Not enough information","landing.shortcut.alert":"Create a search alert","landing.shortcut.datasets":"Browse datasets","landing.shortcut.investigation":"Start an investigation","landing.shortcut.search":"Search entities","list.create.button":"New list","list.create.label_placeholder":"Untitled list","list.create.login":"You must log in to create a list","list.create.success":"Your list has been created successfully.","list.create.summary_placeholder":"A brief description of the list","list.create.title":"Create a list","list.selector.create":"Create a new list","list.selector.select_empty":"No existing list","list.update.label_placeholder":"Untitled list","list.update.success":"Your list has been updated successfully.","list.update.summary_placeholder":"A brief description of the list","list.update.title":"List settings","lists":"Lists","lists.description":"Lists let you organize and group related entities of interest.","lists.no_lists":"There are no lists.","lists.title":"Lists","login.oauth":"Acessar com OAuth","mapping.actions.create":"Generate entities","mapping.actions.create.toast":"Generating entities...","mapping.actions.delete":"Excluir","mapping.actions.delete.toast":"Deleting mapping and any generated entities...","mapping.actions.export":"Export mapping","mapping.actions.flush":"Remove generated entities","mapping.actions.flush.toast":"Removing generated entities...","mapping.actions.save":"Salvar alterações","mapping.actions.save.toast":"Re-generating entities...","mapping.create.cancel":"Cancelar","mapping.create.confirm":"Generate","mapping.create.question":"Are you sure you are ready to generate entities using this mapping?","mapping.delete.cancel":"Cancelar","mapping.delete.confirm":"Excluir","mapping.delete.question":"Are you sure you want to delete this mapping and all generated entities?","mapping.docs.link":"Aleph entity mapping documentation","mapping.entityAssign.helpText":"You must create an object of type \"{range}\" to be the {property}","mapping.entityAssign.noResults":"No matching objects available","mapping.entityAssign.placeholder":"Select an object","mapping.entity_set_select":"Select a List or Diagram","mapping.entityset.remove":"Remove","mapping.error.keyMissing":"Key Error: {id} entity must have at least one key","mapping.error.relationshipMissing":"Relationship Error: {id} entity must have a {source} and {target} assigned","mapping.flush.cancel":"Cancelar","mapping.flush.confirm":"Remove","mapping.flush.question":"Are you sure you want to remove entities generated using this mapping?","mapping.import.button":"Import existing mapping","mapping.import.placeholder":"Drop a .yml file here or click to import an existing mapping file","mapping.import.querySelect":"Select a mapping query from this file to import:","mapping.import.submit":"Submit","mapping.import.success":"Your mapping has been imported successfully.","mapping.import.title":"Import a mapping","mapping.info":"Follow the steps below to map items in this investigation to structured Follow the Money entites. For more information, please refer to the {link}","mapping.info.link":"Aleph data mapping documentation","mapping.keyAssign.additionalHelpText":"The best keys are columns from your data that contain id numbers, phone numbers, email addresses, or other uniquely identifying information. If no columns with unique values exist, select multiple columns to allow Aleph to generate unique entities correctly from your data.","mapping.keyAssign.additionalHelpToggle.less":"Less","mapping.keyAssign.additionalHelpToggle.more":"More about keys","mapping.keyAssign.helpText":"Specify which columns from the source data will be used to identify unique entities.","mapping.keyAssign.noResults":"No results","mapping.keyAssign.placeholder":"Select keys from available columns","mapping.keys":"Keys","mapping.propAssign.errorBlank":"Columns with no header cannot be assigned","mapping.propAssign.errorDuplicate":"Columns with duplicate headers cannot be assigned","mapping.propAssign.literalButtonText":"Add a fixed value","mapping.propAssign.literalPlaceholder":"Add fixed value text","mapping.propAssign.other":"Outras","mapping.propAssign.placeholder":"Assign a property","mapping.propRemove":"Remove this property from mapping","mapping.props":"Properties","mapping.save.cancel":"Cancelar","mapping.save.confirm":"Update mapping & re-generate","mapping.save.question":"Updating this mapping will delete any previously generated entities and re-generate them. Are you sure you would like to continue?","mapping.section1.title":"1. Select entity types to generate","mapping.section2.title":"2. Map columns to entity properties","mapping.section3.title":"3. Verify","mapping.section4.description":"Generated entities will be added to {collection} by default. If you would like to additionally add them to a list or diagram within the investigation, please click below and select from the available options.","mapping.section4.title":"4. Select a destination for generated entities (optional)","mapping.status.error":"Error:","mapping.status.status":"Status:","mapping.status.updated":"Last updated:","mapping.title":"Generate structured entities","mapping.types.objects":"Objects","mapping.types.relationships":"Relationships","mapping.warning.empty":"You must create at least one entity","mappings.no_mappings":"You have not generated any mappings yet","messages.banner.dismiss":"Dismiss","nav.alerts":"Alertas","nav.bookmarks":"Bookmarks","nav.cases":"Investigations","nav.collections":"Conjuntos de dados","nav.diagrams":"Network diagrams","nav.exports":"Exports","nav.lists":"Lists","nav.menu.cases":"Investigations","nav.settings":"Configurações","nav.signin":"Acessar","nav.signout":"Sair","nav.status":"Status do sistema","nav.timelines":"Timelines","nav.view_notifications":"Notificações","navbar.alert_add":"Clique para receber alertas de novos resultados para essa busca.","navbar.alert_remove":"Você está recebendo alertas para essa pesquisa.","notification.description":"View the latest updates to datasets, investigations, groups and tracking alerts you follow.","notifications.greeting":"Quais são as novidades, {role}?","notifications.no_notifications":"Você já viu todas suas notificações","notifications.title":"Notificações recentes","notifications.type_filter.all":"Todas","pages.not.found":"Page not found","pass.auth.not_same":"Suas senhas não são as mesmas!","password_auth.activate":"Ativar","password_auth.confirm":"Confirmar senha","password_auth.email":"Endereço de e-mail","password_auth.name":"Seu Nome","password_auth.password":"Senha","password_auth.signin":"Acessar","password_auth.signup":"Registrar-se","profile.callout.details":"This profile aggregates attributes and relationships from {count} entities across different datasets.","profile.callout.intro":"You're viewing {entity} as a profile.","profile.callout.link":"View the original entity","profile.delete.warning":"Deleting this profile will not delete any of the entities or entity decisions contained within it.","profile.hint":"{entity} has been combined with entities from other datasets into a profile","profile.info.header":"Profile","profile.info.items":"Entity decisions","profile.info.similar":"Suggested","profile.items.entity":"Combined entities","profile.items.explanation":"Make decisions below to determine which source entities should be added or excluded from this profile.","profile.similar.no_results":"No suggested additions for this profile were found.","profileinfo.api_desc":"Use a chave da API para ler e gravar dados através de aplicações remotas","queryFilters.clearAll":"Limpar tudo","queryFilters.showHidden":"Show {count} more filters...","refresh.callout_message":"Documentos estão sendo processados. Aguarde...","restricted.explain":"Use of this dataset is restricted. Read the description and contact {creator} before using this material.","restricted.explain.creator":"the dataset owner","restricted.tag":"RESTRICTED","result.error":"Erro","result.more_results":"Mais de {total} resultados","result.none":"Nenhum resultado encontrado","result.results":"Encontrado(s) {total} resultados","result.searching":"Pesquisando...","result.solo":"Um resultado encontrado","role.select.user":"Escolha um usuário","schemaSelect.button.relationship":"Add a new relationship","schemaSelect.button.thing":"Add a new object","screen.load_more":"Load more","search.advanced.all.helptext":"Only results containing all of the given terms will be returned","search.advanced.all.label":"All of these words (Default)","search.advanced.any.helptext":"Results containing any of the given terms will be returned","search.advanced.any.label":"Any of these words","search.advanced.clear":"Limpar tudo","search.advanced.exact.helptext":"Only results with this exact word or phrase will be returned","search.advanced.exact.label":"This exact word/phrase","search.advanced.none.helptext":"Exclude results with these words","search.advanced.none.label":"None of these words","search.advanced.proximity.distance":"Distance","search.advanced.proximity.helptext":"Search for two terms within a certain distance of each other. For example, return results with the terms \"Bank\" and \"America\" occurring within two words from each other, such as \"Bank of America\", \"Bank in America\", even \"America has a Bank\".","search.advanced.proximity.label":"Terms in proximity to each other","search.advanced.proximity.term":"First term","search.advanced.proximity.term2":"Second term","search.advanced.submit":"Pesquisar","search.advanced.title":"Advanced Search","search.advanced.variants.distance":"Letters different","search.advanced.variants.helptext":"Increase the fuzziness of a search. For example, Wladimir~2 will return not just the term “Wladimir” but also similar spellings such as \"Wladimyr\" or \"Vladimyr\". A spelling variant is defined by the number of spelling mistakes that must be made to get from the original word to the variant.","search.advanced.variants.label":"Spelling variations","search.advanced.variants.term":"Term","search.callout_message":"Alguns recursos não são visíveis pelos usuários anônimos. {signInButton} para ver todos os resultados aos quais você tem acesso.","search.callout_message.button_text":"Acessar","search.columns.configure":"Configure columns","search.columns.configure_placeholder":"Search for a column...","search.config.groups":"Property groups","search.config.properties":"Properties","search.config.reset":"Reset to default","search.facets.clearDates":"Clear","search.facets.configure":"Configure filters","search.facets.configure_placeholder":"Search for a filter...","search.facets.filtersSelected":"{count} selecionados","search.facets.hide":"Hide filters","search.facets.no_items":"Nenhuma opção","search.facets.show":"Show filters","search.facets.showMore":"Mostrar mais...","search.filterTag.ancestors":"em:","search.filterTag.exclude":"não:","search.filterTag.role":"Filtrar por acesso","search.loading":"Loading...","search.no_results_description":"Tente refazer sua pesquisa de forma mais genérica","search.no_results_title":"Nenhum resultado pra busca","search.placeholder":"Pesquisar empresas, pessoas e documentos","search.placeholder_default":"Pesquisar...","search.placeholder_label":"Pesquisar em {label}","search.screen.dates.show-all":"* Showing all date filter options. { button } to view recent dates only.","search.screen.dates.show-hidden":"* Showing only date filter options from {start} to the present. { button } to view dates outside this range.","search.screen.dates.show-hidden.click":"Click here","search.screen.dates_label":"results","search.screen.dates_title":"Dates","search.screen.dates_uncertain_day":"* this count includes dates where no day is specified","search.screen.dates_uncertain_day_month":"* this count includes dates in {year} where no day or month is specified","search.screen.dates_uncertain_month":"* this count includes dates in {year} where no month is specified","search.screen.export":"Exportar","search.screen.export_disabled":"Não é possível exportar mais de 10.000 resultados ao mesmo tempo","search.screen.export_disabled_empty":"No results to export.","search.screen.export_helptext":"Export results","search.title":"Search: {title}","search.title_emptyq":"Pesquisar","settings.api_key":"Chave Secreta de Acesso à API","settings.confirm":"(confirmar)","settings.current_explain":"Insira sua senha atual para definir a nova.","settings.current_password":"Senha atual","settings.email":"Endereços de E-mail","settings.email.muted":"Receber notificações de e-mail diárias","settings.email.no_change":"Seu e-mail não pode ser alterado","settings.email.tester":"Test new features before they are finished","settings.locale":"Língua","settings.name":"Nome","settings.new_password":"Nova senha","settings.password.missmatch":"As senhas não são iguais","settings.password.rules":"Use pelo menos seis caracteres","settings.password.title":"Troque sua senha","settings.save":"Atualizar","settings.saved":"É oficial, seu perfil foi atualizado.","settings.title":"Configurações","sidebar.open":"Expandir","signup.activate":"Ative sua conta","signup.inbox.desc":"Enviamos um email, por favor acesso o link recebido para completar seu cadastro","signup.inbox.title":"Verifique sua caixa de entrada","signup.login":"Já possui uma conta? Acesse!","signup.register":"Registrar","signup.register.question":"Não possui uma conta? Registre-se!","signup.title":"Acessar","sorting.bar.button.label":"Show:","sorting.bar.caption":"Título","sorting.bar.collection_id":"Conjunto de dado","sorting.bar.count":"Tamanho","sorting.bar.countries":"Países","sorting.bar.created_at":"Creation Date","sorting.bar.date":"Data","sorting.bar.dates":"Dates","sorting.bar.direction":"Direction:","sorting.bar.endDate":"End date","sorting.bar.label":"Título","sorting.bar.sort":"Sort by:","sorting.bar.updated_at":"Update Date","sources.index.empty":"This group is not linked to any datasets or investigations.","sources.index.placeholder":"Search for a dataset or investigation belonging to {group}...","status.no_collection":"Other tasks","tags.results":"Mention count","tags.title":"Term","text.loading":"Carregando...","timeline.create.button":"New timeline","timeline.create.label_placeholder":"Untitled timeline","timeline.create.login":"You must log in to create a timeline","timeline.create.success":"Your timeline has been created successfully.","timeline.create.summary_placeholder":"A brief description of the timeline","timeline.create.title":"Create a timeline","timeline.selector.create":"Create a new timeline","timeline.selector.select_empty":"No existing timeline","timeline.update.label_placeholder":"Untitled timeline","timeline.update.success":"Your timeline has been updated successfully.","timeline.update.summary_placeholder":"A brief description of the timeline","timeline.update.title":"Timeline settings","timelines":"Timelines","timelines.description":"Timelines are a way to view and organize events chronologically.","timelines.no_timelines":"There are no timelines.","timelines.title":"Timelines","valuelink.tooltip":"{count} menções em {appName}","xref.compute":"Calcular","xref.entity":"Reference","xref.match":"Possible match","xref.match_collection":"Conjunto de dado","xref.recompute":"Re-compute","xref.score":"Pontuação","xref.sort.default":"Default","xref.sort.label":"Sort by:","xref.sort.random":"Random"},"ru":{"alert.manager.description":"Укажите искомые слова и, в случае, если они будут найдены в новых документах, вы получите уведомление.","alerts.add_placeholder":"Создать новое оповещение","alerts.delete":"Удалить оповещение","alerts.heading":"Оповещения о новых результатах поиска","alerts.no_alerts":"Вы не подписаны на оповещения","alerts.save":"Обновить","alerts.title":"Управление оповещениями","alerts.track":"Отслеживать","auth.bad_request":"Серверу не понравился ваш запрос","auth.server_error":"Ошибка сервера","auth.success":"Вы успешно авторизованы","auth.unauthorized":"Требуется авторизация","auth.unknown_error":"Произошла ошибка","case.choose.name":"Название","case.choose.summary":"Краткое описание","case.chose.languages":"Языки","case.create.login":"Для загрузки данных необходимо авторизоваться.","case.description":"С помощью Расследований вы можете загружать и коллективно использовать документы и данные, относящиеся к определённой истории. Загруженные PDF-файлы, почтовые архивы и таблицы будут представлены в удобном для поиска и изучения виде.","case.label_placeholder":"Безымянное расследование","case.language_placeholder":"Выбрать языки","case.languages.helper":"Для распознавания текстов нелатинских алфавитов.","case.save":"Сохранить","case.share.with":"Предоставить доступ","case.summary":"Краткое описание расследования","case.title":"Создать расследование","case.users":"Искать пользователей","cases.create":"Новое расследование","cases.empty":"У вас пока нет расследований.","cases.no_results":"Расследований, удовлетворяющих запросу, не найдено.","cases.placeholder":"Поиск расследований...","cases.title":"Расследования","clipboard.copy.after":"Скопировано в буфер","clipboard.copy.before":"Скопировать в буфер","collection.addSchema.placeholder":"Добавить новый тип сущности","collection.analyze.alert.text":"Все сущности в {collectionLabel} будут переиндексированы. Иногда это позволяет исправить ошибки в представлении данных.","collection.analyze.cancel":"Отменить","collection.cancel.button":"Отменить","collection.countries":"Страна","collection.creator":"Автор","collection.data_updated_at":"Данные обновлены","collection.data_url":"Ссылка на данные","collection.delete.confirm":"Я осознаю последствия.","collection.delete.confirm.dataset":"Удалить этот набор данных.","collection.delete.confirm.investigation":"Удалить это расследование.","collection.delete.question":"Вы хотите удалить {collectionLabel} и всё содержимое? Восстановление невозможно.","collection.delete.success":"Удаление прошло успешно","collection.delete.title.dataset":"Удалить набор данных","collection.delete.title.investigation":"Удалить расследование","collection.edit.access_title":"Управление доступом","collection.edit.cancel_button":"Отменить","collection.edit.groups":"Группы","collection.edit.info.analyze":"Повторный анализ","collection.edit.info.cancel":"Отменить","collection.edit.info.category":"Категория","collection.edit.info.countries":"Страны","collection.edit.info.creator":"Автор","collection.edit.info.data_url":"Ссылка на исходные данные","collection.edit.info.delete":"Удалить","collection.edit.info.foreign_id":"Внешний ID","collection.edit.info.frequency":"Частота обновления","collection.edit.info.info_url":"Ссылка на описание","collection.edit.info.label":"Название","collection.edit.info.languages":"Языки","collection.edit.info.placeholder_country":"Выбрать страны","collection.edit.info.placeholder_data_url":"Ссылка на исходные данные в скачиваемом формате","collection.edit.info.placeholder_info_url":"Ссылка на более подробное описание","collection.edit.info.placeholder_label":"Название","collection.edit.info.placeholder_language":"Выбрать языки","collection.edit.info.placeholder_publisher":"Организация или лицо, опубликовавшее данные","collection.edit.info.placeholder_publisher_url":"Ссылка на источник","collection.edit.info.placeholder_summary":"Краткое описание","collection.edit.info.publisher":"Издатель","collection.edit.info.publisher_url":"Ссылка на издателя","collection.edit.info.restricted":"Доступ к этому набору данных ограничен — об этом необходимо предупреждать новых пользователей.","collection.edit.info.save":"Сохранить изменения","collection.edit.info.summary":"Краткое описание","collection.edit.permissions_warning":"Для доступа необходима учётная запись в Алефе.","collection.edit.permissionstable.edit":"Редактирование","collection.edit.permissionstable.view":"Просмотр","collection.edit.save_button":"Сохранить изменения","collection.edit.save_success":"Изменения сохранены","collection.edit.title":"Настройки","collection.edit.users":"Пользователи","collection.foreign_id":"Внешний ID","collection.frequency":"Обновления","collection.index.empty":"Ничего нет","collection.index.filter.all":"Все","collection.index.filter.mine":"Созданы мной","collection.index.no_results":"Наборы данных, соответствующие запросу, не найдены","collection.index.placeholder":"Поиск наборов данных...","collection.index.title":"Наборы данных","collection.info.access":"Доступ","collection.info.browse":"Документы","collection.info.delete":"Удалить набор данных","collection.info.delete_casefile":"Удалить расследование","collection.info.diagrams":"Диаграммы","collection.info.diagrams_description":"С помощью диаграмм вы можете визуализировать сложные связи внутри набора данных.","collection.info.documents":"Документы","collection.info.edit":"Настройки","collection.info.entities":"Сущности","collection.info.lists":"Списки","collection.info.lists_description":"С помощью списков вы можете организовывать и группировать связанные сущности.","collection.info.mappings":"Маппинги сущностей","collection.info.mappings_description":"С помощью маппинга сущностей вы можете из рядов в таблице или в CSV-документе массово сгенерировать сущности модели Follow the Money (Люди, Компании и взаимоотношения между ними)","collection.info.mentions":"Упоминания","collection.info.mentions_description":"Алеф автоматически извлекает из загружаемых в расследование документов и сущностей слова и фразы, похожие на имена, адреса, телефонные номера и эл. адреса. {br}{br} Нажмите на упоминании ниже, чтобы посмотреть, где оно встречается в вашем расследовании.","collection.info.overview":"Информация","collection.info.reindex":"Переиндексировать всё содержимое","collection.info.reingest":"Перезагрузить документы","collection.info.search":"Поиск","collection.info.source_documents":"Исходные документы","collection.info.timelines":"Хронологии","collection.info.timelines_description":"Хронологии служат для просмотра и организации событий во времени.","collection.info.xref":"Перекрёстное сравнение","collection.info.xref_description":"Перекрёстное сравнение позволяет искать по всему Алефу сущности, похожие на содержащиеся в вашем расследовании.","collection.info_url":"Ссылка на описание","collection.last_updated":"Обновлено {date}","collection.mappings.create":"Создать новый маппинг сущностей","collection.mappings.create_docs_link":"Подробнее см. {link}","collection.overview.empty":"Пустой набор данных.","collection.publisher":"Издатель","collection.reconcile":"Объединение данных","collection.reconcile.description":"Сопоставить данные с сущностями из этой коллекции с помощью свободного инструмента {openrefine}, указав конечную точку слияния.","collection.reindex.cancel":"Отменить","collection.reindex.confirm":"Запустить индексирование","collection.reindex.flush":"Очистить индекс перед переиндексацией","collection.reindex.processing":"Индексирование запущено.","collection.reingest.confirm":"Запустить анализ","collection.reingest.index":"Проиндексировать документы в процессе обработки.","collection.reingest.processing":"Перезагрузка документов запущена.","collection.reingest.text":"Все документы в {collectionLabel} будут проанализированы повторно. Это займёт некоторое время.","collection.statistics.showmore":"Ещё","collection.status.cancel_button":"Отменить процесс","collection.status.collection":"Набор данных","collection.status.finished_tasks":"Выполнено","collection.status.jobs":"Задачи","collection.status.message":"Данные загружаются.","collection.status.no_active":"Нет активных задач","collection.status.pending_tasks":"Обрабатывается","collection.status.progress":"Ход выполнения","collection.status.title":"Обновлено {percent}%","collection.team":"Доступ","collection.updated_at":"Метаданные обновлены","collection.xref.cancel":"Отменить","collection.xref.confirm":"Подтвердить","collection.xref.empty":"Результаты перекрёстного сравнения отсутствуют.","collection.xref.processing":"Перекрёстное сравнение запущено.","collection.xref.text":"Сейчас будет произведено перекрёстное сравнение {collectionLabel} со всеми остальными источниками. Запустите и дождитесь завершения.","collection.xref.title":"Перекрёстное сравнение","dashboard.activity":"События","dashboard.alerts":"Оповещения","dashboard.cases":"Расследования","dashboard.diagrams":"Диаграммы","dashboard.exports":"Экспорт","dashboard.groups":"Группы","dashboard.lists":"Списки","dashboard.notifications":"Уведомления","dashboard.settings":"Настройки","dashboard.status":"Системный статус","dashboard.subheading":"Статус операций анализа, загрузки или обработки данных.","dashboard.timelines":"Хронологии","dashboard.title":"Системный статус","dashboard.workspace":"Рабочая среда","dataset.search.placeholder":"Поиск этом в наборе данных","diagram.create.button":"Новая диаграмма","diagram.create.label_placeholder":"Безымянная диаграмма","diagram.create.login":"Для создания диаграмм необходимо авторизоваться.","diagram.create.success":"Вы создали диаграмму.","diagram.create.summary_placeholder":"Краткое описание диаграммы","diagram.create.title":"Создать диаграмму","diagram.embed.error":"Ошибка создания встраиваемой диаграммы","diagram.export.embed.description":"Создать встраиваемую интерактивную версию диаграммы для вставки в статьи. Сгенерированная встраиваемая диаграмма не будет отражать более поздние изменения в основной диаграмме.","diagram.export.error":"Ошибка экспорта диаграммы","diagram.export.ftm":"Экспорт в формате .ftm","diagram.export.ftm.description":"Скачать диаграмму в виде файла данных, который можно использовать в {link} или на другом сайте с Алефом.","diagram.export.ftm.link":"Алеф Дата Десктоп","diagram.export.iframe":"Вставить iframe","diagram.export.svg":"Экспорт в формате SVG","diagram.export.svg.description":"Скачать векторную графику с содержимым диаграммы.","diagram.export.title":"Настройки экспорта","diagram.import.button":"Импортировать диаграмму","diagram.import.placeholder":"Перенесите .ftm или .vis файл сюда или кликните, чтобы импортировать готовую диаграмму","diagram.import.title":"Импортировать диаграмму","diagram.render.error":"Ошибка отображения диаграммы","diagram.selector.create":"Создать диаграмму","diagram.selector.select_empty":"Диаграммы отсутствуют","diagram.update.label_placeholder":"Безымянная диаграмма","diagram.update.success":"Вы обновили диаграмму.","diagram.update.summary_placeholder":"Краткое описание диаграммы","diagram.update.title":"Настройки диаграммы","diagrams":"Диаграммы","diagrams.description":"С помощью диаграмм вы можете визуализировать сложные связи внутри расследования.","diagrams.no_diagrams":"Диаграммы отсутствуют.","diagrams.title":"Диаграммы","document.download":"Скачать","document.download.cancel":"Отменить","document.download.confirm":"Скачать","document.download.dont_warn":"Больше не показывать предупреждение при скачивании исходных документов.","document.download.tooltip":"Скачать оригинальный документ","document.download.warning":"Вы собираетесь скачать исходный файл. {br}{br} Исходные файлы могут содержать вирусы или выполняемый код, которые известят автора о том, что вы открыли файл. {br}{br}В случае работы с конфиденциальными данными мы рекомендуем открывать подобные файлы на компьютере, отключённом от сети.","document.folder.error":"При создании папки возникла ошибка.","document.folder.new":"Новая папка","document.folder.save":"Создать","document.folder.title":"Новая папка","document.folder.untitled":"Название папки","document.mapping.start":"Создать сущности","document.paging":"Страница {pageInput} из {numberOfPages}","document.pdf.search.page":"Страница {page}","document.report_problem":"Report a problem","document.report_problem.text":"You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.","document.report_problem.title":"Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?","document.search.no_match":"Искомых слов в документе не найдено.","document.upload.button":"Загрузить","document.upload.cancel":"Отменить","document.upload.close":"Закрыть","document.upload.errors":"Не удалось передать некоторые файлы. Нажмите кнопку Повторить и перезапустите загрузку.","document.upload.files":"Выберите файлы для загрузки","document.upload.folder":"Если вы хотите загрузить папки, { button }.","document.upload.folder-toggle":"нажмите здесь","document.upload.info":"If you need to upload a large amount of files (100+) consider {link}.","document.upload.notice":"Загрузка завершена. После индексирования документы станут доступны для полнотекстового поиска.","document.upload.progress":"{done} из {total} файлов готовы, ошибок: {errors}.","document.upload.rejected":"Невозможно загрузить {fileName}, поскольку не известен тип файла.","document.upload.retry":"Попробовать ещё раз","document.upload.save":"Загрузить","document.upload.summary":"{numberOfFiles, number} файлов, {totalSize}","document.upload.title":"Загрузить документы","document.upload.title_in_folder":"Загрузить документы в {folder}","document.viewer.ignored_file":"Работа с данным типом файлов не поддерживается. Для просмотра попробуйте скачать файл.","document.viewer.no_viewer":"Просмотр документа невозможен","email.body.empty":"Текст письма отсутствует","entity.delete.cancel":"Отменить","entity.delete.confirm":"Удалить","entity.delete.error":"При удалении сущности возникла ошибка.","entity.delete.progress":"Удаляем...","entity.delete.question.multiple":"Вы уверены, что хотите удалить {count, plural, one {запись} other {записи}}?","entity.delete.success":"Успешно удалено","entity.document.manager.cannot_map":"Выберите документ с таблицей для создания сущностей","entity.document.manager.empty":"Здесь ничего нет.","entity.document.manager.emptyCanUpload":"Файлы или папки отсутствуют. Перетащите файлы сюда или кликните, чтобы загрузить.","entity.document.manager.search_placeholder":"Поиск по документам","entity.document.manager.search_placeholder_document":"Поиск в {label}","entity.info.attachments":"Вложения","entity.info.documents":"Документы","entity.info.info":"Информация","entity.info.last_view":"Последний просмотр","entity.info.similar":"Совпадения","entity.info.tags":"Упоминания","entity.info.text":"Текст","entity.info.view":"Просмотр","entity.info.workbook_warning":"Этот лист является частью рабочей книги {link}","entity.manager.bulk_import.description.1":"Ниже выберите таблицу для импорта новых сущностей {schema}.","entity.manager.bulk_import.description.2":"Выберите колонки из таблицы и сопоставьте с свойствами сгенерированных сущностей.","entity.manager.bulk_import.description.3":"Не видите искомую таблицу? {link}","entity.manager.bulk_import.link_text":"Загрузить документ, содержащий таблицу","entity.manager.bulk_import.no_results":"Совпадений с другими документами нет","entity.manager.bulk_import.placeholder":"Выберите документ, содержащий таблицу","entity.manager.delete":"Удалить","entity.manager.edge_create_success":"{source} и {target} связаны","entity.manager.entity_set_add_success":"{count} {count, plural, one {Cущность} other {Сущности}} добавлены к {entitySet}","entity.manager.remove":"Удалить","entity.manager.search_empty":"Никаких совпадений с {schema} не найдено","entity.manager.search_placeholder":"Искать {schema}","entity.mapping.view":"Создать сущности","entity.properties.missing":"неизвестно","entity.references.no_relationships":"У этой сущности отсутствуют связи","entity.references.no_results":"Ничего не найдено для типа {schema}.","entity.references.no_results_default":"Сущности, удовлетворяющие запросу, не найдены.","entity.references.search.placeholder":"Искать в {schema}","entity.references.search.placeholder_default":"Поиск сущностей","entity.remove.confirm":"Удалить","entity.remove.error":"При удалении сущности возникла ошибка.","entity.remove.progress":"Удаление...","entity.remove.question.multiple":"Вы уверены, что хотите удалить\n {count, plural, one {запись} other {записи}}?","entity.remove.success":"Успешно удалено","entity.search.empty_title":"Эта папка пуста","entity.search.no_results_description":"Попробуйте расширить критерии поиска","entity.search.no_results_title":"Ничего не найдено","entity.similar.empty":"Нет похожих записей","entity.similar.entity":"Похожая сущность","entity.similar.found_text":"Найдено {resultCount} {resultCount, plural, one {похожая запись} other {похожие записи}} из {datasetCount} {datasetCount, plural, one {набор данных} other {наборы данных}}","entity.tags.no_tags":"В данной записи селекторов нет","entity.viewer.add_link":"Связать","entity.viewer.add_to":"Добавить к...","entity.viewer.bulk_import":"Массовый импорт","entity.viewer.search_placeholder":"Поиск в {label}","entitySet.last_updated":"Обновлено {date}","entityset.choose.name":"Название","entityset.choose.summary":"Краткое описание","entityset.create.collection":"Расследование","entityset.create.collection.existing":"Выбрать расследование","entityset.create.collection.new":"Не видите искомое расследование? {link}","entityset.create.collection.new_link":"Создать новое расследование","entityset.create.submit":"Создать","entityset.delete.confirm":"Я осознаю последствия.","entityset.delete.confirm.diagram":"Удалить диаграмму.","entityset.delete.confirm.list":"Удалить этот список","entityset.delete.confirm.profile":"Удалить этот профиль","entityset.delete.confirm.timeline":"Удалить хронологию","entityset.delete.question":"Вы уверены, что хотите удалить {label}? Восстановление невозможно.","entityset.delete.success":"Успешно удалён {title}","entityset.delete.title.diagram":"Удалить диаграмму","entityset.delete.title.list":"Удалить список","entityset.delete.title.profile":"Удалить профиль","entityset.delete.title.timeline":"Удалить хронологию","entityset.info.delete":"Удалить","entityset.info.edit":"Настройки","entityset.info.export":"Экспорт","entityset.info.exportAsSvg":"Экспорт в формате SVG","entityset.selector.placeholder":"Поиск по существующему","entityset.selector.success":"{count} {count, plural, one {Cущность} other {Сущности}} добавлены к {entitySet}","entityset.selector.success_toast_button":"Просмотр","entityset.selector.title":"Добавить {firstCaption} {titleSecondary} к...","entityset.selector.title_default":"Добавить сущности к...","entityset.selector.title_other":"и {count} other {count, plural, one {сущность} other {сущности}}","entityset.update.submit":"Сохранить изменения","error.screen.not_found":"Запрашиваемая страница не найдена","export.dialog.text":"Запустите экспорт. {br}{br} На экспорт данных требуется время. Как только данные буду готовы для скачивания, вы получите е-мейл. {br}{br} Не запускайте процедуру экспорта больше одного раза.","exports.dialog.cancel":"Отменить","exports.dialog.confirm":"Экспорт","exports.dialog.dashboard_link":"Показать статус","exports.dialog.success":"Экспортирование запущено.","exports.expiration":"Срок хранения","exports.manager.description":"Ниже приведён список экспортированных данных. Срок действия ограничен.","exports.name":"Название","exports.no_exports":"Данных для экспорта нет","exports.size":"Размер","exports.status":"Статус","exports.title":"Экспортированные данные для скачивания","facet.addresses":"{count, plural, one {Адрес} few {Адреса} many {Адреса} other {Адреса}}","facet.caption":"Название","facet.category":"{count, plural, one {Категория} few {Категории} many {Категории} other {Категории}}","facet.collection_id":"Набор данных","facet.countries":"{count, plural, one {Страна} few {Страны} many {Страны} other {Страны}}","facet.dates":"{count, plural, one {Дата} few {Даты} many {Даты} other {Даты}}","facet.emails":"{count, plural, one {E-мэйл} few {E-мэйлы} many {E-мэйлы} other {E-мэйлы}}","facet.ibans":"{count, plural, one {IBAN-код} few {IBAN-коды} many {IBAN-коды} other {IBAN-коды}}","facet.languages":"{count, plural, one {Язык} few {Языки} many {Языки} other {Языки}}","facet.mimetypes":"{count, plural, one {Тип файла} few {Типы файлов} many {Типы файлов} other {Типы файлов}}","facet.names":"{count, plural, one {Имя} few {Имена} many {Имена} other {Имена}}","facet.phones":"{count, plural, one {Номер телефона} few {Номера телефонов} many {Номера телефонов} other {Номера телефонов}}","facet.schema":"Тип сущности","file_import.error":"Ошибка импорта файла","footer.aleph":"Алеф {version}","footer.ftm":"FollowTheMoney {version}","group.page.description":"Список всех наборов данных и расследований, принадлежащих этой группе.","group.page.search.description":"Если вы хотите поискать определённые сущности или документы в наборах данных, относящихся к этой группе, нажмите здесь .","home.access_disabled":"Публичный доступ временно закрыт","home.counts.countries":"Страны и территории","home.counts.datasets":"Общедоступные наборы данных","home.counts.entities":"Общедоступные сущности","home.placeholder":"Например, {samples}","home.statistics.categories":"Категории наборов данных","home.statistics.countries":"Страны и территории","home.statistics.schemata":"Типы сущностей","home.stats.title":"Начните с изучения публичных источников данных","home.title":"Искать публичные записи и секретные документы","hotkeys.judgement.different":"Различаются","hotkeys.judgement.group_label":"Распознавание сущностей","hotkeys.judgement.next":"Выбрать следующий результат","hotkeys.judgement.previous":"Выбрать предыдущий результат","hotkeys.judgement.same":"Одно и то же","hotkeys.judgement.unsure":"Недостаточно информации","hotkeys.search.different":"Просмотр предыдущего результата","hotkeys.search.group_label":"Просмотр результатов поиска","hotkeys.search.unsure":"Просмотр следующего результата","hotkeys.search_focus":"Поиск","infoMode.collection_casefile":"Расследование","infoMode.collection_dataset":"Набор данных","infoMode.createdAt":"Дата создания","infoMode.creator":"Создано ","infoMode.updatedAt":"Последнее обновление","investigation.mentions.empty":"Упоминания отсутствуют в этом расследовании.","investigation.overview.guides":"Подробнее","investigation.overview.guides.access":"Управление доступом","investigation.overview.guides.diagrams":"Создание диаграмм","investigation.overview.guides.documents":"Загрузка документов","investigation.overview.guides.entities":"Создание и редактирование сущностей","investigation.overview.guides.mappings":"Создание сущностей из таблиц","investigation.overview.guides.xref":"Перекрёстное сравнение данных","investigation.overview.notifications":"Недавние события","investigation.overview.shortcuts":"Быстрые ссылки","investigation.overview.shortcuts_empty":"Приступить к работе","investigation.search.placeholder":"Поиск в этом расследовании","investigation.shortcut.diagram":"Создать диаграмму","investigation.shortcut.entities":"Создать новые сущности","investigation.shortcut.entity_create_error":"Не удалось создать сущность","investigation.shortcut.entity_create_success":"Успешно создано: {name}","investigation.shortcut.upload":"Загрузить документы","investigation.shortcut.xref":"Сопоставить с другими наборами данных","judgement.disabled":"Для принятия решений необходимы права на редактирование","judgement.negative":"Различаются","judgement.positive":"Одинаковые","judgement.unsure":"Недостаточно информации","landing.shortcut.alert":"Создать оповещение для поиска","landing.shortcut.datasets":"Просмотр наборов данных","landing.shortcut.investigation":"Начать новое расследование","landing.shortcut.search":"Поиск сущностей","list.create.button":"Новый список","list.create.label_placeholder":"Безымянный список","list.create.login":"Для создания списка необходимо авторизоваться.","list.create.success":"Вы создали список.","list.create.summary_placeholder":"Краткое описание списка","list.create.title":"Создать список","list.selector.create":"Создать новый список","list.selector.select_empty":"Списки отсутствуют","list.update.label_placeholder":"Безымянный список","list.update.success":"Список обновлён","list.update.summary_placeholder":"Краткое описание списка","list.update.title":"Настройки списка","lists":"Списки","lists.description":"С помощью списков вы можете организовывать и группировать связанные сущности","lists.no_lists":"Списки отсутствуют.","lists.title":"Списки","login.oauth":"Войти с помощью OAuth","mapping.actions.create":"Создать сущности","mapping.actions.create.toast":"Создание сущностей...","mapping.actions.delete":"Удалить","mapping.actions.delete.toast":"Удаление маппинга и созданных сущностей...","mapping.actions.export":"Экспорт маппинга","mapping.actions.flush":"Удалить созданные сущности","mapping.actions.flush.toast":"Удаление созданных сущностей","mapping.actions.save":"Сохранить изменения","mapping.actions.save.toast":"Пересоздать сущности...","mapping.create.cancel":"Отменить","mapping.create.confirm":"Создать","mapping.create.question":"Вы уверены, что готовы создать сущности, используя этот маппинг?","mapping.delete.cancel":"Отменить","mapping.delete.confirm":"Удалить","mapping.delete.question":"Вы уверены, что хотите удалить этот маппинг и все созданные сущности?","mapping.docs.link":"Помощь по маппингу сущностей в Алефе","mapping.entityAssign.helpText":"Необходимо создать объект типа \"{range}\" для {property}","mapping.entityAssign.noResults":"Нет совпадений с другими объектами","mapping.entityAssign.placeholder":"Выбрать объект","mapping.entity_set_select":"Выберите список или диаграмму","mapping.entityset.remove":"Удалить","mapping.error.keyMissing":"Ошибка ключа: для сущности {id} должен быть задан хотя бы один ключ","mapping.error.relationshipMissing":"Ошибка связи: для сущности {id} должны быть заданы {source} и {target}.","mapping.flush.cancel":"Отменить","mapping.flush.confirm":"Удалить маппинг","mapping.flush.question":"Вы уверены, что хотите удалить все созданные с помощью этого маппинга сущности?","mapping.import.button":"Импортировать существующие маппинги","mapping.import.placeholder":"Перенесите .yml файл сюда или кликните, чтобы импортировать существующий маппинг-файл","mapping.import.querySelect":"Выберите маппинг-запрос для импорта из этого файла:","mapping.import.submit":"Сохранить","mapping.import.success":"Ваш маппинг импортирован.","mapping.import.title":"Импорт маппинга","mapping.info":"Выполните нижеследующие действия для маппинга данных в этом расследовании с сущностями модели Follow the Money. Подробнее см. {link}","mapping.info.link":"Помощь по маппингу данных в Алефе","mapping.keyAssign.additionalHelpText":"Используйте колонки с идентификационными номерами, телефонными номерами, эл. адресами\n и прочей уникальной информацией. Если колонки с уникальными значениями отсутствуют,\n выберите одновременно несколько колонок, чтобы Алеф сгенерировал уникальные сущности из ваших данных.","mapping.keyAssign.additionalHelpToggle.less":"Меньше","mapping.keyAssign.additionalHelpToggle.more":"Подробнее о ключах","mapping.keyAssign.helpText":"Укажите, какие колонки из исходных данных следует использовать для определения уникальных сущностей.","mapping.keyAssign.noResults":"Результатов нет","mapping.keyAssign.placeholder":"Выбрать ключи из доступных колонок","mapping.keys":"Ключи","mapping.propAssign.errorBlank":"Нельзя назначить свойства колонкам без заголовка","mapping.propAssign.errorDuplicate":"Нельзя назначить свойства колонкам с неуникальными заголовками","mapping.propAssign.literalButtonText":"Добавить заданное значение","mapping.propAssign.literalPlaceholder":"Задать значение","mapping.propAssign.other":"Прочее","mapping.propAssign.placeholder":"Назначить свойство","mapping.propRemove":"Удалить свойство из маппинга","mapping.props":"Свойства","mapping.save.cancel":"Отменить","mapping.save.confirm":"Обновить маппинг и пересоздать сущности","mapping.save.question":"При обновлении маппинга ранее созданные сущности будет удалены и созданы снова. Продолжить?","mapping.section1.title":"1. Выберите типы сущностей","mapping.section2.title":"2. Соотнесите колонки свойствам сущностей","mapping.section3.title":"3. Проверьте результат","mapping.section4.description":"Сгенерированные сущности будут по умолчанию добавлены в {collection}. Если вы также хотите добавить их к списку или к диаграмме в расследовании, выберите ниже возможные варианты.","mapping.section4.title":"4. Выберите, куда добавить сгенерированные сущности (необязательно)","mapping.status.error":"Ошибка:","mapping.status.status":"Статус:","mapping.status.updated":"Последнее обновление:","mapping.title":"Создание структурированных сущностей","mapping.types.objects":"Объекты","mapping.types.relationships":"Связи","mapping.warning.empty":"Необходимо создать хотя бы одну сущность","mappings.no_mappings":"У вас пока нет сгенерированных маппингов","messages.banner.dismiss":"Закрыть","nav.alerts":"Оповещения","nav.bookmarks":"Закладки","nav.cases":"Расследования","nav.collections":"Наборы данных","nav.diagrams":"Диаграммы","nav.exports":"Экспорт","nav.lists":"Списки","nav.menu.cases":"Расследования","nav.settings":"Настройки","nav.signin":"Войти","nav.signout":"Выйти","nav.status":"Системный статус","nav.timelines":"Хронологии","nav.view_notifications":"Уведомления","navbar.alert_add":"Вам будут приходить оповещения о новых результатах этого поискового запроса.","navbar.alert_remove":"Вы подписаны на оповещения для этого поискового запроса.","notification.description":"Показать последние обновления для наборов данных, расследований, групп и оповещений, на которые вы подписаны","notifications.greeting":"Что нового, {role}?","notifications.no_notifications":"У вас нет непросмотренных уведомлений","notifications.title":"Последние уведомления","notifications.type_filter.all":"Все","pages.not.found":"Страница не найдена","pass.auth.not_same":"Пароли не совпадают!","password_auth.activate":"Активировать","password_auth.confirm":"Подтвердить пароль","password_auth.email":"Электронный адрес","password_auth.name":"Ваше имя","password_auth.password":"Пароль","password_auth.signin":"Войти","password_auth.signup":"Зарегистрироваться","profile.callout.details":"В этом профиле собраны аттрибуты и связи из {count} сущностей из прочих наборов данных.","profile.callout.intro":"Вы просматриваете {entity} в виде профиля.","profile.callout.link":"Показать исходной сущности","profile.delete.warning":"Удаление этого профиля не приведёт к удалению созданных сущностей и принятых решений.","profile.hint":"{entity} объединена с сущностями из других наборов данных в профиль ","profile.info.header":"Профиль","profile.info.items":"Распознавание сущностей","profile.info.similar":"Предлагаемое","profile.items.entity":"Объединённые сущности","profile.items.explanation":"Решайте, какие исходные сущности следует отнести к данному профилю или исключить из него.","profile.similar.no_results":"Дополнительные сведения для профиля не найдены.","profileinfo.api_desc":"API-ключ для редактирования данных через сторонние приложения","queryFilters.clearAll":"Очистить все","queryFilters.showHidden":"Ещё фильтры: {count}...","refresh.callout_message":"Обрабатываем документы. Пожалуйста, подождите...","restricted.explain":"Использование этого набора данных ограничено. Прочтите описание и свяжитесь с {creator}, прежде чем использовать эти материалы.","restricted.explain.creator":"владелец набора данных","restricted.tag":"ОГРАНИЧЕНО","result.error":"Ошибка","result.more_results":"Найдено результатов: более {total}","result.none":"Ничего не найдено","result.results":"Результатов поиска: {total}","result.searching":"Поиск...","result.solo":"Один результат","role.select.user":"Выберите пользователя","schemaSelect.button.relationship":"Добавить новую связь","schemaSelect.button.thing":"Добавить новый объект","screen.load_more":"Ещё","search.advanced.all.helptext":"Будут отображены результаты, в которых есть все искомые слова","search.advanced.all.label":"Все слова (по умолчанию)","search.advanced.any.helptext":"Будут отображены результаты, в которых есть любое из искомых слов","search.advanced.any.label":"Любые из этих слов","search.advanced.clear":"Очистить все","search.advanced.exact.helptext":"Только результаты поиска с точным написанием слова или фразы","search.advanced.exact.label":"Только это слово или фраза","search.advanced.none.helptext":"Исключить результаты с этими словами","search.advanced.none.label":"Ни одно из указанных слов","search.advanced.proximity.distance":"Расстояние","search.advanced.proximity.helptext":"Поиск слов, находящихся на некотором расстоянии друг от друга. Например, поиск употреблений \"Bank\" и \"America\", расположеных на расстоянии двух слов друг от друга, таких как \"Bank of America\", \"Bank in America\" и даже \"America has a Bank\".","search.advanced.proximity.label":"Слова на некотором расстоянии друг от друга","search.advanced.proximity.term":"Первое искомое слово","search.advanced.proximity.term2":"Второе искомое слово","search.advanced.submit":"Поиск","search.advanced.title":"Расширенный поиск","search.advanced.variants.distance":"Отличающиеся буквы","search.advanced.variants.helptext":"Используйте для нечёткого поиска. Например, в ответ на запрос Wladimir~2 вы получите результаты не только соодержащие «Wladimir», но и такие варианты написания, как «Wladimyr» или «Vladimyr». Варианты написания определяются количеством ошибок или побуквенных изменений для получения варианта из исходного слова.","search.advanced.variants.label":"Варианты написания","search.advanced.variants.term":"Искомое слово","search.callout_message":"Некоторые коллекции данных недоступны анонимным пользователям — нажмите {signInButton}, чтобы авторизоваться!","search.callout_message.button_text":"Войти","search.columns.configure":"Настроить колонки","search.columns.configure_placeholder":"Найти колонку...","search.config.groups":"Группы свойств","search.config.properties":"Свойства","search.config.reset":"Настройки по умолчанию","search.facets.clearDates":"Очистить","search.facets.configure":"Настроить фильтры","search.facets.configure_placeholder":"Найти фильтр...","search.facets.filtersSelected":"{count} выбрано","search.facets.hide":"Скрыть фильтры","search.facets.no_items":"Варианты отсутствуют","search.facets.show":"Отобразить фильтры","search.facets.showMore":"Ещё...","search.filterTag.ancestors":"в:","search.filterTag.exclude":"не:","search.filterTag.role":"Фильтровать по доступу","search.loading":"Загрузка...","search.no_results_description":"Попробуйте расширить критерии поиска","search.no_results_title":"Ничего не найдено","search.placeholder":"Искать людей, компании или документы","search.placeholder_default":"Поиск...","search.placeholder_label":"Поиск в {label}","search.screen.dates.show-all":"* Показаны все настройки фильтра дат. { button } отобразить только ближайшие даты.","search.screen.dates.show-hidden":"* В фильтре дат отображены только варианты от {start} до настоящего времени. { button } показать даты за пределами данного диапазона.","search.screen.dates.show-hidden.click":"Нажмите здесь","search.screen.dates_label":"результаты","search.screen.dates_title":"Даты","search.screen.dates_uncertain_day":"* в том числе неполные даты без указания дня","search.screen.dates_uncertain_day_month":"* в том числе неполные даты в {year} без указания дня или месяца","search.screen.dates_uncertain_month":"* в том числе даты в {year} без указания месяца","search.screen.export":"Экспорт","search.screen.export_disabled":"За один раз можно экспортировать не более 10.000 записей","search.screen.export_disabled_empty":"Результатов для экспорта нет.","search.screen.export_helptext":"Экспортировать результаты","search.title":"Поиск: {title}","search.title_emptyq":"Поиск","settings.api_key":"API-ключ","settings.confirm":"(подтверждение)","settings.current_explain":"Введите текущий пароль для установки нового.","settings.current_password":"Действующий пароль","settings.email":"Электронный адрес","settings.email.muted":"Получать ежедневные уведомления по эл. почте","settings.email.no_change":"Ваш эл. адрес не изменён","settings.email.tester":"Принимать участие в тестировании новых функций","settings.locale":"Язык","settings.name":"Название","settings.new_password":"Новый пароль","settings.password.missmatch":"Пароли не совпадают","settings.password.rules":"Минимум 6 символов","settings.password.title":"Поменять пароль","settings.save":"Обновить","settings.saved":"Ваша учётная запись обновлена","settings.title":"Настройки","sidebar.open":"Развернуть","signup.activate":"Активирируйте учётную запись","signup.inbox.desc":"Мы отправили вам письмо с ссылкой для завершения регистрации","signup.inbox.title":"Проверьте почту","signup.login":"Вы уже зарегистрированы? Авторизуйтесь!","signup.register":"Зарегистрироваться","signup.register.question":"У вас нет учётной записи? Зарегистрируйтесь!","signup.title":"Войти","sorting.bar.button.label":"Отобразить:","sorting.bar.caption":"Название","sorting.bar.collection_id":"Набор данных","sorting.bar.count":"Размер","sorting.bar.countries":"Страны","sorting.bar.created_at":"Дата создания","sorting.bar.date":"Дата","sorting.bar.dates":"Даты","sorting.bar.direction":"Направление:","sorting.bar.endDate":"Дата окончания","sorting.bar.label":"Название","sorting.bar.sort":"Отсортировать:","sorting.bar.updated_at":"Дата обновления","sources.index.empty":"Эта группа не привязана к какому-либо набору данных или расследованию.","sources.index.placeholder":"Поиск наборов данных или расследований, относящихся к {group}...","status.no_collection":"Прочие задачи","tags.results":"Количество упоминаний","tags.title":"Искомое слово","text.loading":"Загрузка...","timeline.create.button":"Создать хронологию","timeline.create.label_placeholder":"Безымянная хронология","timeline.create.login":"Для создания хронологии необходимо авторизоваться","timeline.create.success":"Вы создали хронологию","timeline.create.summary_placeholder":"Краткое описание хронологии","timeline.create.title":"Создать хронологию","timeline.selector.create":"Создать новую хронологию","timeline.selector.select_empty":"Хронологии отсутствуют","timeline.update.label_placeholder":"Безымянная хронология","timeline.update.success":"Вы обновили хронологию","timeline.update.summary_placeholder":"Краткое описание хронологии","timeline.update.title":"Настройки хронологии","timelines":"Хронологии","timelines.description":"Хронологии служат для просмотра и организации событий во времени.","timelines.no_timelines":"Хронологии отсутствуют.","timelines.title":"Хронологии","valuelink.tooltip":"Упоминаний в {appName}: {count}","xref.compute":"Обработать","xref.entity":"Запись","xref.match":"Вероятное совпадение","xref.match_collection":"Набор данных","xref.recompute":"Перезапустить","xref.score":"Оценка","xref.sort.default":"По умолчанию","xref.sort.label":"Отсортировать:","xref.sort.random":"Произвольно"},"tr":{"alert.manager.description":"You will receive notifications when a new result is added that matches any of the alerts you have set up below.","alerts.add_placeholder":"Create a new tracking alert...","alerts.delete":"Remove alert","alerts.heading":"Manage your alerts","alerts.no_alerts":"You are not tracking any searches","alerts.save":"Update","alerts.title":"Tracking alerts","alerts.track":"Track","auth.bad_request":"The Server did not accept your input","auth.server_error":"Server error","auth.success":"Success","auth.unauthorized":"Not authorized","auth.unknown_error":"An unexpected error occured","case.choose.name":"Title","case.choose.summary":"Summary","case.chose.languages":"Languages","case.create.login":"You must sign in to upload your own data.","case.description":"Investigations let you upload and share documents and data which belong to a particular story. You can upload PDFs, email archives or spreadsheets, and they will be made easy to search and browse.","case.label_placeholder":"Untitled investigation","case.language_placeholder":"Select languages","case.languages.helper":"Used for optical text recognition in non-Latin alphabets.","case.save":"Save","case.share.with":"Share with","case.summary":"A brief description of the investigation","case.title":"Create an investigation","case.users":"Search users","cases.create":"New investigation","cases.empty":"You do not have any investigations yet.","cases.no_results":"No investigations were found matching this query.","cases.placeholder":"Search investigations...","cases.title":"Investigations","clipboard.copy.after":"Successfully copied to clipboard","clipboard.copy.before":"Copy to clipboard","collection.addSchema.placeholder":"Add new entity type","collection.analyze.alert.text":"You're about to re-index the entities in {collectionLabel}. This can be helpful if there are inconsistencies in how the data is presented.","collection.analyze.cancel":"Cancel","collection.cancel.button":"Cancel","collection.countries":"Country","collection.creator":"Manager","collection.data_updated_at":"Content updated","collection.data_url":"Data URL","collection.delete.confirm":"I understand the consequences.","collection.delete.confirm.dataset":"Delete this dataset.","collection.delete.confirm.investigation":"Delete this investigation.","collection.delete.question":"Are you sure you want to permanently delete {collectionLabel} and all contained items? This cannot be undone.","collection.delete.success":"Successfully deleted {label}","collection.delete.title.dataset":"Delete dataset","collection.delete.title.investigation":"Delete investigation","collection.edit.access_title":"Access control","collection.edit.cancel_button":"Cancel","collection.edit.groups":"Groups","collection.edit.info.analyze":"Re-process","collection.edit.info.cancel":"Cancel","collection.edit.info.category":"Category","collection.edit.info.countries":"Countries","collection.edit.info.creator":"Manager","collection.edit.info.data_url":"Data source URL","collection.edit.info.delete":"Delete","collection.edit.info.foreign_id":"Foreign ID","collection.edit.info.frequency":"Update frequency","collection.edit.info.info_url":"Information URL","collection.edit.info.label":"Label","collection.edit.info.languages":"Languages","collection.edit.info.placeholder_country":"Select countries","collection.edit.info.placeholder_data_url":"Link to the raw data in a downloadable form","collection.edit.info.placeholder_info_url":"Link to further information","collection.edit.info.placeholder_label":"A label","collection.edit.info.placeholder_language":"Select languages","collection.edit.info.placeholder_publisher":"Organisation or person publishing this data","collection.edit.info.placeholder_publisher_url":"Link to the publisher","collection.edit.info.placeholder_summary":"A brief summary","collection.edit.info.publisher":"Publisher","collection.edit.info.publisher_url":"Publisher URL","collection.edit.info.restricted":"This dataset is restricted and viewers should be warned.","collection.edit.info.save":"Save changes","collection.edit.info.summary":"Summary","collection.edit.permissions_warning":"Note: User must already have an Aleph account in order to receive access.","collection.edit.permissionstable.edit":"Edit","collection.edit.permissionstable.view":"View","collection.edit.save_button":"Save changes","collection.edit.save_success":"Your changes are saved.","collection.edit.title":"Settings","collection.edit.users":"Users","collection.foreign_id":"Foreign ID","collection.frequency":"Updates","collection.index.empty":"No datasets were found.","collection.index.filter.all":"All","collection.index.filter.mine":"Created by me","collection.index.no_results":"No datasets were found matching this query.","collection.index.placeholder":"Search datasets...","collection.index.title":"Datasets","collection.info.access":"Share","collection.info.browse":"Documents","collection.info.delete":"Delete dataset","collection.info.delete_casefile":"Delete investigation","collection.info.diagrams":"Network diagrams","collection.info.diagrams_description":"Network diagrams let you visualize complex relationships within an investigation.","collection.info.documents":"Documents","collection.info.edit":"Settings","collection.info.entities":"Entities","collection.info.lists":"Lists","collection.info.lists_description":"Lists let you organize and group related entities of interest.","collection.info.mappings":"Entity mappings","collection.info.mappings_description":"Entity mappings allow you to bulk generate structured Follow the Money entities (like People, Companies, and the relationships among them) from rows in a spreadsheet or CSV document","collection.info.mentions":"Mentions","collection.info.mentions_description":"Aleph automatically extracts terms that resemble names, address, phone numbers, and email addresses from uploaded documents and entities within your investigation. {br}{br} Click on a mentioned term below to find where it appears in your investigation.","collection.info.overview":"Overview","collection.info.reindex":"Re-index all content","collection.info.reingest":"Re-ingest documents","collection.info.search":"Search","collection.info.source_documents":"Source documents","collection.info.timelines":"Timelines","collection.info.timelines_description":"Timelines are a way to view and organize events chronologically.","collection.info.xref":"Cross-reference","collection.info.xref_description":"Cross-referencing allows you to search the rest of Aleph for entities similar to those contained in your investigation.","collection.info_url":"Information URL","collection.last_updated":"Last updated {date}","collection.mappings.create":"Create a new entity mapping","collection.mappings.create_docs_link":"For more information, please refer to the {link}","collection.overview.empty":"This dataset is empty.","collection.publisher":"Publisher","collection.reconcile":"Reconciliation","collection.reconcile.description":"Match your own data against the entities in this collection using the free {openrefine} tool by adding the reconciliation endpoint.","collection.reindex.cancel":"Cancel","collection.reindex.confirm":"Start indexing","collection.reindex.flush":"Clear index before re-indexing","collection.reindex.processing":"Indexing started.","collection.reingest.confirm":"Start processing","collection.reingest.index":"Index documents as they are processed.","collection.reingest.processing":"Re-ingest started.","collection.reingest.text":"You're about to re-process all documents in {collectionLabel}. This might take some time.","collection.statistics.showmore":"Show more","collection.status.cancel_button":"Cancel the process","collection.status.collection":"Dataset","collection.status.finished_tasks":"Finished","collection.status.jobs":"Jobs","collection.status.message":"Continue to frolic about while data is being processed.","collection.status.no_active":"There are no ongoing tasks","collection.status.pending_tasks":"Pending","collection.status.progress":"Tasks","collection.status.title":"Update in progress ({percent}%)","collection.team":"Accessible to","collection.updated_at":"Metadata updated","collection.xref.cancel":"Cancel","collection.xref.confirm":"Confirm","collection.xref.empty":"There are no cross-referencing results.","collection.xref.processing":"Cross-referencing started.","collection.xref.text":"You will now cross-reference {collectionLabel} against all other sources. Start this process once and then wait for it to complete.","collection.xref.title":"Cross-reference","dashboard.activity":"Activity","dashboard.alerts":"Alerts","dashboard.cases":"Investigations","dashboard.diagrams":"Network diagrams","dashboard.exports":"Exports","dashboard.groups":"Groups","dashboard.lists":"Lists","dashboard.notifications":"Notifications","dashboard.settings":"Settings","dashboard.status":"System status","dashboard.subheading":"Check the progress of ongoing data analysis, upload, and processing tasks.","dashboard.timelines":"Timelines","dashboard.title":"System Status","dashboard.workspace":"Workspace","dataset.search.placeholder":"Search this dataset","diagram.create.button":"New diagram","diagram.create.label_placeholder":"Untitled diagram","diagram.create.login":"You must log in to create a diagram","diagram.create.success":"Your diagram has been created successfully.","diagram.create.summary_placeholder":"A brief description of the diagram","diagram.create.title":"Create a diagram","diagram.embed.error":"Error generating diagram embed","diagram.export.embed.description":"Generate an embeddable interactive version of the diagram that can be used in an article. The embed will not reflect future changes in the diagram.","diagram.export.error":"Error exporting diagram","diagram.export.ftm":"Export as .ftm","diagram.export.ftm.description":"Download the diagram as a data file that can be used in {link} or another Aleph site.","diagram.export.ftm.link":"Aleph Data Desktop","diagram.export.iframe":"Embed iframe","diagram.export.svg":"Export as SVG","diagram.export.svg.description":"Download a vector graphic with the contents of the diagram.","diagram.export.title":"Export options","diagram.import.button":"Import diagram","diagram.import.placeholder":"Drop a .ftm or .vis file here or click to import an existing diagram","diagram.import.title":"Import a network diagram","diagram.render.error":"Error rendering diagram","diagram.selector.create":"Create a new diagram","diagram.selector.select_empty":"No existing diagram","diagram.update.label_placeholder":"Untitled diagram","diagram.update.success":"Your diagram has been updated successfully.","diagram.update.summary_placeholder":"A brief description of the diagram","diagram.update.title":"Diagram settings","diagrams":"Diagrams","diagrams.description":"Network diagrams let you visualize complex relationships within an investigation.","diagrams.no_diagrams":"There are no network diagrams.","diagrams.title":"Network diagrams","document.download":"Download","document.download.cancel":"Cancel","document.download.confirm":"Download","document.download.dont_warn":"Don't warn me in the future when downloading source documents","document.download.tooltip":"Download the original document","document.download.warning":"You’re about to download a source file. {br}{br} Source files can contain viruses and code that notify the originator when you open them. {br}{br} For sensitive data, we recommend only opening source files on a computer that is permanently disconnected from the internet.","document.folder.error":"There was an error creating the folder.","document.folder.new":"New folder","document.folder.save":"Create","document.folder.title":"New folder","document.folder.untitled":"Folder title","document.mapping.start":"Generate entities","document.paging":"Page {pageInput} of {numberOfPages}","document.pdf.search.page":"Page {page}","document.report_problem":"Report a problem","document.report_problem.text":"You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.","document.report_problem.title":"Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?","document.search.no_match":"No single page within this document matches all your search terms.","document.upload.button":"Upload","document.upload.cancel":"Cancel","document.upload.close":"Close","document.upload.errors":"Some files couldn't be transferred. You can use the Retry button to restart all failed uploads.","document.upload.files":"Choose files to upload...","document.upload.folder":"If you would like to upload folders instead, { button }.","document.upload.folder-toggle":"click here","document.upload.info":"If you need to upload a large amount of files (100+) consider {link}.","document.upload.notice":"The upload is complete. It will take a few moments for the documents to be processed and become searchable.","document.upload.progress":"{done} of {total} files done, {errors} errors.","document.upload.rejected":"{fileName} is missing a file type, so it cannot be uploaded.","document.upload.retry":"Retry","document.upload.save":"Upload","document.upload.summary":"{numberOfFiles, number} files, {totalSize}","document.upload.title":"Upload documents","document.upload.title_in_folder":"Upload documents to {folder}","document.viewer.ignored_file":"The system does not work with these types of files. Please download it so you’ll be able to see it.","document.viewer.no_viewer":"No preview is available for this document","email.body.empty":"No message body.","entity.delete.cancel":"Cancel","entity.delete.confirm":"Delete","entity.delete.error":"An error occured while attempting to delete this entity.","entity.delete.progress":"Deleting...","entity.delete.question.multiple":"Are you sure you want to delete the following {count, plural, one {item} other {items}}?","entity.delete.success":"Successfully deleted","entity.document.manager.cannot_map":"Select a table document to generate structured entities","entity.document.manager.empty":"No files or directories.","entity.document.manager.emptyCanUpload":"No files or directories. Drop files here or click to upload.","entity.document.manager.search_placeholder":"Search documents","entity.document.manager.search_placeholder_document":"Search in {label}","entity.info.attachments":"Attachments","entity.info.documents":"Documents","entity.info.info":"Info","entity.info.last_view":"Last viewed {time}","entity.info.similar":"Similar","entity.info.tags":"Mentions","entity.info.text":"Text","entity.info.view":"View","entity.info.workbook_warning":"This sheet is part of workbook {link}","entity.manager.bulk_import.description.1":"Select a table below from which to import new {schema} entities.","entity.manager.bulk_import.description.2":"Once selected, you will be prompted to assign columns from that table to properties of the generated entities.","entity.manager.bulk_import.description.3":"Don't see the table you're looking for? {link}","entity.manager.bulk_import.link_text":"Upload a new table document","entity.manager.bulk_import.no_results":"No matching documents found","entity.manager.bulk_import.placeholder":"Select a table document","entity.manager.delete":"Delete","entity.manager.edge_create_success":"Successfully linked {source} and {target}","entity.manager.entity_set_add_success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entity.manager.remove":"Remove","entity.manager.search_empty":"No matching {schema} results found","entity.manager.search_placeholder":"Search {schema}","entity.mapping.view":"Generate entities","entity.properties.missing":"unknown","entity.references.no_relationships":"This entity does not have any relationships.","entity.references.no_results":"No {schema} match this search.","entity.references.no_results_default":"No entities match this search.","entity.references.search.placeholder":"Search in {schema}","entity.references.search.placeholder_default":"Search entities","entity.remove.confirm":"Remove","entity.remove.error":"An error occured while attempting to remove this entity.","entity.remove.progress":"Removing...","entity.remove.question.multiple":"Are you sure you want to remove the following {count, plural, one {item} other {items}}?","entity.remove.success":"Successfully removed","entity.search.empty_title":"This folder is empty","entity.search.no_results_description":"Try making your search more general","entity.search.no_results_title":"No search results","entity.similar.empty":"There are no similar entities.","entity.similar.entity":"Similar entity","entity.similar.found_text":"Found {resultCount} {resultCount, plural, one {similar entity} other {similar entities}} from {datasetCount} {datasetCount, plural, one {dataset} other {datasets}}","entity.tags.no_tags":"No selectors were extracted from this entity.","entity.viewer.add_link":"Create link","entity.viewer.add_to":"Add to...","entity.viewer.bulk_import":"Bulk import","entity.viewer.search_placeholder":"Search in {label}","entitySet.last_updated":"Updated {date}","entityset.choose.name":"Title","entityset.choose.summary":"Summary","entityset.create.collection":"Investigation","entityset.create.collection.existing":"Select an investigation","entityset.create.collection.new":"Don't see the investigation you're looking for? {link}","entityset.create.collection.new_link":"Create a new investigation","entityset.create.submit":"Create","entityset.delete.confirm":"I understand the consequences.","entityset.delete.confirm.diagram":"Delete this network diagram.","entityset.delete.confirm.list":"Delete this list.","entityset.delete.confirm.profile":"Delete this profile.","entityset.delete.confirm.timeline":"Delete this timeline.","entityset.delete.question":"Are you sure you want to permanently delete {label}? This cannot be undone.","entityset.delete.success":"Successfully deleted {title}","entityset.delete.title.diagram":"Delete network diagram","entityset.delete.title.list":"Delete list","entityset.delete.title.profile":"Delete profile","entityset.delete.title.timeline":"Delete timeline","entityset.info.delete":"Delete","entityset.info.edit":"Settings","entityset.info.export":"Export","entityset.info.exportAsSvg":"Export as SVG","entityset.selector.placeholder":"Search existing","entityset.selector.success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entityset.selector.success_toast_button":"View","entityset.selector.title":"Add {firstCaption} {titleSecondary} to...","entityset.selector.title_default":"Add entities to...","entityset.selector.title_other":"and {count} other {count, plural, one {entity} other {entities}}","entityset.update.submit":"Save changes","error.screen.not_found":"The requested page could not be found.","export.dialog.text":"Initiate your export. {br}{br} Exports take some time to generate. You will receive an email once the data is ready. {br}{br} Please trigger this export only once.","exports.dialog.cancel":"Cancel","exports.dialog.confirm":"Export","exports.dialog.dashboard_link":"View progress","exports.dialog.success":"Your export has begun.","exports.expiration":"Expiration","exports.manager.description":"Below is a list of your exports. Make sure to download them before they expire.","exports.name":"Name","exports.no_exports":"You have no exports to download","exports.size":"Size","exports.status":"Status","exports.title":"Exports ready for download","facet.addresses":"{count, plural, one {Address} other {Addresses}}","facet.caption":"Name","facet.category":"{count, plural, one {Category} other {Categories}}","facet.collection_id":"Dataset","facet.countries":"{count, plural, one {Country} other {Countries}}","facet.dates":"{count, plural, one {Date} other {Dates}}","facet.emails":"{count, plural, one {E-Mail} other {E-Mails}}","facet.ibans":"{count, plural, one {IBAN} other {IBANs}}","facet.languages":"{count, plural, one {Language} other {Languages}}","facet.mimetypes":"{count, plural, one {File type} other {File types}}","facet.names":"{count, plural, one {Name} other {Names}}","facet.phones":"{count, plural, one {Phone number} other {Phone numbers}}","facet.schema":"Entity type","file_import.error":"Error importing file","footer.aleph":"Aleph {version}","footer.ftm":"FollowTheMoney {version}","group.page.description":"The list below shows all datasets and investigations that belong to this group.","group.page.search.description":"If you would like to search for specific entities or documents within the datasets that this group has access to, click here instead.","home.access_disabled":"Public access temporarily disabled","home.counts.countries":"Countries & territories","home.counts.datasets":"Public datasets","home.counts.entities":"Public entities","home.placeholder":"Try searching: {samples}","home.statistics.categories":"Dataset categories","home.statistics.countries":"Countries and territories","home.statistics.schemata":"Entity types","home.stats.title":"Get started exploring public data","home.title":"Find public records and leaks","hotkeys.judgement.different":"Decide different","hotkeys.judgement.group_label":"Entity decisions","hotkeys.judgement.next":"Select next result","hotkeys.judgement.previous":"Select previous result","hotkeys.judgement.same":"Decide same","hotkeys.judgement.unsure":"Decide not enough information","hotkeys.search.different":"Preview previous result","hotkeys.search.group_label":"Search preview","hotkeys.search.unsure":"Preview next result","hotkeys.search_focus":"Search","infoMode.collection_casefile":"Investigation","infoMode.collection_dataset":"Dataset","infoMode.createdAt":"Created at","infoMode.creator":"Created by","infoMode.updatedAt":"Last updated","investigation.mentions.empty":"There are no mentions yet in this investigation.","investigation.overview.guides":"Read more","investigation.overview.guides.access":"Managing access","investigation.overview.guides.diagrams":"Drawing network diagrams","investigation.overview.guides.documents":"Uploading documents","investigation.overview.guides.entities":"Creating & editing entities","investigation.overview.guides.mappings":"Generating entities from a spreadsheet","investigation.overview.guides.xref":"Cross-referencing your data","investigation.overview.notifications":"Recent activity","investigation.overview.shortcuts":"Quick links","investigation.overview.shortcuts_empty":"Getting started","investigation.search.placeholder":"Search this investigation","investigation.shortcut.diagram":"Sketch a network diagram","investigation.shortcut.entities":"Create new entities","investigation.shortcut.entity_create_error":"Unable to create entity","investigation.shortcut.entity_create_success":"Successfully created {name}","investigation.shortcut.upload":"Upload documents","investigation.shortcut.xref":"Compare with other datasets","judgement.disabled":"You must have edit access in order to make judgements.","judgement.negative":"Different","judgement.positive":"Same","judgement.unsure":"Not enough information","landing.shortcut.alert":"Create a search alert","landing.shortcut.datasets":"Browse datasets","landing.shortcut.investigation":"Start an investigation","landing.shortcut.search":"Search entities","list.create.button":"New list","list.create.label_placeholder":"Untitled list","list.create.login":"You must log in to create a list","list.create.success":"Your list has been created successfully.","list.create.summary_placeholder":"A brief description of the list","list.create.title":"Create a list","list.selector.create":"Create a new list","list.selector.select_empty":"No existing list","list.update.label_placeholder":"Untitled list","list.update.success":"Your list has been updated successfully.","list.update.summary_placeholder":"A brief description of the list","list.update.title":"List settings","lists":"Lists","lists.description":"Lists let you organize and group related entities of interest.","lists.no_lists":"There are no lists.","lists.title":"Lists","login.oauth":"Sign in via OAuth","mapping.actions.create":"Generate entities","mapping.actions.create.toast":"Generating entities...","mapping.actions.delete":"Delete","mapping.actions.delete.toast":"Deleting mapping and any generated entities...","mapping.actions.export":"Export mapping","mapping.actions.flush":"Remove generated entities","mapping.actions.flush.toast":"Removing generated entities...","mapping.actions.save":"Save changes","mapping.actions.save.toast":"Re-generating entities...","mapping.create.cancel":"Cancel","mapping.create.confirm":"Generate","mapping.create.question":"Are you sure you are ready to generate entities using this mapping?","mapping.delete.cancel":"Cancel","mapping.delete.confirm":"Delete","mapping.delete.question":"Are you sure you want to delete this mapping and all generated entities?","mapping.docs.link":"Aleph entity mapping documentation","mapping.entityAssign.helpText":"You must create an object of type \"{range}\" to be the {property}","mapping.entityAssign.noResults":"No matching objects available","mapping.entityAssign.placeholder":"Select an object","mapping.entity_set_select":"Select a List or Diagram","mapping.entityset.remove":"Remove","mapping.error.keyMissing":"Key Error: {id} entity must have at least one key","mapping.error.relationshipMissing":"Relationship Error: {id} entity must have a {source} and {target} assigned","mapping.flush.cancel":"Cancel","mapping.flush.confirm":"Remove","mapping.flush.question":"Are you sure you want to remove entities generated using this mapping?","mapping.import.button":"Import existing mapping","mapping.import.placeholder":"Drop a .yml file here or click to import an existing mapping file","mapping.import.querySelect":"Select a mapping query from this file to import:","mapping.import.submit":"Submit","mapping.import.success":"Your mapping has been imported successfully.","mapping.import.title":"Import a mapping","mapping.info":"Follow the steps below to map items in this investigation to structured Follow the Money entites. For more information, please refer to the {link}","mapping.info.link":"Aleph data mapping documentation","mapping.keyAssign.additionalHelpText":"The best keys are columns from your data that contain id numbers, phone numbers, email addresses, or other uniquely identifying information. If no columns with unique values exist, select multiple columns to allow Aleph to generate unique entities correctly from your data.","mapping.keyAssign.additionalHelpToggle.less":"Less","mapping.keyAssign.additionalHelpToggle.more":"More about keys","mapping.keyAssign.helpText":"Specify which columns from the source data will be used to identify unique entities.","mapping.keyAssign.noResults":"No results","mapping.keyAssign.placeholder":"Select keys from available columns","mapping.keys":"Keys","mapping.propAssign.errorBlank":"Columns with no header cannot be assigned","mapping.propAssign.errorDuplicate":"Columns with duplicate headers cannot be assigned","mapping.propAssign.literalButtonText":"Add a fixed value","mapping.propAssign.literalPlaceholder":"Add fixed value text","mapping.propAssign.other":"Other","mapping.propAssign.placeholder":"Assign a property","mapping.propRemove":"Remove this property from mapping","mapping.props":"Properties","mapping.save.cancel":"Cancel","mapping.save.confirm":"Update mapping & re-generate","mapping.save.question":"Updating this mapping will delete any previously generated entities and re-generate them. Are you sure you would like to continue?","mapping.section1.title":"1. Select entity types to generate","mapping.section2.title":"2. Map columns to entity properties","mapping.section3.title":"3. Verify","mapping.section4.description":"Generated entities will be added to {collection} by default. If you would like to additionally add them to a list or diagram within the investigation, please click below and select from the available options.","mapping.section4.title":"4. Select a destination for generated entities (optional)","mapping.status.error":"Error:","mapping.status.status":"Status:","mapping.status.updated":"Last updated:","mapping.title":"Generate structured entities","mapping.types.objects":"Objects","mapping.types.relationships":"Relationships","mapping.warning.empty":"You must create at least one entity","mappings.no_mappings":"You have not generated any mappings yet","messages.banner.dismiss":"Dismiss","nav.alerts":"Alerts","nav.bookmarks":"Bookmarks","nav.cases":"Investigations","nav.collections":"Datasets","nav.diagrams":"Network diagrams","nav.exports":"Exports","nav.lists":"Lists","nav.menu.cases":"Investigations","nav.settings":"Settings","nav.signin":"Sign in","nav.signout":"Sign out","nav.status":"System status","nav.timelines":"Timelines","nav.view_notifications":"Notifications","navbar.alert_add":"Click to receive alerts about new results for this search.","navbar.alert_remove":"You are receiving alerts about this search.","notification.description":"View the latest updates to datasets, investigations, groups and tracking alerts you follow.","notifications.greeting":"What's new, {role}?","notifications.no_notifications":"You have no unseen notifications","notifications.title":"Recent notifications","notifications.type_filter.all":"All","pages.not.found":"Page not found","pass.auth.not_same":"Your passwords are not the same!","password_auth.activate":"Activate","password_auth.confirm":"Confirm password","password_auth.email":"Email address","password_auth.name":"Your Name","password_auth.password":"Password","password_auth.signin":"Sign in","password_auth.signup":"Sign up","profile.callout.details":"This profile aggregates attributes and relationships from {count} entities across different datasets.","profile.callout.intro":"You're viewing {entity} as a profile.","profile.callout.link":"View the original entity","profile.delete.warning":"Deleting this profile will not delete any of the entities or entity decisions contained within it.","profile.hint":"{entity} has been combined with entities from other datasets into a profile","profile.info.header":"Profile","profile.info.items":"Entity decisions","profile.info.similar":"Suggested","profile.items.entity":"Combined entities","profile.items.explanation":"Make decisions below to determine which source entities should be added or excluded from this profile.","profile.similar.no_results":"No suggested additions for this profile were found.","profileinfo.api_desc":"Use the API key to read and write data via remote applications.","queryFilters.clearAll":"Clear all","queryFilters.showHidden":"Show {count} more filters...","refresh.callout_message":"Documents are being processed. Please wait...","restricted.explain":"Use of this dataset is restricted. Read the description and contact {creator} before using this material.","restricted.explain.creator":"the dataset owner","restricted.tag":"RESTRICTED","result.error":"Error","result.more_results":"More than {total} results","result.none":"No results found","result.results":"Found {total} results","result.searching":"Searching...","result.solo":"One result found","role.select.user":"Choose a user","schemaSelect.button.relationship":"Add a new relationship","schemaSelect.button.thing":"Add a new object","screen.load_more":"Load more","search.advanced.all.helptext":"Only results containing all of the given terms will be returned","search.advanced.all.label":"All of these words (Default)","search.advanced.any.helptext":"Results containing any of the given terms will be returned","search.advanced.any.label":"Any of these words","search.advanced.clear":"Clear all","search.advanced.exact.helptext":"Only results with this exact word or phrase will be returned","search.advanced.exact.label":"This exact word/phrase","search.advanced.none.helptext":"Exclude results with these words","search.advanced.none.label":"None of these words","search.advanced.proximity.distance":"Distance","search.advanced.proximity.helptext":"Search for two terms within a certain distance of each other. For example, return results with the terms \"Bank\" and \"America\" occurring within two words from each other, such as \"Bank of America\", \"Bank in America\", even \"America has a Bank\".","search.advanced.proximity.label":"Terms in proximity to each other","search.advanced.proximity.term":"First term","search.advanced.proximity.term2":"Second term","search.advanced.submit":"Search","search.advanced.title":"Advanced Search","search.advanced.variants.distance":"Letters different","search.advanced.variants.helptext":"Increase the fuzziness of a search. For example, Wladimir~2 will return not just the term “Wladimir” but also similar spellings such as \"Wladimyr\" or \"Vladimyr\". A spelling variant is defined by the number of spelling mistakes that must be made to get from the original word to the variant.","search.advanced.variants.label":"Spelling variations","search.advanced.variants.term":"Term","search.callout_message":"Some sources are hidden from anonymous users. {signInButton} to see all results you are authorised to access.","search.callout_message.button_text":"Sign in","search.columns.configure":"Configure columns","search.columns.configure_placeholder":"Search for a column...","search.config.groups":"Property groups","search.config.properties":"Properties","search.config.reset":"Reset to default","search.facets.clearDates":"Clear","search.facets.configure":"Configure filters","search.facets.configure_placeholder":"Search for a filter...","search.facets.filtersSelected":"{count} selected","search.facets.hide":"Hide filters","search.facets.no_items":"No options","search.facets.show":"Show filters","search.facets.showMore":"Show more…","search.filterTag.ancestors":"in:","search.filterTag.exclude":"not:","search.filterTag.role":"Filter by access","search.loading":"Loading...","search.no_results_description":"Try making your search more general","search.no_results_title":"No search results","search.placeholder":"Search companies, people and documents","search.placeholder_default":"Search…","search.placeholder_label":"Search in {label}","search.screen.dates.show-all":"* Showing all date filter options. { button } to view recent dates only.","search.screen.dates.show-hidden":"* Showing only date filter options from {start} to the present. { button } to view dates outside this range.","search.screen.dates.show-hidden.click":"Click here","search.screen.dates_label":"results","search.screen.dates_title":"Dates","search.screen.dates_uncertain_day":"* this count includes dates where no day is specified","search.screen.dates_uncertain_day_month":"* this count includes dates in {year} where no day or month is specified","search.screen.dates_uncertain_month":"* this count includes dates in {year} where no month is specified","search.screen.export":"Export","search.screen.export_disabled":"Cannot export more than 10,000 results at a time","search.screen.export_disabled_empty":"No results to export.","search.screen.export_helptext":"Export results","search.title":"Search: {title}","search.title_emptyq":"Search","settings.api_key":"API Secret Access Key","settings.confirm":"(confirm)","settings.current_explain":"Enter your current password to set a new one.","settings.current_password":"Current password","settings.email":"E-mail Address","settings.email.muted":"Receive daily notification e-mails","settings.email.no_change":"Your e-mail address cannot be changed","settings.email.tester":"Test new features before they are finished","settings.locale":"Language","settings.name":"Name","settings.new_password":"New password","settings.password.missmatch":"Passwords do not match","settings.password.rules":"Use at least six characters","settings.password.title":"Change your password","settings.save":"Update","settings.saved":"It's official, your profile is updated.","settings.title":"Settings","sidebar.open":"Expand","signup.activate":"Activate your account","signup.inbox.desc":"We've sent you an email, please follow the link to complete your registration","signup.inbox.title":"Check your inbox","signup.login":"Already have account? Sign in!","signup.register":"Register","signup.register.question":"Don't have account? Register!","signup.title":"Sign in","sorting.bar.button.label":"Show:","sorting.bar.caption":"Title","sorting.bar.collection_id":"Dataset","sorting.bar.count":"Size","sorting.bar.countries":"Countries","sorting.bar.created_at":"Creation Date","sorting.bar.date":"Date","sorting.bar.dates":"Dates","sorting.bar.direction":"Direction:","sorting.bar.endDate":"End date","sorting.bar.label":"Title","sorting.bar.sort":"Sort by:","sorting.bar.updated_at":"Update Date","sources.index.empty":"This group is not linked to any datasets or investigations.","sources.index.placeholder":"Search for a dataset or investigation belonging to {group}...","status.no_collection":"Other tasks","tags.results":"Mention count","tags.title":"Term","text.loading":"Loading…","timeline.create.button":"New timeline","timeline.create.label_placeholder":"Untitled timeline","timeline.create.login":"You must log in to create a timeline","timeline.create.success":"Your timeline has been created successfully.","timeline.create.summary_placeholder":"A brief description of the timeline","timeline.create.title":"Create a timeline","timeline.selector.create":"Create a new timeline","timeline.selector.select_empty":"No existing timeline","timeline.update.label_placeholder":"Untitled timeline","timeline.update.success":"Your timeline has been updated successfully.","timeline.update.summary_placeholder":"A brief description of the timeline","timeline.update.title":"Timeline settings","timelines":"Timelines","timelines.description":"Timelines are a way to view and organize events chronologically.","timelines.no_timelines":"There are no timelines.","timelines.title":"Timelines","valuelink.tooltip":"{count} mentions in {appName}","xref.compute":"Compute","xref.entity":"Reference","xref.match":"Possible match","xref.match_collection":"Dataset","xref.recompute":"Re-compute","xref.score":"Score","xref.sort.default":"Default","xref.sort.label":"Sort by:","xref.sort.random":"Random"},"uk":{"alert.manager.description":"You will receive notifications when a new result is added that matches any of the alerts you have set up below.","alerts.add_placeholder":"Create a new tracking alert...","alerts.delete":"Remove alert","alerts.heading":"Manage your alerts","alerts.no_alerts":"You are not tracking any searches","alerts.save":"Update","alerts.title":"Tracking alerts","alerts.track":"Track","auth.bad_request":"The Server did not accept your input","auth.server_error":"Server error","auth.success":"Success","auth.unauthorized":"Not authorized","auth.unknown_error":"An unexpected error occured","case.choose.name":"Title","case.choose.summary":"Summary","case.chose.languages":"Languages","case.create.login":"You must sign in to upload your own data.","case.description":"Investigations let you upload and share documents and data which belong to a particular story. You can upload PDFs, email archives or spreadsheets, and they will be made easy to search and browse.","case.label_placeholder":"Untitled investigation","case.language_placeholder":"Select languages","case.languages.helper":"Used for optical text recognition in non-Latin alphabets.","case.save":"Save","case.share.with":"Share with","case.summary":"A brief description of the investigation","case.title":"Create an investigation","case.users":"Search users","cases.create":"New investigation","cases.empty":"You do not have any investigations yet.","cases.no_results":"No investigations were found matching this query.","cases.placeholder":"Search investigations...","cases.title":"Investigations","clipboard.copy.after":"Successfully copied to clipboard","clipboard.copy.before":"Copy to clipboard","collection.addSchema.placeholder":"Add new entity type","collection.analyze.alert.text":"You're about to re-index the entities in {collectionLabel}. This can be helpful if there are inconsistencies in how the data is presented.","collection.analyze.cancel":"Cancel","collection.cancel.button":"Cancel","collection.countries":"Country","collection.creator":"Manager","collection.data_updated_at":"Content updated","collection.data_url":"Data URL","collection.delete.confirm":"I understand the consequences.","collection.delete.confirm.dataset":"Delete this dataset.","collection.delete.confirm.investigation":"Delete this investigation.","collection.delete.question":"Are you sure you want to permanently delete {collectionLabel} and all contained items? This cannot be undone.","collection.delete.success":"Successfully deleted {label}","collection.delete.title.dataset":"Delete dataset","collection.delete.title.investigation":"Delete investigation","collection.edit.access_title":"Access control","collection.edit.cancel_button":"Cancel","collection.edit.groups":"Groups","collection.edit.info.analyze":"Re-process","collection.edit.info.cancel":"Cancel","collection.edit.info.category":"Category","collection.edit.info.countries":"Countries","collection.edit.info.creator":"Manager","collection.edit.info.data_url":"Data source URL","collection.edit.info.delete":"Delete","collection.edit.info.foreign_id":"Foreign ID","collection.edit.info.frequency":"Update frequency","collection.edit.info.info_url":"Information URL","collection.edit.info.label":"Label","collection.edit.info.languages":"Languages","collection.edit.info.placeholder_country":"Select countries","collection.edit.info.placeholder_data_url":"Link to the raw data in a downloadable form","collection.edit.info.placeholder_info_url":"Link to further information","collection.edit.info.placeholder_label":"A label","collection.edit.info.placeholder_language":"Select languages","collection.edit.info.placeholder_publisher":"Organisation or person publishing this data","collection.edit.info.placeholder_publisher_url":"Link to the publisher","collection.edit.info.placeholder_summary":"A brief summary","collection.edit.info.publisher":"Publisher","collection.edit.info.publisher_url":"Publisher URL","collection.edit.info.restricted":"This dataset is restricted and viewers should be warned.","collection.edit.info.save":"Save changes","collection.edit.info.summary":"Summary","collection.edit.permissions_warning":"Note: User must already have an Aleph account in order to receive access.","collection.edit.permissionstable.edit":"Edit","collection.edit.permissionstable.view":"View","collection.edit.save_button":"Save changes","collection.edit.save_success":"Your changes are saved.","collection.edit.title":"Settings","collection.edit.users":"Users","collection.foreign_id":"Foreign ID","collection.frequency":"Updates","collection.index.empty":"No datasets were found.","collection.index.filter.all":"All","collection.index.filter.mine":"Created by me","collection.index.no_results":"No datasets were found matching this query.","collection.index.placeholder":"Search datasets...","collection.index.title":"Datasets","collection.info.access":"Share","collection.info.browse":"Documents","collection.info.delete":"Delete dataset","collection.info.delete_casefile":"Delete investigation","collection.info.diagrams":"Network diagrams","collection.info.diagrams_description":"Network diagrams let you visualize complex relationships within an investigation.","collection.info.documents":"Documents","collection.info.edit":"Settings","collection.info.entities":"Entities","collection.info.lists":"Lists","collection.info.lists_description":"Lists let you organize and group related entities of interest.","collection.info.mappings":"Entity mappings","collection.info.mappings_description":"Entity mappings allow you to bulk generate structured Follow the Money entities (like People, Companies, and the relationships among them) from rows in a spreadsheet or CSV document","collection.info.mentions":"Mentions","collection.info.mentions_description":"Aleph automatically extracts terms that resemble names, address, phone numbers, and email addresses from uploaded documents and entities within your investigation. {br}{br} Click on a mentioned term below to find where it appears in your investigation.","collection.info.overview":"Overview","collection.info.reindex":"Re-index all content","collection.info.reingest":"Re-ingest documents","collection.info.search":"Search","collection.info.source_documents":"Source documents","collection.info.timelines":"Timelines","collection.info.timelines_description":"Timelines are a way to view and organize events chronologically.","collection.info.xref":"Cross-reference","collection.info.xref_description":"Cross-referencing allows you to search the rest of Aleph for entities similar to those contained in your investigation.","collection.info_url":"Information URL","collection.last_updated":"Last updated {date}","collection.mappings.create":"Create a new entity mapping","collection.mappings.create_docs_link":"For more information, please refer to the {link}","collection.overview.empty":"This dataset is empty.","collection.publisher":"Publisher","collection.reconcile":"Reconciliation","collection.reconcile.description":"Match your own data against the entities in this collection using the free {openrefine} tool by adding the reconciliation endpoint.","collection.reindex.cancel":"Cancel","collection.reindex.confirm":"Start indexing","collection.reindex.flush":"Clear index before re-indexing","collection.reindex.processing":"Indexing started.","collection.reingest.confirm":"Start processing","collection.reingest.index":"Index documents as they are processed.","collection.reingest.processing":"Re-ingest started.","collection.reingest.text":"You're about to re-process all documents in {collectionLabel}. This might take some time.","collection.statistics.showmore":"Show more","collection.status.cancel_button":"Cancel the process","collection.status.collection":"Dataset","collection.status.finished_tasks":"Finished","collection.status.jobs":"Jobs","collection.status.message":"Continue to frolic about while data is being processed.","collection.status.no_active":"There are no ongoing tasks","collection.status.pending_tasks":"Pending","collection.status.progress":"Tasks","collection.status.title":"Update in progress ({percent}%)","collection.team":"Accessible to","collection.updated_at":"Metadata updated","collection.xref.cancel":"Cancel","collection.xref.confirm":"Confirm","collection.xref.empty":"There are no cross-referencing results.","collection.xref.processing":"Cross-referencing started.","collection.xref.text":"You will now cross-reference {collectionLabel} against all other sources. Start this process once and then wait for it to complete.","collection.xref.title":"Cross-reference","dashboard.activity":"Activity","dashboard.alerts":"Alerts","dashboard.cases":"Investigations","dashboard.diagrams":"Network diagrams","dashboard.exports":"Exports","dashboard.groups":"Groups","dashboard.lists":"Lists","dashboard.notifications":"Notifications","dashboard.settings":"Settings","dashboard.status":"System status","dashboard.subheading":"Check the progress of ongoing data analysis, upload, and processing tasks.","dashboard.timelines":"Timelines","dashboard.title":"System Status","dashboard.workspace":"Workspace","dataset.search.placeholder":"Search this dataset","diagram.create.button":"New diagram","diagram.create.label_placeholder":"Untitled diagram","diagram.create.login":"You must log in to create a diagram","diagram.create.success":"Your diagram has been created successfully.","diagram.create.summary_placeholder":"A brief description of the diagram","diagram.create.title":"Create a diagram","diagram.embed.error":"Error generating diagram embed","diagram.export.embed.description":"Generate an embeddable interactive version of the diagram that can be used in an article. The embed will not reflect future changes in the diagram.","diagram.export.error":"Error exporting diagram","diagram.export.ftm":"Export as .ftm","diagram.export.ftm.description":"Download the diagram as a data file that can be used in {link} or another Aleph site.","diagram.export.ftm.link":"Aleph Data Desktop","diagram.export.iframe":"Embed iframe","diagram.export.svg":"Export as SVG","diagram.export.svg.description":"Download a vector graphic with the contents of the diagram.","diagram.export.title":"Export options","diagram.import.button":"Import diagram","diagram.import.placeholder":"Drop a .ftm or .vis file here or click to import an existing diagram","diagram.import.title":"Import a network diagram","diagram.render.error":"Error rendering diagram","diagram.selector.create":"Create a new diagram","diagram.selector.select_empty":"No existing diagram","diagram.update.label_placeholder":"Untitled diagram","diagram.update.success":"Your diagram has been updated successfully.","diagram.update.summary_placeholder":"A brief description of the diagram","diagram.update.title":"Diagram settings","diagrams":"Diagrams","diagrams.description":"Network diagrams let you visualize complex relationships within an investigation.","diagrams.no_diagrams":"There are no network diagrams.","diagrams.title":"Network diagrams","document.download":"Download","document.download.cancel":"Cancel","document.download.confirm":"Download","document.download.dont_warn":"Don't warn me in the future when downloading source documents","document.download.tooltip":"Download the original document","document.download.warning":"You’re about to download a source file. {br}{br} Source files can contain viruses and code that notify the originator when you open them. {br}{br} For sensitive data, we recommend only opening source files on a computer that is permanently disconnected from the internet.","document.folder.error":"There was an error creating the folder.","document.folder.new":"New folder","document.folder.save":"Create","document.folder.title":"New folder","document.folder.untitled":"Folder title","document.mapping.start":"Generate entities","document.paging":"Page {pageInput} of {numberOfPages}","document.pdf.search.page":"Page {page}","document.report_problem":"Report a problem","document.report_problem.text":"You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.","document.report_problem.title":"Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?","document.search.no_match":"No single page within this document matches all your search terms.","document.upload.button":"Upload","document.upload.cancel":"Cancel","document.upload.close":"Close","document.upload.errors":"Some files couldn't be transferred. You can use the Retry button to restart all failed uploads.","document.upload.files":"Choose files to upload...","document.upload.folder":"If you would like to upload folders instead, { button }.","document.upload.folder-toggle":"click here","document.upload.info":"If you need to upload a large amount of files (100+) consider {link}.","document.upload.notice":"The upload is complete. It will take a few moments for the documents to be processed and become searchable.","document.upload.progress":"{done} of {total} files done, {errors} errors.","document.upload.rejected":"{fileName} is missing a file type, so it cannot be uploaded.","document.upload.retry":"Retry","document.upload.save":"Upload","document.upload.summary":"{numberOfFiles, number} files, {totalSize}","document.upload.title":"Upload documents","document.upload.title_in_folder":"Upload documents to {folder}","document.viewer.ignored_file":"The system does not work with these types of files. Please download it so you’ll be able to see it.","document.viewer.no_viewer":"No preview is available for this document","email.body.empty":"No message body.","entity.delete.cancel":"Cancel","entity.delete.confirm":"Delete","entity.delete.error":"An error occured while attempting to delete this entity.","entity.delete.progress":"Deleting...","entity.delete.question.multiple":"Are you sure you want to delete the following {count, plural, one {item} other {items}}?","entity.delete.success":"Successfully deleted","entity.document.manager.cannot_map":"Select a table document to generate structured entities","entity.document.manager.empty":"No files or directories.","entity.document.manager.emptyCanUpload":"No files or directories. Drop files here or click to upload.","entity.document.manager.search_placeholder":"Search documents","entity.document.manager.search_placeholder_document":"Search in {label}","entity.info.attachments":"Attachments","entity.info.documents":"Documents","entity.info.info":"Info","entity.info.last_view":"Last viewed {time}","entity.info.similar":"Similar","entity.info.tags":"Mentions","entity.info.text":"Text","entity.info.view":"View","entity.info.workbook_warning":"This sheet is part of workbook {link}","entity.manager.bulk_import.description.1":"Select a table below from which to import new {schema} entities.","entity.manager.bulk_import.description.2":"Once selected, you will be prompted to assign columns from that table to properties of the generated entities.","entity.manager.bulk_import.description.3":"Don't see the table you're looking for? {link}","entity.manager.bulk_import.link_text":"Upload a new table document","entity.manager.bulk_import.no_results":"No matching documents found","entity.manager.bulk_import.placeholder":"Select a table document","entity.manager.delete":"Delete","entity.manager.edge_create_success":"Successfully linked {source} and {target}","entity.manager.entity_set_add_success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entity.manager.remove":"Remove","entity.manager.search_empty":"No matching {schema} results found","entity.manager.search_placeholder":"Search {schema}","entity.mapping.view":"Generate entities","entity.properties.missing":"unknown","entity.references.no_relationships":"This entity does not have any relationships.","entity.references.no_results":"No {schema} match this search.","entity.references.no_results_default":"No entities match this search.","entity.references.search.placeholder":"Search in {schema}","entity.references.search.placeholder_default":"Search entities","entity.remove.confirm":"Remove","entity.remove.error":"An error occured while attempting to remove this entity.","entity.remove.progress":"Removing...","entity.remove.question.multiple":"Are you sure you want to remove the following {count, plural, one {item} other {items}}?","entity.remove.success":"Successfully removed","entity.search.empty_title":"This folder is empty","entity.search.no_results_description":"Try making your search more general","entity.search.no_results_title":"No search results","entity.similar.empty":"There are no similar entities.","entity.similar.entity":"Similar entity","entity.similar.found_text":"Found {resultCount} {resultCount, plural, one {similar entity} other {similar entities}} from {datasetCount} {datasetCount, plural, one {dataset} other {datasets}}","entity.tags.no_tags":"No selectors were extracted from this entity.","entity.viewer.add_link":"Create link","entity.viewer.add_to":"Add to...","entity.viewer.bulk_import":"Bulk import","entity.viewer.search_placeholder":"Search in {label}","entitySet.last_updated":"Updated {date}","entityset.choose.name":"Title","entityset.choose.summary":"Summary","entityset.create.collection":"Investigation","entityset.create.collection.existing":"Select an investigation","entityset.create.collection.new":"Don't see the investigation you're looking for? {link}","entityset.create.collection.new_link":"Create a new investigation","entityset.create.submit":"Create","entityset.delete.confirm":"I understand the consequences.","entityset.delete.confirm.diagram":"Delete this network diagram.","entityset.delete.confirm.list":"Delete this list.","entityset.delete.confirm.profile":"Delete this profile.","entityset.delete.confirm.timeline":"Delete this timeline.","entityset.delete.question":"Are you sure you want to permanently delete {label}? This cannot be undone.","entityset.delete.success":"Successfully deleted {title}","entityset.delete.title.diagram":"Delete network diagram","entityset.delete.title.list":"Delete list","entityset.delete.title.profile":"Delete profile","entityset.delete.title.timeline":"Delete timeline","entityset.info.delete":"Delete","entityset.info.edit":"Settings","entityset.info.export":"Export","entityset.info.exportAsSvg":"Export as SVG","entityset.selector.placeholder":"Search existing","entityset.selector.success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entityset.selector.success_toast_button":"View","entityset.selector.title":"Add {firstCaption} {titleSecondary} to...","entityset.selector.title_default":"Add entities to...","entityset.selector.title_other":"and {count} other {count, plural, one {entity} other {entities}}","entityset.update.submit":"Save changes","error.screen.not_found":"The requested page could not be found.","export.dialog.text":"Initiate your export. {br}{br} Exports take some time to generate. You will receive an email once the data is ready. {br}{br} Please trigger this export only once.","exports.dialog.cancel":"Cancel","exports.dialog.confirm":"Export","exports.dialog.dashboard_link":"View progress","exports.dialog.success":"Your export has begun.","exports.expiration":"Expiration","exports.manager.description":"Below is a list of your exports. Make sure to download them before they expire.","exports.name":"Name","exports.no_exports":"You have no exports to download","exports.size":"Size","exports.status":"Status","exports.title":"Exports ready for download","facet.addresses":"{count, plural, one {Address} other {Addresses}}","facet.caption":"Name","facet.category":"{count, plural, one {Category} other {Categories}}","facet.collection_id":"Dataset","facet.countries":"{count, plural, one {Country} other {Countries}}","facet.dates":"{count, plural, one {Date} other {Dates}}","facet.emails":"{count, plural, one {E-Mail} other {E-Mails}}","facet.ibans":"{count, plural, one {IBAN} other {IBANs}}","facet.languages":"{count, plural, one {Language} other {Languages}}","facet.mimetypes":"{count, plural, one {File type} other {File types}}","facet.names":"{count, plural, one {Name} other {Names}}","facet.phones":"{count, plural, one {Phone number} other {Phone numbers}}","facet.schema":"Entity type","file_import.error":"Error importing file","footer.aleph":"Aleph {version}","footer.ftm":"FollowTheMoney {version}","group.page.description":"The list below shows all datasets and investigations that belong to this group.","group.page.search.description":"If you would like to search for specific entities or documents within the datasets that this group has access to, click here instead.","home.access_disabled":"Public access temporarily disabled","home.counts.countries":"Countries & territories","home.counts.datasets":"Public datasets","home.counts.entities":"Public entities","home.placeholder":"Try searching: {samples}","home.statistics.categories":"Dataset categories","home.statistics.countries":"Countries and territories","home.statistics.schemata":"Entity types","home.stats.title":"Get started exploring public data","home.title":"Find public records and leaks","hotkeys.judgement.different":"Decide different","hotkeys.judgement.group_label":"Entity decisions","hotkeys.judgement.next":"Select next result","hotkeys.judgement.previous":"Select previous result","hotkeys.judgement.same":"Decide same","hotkeys.judgement.unsure":"Decide not enough information","hotkeys.search.different":"Preview previous result","hotkeys.search.group_label":"Search preview","hotkeys.search.unsure":"Preview next result","hotkeys.search_focus":"Search","infoMode.collection_casefile":"Investigation","infoMode.collection_dataset":"Dataset","infoMode.createdAt":"Created at","infoMode.creator":"Created by","infoMode.updatedAt":"Last updated","investigation.mentions.empty":"There are no mentions yet in this investigation.","investigation.overview.guides":"Read more","investigation.overview.guides.access":"Managing access","investigation.overview.guides.diagrams":"Drawing network diagrams","investigation.overview.guides.documents":"Uploading documents","investigation.overview.guides.entities":"Creating & editing entities","investigation.overview.guides.mappings":"Generating entities from a spreadsheet","investigation.overview.guides.xref":"Cross-referencing your data","investigation.overview.notifications":"Recent activity","investigation.overview.shortcuts":"Quick links","investigation.overview.shortcuts_empty":"Getting started","investigation.search.placeholder":"Search this investigation","investigation.shortcut.diagram":"Sketch a network diagram","investigation.shortcut.entities":"Create new entities","investigation.shortcut.entity_create_error":"Unable to create entity","investigation.shortcut.entity_create_success":"Successfully created {name}","investigation.shortcut.upload":"Upload documents","investigation.shortcut.xref":"Compare with other datasets","judgement.disabled":"You must have edit access in order to make judgements.","judgement.negative":"Different","judgement.positive":"Same","judgement.unsure":"Not enough information","landing.shortcut.alert":"Create a search alert","landing.shortcut.datasets":"Browse datasets","landing.shortcut.investigation":"Start an investigation","landing.shortcut.search":"Search entities","list.create.button":"New list","list.create.label_placeholder":"Untitled list","list.create.login":"You must log in to create a list","list.create.success":"Your list has been created successfully.","list.create.summary_placeholder":"A brief description of the list","list.create.title":"Create a list","list.selector.create":"Create a new list","list.selector.select_empty":"No existing list","list.update.label_placeholder":"Untitled list","list.update.success":"Your list has been updated successfully.","list.update.summary_placeholder":"A brief description of the list","list.update.title":"List settings","lists":"Lists","lists.description":"Lists let you organize and group related entities of interest.","lists.no_lists":"There are no lists.","lists.title":"Lists","login.oauth":"Sign in via OAuth","mapping.actions.create":"Generate entities","mapping.actions.create.toast":"Generating entities...","mapping.actions.delete":"Delete","mapping.actions.delete.toast":"Deleting mapping and any generated entities...","mapping.actions.export":"Export mapping","mapping.actions.flush":"Remove generated entities","mapping.actions.flush.toast":"Removing generated entities...","mapping.actions.save":"Save changes","mapping.actions.save.toast":"Re-generating entities...","mapping.create.cancel":"Cancel","mapping.create.confirm":"Generate","mapping.create.question":"Are you sure you are ready to generate entities using this mapping?","mapping.delete.cancel":"Cancel","mapping.delete.confirm":"Delete","mapping.delete.question":"Are you sure you want to delete this mapping and all generated entities?","mapping.docs.link":"Aleph entity mapping documentation","mapping.entityAssign.helpText":"You must create an object of type \"{range}\" to be the {property}","mapping.entityAssign.noResults":"No matching objects available","mapping.entityAssign.placeholder":"Select an object","mapping.entity_set_select":"Select a List or Diagram","mapping.entityset.remove":"Remove","mapping.error.keyMissing":"Key Error: {id} entity must have at least one key","mapping.error.relationshipMissing":"Relationship Error: {id} entity must have a {source} and {target} assigned","mapping.flush.cancel":"Cancel","mapping.flush.confirm":"Remove","mapping.flush.question":"Are you sure you want to remove entities generated using this mapping?","mapping.import.button":"Import existing mapping","mapping.import.placeholder":"Drop a .yml file here or click to import an existing mapping file","mapping.import.querySelect":"Select a mapping query from this file to import:","mapping.import.submit":"Submit","mapping.import.success":"Your mapping has been imported successfully.","mapping.import.title":"Import a mapping","mapping.info":"Follow the steps below to map items in this investigation to structured Follow the Money entites. For more information, please refer to the {link}","mapping.info.link":"Aleph data mapping documentation","mapping.keyAssign.additionalHelpText":"The best keys are columns from your data that contain id numbers, phone numbers, email addresses, or other uniquely identifying information. If no columns with unique values exist, select multiple columns to allow Aleph to generate unique entities correctly from your data.","mapping.keyAssign.additionalHelpToggle.less":"Less","mapping.keyAssign.additionalHelpToggle.more":"More about keys","mapping.keyAssign.helpText":"Specify which columns from the source data will be used to identify unique entities.","mapping.keyAssign.noResults":"No results","mapping.keyAssign.placeholder":"Select keys from available columns","mapping.keys":"Keys","mapping.propAssign.errorBlank":"Columns with no header cannot be assigned","mapping.propAssign.errorDuplicate":"Columns with duplicate headers cannot be assigned","mapping.propAssign.literalButtonText":"Add a fixed value","mapping.propAssign.literalPlaceholder":"Add fixed value text","mapping.propAssign.other":"Other","mapping.propAssign.placeholder":"Assign a property","mapping.propRemove":"Remove this property from mapping","mapping.props":"Properties","mapping.save.cancel":"Cancel","mapping.save.confirm":"Update mapping & re-generate","mapping.save.question":"Updating this mapping will delete any previously generated entities and re-generate them. Are you sure you would like to continue?","mapping.section1.title":"1. Select entity types to generate","mapping.section2.title":"2. Map columns to entity properties","mapping.section3.title":"3. Verify","mapping.section4.description":"Generated entities will be added to {collection} by default. If you would like to additionally add them to a list or diagram within the investigation, please click below and select from the available options.","mapping.section4.title":"4. Select a destination for generated entities (optional)","mapping.status.error":"Error:","mapping.status.status":"Status:","mapping.status.updated":"Last updated:","mapping.title":"Generate structured entities","mapping.types.objects":"Objects","mapping.types.relationships":"Relationships","mapping.warning.empty":"You must create at least one entity","mappings.no_mappings":"You have not generated any mappings yet","messages.banner.dismiss":"Dismiss","nav.alerts":"Alerts","nav.bookmarks":"Bookmarks","nav.cases":"Investigations","nav.collections":"Datasets","nav.diagrams":"Network diagrams","nav.exports":"Exports","nav.lists":"Lists","nav.menu.cases":"Investigations","nav.settings":"Settings","nav.signin":"Sign in","nav.signout":"Sign out","nav.status":"System status","nav.timelines":"Timelines","nav.view_notifications":"Notifications","navbar.alert_add":"Click to receive alerts about new results for this search.","navbar.alert_remove":"You are receiving alerts about this search.","notification.description":"View the latest updates to datasets, investigations, groups and tracking alerts you follow.","notifications.greeting":"What's new, {role}?","notifications.no_notifications":"You have no unseen notifications","notifications.title":"Recent notifications","notifications.type_filter.all":"All","pages.not.found":"Page not found","pass.auth.not_same":"Your passwords are not the same!","password_auth.activate":"Activate","password_auth.confirm":"Confirm password","password_auth.email":"Email address","password_auth.name":"Your Name","password_auth.password":"Password","password_auth.signin":"Sign in","password_auth.signup":"Sign up","profile.callout.details":"This profile aggregates attributes and relationships from {count} entities across different datasets.","profile.callout.intro":"You're viewing {entity} as a profile.","profile.callout.link":"View the original entity","profile.delete.warning":"Deleting this profile will not delete any of the entities or entity decisions contained within it.","profile.hint":"{entity} has been combined with entities from other datasets into a profile","profile.info.header":"Profile","profile.info.items":"Entity decisions","profile.info.similar":"Suggested","profile.items.entity":"Combined entities","profile.items.explanation":"Make decisions below to determine which source entities should be added or excluded from this profile.","profile.similar.no_results":"No suggested additions for this profile were found.","profileinfo.api_desc":"Use the API key to read and write data via remote applications.","queryFilters.clearAll":"Clear all","queryFilters.showHidden":"Show {count} more filters...","refresh.callout_message":"Documents are being processed. Please wait...","restricted.explain":"Use of this dataset is restricted. Read the description and contact {creator} before using this material.","restricted.explain.creator":"the dataset owner","restricted.tag":"RESTRICTED","result.error":"Error","result.more_results":"More than {total} results","result.none":"No results found","result.results":"Found {total} results","result.searching":"Searching...","result.solo":"One result found","role.select.user":"Choose a user","schemaSelect.button.relationship":"Add a new relationship","schemaSelect.button.thing":"Add a new object","screen.load_more":"Load more","search.advanced.all.helptext":"Only results containing all of the given terms will be returned","search.advanced.all.label":"All of these words (Default)","search.advanced.any.helptext":"Results containing any of the given terms will be returned","search.advanced.any.label":"Any of these words","search.advanced.clear":"Clear all","search.advanced.exact.helptext":"Only results with this exact word or phrase will be returned","search.advanced.exact.label":"This exact word/phrase","search.advanced.none.helptext":"Exclude results with these words","search.advanced.none.label":"None of these words","search.advanced.proximity.distance":"Distance","search.advanced.proximity.helptext":"Search for two terms within a certain distance of each other. For example, return results with the terms \"Bank\" and \"America\" occurring within two words from each other, such as \"Bank of America\", \"Bank in America\", even \"America has a Bank\".","search.advanced.proximity.label":"Terms in proximity to each other","search.advanced.proximity.term":"First term","search.advanced.proximity.term2":"Second term","search.advanced.submit":"Search","search.advanced.title":"Advanced Search","search.advanced.variants.distance":"Letters different","search.advanced.variants.helptext":"Increase the fuzziness of a search. For example, Wladimir~2 will return not just the term “Wladimir” but also similar spellings such as \"Wladimyr\" or \"Vladimyr\". A spelling variant is defined by the number of spelling mistakes that must be made to get from the original word to the variant.","search.advanced.variants.label":"Spelling variations","search.advanced.variants.term":"Term","search.callout_message":"Some sources are hidden from anonymous users. {signInButton} to see all results you are authorised to access.","search.callout_message.button_text":"Sign in","search.columns.configure":"Configure columns","search.columns.configure_placeholder":"Search for a column...","search.config.groups":"Property groups","search.config.properties":"Properties","search.config.reset":"Reset to default","search.facets.clearDates":"Clear","search.facets.configure":"Configure filters","search.facets.configure_placeholder":"Search for a filter...","search.facets.filtersSelected":"{count} selected","search.facets.hide":"Hide filters","search.facets.no_items":"No options","search.facets.show":"Show filters","search.facets.showMore":"Show more…","search.filterTag.ancestors":"in:","search.filterTag.exclude":"not:","search.filterTag.role":"Filter by access","search.loading":"Loading...","search.no_results_description":"Try making your search more general","search.no_results_title":"No search results","search.placeholder":"Search companies, people and documents","search.placeholder_default":"Search…","search.placeholder_label":"Search in {label}","search.screen.dates.show-all":"* Showing all date filter options. { button } to view recent dates only.","search.screen.dates.show-hidden":"* Showing only date filter options from {start} to the present. { button } to view dates outside this range.","search.screen.dates.show-hidden.click":"Click here","search.screen.dates_label":"results","search.screen.dates_title":"Dates","search.screen.dates_uncertain_day":"* this count includes dates where no day is specified","search.screen.dates_uncertain_day_month":"* this count includes dates in {year} where no day or month is specified","search.screen.dates_uncertain_month":"* this count includes dates in {year} where no month is specified","search.screen.export":"Export","search.screen.export_disabled":"Cannot export more than 10,000 results at a time","search.screen.export_disabled_empty":"No results to export.","search.screen.export_helptext":"Export results","search.title":"Search: {title}","search.title_emptyq":"Search","settings.api_key":"API Secret Access Key","settings.confirm":"(confirm)","settings.current_explain":"Enter your current password to set a new one.","settings.current_password":"Current password","settings.email":"E-mail Address","settings.email.muted":"Receive daily notification e-mails","settings.email.no_change":"Your e-mail address cannot be changed","settings.email.tester":"Test new features before they are finished","settings.locale":"Language","settings.name":"Name","settings.new_password":"New password","settings.password.missmatch":"Passwords do not match","settings.password.rules":"Use at least six characters","settings.password.title":"Change your password","settings.save":"Update","settings.saved":"It's official, your profile is updated.","settings.title":"Settings","sidebar.open":"Expand","signup.activate":"Activate your account","signup.inbox.desc":"We've sent you an email, please follow the link to complete your registration","signup.inbox.title":"Check your inbox","signup.login":"Already have account? Sign in!","signup.register":"Register","signup.register.question":"Don't have account? Register!","signup.title":"Sign in","sorting.bar.button.label":"Show:","sorting.bar.caption":"Title","sorting.bar.collection_id":"Dataset","sorting.bar.count":"Size","sorting.bar.countries":"Countries","sorting.bar.created_at":"Creation Date","sorting.bar.date":"Date","sorting.bar.dates":"Dates","sorting.bar.direction":"Direction:","sorting.bar.endDate":"End date","sorting.bar.label":"Title","sorting.bar.sort":"Sort by:","sorting.bar.updated_at":"Update Date","sources.index.empty":"This group is not linked to any datasets or investigations.","sources.index.placeholder":"Search for a dataset or investigation belonging to {group}...","status.no_collection":"Other tasks","tags.results":"Mention count","tags.title":"Term","text.loading":"Loading…","timeline.create.button":"New timeline","timeline.create.label_placeholder":"Untitled timeline","timeline.create.login":"You must log in to create a timeline","timeline.create.success":"Your timeline has been created successfully.","timeline.create.summary_placeholder":"A brief description of the timeline","timeline.create.title":"Create a timeline","timeline.selector.create":"Create a new timeline","timeline.selector.select_empty":"No existing timeline","timeline.update.label_placeholder":"Untitled timeline","timeline.update.success":"Your timeline has been updated successfully.","timeline.update.summary_placeholder":"A brief description of the timeline","timeline.update.title":"Timeline settings","timelines":"Timelines","timelines.description":"Timelines are a way to view and organize events chronologically.","timelines.no_timelines":"There are no timelines.","timelines.title":"Timelines","valuelink.tooltip":"{count} mentions in {appName}","xref.compute":"Compute","xref.entity":"Reference","xref.match":"Possible match","xref.match_collection":"Dataset","xref.recompute":"Re-compute","xref.score":"Score","xref.sort.default":"Default","xref.sort.label":"Sort by:","xref.sort.random":"Random"}} \ No newline at end of file +{"ar":{"alert.manager.description":"ستتلقى إشعارات عند إضافة نتيجة جديدة تطابق أي من التنبيهات التي أعددتها أدناه.","alerts.add_placeholder":"إنشاء تنبيه لتتبع جديد ...","alerts.delete":"Remove alert","alerts.heading":"إدارة التنبيهات","alerts.no_alerts":"أنت لا تجري أي عمليات بحث","alerts.save":"تحديث","alerts.title":"تتبع التنبيهات","alerts.track":"تتبع","auth.bad_request":"لم يقبل الخادم المعلومات المدخلة","auth.server_error":"خطأ في الخادم","auth.success":"نجاح","auth.unauthorized":"غير مخول","auth.unknown_error":"خطأ غير متوقع","case.choose.name":"عنوان","case.choose.summary":"ملخص","case.chose.languages":"اللغات","case.create.login":"يجب عليك تسجيل الدخول لتحميل بياناتك","case.description":"Investigations let you upload and share documents and data which belong to a particular story. You can upload PDFs, email archives or spreadsheets, and they will be made easy to search and browse.","case.label_placeholder":"Untitled investigation","case.language_placeholder":"اختيار اللغة","case.languages.helper":"تستخدم ميزة التعرف البصري على النصوص غير اللاتينية","case.save":"حفظ","case.share.with":"مشاركة مع","case.summary":"A brief description of the investigation","case.title":"Create an investigation","case.users":"البحث عن المستخدمين","cases.create":"New investigation","cases.empty":"You do not have any investigations yet.","cases.no_results":"No investigations were found matching this query.","cases.placeholder":"Search investigations...","cases.title":"Investigations","clipboard.copy.after":"Successfully copied to clipboard","clipboard.copy.before":"نسخ إلى الحافظة","collection.addSchema.placeholder":"أضف نوع كيان جديد","collection.analyze.alert.text":"You're about to re-index the entities in {collectionLabel}. This can be helpful if there are inconsistencies in how the data is presented.","collection.analyze.cancel":"الغاء","collection.cancel.button":"الغاء","collection.countries":"الدولة","collection.creator":"مدير","collection.data_updated_at":"Content updated","collection.data_url":"رابط البيانات","collection.delete.confirm":"I understand the consequences.","collection.delete.confirm.dataset":"Delete this dataset.","collection.delete.confirm.investigation":"Delete this investigation.","collection.delete.question":"Are you sure you want to permanently delete {collectionLabel} and all contained items? This cannot be undone.","collection.delete.success":"Successfully deleted {label}","collection.delete.title.dataset":"حذف قاعدة بيانات","collection.delete.title.investigation":"Delete investigation","collection.edit.access_title":"Access control","collection.edit.cancel_button":"الغاء","collection.edit.groups":"مجموعات","collection.edit.info.analyze":"إعادة المعالجة","collection.edit.info.cancel":"الغاء","collection.edit.info.category":"الفئة","collection.edit.info.countries":"الدول","collection.edit.info.creator":"مدير","collection.edit.info.data_url":"رابط مصدر البيانات","collection.edit.info.delete":"حذف","collection.edit.info.foreign_id":"هوية أجنبية","collection.edit.info.frequency":"معدل التحديث","collection.edit.info.info_url":"رابط المعلومات","collection.edit.info.label":"الاسم","collection.edit.info.languages":"اللغات","collection.edit.info.placeholder_country":"اختيار الدول","collection.edit.info.placeholder_data_url":"رابط البيانات الأولية في ملف قابل للتحميل","collection.edit.info.placeholder_info_url":"رابط لمزيد من المعلومات","collection.edit.info.placeholder_label":"اسم","collection.edit.info.placeholder_language":"اختيار اللغات","collection.edit.info.placeholder_publisher":"المنظمة أو الشخص الذي ينشر هذه البيانات","collection.edit.info.placeholder_publisher_url":"رابط الناشر","collection.edit.info.placeholder_summary":"ملخص موجز","collection.edit.info.publisher":"الناشر","collection.edit.info.publisher_url":"رابط الناشر","collection.edit.info.restricted":"This dataset is restricted and viewers should be warned.","collection.edit.info.save":"حفظ التغييرات","collection.edit.info.summary":"ملخص","collection.edit.permissions_warning":"Note: User must already have an Aleph account in order to receive access.","collection.edit.permissionstable.edit":"تعديل","collection.edit.permissionstable.view":"عرض","collection.edit.save_button":"حفظ التغييرات","collection.edit.save_success":"تم حفظ التغييرات","collection.edit.title":"الإعدادات","collection.edit.users":"المستخدمون","collection.foreign_id":"هوية غير معروفة","collection.frequency":"تحديث","collection.index.empty":"No datasets were found.","collection.index.filter.all":"الكل","collection.index.filter.mine":"تم انشاءه بواسطتي","collection.index.no_results":"No datasets were found matching this query.","collection.index.placeholder":"البحث في مجموعات البيانات ...","collection.index.title":"مجموعات البيانات","collection.info.access":"مشاركة","collection.info.browse":"الوثائق/ المستندات","collection.info.delete":"حذف قاعدة بيانات","collection.info.delete_casefile":"Delete investigation","collection.info.diagrams":"مخططات الشبكة","collection.info.diagrams_description":"Network diagrams let you visualize complex relationships within an investigation.","collection.info.documents":"الوثائق/ المستندات","collection.info.edit":"الإعدادات","collection.info.entities":"كيانات","collection.info.lists":"Lists","collection.info.lists_description":"Lists let you organize and group related entities of interest.","collection.info.mappings":"Entity mappings","collection.info.mappings_description":"Entity mappings allow you to bulk generate structured Follow the Money entities (like People, Companies, and the relationships among them) from rows in a spreadsheet or CSV document","collection.info.mentions":"تذكير","collection.info.mentions_description":"Aleph automatically extracts terms that resemble names, address, phone numbers, and email addresses from uploaded documents and entities within your investigation. {br}{br} Click on a mentioned term below to find where it appears in your investigation.","collection.info.overview":"نظرة عامة","collection.info.reindex":"أعد فهرسة كل المحتوى","collection.info.reingest":"إعادة استيعاب المستندات","collection.info.search":"بحث","collection.info.source_documents":"Source documents","collection.info.timelines":"Timelines","collection.info.timelines_description":"Timelines are a way to view and organize events chronologically.","collection.info.xref":"تطابق","collection.info.xref_description":"Cross-referencing allows you to search the rest of Aleph for entities similar to those contained in your investigation.","collection.info_url":"رابط المعلومات","collection.last_updated":"اخر تاريخ تحذيث","collection.mappings.create":"Create a new entity mapping","collection.mappings.create_docs_link":"For more information, please refer to the {link}","collection.overview.empty":"This dataset is empty.","collection.publisher":"الناشر","collection.reconcile":"تطابق","collection.reconcile.description":"Match your own data against the entities in this collection using the free {openrefine} tool by adding the reconciliation endpoint.","collection.reindex.cancel":"الغاء","collection.reindex.confirm":"ابدأ الفهرسة","collection.reindex.flush":"حذف الفهرس قبل إعادة الفهرسة","collection.reindex.processing":"بدأت الفهرسة","collection.reingest.confirm":"بدء المعالجة","collection.reingest.index":"فهرسة المستندات فور معالجتها.","collection.reingest.processing":"بدء الإعادة","collection.reingest.text":"You're about to re-process all documents in {collectionLabel}. This might take some time.","collection.statistics.showmore":"عرض المزيد","collection.status.cancel_button":"إلغاء العملية","collection.status.collection":"مجموعة البيانات","collection.status.finished_tasks":"تم الإنتهاء","collection.status.jobs":"الوظائف","collection.status.message":"استمر في المرح أثناء معالجة البيانات.","collection.status.no_active":"لا توجد مهام حاليا","collection.status.pending_tasks":"قيد الانتظار","collection.status.progress":"المهام","collection.status.title":"جاري التحديث ({percent}٪)","collection.team":"الوصول إلى","collection.updated_at":"Metadata updated","collection.xref.cancel":"الغاء","collection.xref.confirm":"تأكيد","collection.xref.empty":"لا توجد نتائج متطابقة مع مصادر أخرى","collection.xref.processing":"بدأت عملية المطابقة","collection.xref.text":"You will now cross-reference {collectionLabel} against all other sources. Start this process once and then wait for it to complete.","collection.xref.title":"مطابقة","dashboard.activity":"نشاط","dashboard.alerts":"تنبيهات","dashboard.cases":"Investigations","dashboard.diagrams":"مخططات الشبكة","dashboard.exports":"Exports","dashboard.groups":"مجموعات","dashboard.lists":"Lists","dashboard.notifications":"إشعارات","dashboard.settings":"الإعدادات","dashboard.status":"حالة النظام","dashboard.subheading":"تحقق من سير عملية تحليل البيانات وتحميلها ومعالجتها","dashboard.timelines":"Timelines","dashboard.title":"حالة النظام","dashboard.workspace":"مكان العمل","dataset.search.placeholder":"Search this dataset","diagram.create.button":"رسم تخطيطي جديد","diagram.create.label_placeholder":"رسم تخطيطي بدون عنوان","diagram.create.login":"يجب عليك تسجيل الدخول لإنشاء رسم تخطيطي","diagram.create.success":"تم إنشاء الرسم التخطيطي الخاص بك بنجاح.","diagram.create.summary_placeholder":"وصف موجز للرسم البياني","diagram.create.title":"Create a diagram","diagram.embed.error":"Error generating diagram embed","diagram.export.embed.description":"Generate an embeddable interactive version of the diagram that can be used in an article. The embed will not reflect future changes in the diagram.","diagram.export.error":"Error exporting diagram","diagram.export.ftm":"Export as .ftm","diagram.export.ftm.description":"Download the diagram as a data file that can be used in {link} or another Aleph site.","diagram.export.ftm.link":"Aleph Data Desktop","diagram.export.iframe":"Embed iframe","diagram.export.svg":"Export as SVG","diagram.export.svg.description":"Download a vector graphic with the contents of the diagram.","diagram.export.title":"Export options","diagram.import.button":"استيراد الرسم التخطيطي","diagram.import.placeholder":"Drop a .ftm or .vis file here or click to import an existing diagram","diagram.import.title":"استيراد رسم بياني من الشبكة","diagram.render.error":"Error rendering diagram","diagram.selector.create":"قم بإنشاء رسم بياني جديد","diagram.selector.select_empty":"No existing diagram","diagram.update.label_placeholder":"رسم تخطيطي بدون عنوان","diagram.update.success":"Your diagram has been updated successfully.","diagram.update.summary_placeholder":"وصف موجز للرسم البياني","diagram.update.title":"إعدادات الرسم البياني","diagrams":"الرسوم البيانية","diagrams.description":"Network diagrams let you visualize complex relationships within an investigation.","diagrams.no_diagrams":"لا توجد رسوم بيانية للشبكة.","diagrams.title":"رسوم بيانية الشبكة","document.download":"تحميل","document.download.cancel":"الغاء","document.download.confirm":"تحميل","document.download.dont_warn":"Don't warn me in the future when downloading source documents","document.download.tooltip":"تحميل المستند/ الملف الأصلي","document.download.warning":"You’re about to download a source file. {br}{br} Source files can contain viruses and code that notify the originator when you open them. {br}{br} For sensitive data, we recommend only opening source files on a computer that is permanently disconnected from the internet.","document.folder.error":"حدث خطأ أثناء إنشاء المجلد.","document.folder.new":"مجلد جديد","document.folder.save":"إنشاء","document.folder.title":"مجلد جديد","document.folder.untitled":"عنوان المجلد","document.mapping.start":"إنشاء كيانات","document.paging":"الصفحة {pageInput} من {numberOfPages}","document.pdf.search.page":"الصفحة {page}","document.report_problem":"Report a problem","document.report_problem.text":"You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.","document.report_problem.title":"Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?","document.search.no_match":"لا توجد صفحة واحدة في هذا المستند تتطابق مع جميع مصطلحات البحث الخاصة بك","document.upload.button":"تحميل","document.upload.cancel":"الغاء","document.upload.close":"Close","document.upload.errors":"Some files couldn't be transferred. You can use the Retry button to restart all failed uploads.","document.upload.files":"اختر الملفات المراد تحميلها...","document.upload.folder":"إذا كنت ترغب في تحميل المجلدات بدلاً من ذلك ، {button}.","document.upload.folder-toggle":"انقر هنا","document.upload.info":"If you need to upload a large amount of files (100+) consider {link}.","document.upload.notice":"The upload is complete. It will take a few moments for the documents to be processed and become searchable.","document.upload.progress":"{done} of {total} files done, {errors} errors.","document.upload.rejected":"{fileName} is missing a file type, so it cannot be uploaded.","document.upload.retry":"Retry","document.upload.save":"تحميل","document.upload.summary":"{numberOfFiles, number} files, {totalSize}","document.upload.title":"Upload documents","document.upload.title_in_folder":"Upload documents to {folder}","document.viewer.ignored_file":"لا يتعامل النظام مع هذه الأنواع من الملفات. يرجى تنزيله حتى تتمكن من رؤيته","document.viewer.no_viewer":"لا تتوفر مراجعة لهذا الملف","email.body.empty":"لا يوجد نص الرسالة","entity.delete.cancel":"الغاء","entity.delete.confirm":"حذف","entity.delete.error":"حدث خطأ أثناء محاولة حذف هذا الكيان","entity.delete.progress":"حذف","entity.delete.question.multiple":"Are you sure you want to delete the following {count, plural, one {item} other {items}}?","entity.delete.success":"تم الحذف بنجاح","entity.document.manager.cannot_map":"حدد جدول لإنشاء كيانات منتظمة","entity.document.manager.empty":"لا توجد ملفات أو فهرس","entity.document.manager.emptyCanUpload":"لا توجد ملفات أو فهارس. نزل الملفات هنا أو انقر للتحميل","entity.document.manager.search_placeholder":"البحث عن الملفات","entity.document.manager.search_placeholder_document":"بحث في {label}","entity.info.attachments":"مرفقات","entity.info.documents":"الوثائق/ المستندات","entity.info.info":"معلومات","entity.info.last_view":"Last viewed {time}","entity.info.similar":"مشابه","entity.info.tags":"تذكير","entity.info.text":"النص","entity.info.view":"عرض","entity.info.workbook_warning":"This sheet is part of workbook {link}","entity.manager.bulk_import.description.1":"حدد جدولاً أدناه ليتم استيراد كيانات {schema} الجديدة منه.","entity.manager.bulk_import.description.2":"بمجرد الاختيار، ستتم مطالبتك بتعيين أعمدة من هذا الجدول إلى خصائص الكيانات التي تم إنشاؤها","entity.manager.bulk_import.description.3":"هل تجد الجدول الذي تبحث عنه؟ {link}","entity.manager.bulk_import.link_text":"Upload a new table document","entity.manager.bulk_import.no_results":"لم يتم العثور على مستندات مطابقة","entity.manager.bulk_import.placeholder":"حدد جدول المستند","entity.manager.delete":"حذف","entity.manager.edge_create_success":"تم ربط {source} و {target} بنجاح","entity.manager.entity_set_add_success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entity.manager.remove":"إزالة","entity.manager.search_empty":"لم يتم العثور على نتائج مطابقة لـ {schema}","entity.manager.search_placeholder":"بحث في {schema}","entity.mapping.view":"إنشاء كيانات","entity.properties.missing":"غير معروف","entity.references.no_relationships":"هذا الكيان غير مرتبط بالبحث","entity.references.no_results":"No {schema} match this search.","entity.references.no_results_default":"No entities match this search.","entity.references.search.placeholder":"Search in {schema}","entity.references.search.placeholder_default":"Search entities","entity.remove.confirm":"إزالة","entity.remove.error":"An error occured while attempting to remove this entity.","entity.remove.progress":"Removing...","entity.remove.question.multiple":"Are you sure you want to remove the following {count, plural, one {item} other {items}}?","entity.remove.success":"Successfully removed","entity.search.empty_title":"هذا المجلد فارغ","entity.search.no_results_description":"حاول أن تجعل بحثك أكثر عمومية","entity.search.no_results_title":"لم يتم العثور على نتائج","entity.similar.empty":"لا توجد كيانات مشابهة","entity.similar.entity":"Similar entity","entity.similar.found_text":"Found {resultCount} {resultCount, plural, one {similar entity} other {similar entities}} from {datasetCount} {datasetCount, plural, one {dataset} other {datasets}}","entity.tags.no_tags":"لم تستخرج أي محددات من هذا الكيان","entity.viewer.add_link":"إنشاء رابط","entity.viewer.add_to":"Add to...","entity.viewer.bulk_import":"إدخال بالجملة","entity.viewer.search_placeholder":"بحث في {label}","entitySet.last_updated":"تم التحديث {date}","entityset.choose.name":"عنوان","entityset.choose.summary":"ملخص","entityset.create.collection":"Investigation","entityset.create.collection.existing":"Select an investigation","entityset.create.collection.new":"Don't see the investigation you're looking for? {link}","entityset.create.collection.new_link":"Create a new investigation","entityset.create.submit":"إنشاء","entityset.delete.confirm":"I understand the consequences.","entityset.delete.confirm.diagram":"Delete this network diagram.","entityset.delete.confirm.list":"Delete this list.","entityset.delete.confirm.profile":"Delete this profile.","entityset.delete.confirm.timeline":"Delete this timeline.","entityset.delete.question":"Are you sure you want to permanently delete {label}? This cannot be undone.","entityset.delete.success":"Successfully deleted {title}","entityset.delete.title.diagram":"Delete network diagram","entityset.delete.title.list":"Delete list","entityset.delete.title.profile":"Delete profile","entityset.delete.title.timeline":"Delete timeline","entityset.info.delete":"حذف","entityset.info.edit":"الإعدادات","entityset.info.export":"تصدير","entityset.info.exportAsSvg":"Export as SVG","entityset.selector.placeholder":"Search existing","entityset.selector.success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entityset.selector.success_toast_button":"عرض","entityset.selector.title":"Add {firstCaption} {titleSecondary} to...","entityset.selector.title_default":"Add entities to...","entityset.selector.title_other":"and {count} other {count, plural, one {entity} other {entities}}","entityset.update.submit":"حفظ التغييرات","error.screen.not_found":" لا يمكن العثور على الصفحة المطلوبة","export.dialog.text":"Initiate your export. {br}{br} Exports take some time to generate. You will receive an email once the data is ready. {br}{br} Please trigger this export only once.","exports.dialog.cancel":"الغاء","exports.dialog.confirm":"تصدير","exports.dialog.dashboard_link":"View progress","exports.dialog.success":"Your export has begun.","exports.expiration":"Expiration","exports.manager.description":"Below is a list of your exports. Make sure to download them before they expire.","exports.name":"الاسم","exports.no_exports":"You have no exports to download","exports.size":"الحجم","exports.status":"Status","exports.title":"Exports ready for download","facet.addresses":"{count, plural, zero {عناوين} one {عنوان} two {عناوين} few {عناوين} many {عناوين} other {عناوين}}","facet.caption":"الاسم","facet.category":"{count, plural, zero {فئات} one {فئة} two {فئات} few {فئات} many {فئات} other {فئات}}","facet.collection_id":"مجموعة البيانات","facet.countries":"{count, plural, zero {دول} one {دولة} two {دول} few {دول} many {دول} other {دول}}","facet.dates":"{count, plural, one {Date} other {Dates}}","facet.emails":"{count, plural, zero {إيميلات} one {ايميل} two {إيميلات} few {إيميلات} many {إيميلات} other {إيميلات}}","facet.ibans":"{count, plural, zero {أرقام الحسابات} one {رقم الحساب} two {أرقام الحسابات} few {أرقام الحسابات} many {أرقام الحسابات} other {أرقام حسابات IBAN}}","facet.languages":"{count, plural, zero {لغات} one {لغة} two {لغات} few {لغات} many {لغات} other {لغات}}","facet.mimetypes":"{count, plural, zero {نوع الملفات} one {نوع الملف} two {نوع الملفات} few {نوع الملفات} many {نوع الملفات} other {نوع الملفات}}","facet.names":"{count, plural, zero {اسماء} one {اسم} two {اسماء} few {اسماء} many {اسماء} other {اسماء}}","facet.phones":"{count, plural, zero {أرقام هواتف} one {رقم الهاتف} two {أرقام هواتف} few {أرقام هواتف} many {أرقام هواتف} other {أرقام هواتف}}","facet.schema":"Entity type","file_import.error":"خطأ في استيراد الملف","footer.aleph":"أَلِف {version}","footer.ftm":"FollowTheMoney {version}","group.page.description":"The list below shows all datasets and investigations that belong to this group.","group.page.search.description":"If you would like to search for specific entities or documents within the datasets that this group has access to, click here instead.","home.access_disabled":"Public access temporarily disabled","home.counts.countries":"Countries & territories","home.counts.datasets":"Public datasets","home.counts.entities":"Public entities","home.placeholder":"حاول البحث: {samples}","home.statistics.categories":"Dataset categories","home.statistics.countries":"Countries and territories","home.statistics.schemata":"Entity types","home.stats.title":"Get started exploring public data","home.title":"البحث عن السجلات العامة والتسريبات","hotkeys.judgement.different":"Decide different","hotkeys.judgement.group_label":"Entity decisions","hotkeys.judgement.next":"Select next result","hotkeys.judgement.previous":"Select previous result","hotkeys.judgement.same":"Decide same","hotkeys.judgement.unsure":"Decide not enough information","hotkeys.search.different":"Preview previous result","hotkeys.search.group_label":"Search preview","hotkeys.search.unsure":"Preview next result","hotkeys.search_focus":"بحث","infoMode.collection_casefile":"Investigation","infoMode.collection_dataset":"مجموعة البيانات","infoMode.createdAt":"Created at","infoMode.creator":"Created by","infoMode.updatedAt":"آخر تحديث","investigation.mentions.empty":"There are no mentions yet in this investigation.","investigation.overview.guides":"Read more","investigation.overview.guides.access":"Managing access","investigation.overview.guides.diagrams":"Drawing network diagrams","investigation.overview.guides.documents":"Uploading documents","investigation.overview.guides.entities":"Creating & editing entities","investigation.overview.guides.mappings":"Generating entities from a spreadsheet","investigation.overview.guides.xref":"Cross-referencing your data","investigation.overview.notifications":"Recent activity","investigation.overview.shortcuts":"Quick links","investigation.overview.shortcuts_empty":"Getting started","investigation.search.placeholder":"Search this investigation","investigation.shortcut.diagram":"Sketch a network diagram","investigation.shortcut.entities":"Create new entities","investigation.shortcut.entity_create_error":"Unable to create entity","investigation.shortcut.entity_create_success":"Successfully created {name}","investigation.shortcut.upload":"Upload documents","investigation.shortcut.xref":"Compare with other datasets","judgement.disabled":"You must have edit access in order to make judgements.","judgement.negative":"Different","judgement.positive":"Same","judgement.unsure":"Not enough information","landing.shortcut.alert":"Create a search alert","landing.shortcut.datasets":"Browse datasets","landing.shortcut.investigation":"Start an investigation","landing.shortcut.search":"Search entities","list.create.button":"New list","list.create.label_placeholder":"Untitled list","list.create.login":"You must log in to create a list","list.create.success":"Your list has been created successfully.","list.create.summary_placeholder":"A brief description of the list","list.create.title":"Create a list","list.selector.create":"Create a new list","list.selector.select_empty":"No existing list","list.update.label_placeholder":"Untitled list","list.update.success":"Your list has been updated successfully.","list.update.summary_placeholder":"A brief description of the list","list.update.title":"List settings","lists":"Lists","lists.description":"Lists let you organize and group related entities of interest.","lists.no_lists":"There are no lists.","lists.title":"Lists","login.oauth":"تسجيل الدخول عبر OAuth","mapping.actions.create":"إنشاء كيانات","mapping.actions.create.toast":"الكيانات قيد الإنشاء","mapping.actions.delete":"حذف","mapping.actions.delete.toast":"حذف اليحث الشامل وأي كيانات تم إنشاؤها ...","mapping.actions.export":"تصدير البحث الشامل","mapping.actions.flush":"إزالة الكيانات التي تم إنشاؤها","mapping.actions.flush.toast":"إزالة الكيانات التي تم إنشاؤها","mapping.actions.save":"حفظ التغييرات","mapping.actions.save.toast":"إعادة إنشاء الكيانات","mapping.create.cancel":"الغاء","mapping.create.confirm":"إنشاء","mapping.create.question":"هل أنت متأكد من أنك مستعد لإنشاء كيانات باستخدام البحث الشامل؟","mapping.delete.cancel":"الغاء","mapping.delete.confirm":"حذف","mapping.delete.question":"هل أنت متأكد أنك تريد حذف هذا التعيين وجميع الكيانات التي تم إنشاؤها؟","mapping.docs.link":"Aleph entity mapping documentation","mapping.entityAssign.helpText":"يجب إنشاء كائن من النوع \"{range}\" ليكون {property}","mapping.entityAssign.noResults":"لا توجد مواضيع مطابقة متاحة","mapping.entityAssign.placeholder":"حدد موضوع","mapping.entity_set_select":"Select a List or Diagram","mapping.entityset.remove":"إزالة","mapping.error.keyMissing":"خطأ رئيسي: يجب أن يحتوي {id} الكيان على مفتاح واحد على الأقل","mapping.error.relationshipMissing":"خطأ في العلاقة: {id} يجب أن يكون للكيان {source} و {target} معين","mapping.flush.cancel":"الغاء","mapping.flush.confirm":"إزالة","mapping.flush.question":"هل أنت متأكد من أنك تريد إزالة الكيانات التي تم إنشاؤها باستخدام هذا البحث الشامل؟","mapping.import.button":"استيراد الرسم التخطيطي الموجود","mapping.import.placeholder":"أسقط ملف yml هنا أو اضغط لاستيراد ملف بحث شامل موجود","mapping.import.querySelect":"حدد استعلام بحث شامل من هذا الملف للاستيراد:","mapping.import.submit":"إرسال","mapping.import.success":"تم استيراد بحثك الكامل بنجاح","mapping.import.title":"استيراد البحث الشامل","mapping.info":"Follow the steps below to map items in this investigation to structured Follow the Money entites. For more information, please refer to the {link}","mapping.info.link":"آلف لتوثيق بيانات البحث الشامل","mapping.keyAssign.additionalHelpText":"The best keys are columns from your data that contain id numbers, phone numbers, email addresses, or other uniquely identifying information. If no columns with unique values exist, select multiple columns to allow Aleph to generate unique entities correctly from your data.","mapping.keyAssign.additionalHelpToggle.less":"أقل","mapping.keyAssign.additionalHelpToggle.more":"المزيد عن المفاتيح","mapping.keyAssign.helpText":"حدد الأعمدة التي سيتم استخدامها لتحديد الكيانات الفريدة","mapping.keyAssign.noResults":"لا توجد نتائج","mapping.keyAssign.placeholder":"حدد المفاتيح من الأعمدة المتاحة","mapping.keys":"المفاتيح الرئيسية","mapping.propAssign.errorBlank":"الأعمدة بدون عناوين لا يمكن تعيينها","mapping.propAssign.errorDuplicate":"الأعمدة بالعناوين المكررة لا يمكن تعيينها","mapping.propAssign.literalButtonText":"أضف قيمة ثابتة","mapping.propAssign.literalPlaceholder":"أضف نصاً ثابتاً","mapping.propAssign.other":"آخر","mapping.propAssign.placeholder":"تعيين ملكية","mapping.propRemove":"إزالة هذه الخاصية من البحث الشامل","mapping.props":"الخصائص","mapping.save.cancel":"الغاء","mapping.save.confirm":"تحديث البحث الشامل او إعادة انشائها","mapping.save.question":"سيؤدي تحديث هذا التعيين إلى حذف أي كيانات تم إنشاؤها سابقًا وإعادة إنشائها. هل أنت متأكد أنك تريد الاستمرار؟","mapping.section1.title":"1.اختار أنواع الكيانات المراد إنشاؤها","mapping.section2.title":"2. تعيين أعمدة للكيان","mapping.section3.title":"3. تحقيق/ تدقيق","mapping.section4.description":"Generated entities will be added to {collection} by default. If you would like to additionally add them to a list or diagram within the investigation, please click below and select from the available options.","mapping.section4.title":"4. Select a destination for generated entities (optional)","mapping.status.error":"خطأ:","mapping.status.status":"الحالة:","mapping.status.updated":"آخر تحديث:","mapping.title":"إنشاء كيانات منظمة","mapping.types.objects":"مواضيع","mapping.types.relationships":"علاقات","mapping.warning.empty":"You must create at least one entity","mappings.no_mappings":"You have not generated any mappings yet","messages.banner.dismiss":"Dismiss","nav.alerts":"تنبيهات","nav.bookmarks":"Bookmarks","nav.cases":"Investigations","nav.collections":"مجموعات البيانات","nav.diagrams":"مخططات الشبكة","nav.exports":"Exports","nav.lists":"Lists","nav.menu.cases":"Investigations","nav.settings":"الإعدادات","nav.signin":"تسجيل الدخول","nav.signout":"تسجيل الخروج","nav.status":"حالة النظام","nav.timelines":"Timelines","nav.view_notifications":"إشعارات","navbar.alert_add":"اضغط لتلقي تنبيهات حول النتائج الجديدة بخصوص هذا البحث","navbar.alert_remove":"تتلقى تنبيهات حول هذا البحث","notification.description":"View the latest updates to datasets, investigations, groups and tracking alerts you follow.","notifications.greeting":"ما الجديد {role}؟","notifications.no_notifications":"ليس لديك إشعارات غير مرئية","notifications.title":"اشعارات حديثة","notifications.type_filter.all":"الكل","pages.not.found":"الصفحة غير موجودة","pass.auth.not_same":"كلمات السر الخاصة بك ليست هي نفسها!","password_auth.activate":"تفعيل","password_auth.confirm":"تأكيد كلمة المرور","password_auth.email":"البريد الإلكتروني","password_auth.name":"اسمك","password_auth.password":"كلمة المرور","password_auth.signin":"تسجيل الدخول","password_auth.signup":"تسجيل","profile.callout.details":"This profile aggregates attributes and relationships from {count} entities across different datasets.","profile.callout.intro":"You're viewing {entity} as a profile.","profile.callout.link":"View the original entity","profile.delete.warning":"Deleting this profile will not delete any of the entities or entity decisions contained within it.","profile.hint":"{entity} has been combined with entities from other datasets into a profile","profile.info.header":"Profile","profile.info.items":"Entity decisions","profile.info.similar":"Suggested","profile.items.entity":"Combined entities","profile.items.explanation":"Make decisions below to determine which source entities should be added or excluded from this profile.","profile.similar.no_results":"No suggested additions for this profile were found.","profileinfo.api_desc":"استخدم مفتاح API لقراءة البيانات وكتابتها عبر التطبيقات عن بعد.","queryFilters.clearAll":"حذف الكل","queryFilters.showHidden":"Show {count} more filters...","refresh.callout_message":" المستندات قيد المعالجة. ارجوك انتظر...","restricted.explain":"استخدام مجموعة البيانات مقيد. اقرأ الوصف واتصل بـ {creator} قبل استخدام هذه المادة.","restricted.explain.creator":"مالك مجموعة البيانات","restricted.tag":"مقيد","result.error":"خطأ","result.more_results":"أكثر من {total} نتيجة","result.none":"لم يتم العثور على نتائج","result.results":"العثور على {total} من النتائج","result.searching":"جاري البحث","result.solo":"تم العثور على نتيجة واحدة","role.select.user":"اختر اسم المستخدم","schemaSelect.button.relationship":"أضف علاقة جديدة","schemaSelect.button.thing":"أضف موضوعاَ جديداً","screen.load_more":"Load more","search.advanced.all.helptext":"Only results containing all of the given terms will be returned","search.advanced.all.label":"All of these words (Default)","search.advanced.any.helptext":"Results containing any of the given terms will be returned","search.advanced.any.label":"Any of these words","search.advanced.clear":"حذف الكل","search.advanced.exact.helptext":"Only results with this exact word or phrase will be returned","search.advanced.exact.label":"This exact word/phrase","search.advanced.none.helptext":"Exclude results with these words","search.advanced.none.label":"None of these words","search.advanced.proximity.distance":"Distance","search.advanced.proximity.helptext":"Search for two terms within a certain distance of each other. For example, return results with the terms \"Bank\" and \"America\" occurring within two words from each other, such as \"Bank of America\", \"Bank in America\", even \"America has a Bank\".","search.advanced.proximity.label":"Terms in proximity to each other","search.advanced.proximity.term":"First term","search.advanced.proximity.term2":"Second term","search.advanced.submit":"بحث","search.advanced.title":"Advanced Search","search.advanced.variants.distance":"Letters different","search.advanced.variants.helptext":"Increase the fuzziness of a search. For example, Wladimir~2 will return not just the term “Wladimir” but also similar spellings such as \"Wladimyr\" or \"Vladimyr\". A spelling variant is defined by the number of spelling mistakes that must be made to get from the original word to the variant.","search.advanced.variants.label":"Spelling variations","search.advanced.variants.term":"Term","search.callout_message":"بعض المصادر مخفية عن المستخدمين المجهولين. اضغط {signInButton} لعرض جميع النتائج المسموح لك بالوصول إليها.","search.callout_message.button_text":"تسجيل الدخول","search.columns.configure":"Configure columns","search.columns.configure_placeholder":"Search for a column...","search.config.groups":"Property groups","search.config.properties":"الخصائص","search.config.reset":"Reset to default","search.facets.clearDates":"Clear","search.facets.configure":"Configure filters","search.facets.configure_placeholder":"Search for a filter...","search.facets.filtersSelected":"{count} محدد","search.facets.hide":"Hide filters","search.facets.no_items":"لا توجد خيارات","search.facets.show":"Show filters","search.facets.showMore":"اعرض المزيد:","search.filterTag.ancestors":"في:","search.filterTag.exclude":"ليس:","search.filterTag.role":"تصفية حسب الوصول","search.loading":"Loading...","search.no_results_description":"حاول أن تجعل بحثك أكثر عمومية","search.no_results_title":"لم يتم العثور على نتائج","search.placeholder":"ابحث عن شركات وأشخاص ومستندات","search.placeholder_default":"Search…","search.placeholder_label":"بحث في {label}","search.screen.dates.show-all":"* Showing all date filter options. { button } to view recent dates only.","search.screen.dates.show-hidden":"* Showing only date filter options from {start} to the present. { button } to view dates outside this range.","search.screen.dates.show-hidden.click":"Click here","search.screen.dates_label":"نتائج","search.screen.dates_title":"تواريخ","search.screen.dates_uncertain_day":"* this count includes dates where no day is specified","search.screen.dates_uncertain_day_month":"* this count includes dates in {year} where no day or month is specified","search.screen.dates_uncertain_month":"* this count includes dates in {year} where no month is specified","search.screen.export":"تصدير","search.screen.export_disabled":"لا يمكن تصدير أكثر من 10000 نتيجة في المرة الواحدة","search.screen.export_disabled_empty":"No results to export.","search.screen.export_helptext":"Export results","search.title":"Search: {title}","search.title_emptyq":"بحث","settings.api_key":"مفتاح API الوصول السري ","settings.confirm":"(تأكيد)","settings.current_explain":"أدخل كلمة المرور الحالية لتعيين كلمة مرور جديدة.","settings.current_password":"كلمة المرور الحالية","settings.email":"البريد الكتروني","settings.email.muted":"استلام اشعارات رسائل البريد الإلكتروني","settings.email.no_change":"لا يمكن تغيير عنوان بريدك الإلكتروني","settings.email.tester":"اختبر الميزات الجديدة قبل الانتهاء","settings.locale":"اللغة","settings.name":"الاسم","settings.new_password":"كلمة سر جديدة","settings.password.missmatch":"كلمة المرور غير مطابقة","settings.password.rules":"استخدم ستة أحرف على الأقل","settings.password.title":"قم بتغيير كلمة المرور الخاصة بك","settings.save":"تحديث","settings.saved":"إنه رسمي، يتم تحديث ملفك الشخصي.","settings.title":"الإعدادات","sidebar.open":"توسيع النطاق","signup.activate":"فعل حسابك","signup.inbox.desc":"لقد أرسلنا لك بريدًا إلكترونيًا ، يرجى اتباع الرابط لإتمام عملية التسجيل","signup.inbox.title":"تحقق من بريدك الوارد","signup.login":"هل لديك حساب؟ تسجيل الدخول!","signup.register":"تسجيل","signup.register.question":"ليس لديك حساب؟ سجل!","signup.title":"تسجيل الدخول","sorting.bar.button.label":"إظهار","sorting.bar.caption":"العنوان","sorting.bar.collection_id":"مجموعة البيانات","sorting.bar.count":"الحجم","sorting.bar.countries":"الدول","sorting.bar.created_at":"انشاء تاريخ","sorting.bar.date":"التاريخ","sorting.bar.dates":"تواريخ ","sorting.bar.direction":"اتجاه:","sorting.bar.endDate":"End date","sorting.bar.label":"العنوان","sorting.bar.sort":"ترتيب حسب:","sorting.bar.updated_at":"تحديث التاريخ","sources.index.empty":"This group is not linked to any datasets or investigations.","sources.index.placeholder":"Search for a dataset or investigation belonging to {group}...","status.no_collection":"Other tasks","tags.results":"Mention count","tags.title":"Term","text.loading":"تحميل...","timeline.create.button":"New timeline","timeline.create.label_placeholder":"Untitled timeline","timeline.create.login":"You must log in to create a timeline","timeline.create.success":"Your timeline has been created successfully.","timeline.create.summary_placeholder":"A brief description of the timeline","timeline.create.title":"Create a timeline","timeline.selector.create":"Create a new timeline","timeline.selector.select_empty":"No existing timeline","timeline.update.label_placeholder":"Untitled timeline","timeline.update.success":"Your timeline has been updated successfully.","timeline.update.summary_placeholder":"A brief description of the timeline","timeline.update.title":"Timeline settings","timelines":"Timelines","timelines.description":"Timelines are a way to view and organize events chronologically.","timelines.no_timelines":"There are no timelines.","timelines.title":"Timelines","valuelink.tooltip":"ذكرت {count} في {appName}","xref.compute":"احسب","xref.entity":"مرجع","xref.match":"تطابق محتمل","xref.match_collection":"مجموعة البيانات","xref.recompute":"إعادة الحساب","xref.score":"نتيجة","xref.sort.default":"Default","xref.sort.label":"ترتيب حسب:","xref.sort.random":"Random"},"bs":{"alert.manager.description":"You will receive notifications when a new result is added that matches any of the alerts you have set up below.","alerts.add_placeholder":"Create a new tracking alert...","alerts.delete":"Remove alert","alerts.heading":"Upravljaj pretplatama","alerts.no_alerts":"Ne pratite nijednu pretragu","alerts.save":"Ažuriraj","alerts.title":"Tracking alerts","alerts.track":"Track","auth.bad_request":"Server nije prihvatio Vaš unos","auth.server_error":"Greška na serveru","auth.success":"Uspješno","auth.unauthorized":"Nije Vam dozvoljen pristup","auth.unknown_error":"Desila se neočekivana greška","case.choose.name":"Title","case.choose.summary":"Opis","case.chose.languages":"Jezici","case.create.login":"You must sign in to upload your own data.","case.description":"Investigations let you upload and share documents and data which belong to a particular story. You can upload PDFs, email archives or spreadsheets, and they will be made easy to search and browse.","case.label_placeholder":"Untitled investigation","case.language_placeholder":"Select languages","case.languages.helper":"Used for optical text recognition in non-Latin alphabets.","case.save":"Sačuvaj","case.share.with":"Podijeli sa","case.summary":"A brief description of the investigation","case.title":"Create an investigation","case.users":"Pretraži korisnike","cases.create":"New investigation","cases.empty":"You do not have any investigations yet.","cases.no_results":"No investigations were found matching this query.","cases.placeholder":"Search investigations...","cases.title":"Investigations","clipboard.copy.after":"Successfully copied to clipboard","clipboard.copy.before":"Copy to clipboard","collection.addSchema.placeholder":"Add new entity type","collection.analyze.alert.text":"You're about to re-index the entities in {collectionLabel}. This can be helpful if there are inconsistencies in how the data is presented.","collection.analyze.cancel":"Otkaži","collection.cancel.button":"Otkaži","collection.countries":"Država","collection.creator":"Upravitelj","collection.data_updated_at":"Content updated","collection.data_url":"Data URL","collection.delete.confirm":"I understand the consequences.","collection.delete.confirm.dataset":"Delete this dataset.","collection.delete.confirm.investigation":"Delete this investigation.","collection.delete.question":"Are you sure you want to permanently delete {collectionLabel} and all contained items? This cannot be undone.","collection.delete.success":"Successfully deleted {label}","collection.delete.title.dataset":"Delete dataset","collection.delete.title.investigation":"Delete investigation","collection.edit.access_title":"Kontrola pristupa","collection.edit.cancel_button":"Otkaži","collection.edit.groups":"Grupe","collection.edit.info.analyze":"Re-process","collection.edit.info.cancel":"Otkaži","collection.edit.info.category":"Kategorija","collection.edit.info.countries":"Države","collection.edit.info.creator":"Upravitelj","collection.edit.info.data_url":"Data source URL","collection.edit.info.delete":"Izbriši","collection.edit.info.foreign_id":"Foreign ID","collection.edit.info.frequency":"Update frequency","collection.edit.info.info_url":"Information URL","collection.edit.info.label":"Oznaka","collection.edit.info.languages":"Jezici","collection.edit.info.placeholder_country":"Select countries","collection.edit.info.placeholder_data_url":"Link to the raw data in a downloadable form","collection.edit.info.placeholder_info_url":"Link to further information","collection.edit.info.placeholder_label":"Labela","collection.edit.info.placeholder_language":"Select languages","collection.edit.info.placeholder_publisher":"Organisation or person publishing this data","collection.edit.info.placeholder_publisher_url":"Link to the publisher","collection.edit.info.placeholder_summary":"Sažetak","collection.edit.info.publisher":"Publisher","collection.edit.info.publisher_url":"Publisher URL","collection.edit.info.restricted":"This dataset is restricted and viewers should be warned.","collection.edit.info.save":"Sačuvaj izmjene","collection.edit.info.summary":"Opis","collection.edit.permissions_warning":"Note: User must already have an Aleph account in order to receive access.","collection.edit.permissionstable.edit":"Uredi","collection.edit.permissionstable.view":"Pregled","collection.edit.save_button":"Sačuvaj izmjene","collection.edit.save_success":"Vaše izmjene su sačuvane.","collection.edit.title":"Podešavanja","collection.edit.users":"Korisnici","collection.foreign_id":"Foreign ID","collection.frequency":"Updates","collection.index.empty":"No datasets were found.","collection.index.filter.all":"All","collection.index.filter.mine":"Created by me","collection.index.no_results":"No datasets were found matching this query.","collection.index.placeholder":"Search datasets...","collection.index.title":"Datasets","collection.info.access":"Share","collection.info.browse":"Documents","collection.info.delete":"Delete dataset","collection.info.delete_casefile":"Delete investigation","collection.info.diagrams":"Network diagrams","collection.info.diagrams_description":"Network diagrams let you visualize complex relationships within an investigation.","collection.info.documents":"Documents","collection.info.edit":"Podešavanja","collection.info.entities":"Entities","collection.info.lists":"Lists","collection.info.lists_description":"Lists let you organize and group related entities of interest.","collection.info.mappings":"Entity mappings","collection.info.mappings_description":"Entity mappings allow you to bulk generate structured Follow the Money entities (like People, Companies, and the relationships among them) from rows in a spreadsheet or CSV document","collection.info.mentions":"Mentions","collection.info.mentions_description":"Aleph automatically extracts terms that resemble names, address, phone numbers, and email addresses from uploaded documents and entities within your investigation. {br}{br} Click on a mentioned term below to find where it appears in your investigation.","collection.info.overview":"Sažetak","collection.info.reindex":"Re-index all content","collection.info.reingest":"Re-ingest documents","collection.info.search":"Pretraži","collection.info.source_documents":"Source documents","collection.info.timelines":"Timelines","collection.info.timelines_description":"Timelines are a way to view and organize events chronologically.","collection.info.xref":"Povezane reference","collection.info.xref_description":"Cross-referencing allows you to search the rest of Aleph for entities similar to those contained in your investigation.","collection.info_url":"Information URL","collection.last_updated":"Last updated {date}","collection.mappings.create":"Create a new entity mapping","collection.mappings.create_docs_link":"For more information, please refer to the {link}","collection.overview.empty":"This dataset is empty.","collection.publisher":"Publisher","collection.reconcile":"Reconciliation","collection.reconcile.description":"Match your own data against the entities in this collection using the free {openrefine} tool by adding the reconciliation endpoint.","collection.reindex.cancel":"Otkaži","collection.reindex.confirm":"Start indexing","collection.reindex.flush":"Clear index before re-indexing","collection.reindex.processing":"Indexing started.","collection.reingest.confirm":"Start processing","collection.reingest.index":"Index documents as they are processed.","collection.reingest.processing":"Re-ingest started.","collection.reingest.text":"You're about to re-process all documents in {collectionLabel}. This might take some time.","collection.statistics.showmore":"Show more","collection.status.cancel_button":"Cancel the process","collection.status.collection":"Dataset","collection.status.finished_tasks":"Finished","collection.status.jobs":"Jobs","collection.status.message":"Continue to frolic about while data is being processed.","collection.status.no_active":"There are no ongoing tasks","collection.status.pending_tasks":"Pending","collection.status.progress":"Tasks","collection.status.title":"Update in progress ({percent}%)","collection.team":"Accessible to","collection.updated_at":"Metadata updated","collection.xref.cancel":"Otkaži","collection.xref.confirm":"Confirm","collection.xref.empty":"There are no cross-referencing results.","collection.xref.processing":"Cross-referencing started.","collection.xref.text":"You will now cross-reference {collectionLabel} against all other sources. Start this process once and then wait for it to complete.","collection.xref.title":"Povezane reference","dashboard.activity":"Activity","dashboard.alerts":"Pretplata","dashboard.cases":"Investigations","dashboard.diagrams":"Network diagrams","dashboard.exports":"Exports","dashboard.groups":"Grupe","dashboard.lists":"Lists","dashboard.notifications":"Notifikacije","dashboard.settings":"Podešavanja","dashboard.status":"System status","dashboard.subheading":"Check the progress of ongoing data analysis, upload, and processing tasks.","dashboard.timelines":"Timelines","dashboard.title":"System Status","dashboard.workspace":"Workspace","dataset.search.placeholder":"Search this dataset","diagram.create.button":"New diagram","diagram.create.label_placeholder":"Untitled diagram","diagram.create.login":"You must log in to create a diagram","diagram.create.success":"Your diagram has been created successfully.","diagram.create.summary_placeholder":"A brief description of the diagram","diagram.create.title":"Create a diagram","diagram.embed.error":"Error generating diagram embed","diagram.export.embed.description":"Generate an embeddable interactive version of the diagram that can be used in an article. The embed will not reflect future changes in the diagram.","diagram.export.error":"Error exporting diagram","diagram.export.ftm":"Export as .ftm","diagram.export.ftm.description":"Download the diagram as a data file that can be used in {link} or another Aleph site.","diagram.export.ftm.link":"Aleph Data Desktop","diagram.export.iframe":"Embed iframe","diagram.export.svg":"Export as SVG","diagram.export.svg.description":"Download a vector graphic with the contents of the diagram.","diagram.export.title":"Export options","diagram.import.button":"Import diagram","diagram.import.placeholder":"Drop a .ftm or .vis file here or click to import an existing diagram","diagram.import.title":"Import a network diagram","diagram.render.error":"Error rendering diagram","diagram.selector.create":"Create a new diagram","diagram.selector.select_empty":"No existing diagram","diagram.update.label_placeholder":"Untitled diagram","diagram.update.success":"Your diagram has been updated successfully.","diagram.update.summary_placeholder":"A brief description of the diagram","diagram.update.title":"Diagram settings","diagrams":"Diagrams","diagrams.description":"Network diagrams let you visualize complex relationships within an investigation.","diagrams.no_diagrams":"There are no network diagrams.","diagrams.title":"Network diagrams","document.download":"Preuzmi","document.download.cancel":"Otkaži","document.download.confirm":"Preuzmi","document.download.dont_warn":"Don't warn me in the future when downloading source documents","document.download.tooltip":"Preuzmi originalni dokument","document.download.warning":"You’re about to download a source file. {br}{br} Source files can contain viruses and code that notify the originator when you open them. {br}{br} For sensitive data, we recommend only opening source files on a computer that is permanently disconnected from the internet.","document.folder.error":"There was an error creating the folder.","document.folder.new":"Nova datoteka","document.folder.save":"Kreiraj","document.folder.title":"Nova datoteka","document.folder.untitled":"Naziv foldera","document.mapping.start":"Generate entities","document.paging":"Page {pageInput} of {numberOfPages}","document.pdf.search.page":"Page {page}","document.report_problem":"Report a problem","document.report_problem.text":"You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.","document.report_problem.title":"Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?","document.search.no_match":"No single page within this document matches all your search terms.","document.upload.button":"Unos","document.upload.cancel":"Otkaži","document.upload.close":"Close","document.upload.errors":"Some files couldn't be transferred. You can use the Retry button to restart all failed uploads.","document.upload.files":"Izaberi fajlove za unos...","document.upload.folder":"If you would like to upload folders instead, { button }.","document.upload.folder-toggle":"click here","document.upload.info":"If you need to upload a large amount of files (100+) consider {link}.","document.upload.notice":"The upload is complete. It will take a few moments for the documents to be processed and become searchable.","document.upload.progress":"{done} of {total} files done, {errors} errors.","document.upload.rejected":"{fileName} is missing a file type, so it cannot be uploaded.","document.upload.retry":"Retry","document.upload.save":"Unos","document.upload.summary":"{numberOfFiles, number} files, {totalSize}","document.upload.title":"Unos dokumenata","document.upload.title_in_folder":"Upload documents to {folder}","document.viewer.ignored_file":"Sistem ne podržava ovaj tip dokumenta. Molimo vas da ga preuzmete kako bi bili u mogućnosti da ga vidite.","document.viewer.no_viewer":"Pregled ovog dokumenta nije dostupan","email.body.empty":"Nema sadržaja.","entity.delete.cancel":"Otkaži","entity.delete.confirm":"Izbriši","entity.delete.error":"An error occured while attempting to delete this entity.","entity.delete.progress":"Deleting...","entity.delete.question.multiple":"Are you sure you want to delete the following {count, plural, one {item} other {items}}?","entity.delete.success":"Successfully deleted","entity.document.manager.cannot_map":"Select a table document to generate structured entities","entity.document.manager.empty":"No files or directories.","entity.document.manager.emptyCanUpload":"No files or directories. Drop files here or click to upload.","entity.document.manager.search_placeholder":"Search documents","entity.document.manager.search_placeholder_document":"Search in {label}","entity.info.attachments":"Prilozi","entity.info.documents":"Documents","entity.info.info":"Informacije","entity.info.last_view":"Last viewed {time}","entity.info.similar":"Slično","entity.info.tags":"Mentions","entity.info.text":"Tekst","entity.info.view":"Pregled","entity.info.workbook_warning":"This sheet is part of workbook {link}","entity.manager.bulk_import.description.1":"Select a table below from which to import new {schema} entities.","entity.manager.bulk_import.description.2":"Once selected, you will be prompted to assign columns from that table to properties of the generated entities.","entity.manager.bulk_import.description.3":"Don't see the table you're looking for? {link}","entity.manager.bulk_import.link_text":"Upload a new table document","entity.manager.bulk_import.no_results":"No matching documents found","entity.manager.bulk_import.placeholder":"Select a table document","entity.manager.delete":"Izbriši","entity.manager.edge_create_success":"Successfully linked {source} and {target}","entity.manager.entity_set_add_success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entity.manager.remove":"Ukloni","entity.manager.search_empty":"No matching {schema} results found","entity.manager.search_placeholder":"Search {schema}","entity.mapping.view":"Generate entities","entity.properties.missing":"unknown","entity.references.no_relationships":"Entitet nema nikakve veze.","entity.references.no_results":"No {schema} match this search.","entity.references.no_results_default":"No entities match this search.","entity.references.search.placeholder":"Search in {schema}","entity.references.search.placeholder_default":"Search entities","entity.remove.confirm":"Ukloni","entity.remove.error":"An error occured while attempting to remove this entity.","entity.remove.progress":"Removing...","entity.remove.question.multiple":"Are you sure you want to remove the following {count, plural, one {item} other {items}}?","entity.remove.success":"Successfully removed","entity.search.empty_title":"Ova datoteka je prazna","entity.search.no_results_description":"Pokušajte opširniji pojam za pretragu","entity.search.no_results_title":"Nema rezultata pretrage","entity.similar.empty":"There are no similar entities.","entity.similar.entity":"Similar entity","entity.similar.found_text":"Found {resultCount} {resultCount, plural, one {similar entity} other {similar entities}} from {datasetCount} {datasetCount, plural, one {dataset} other {datasets}}","entity.tags.no_tags":"No selectors were extracted from this entity.","entity.viewer.add_link":"Create link","entity.viewer.add_to":"Add to...","entity.viewer.bulk_import":"Bulk import","entity.viewer.search_placeholder":"Search in {label}","entitySet.last_updated":"Ažurirano {date}","entityset.choose.name":"Title","entityset.choose.summary":"Opis","entityset.create.collection":"Investigation","entityset.create.collection.existing":"Select an investigation","entityset.create.collection.new":"Don't see the investigation you're looking for? {link}","entityset.create.collection.new_link":"Create a new investigation","entityset.create.submit":"Kreiraj","entityset.delete.confirm":"I understand the consequences.","entityset.delete.confirm.diagram":"Delete this network diagram.","entityset.delete.confirm.list":"Delete this list.","entityset.delete.confirm.profile":"Delete this profile.","entityset.delete.confirm.timeline":"Delete this timeline.","entityset.delete.question":"Are you sure you want to permanently delete {label}? This cannot be undone.","entityset.delete.success":"Successfully deleted {title}","entityset.delete.title.diagram":"Delete network diagram","entityset.delete.title.list":"Delete list","entityset.delete.title.profile":"Delete profile","entityset.delete.title.timeline":"Delete timeline","entityset.info.delete":"Izbriši","entityset.info.edit":"Podešavanja","entityset.info.export":"Export","entityset.info.exportAsSvg":"Export as SVG","entityset.selector.placeholder":"Search existing","entityset.selector.success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entityset.selector.success_toast_button":"Pregled","entityset.selector.title":"Add {firstCaption} {titleSecondary} to...","entityset.selector.title_default":"Add entities to...","entityset.selector.title_other":"and {count} other {count, plural, one {entity} other {entities}}","entityset.update.submit":"Sačuvaj izmjene","error.screen.not_found":"Tražena stranica nije pronađena.","export.dialog.text":"Initiate your export. {br}{br} Exports take some time to generate. You will receive an email once the data is ready. {br}{br} Please trigger this export only once.","exports.dialog.cancel":"Otkaži","exports.dialog.confirm":"Export","exports.dialog.dashboard_link":"View progress","exports.dialog.success":"Your export has begun.","exports.expiration":"Expiration","exports.manager.description":"Below is a list of your exports. Make sure to download them before they expire.","exports.name":"Ime","exports.no_exports":"You have no exports to download","exports.size":"Veličina","exports.status":"Status","exports.title":"Exports ready for download","facet.addresses":"{count, plural, one {Address} other {Addresses}}","facet.caption":"Ime","facet.category":"{count, plural, one {Category} other {Categories}}","facet.collection_id":"Dataset","facet.countries":"{count, plural, one {Country} other {Countries}}","facet.dates":"{count, plural, one {Date} other {Dates}}","facet.emails":"{count, plural, one {E-Mail} other {E-Mails}}","facet.ibans":"{count, plural, one {IBAN} other {IBANs}}","facet.languages":"{count, plural, one {Language} other {Languages}}","facet.mimetypes":"{count, plural, one {File type} other {File types}}","facet.names":"{count, plural, one {Name} other {Names}}","facet.phones":"{count, plural, one {Phone number} other {Phone numbers}}","facet.schema":"Entity type","file_import.error":"Error importing file","footer.aleph":"Aleph {version}","footer.ftm":"FollowTheMoney {version}","group.page.description":"The list below shows all datasets and investigations that belong to this group.","group.page.search.description":"If you would like to search for specific entities or documents within the datasets that this group has access to, click here instead.","home.access_disabled":"Public access temporarily disabled","home.counts.countries":"Countries & territories","home.counts.datasets":"Public datasets","home.counts.entities":"Public entities","home.placeholder":"Pokušajte pretražiti: {samples}","home.statistics.categories":"Dataset categories","home.statistics.countries":"Countries and territories","home.statistics.schemata":"Entity types","home.stats.title":"Get started exploring public data","home.title":"Find public records and leaks","hotkeys.judgement.different":"Decide different","hotkeys.judgement.group_label":"Entity decisions","hotkeys.judgement.next":"Select next result","hotkeys.judgement.previous":"Select previous result","hotkeys.judgement.same":"Decide same","hotkeys.judgement.unsure":"Decide not enough information","hotkeys.search.different":"Preview previous result","hotkeys.search.group_label":"Search preview","hotkeys.search.unsure":"Preview next result","hotkeys.search_focus":"Pretraži","infoMode.collection_casefile":"Investigation","infoMode.collection_dataset":"Dataset","infoMode.createdAt":"Created at","infoMode.creator":"Created by","infoMode.updatedAt":"Posljednja izmjena","investigation.mentions.empty":"There are no mentions yet in this investigation.","investigation.overview.guides":"Read more","investigation.overview.guides.access":"Managing access","investigation.overview.guides.diagrams":"Drawing network diagrams","investigation.overview.guides.documents":"Uploading documents","investigation.overview.guides.entities":"Creating & editing entities","investigation.overview.guides.mappings":"Generating entities from a spreadsheet","investigation.overview.guides.xref":"Cross-referencing your data","investigation.overview.notifications":"Recent activity","investigation.overview.shortcuts":"Quick links","investigation.overview.shortcuts_empty":"Getting started","investigation.search.placeholder":"Search this investigation","investigation.shortcut.diagram":"Sketch a network diagram","investigation.shortcut.entities":"Create new entities","investigation.shortcut.entity_create_error":"Unable to create entity","investigation.shortcut.entity_create_success":"Successfully created {name}","investigation.shortcut.upload":"Unos dokumenata","investigation.shortcut.xref":"Compare with other datasets","judgement.disabled":"You must have edit access in order to make judgements.","judgement.negative":"Different","judgement.positive":"Same","judgement.unsure":"Not enough information","landing.shortcut.alert":"Create a search alert","landing.shortcut.datasets":"Browse datasets","landing.shortcut.investigation":"Start an investigation","landing.shortcut.search":"Search entities","list.create.button":"New list","list.create.label_placeholder":"Untitled list","list.create.login":"You must log in to create a list","list.create.success":"Your list has been created successfully.","list.create.summary_placeholder":"A brief description of the list","list.create.title":"Create a list","list.selector.create":"Create a new list","list.selector.select_empty":"No existing list","list.update.label_placeholder":"Untitled list","list.update.success":"Your list has been updated successfully.","list.update.summary_placeholder":"A brief description of the list","list.update.title":"List settings","lists":"Lists","lists.description":"Lists let you organize and group related entities of interest.","lists.no_lists":"There are no lists.","lists.title":"Lists","login.oauth":"Loguj se pomoću OAuth","mapping.actions.create":"Generate entities","mapping.actions.create.toast":"Generating entities...","mapping.actions.delete":"Izbriši","mapping.actions.delete.toast":"Deleting mapping and any generated entities...","mapping.actions.export":"Export mapping","mapping.actions.flush":"Remove generated entities","mapping.actions.flush.toast":"Removing generated entities...","mapping.actions.save":"Sačuvaj izmjene","mapping.actions.save.toast":"Re-generating entities...","mapping.create.cancel":"Otkaži","mapping.create.confirm":"Generate","mapping.create.question":"Are you sure you are ready to generate entities using this mapping?","mapping.delete.cancel":"Otkaži","mapping.delete.confirm":"Izbriši","mapping.delete.question":"Are you sure you want to delete this mapping and all generated entities?","mapping.docs.link":"Aleph entity mapping documentation","mapping.entityAssign.helpText":"You must create an object of type \"{range}\" to be the {property}","mapping.entityAssign.noResults":"No matching objects available","mapping.entityAssign.placeholder":"Select an object","mapping.entity_set_select":"Select a List or Diagram","mapping.entityset.remove":"Ukloni","mapping.error.keyMissing":"Key Error: {id} entity must have at least one key","mapping.error.relationshipMissing":"Relationship Error: {id} entity must have a {source} and {target} assigned","mapping.flush.cancel":"Otkaži","mapping.flush.confirm":"Ukloni","mapping.flush.question":"Are you sure you want to remove entities generated using this mapping?","mapping.import.button":"Import existing mapping","mapping.import.placeholder":"Drop a .yml file here or click to import an existing mapping file","mapping.import.querySelect":"Select a mapping query from this file to import:","mapping.import.submit":"Submit","mapping.import.success":"Your mapping has been imported successfully.","mapping.import.title":"Import a mapping","mapping.info":"Follow the steps below to map items in this investigation to structured Follow the Money entites. For more information, please refer to the {link}","mapping.info.link":"Aleph data mapping documentation","mapping.keyAssign.additionalHelpText":"The best keys are columns from your data that contain id numbers, phone numbers, email addresses, or other uniquely identifying information. If no columns with unique values exist, select multiple columns to allow Aleph to generate unique entities correctly from your data.","mapping.keyAssign.additionalHelpToggle.less":"Less","mapping.keyAssign.additionalHelpToggle.more":"More about keys","mapping.keyAssign.helpText":"Specify which columns from the source data will be used to identify unique entities.","mapping.keyAssign.noResults":"No results","mapping.keyAssign.placeholder":"Select keys from available columns","mapping.keys":"Keys","mapping.propAssign.errorBlank":"Columns with no header cannot be assigned","mapping.propAssign.errorDuplicate":"Columns with duplicate headers cannot be assigned","mapping.propAssign.literalButtonText":"Add a fixed value","mapping.propAssign.literalPlaceholder":"Add fixed value text","mapping.propAssign.other":"Drugo","mapping.propAssign.placeholder":"Assign a property","mapping.propRemove":"Remove this property from mapping","mapping.props":"Properties","mapping.save.cancel":"Otkaži","mapping.save.confirm":"Update mapping & re-generate","mapping.save.question":"Updating this mapping will delete any previously generated entities and re-generate them. Are you sure you would like to continue?","mapping.section1.title":"1. Select entity types to generate","mapping.section2.title":"2. Map columns to entity properties","mapping.section3.title":"3. Verify","mapping.section4.description":"Generated entities will be added to {collection} by default. If you would like to additionally add them to a list or diagram within the investigation, please click below and select from the available options.","mapping.section4.title":"4. Select a destination for generated entities (optional)","mapping.status.error":"Error:","mapping.status.status":"Status:","mapping.status.updated":"Last updated:","mapping.title":"Generate structured entities","mapping.types.objects":"Objects","mapping.types.relationships":"Veze","mapping.warning.empty":"You must create at least one entity","mappings.no_mappings":"You have not generated any mappings yet","messages.banner.dismiss":"Dismiss","nav.alerts":"Pretplata","nav.bookmarks":"Bookmarks","nav.cases":"Investigations","nav.collections":"Datasets","nav.diagrams":"Network diagrams","nav.exports":"Exports","nav.lists":"Lists","nav.menu.cases":"Investigations","nav.settings":"Podešavanja","nav.signin":"Prijava","nav.signout":"Odloguj se","nav.status":"System status","nav.timelines":"Timelines","nav.view_notifications":"Notifikacije","navbar.alert_add":"Click to receive alerts about new results for this search.","navbar.alert_remove":"Dobijate notifikacije u vezi ove pretrage.","notification.description":"View the latest updates to datasets, investigations, groups and tracking alerts you follow.","notifications.greeting":"What's new, {role}?","notifications.no_notifications":"You have no unseen notifications","notifications.title":"Nedavne notifikacije","notifications.type_filter.all":"All","pages.not.found":"Stranica nije pronađena","pass.auth.not_same":"Vaše šifre nisu iste!","password_auth.activate":"Aktiviraj","password_auth.confirm":"Potvrdi šifru","password_auth.email":"E-mail adresa","password_auth.name":"Vaše ime","password_auth.password":"Šifra","password_auth.signin":"Prijava","password_auth.signup":"Registracija","profile.callout.details":"This profile aggregates attributes and relationships from {count} entities across different datasets.","profile.callout.intro":"You're viewing {entity} as a profile.","profile.callout.link":"View the original entity","profile.delete.warning":"Deleting this profile will not delete any of the entities or entity decisions contained within it.","profile.hint":"{entity} has been combined with entities from other datasets into a profile","profile.info.header":"Profil","profile.info.items":"Entity decisions","profile.info.similar":"Suggested","profile.items.entity":"Combined entities","profile.items.explanation":"Make decisions below to determine which source entities should be added or excluded from this profile.","profile.similar.no_results":"No suggested additions for this profile were found.","profileinfo.api_desc":"Koristi API ključ za čitanje i pisanje podataka pomoću udaljene aplikacije.","queryFilters.clearAll":"Clear all","queryFilters.showHidden":"Show {count} more filters...","refresh.callout_message":"Dokumenti se upravo precesuiraju. Molimo sačekajte...","restricted.explain":"Use of this dataset is restricted. Read the description and contact {creator} before using this material.","restricted.explain.creator":"the dataset owner","restricted.tag":"RESTRICTED","result.error":"Greška","result.more_results":"More than {total} results","result.none":"No results found","result.results":"Found {total} results","result.searching":"Traženje...","result.solo":"One result found","role.select.user":"Izaberi korisnika","schemaSelect.button.relationship":"Add a new relationship","schemaSelect.button.thing":"Add a new object","screen.load_more":"Load more","search.advanced.all.helptext":"Only results containing all of the given terms will be returned","search.advanced.all.label":"All of these words (Default)","search.advanced.any.helptext":"Results containing any of the given terms will be returned","search.advanced.any.label":"Any of these words","search.advanced.clear":"Clear all","search.advanced.exact.helptext":"Only results with this exact word or phrase will be returned","search.advanced.exact.label":"This exact word/phrase","search.advanced.none.helptext":"Exclude results with these words","search.advanced.none.label":"None of these words","search.advanced.proximity.distance":"Distance","search.advanced.proximity.helptext":"Search for two terms within a certain distance of each other. For example, return results with the terms \"Bank\" and \"America\" occurring within two words from each other, such as \"Bank of America\", \"Bank in America\", even \"America has a Bank\".","search.advanced.proximity.label":"Terms in proximity to each other","search.advanced.proximity.term":"First term","search.advanced.proximity.term2":"Second term","search.advanced.submit":"Pretraži","search.advanced.title":"Advanced Search","search.advanced.variants.distance":"Letters different","search.advanced.variants.helptext":"Increase the fuzziness of a search. For example, Wladimir~2 will return not just the term “Wladimir” but also similar spellings such as \"Wladimyr\" or \"Vladimyr\". A spelling variant is defined by the number of spelling mistakes that must be made to get from the original word to the variant.","search.advanced.variants.label":"Spelling variations","search.advanced.variants.term":"Term","search.callout_message":"Some sources are hidden from anonymous users. {signInButton} to see all results you are authorised to access.","search.callout_message.button_text":"Prijava","search.columns.configure":"Configure columns","search.columns.configure_placeholder":"Search for a column...","search.config.groups":"Property groups","search.config.properties":"Properties","search.config.reset":"Reset to default","search.facets.clearDates":"Clear","search.facets.configure":"Configure filters","search.facets.configure_placeholder":"Search for a filter...","search.facets.filtersSelected":"{count} odabrano","search.facets.hide":"Hide filters","search.facets.no_items":"Nema opcija","search.facets.show":"Show filters","search.facets.showMore":"Prikaži više...","search.filterTag.ancestors":"unutar:","search.filterTag.exclude":"osim:","search.filterTag.role":"Filter by access","search.loading":"Loading...","search.no_results_description":"Pokušajte opširniji pojam za pretragu","search.no_results_title":"Nema rezultata pretrage","search.placeholder":"Search companies, people and documents","search.placeholder_default":"Pretraži...","search.placeholder_label":"Search in {label}","search.screen.dates.show-all":"* Showing all date filter options. { button } to view recent dates only.","search.screen.dates.show-hidden":"* Showing only date filter options from {start} to the present. { button } to view dates outside this range.","search.screen.dates.show-hidden.click":"Click here","search.screen.dates_label":"rezultata","search.screen.dates_title":"Dates","search.screen.dates_uncertain_day":"* this count includes dates where no day is specified","search.screen.dates_uncertain_day_month":"* this count includes dates in {year} where no day or month is specified","search.screen.dates_uncertain_month":"* this count includes dates in {year} where no month is specified","search.screen.export":"Export","search.screen.export_disabled":"Cannot export more than 10,000 results at a time","search.screen.export_disabled_empty":"No results to export.","search.screen.export_helptext":"Export results","search.title":"Search: {title}","search.title_emptyq":"Pretraži","settings.api_key":"API tajni pristupni ključ","settings.confirm":"(potvrdi)","settings.current_explain":"Enter your current password to set a new one.","settings.current_password":"Current password","settings.email":"E-mail adrese","settings.email.muted":"Receive daily notification e-mails","settings.email.no_change":"Vaša e-mail adresa ne može se promijeniti","settings.email.tester":"Test new features before they are finished","settings.locale":"Jezik","settings.name":"Ime","settings.new_password":"New password","settings.password.missmatch":"Šifre nisu iste","settings.password.rules":"Koristi najmaje šest karaktera","settings.password.title":"Change your password","settings.save":"Ažuriraj","settings.saved":"It's official, your profile is updated.","settings.title":"Podešavanja","sidebar.open":"Expand","signup.activate":"Aktiviraj svoj profil","signup.inbox.desc":"Poslali smo Vam e-mail, molimo da pomoću linka završite svoju registraciju","signup.inbox.title":"Provjeri svoju poštu","signup.login":"Već imate kreiran profil? Logujte se!","signup.register":"Registrujte se","signup.register.question":"Nemate kreiran profil? Registrujte se!","signup.title":"Prijava","sorting.bar.button.label":"Show:","sorting.bar.caption":"Title","sorting.bar.collection_id":"Dataset","sorting.bar.count":"Veličina","sorting.bar.countries":"Države","sorting.bar.created_at":"Creation Date","sorting.bar.date":"Datum","sorting.bar.dates":"Dates","sorting.bar.direction":"Direction:","sorting.bar.endDate":"End date","sorting.bar.label":"Title","sorting.bar.sort":"Sort by:","sorting.bar.updated_at":"Update Date","sources.index.empty":"This group is not linked to any datasets or investigations.","sources.index.placeholder":"Search for a dataset or investigation belonging to {group}...","status.no_collection":"Other tasks","tags.results":"Mention count","tags.title":"Term","text.loading":"Učitavanje...","timeline.create.button":"New timeline","timeline.create.label_placeholder":"Untitled timeline","timeline.create.login":"You must log in to create a timeline","timeline.create.success":"Your timeline has been created successfully.","timeline.create.summary_placeholder":"A brief description of the timeline","timeline.create.title":"Create a timeline","timeline.selector.create":"Create a new timeline","timeline.selector.select_empty":"No existing timeline","timeline.update.label_placeholder":"Untitled timeline","timeline.update.success":"Your timeline has been updated successfully.","timeline.update.summary_placeholder":"A brief description of the timeline","timeline.update.title":"Timeline settings","timelines":"Timelines","timelines.description":"Timelines are a way to view and organize events chronologically.","timelines.no_timelines":"There are no timelines.","timelines.title":"Timelines","valuelink.tooltip":"{count} mentions in {appName}","xref.compute":"Compute","xref.entity":"Reference","xref.match":"Possible match","xref.match_collection":"Dataset","xref.recompute":"Re-compute","xref.score":"Količina usaglašenosti","xref.sort.default":"Default","xref.sort.label":"Sort by:","xref.sort.random":"Random"},"de":{"alert.manager.description":"Sie erhalten eine Benachrichtigung, sobald ein neues Suchergebnis zu einem ihrer Themen-Abos bereit steht.","alerts.add_placeholder":"Legen sie ein neues Themen-Abo an...","alerts.delete":"Remove alert","alerts.heading":"Verwalten sie sie ihre Themen-Abos","alerts.no_alerts":"Sie haben keine Themen-Abos","alerts.save":"Speichern","alerts.title":"Themen-Abos","alerts.track":"Verfolgen","auth.bad_request":"Der Server hat ihre Eingaben nicht akzeptiert.","auth.server_error":"Serverfehler","auth.success":"Erfolg","auth.unauthorized":"Erlaubnis verweigert","auth.unknown_error":"Ein unerwarteter Fehler ist aufgetreten.","case.choose.name":"Titel","case.choose.summary":"Beschreibung","case.chose.languages":"Sprachen","case.create.login":"Um ihre eigenen Daten hoch zu laden müssen sie sich anmelden.","case.description":"Investigations let you upload and share documents and data which belong to a particular story. You can upload PDFs, email archives or spreadsheets, and they will be made easy to search and browse.","case.label_placeholder":"Untitled investigation","case.language_placeholder":"Sprachen auswählen","case.languages.helper":"Wir zur optischen Erkennung von Schrift in Dokumenten verwendet.","case.save":"Speichern","case.share.with":"Teilen mit","case.summary":"A brief description of the investigation","case.title":"Create an investigation","case.users":"Nutzersuche","cases.create":"New investigation","cases.empty":"You do not have any investigations yet.","cases.no_results":"No investigations were found matching this query.","cases.placeholder":"Search investigations...","cases.title":"Recherchen","clipboard.copy.after":"Successfully copied to clipboard","clipboard.copy.before":"In die Zwischenablage kopieren","collection.addSchema.placeholder":"Neue Objektart hinzufügen","collection.analyze.alert.text":"You're about to re-index the entities in {collectionLabel}. This can be helpful if there are inconsistencies in how the data is presented.","collection.analyze.cancel":"Abbrechen","collection.cancel.button":"Abbrechen","collection.countries":"Land","collection.creator":"Verwalter","collection.data_updated_at":"Content updated","collection.data_url":"Daten-URL","collection.delete.confirm":"I understand the consequences.","collection.delete.confirm.dataset":"Delete this dataset.","collection.delete.confirm.investigation":"Delete this investigation.","collection.delete.question":"Are you sure you want to permanently delete {collectionLabel} and all contained items? This cannot be undone.","collection.delete.success":"Successfully deleted {label}","collection.delete.title.dataset":"Datensatz löschen","collection.delete.title.investigation":"Recherche löschen","collection.edit.access_title":"Zugangskontrolle","collection.edit.cancel_button":"Abbrechen","collection.edit.groups":"Gruppen","collection.edit.info.analyze":"Erneut verarbeiten","collection.edit.info.cancel":"Abbrechen","collection.edit.info.category":"Kategorie","collection.edit.info.countries":"Länder","collection.edit.info.creator":"Verwalter","collection.edit.info.data_url":"Quelldaten-URL","collection.edit.info.delete":"Löschen","collection.edit.info.foreign_id":"Foreign-ID","collection.edit.info.frequency":"Aktualisierungsrate","collection.edit.info.info_url":"Informations-URL","collection.edit.info.label":"Titel","collection.edit.info.languages":"Sprachen","collection.edit.info.placeholder_country":"Länder auswählen","collection.edit.info.placeholder_data_url":"Link zu den Rohdaten","collection.edit.info.placeholder_info_url":"Link zu zusätzlichen Informationen","collection.edit.info.placeholder_label":"Ein Titel","collection.edit.info.placeholder_language":"Sprachen auswählen","collection.edit.info.placeholder_publisher":"Die Organisation oder Person, die diese Daten bereitstellt","collection.edit.info.placeholder_publisher_url":"Link zum Herausgeber","collection.edit.info.placeholder_summary":"Eine kurze Beschreibung","collection.edit.info.publisher":"Herausgeber","collection.edit.info.publisher_url":"Herausgeber-URL","collection.edit.info.restricted":"This dataset is restricted and viewers should be warned.","collection.edit.info.save":"Speichern","collection.edit.info.summary":"Beschreibung","collection.edit.permissions_warning":"Note: User must already have an Aleph account in order to receive access.","collection.edit.permissionstable.edit":"Bearbeiten","collection.edit.permissionstable.view":"Darstellung","collection.edit.save_button":"Speichern","collection.edit.save_success":"Ich gebe ihnen mein Ehrenwort!","collection.edit.title":"Einstellungen","collection.edit.users":"Benutzer","collection.foreign_id":"Foreign-ID","collection.frequency":"Aktualisierung","collection.index.empty":"Es wurden keine Datensätze gefunden.","collection.index.filter.all":"Alle","collection.index.filter.mine":"Von mir erstellt","collection.index.no_results":"Es wurden keine Datensätze gefunden, die ihrer Suchanfrage entsprechen.","collection.index.placeholder":"Datensätze durchsuchen...","collection.index.title":"Datensätze","collection.info.access":"Teilen","collection.info.browse":"Dokumente","collection.info.delete":"Datensatz löschen","collection.info.delete_casefile":"Recherche löschen","collection.info.diagrams":"Netzwerkdiagramme","collection.info.diagrams_description":"Network diagrams let you visualize complex relationships within an investigation.","collection.info.documents":"Dokumente","collection.info.edit":"Einstellungen","collection.info.entities":"Objekte","collection.info.lists":"Listen","collection.info.lists_description":"Lists let you organize and group related entities of interest.","collection.info.mappings":"Entity mappings","collection.info.mappings_description":"Entity mappings allow you to bulk generate structured Follow the Money entities (like People, Companies, and the relationships among them) from rows in a spreadsheet or CSV document","collection.info.mentions":"Erwähnungen","collection.info.mentions_description":"Aleph automatically extracts terms that resemble names, address, phone numbers, and email addresses from uploaded documents and entities within your investigation. {br}{br} Click on a mentioned term below to find where it appears in your investigation.","collection.info.overview":"Übersicht","collection.info.reindex":"Alle Daten re-indizieren","collection.info.reingest":"Dokumente erneut verarbeiten","collection.info.search":"Suche","collection.info.source_documents":"Source documents","collection.info.timelines":"Timelines","collection.info.timelines_description":"Timelines are a way to view and organize events chronologically.","collection.info.xref":"Rasterfahndung","collection.info.xref_description":"Cross-referencing allows you to search the rest of Aleph for entities similar to those contained in your investigation.","collection.info_url":"Informations-URL","collection.last_updated":"Zuletzt {date} aktualisiert","collection.mappings.create":"Create a new entity mapping","collection.mappings.create_docs_link":"For more information, please refer to the {link}","collection.overview.empty":"This dataset is empty.","collection.publisher":"Herausgeber","collection.reconcile":"Reconciliation","collection.reconcile.description":"Gleichen sie mithilfe des freien {openrefine}-Tools ihre eigenen Daten mit den Objekten in diesem Datensatz ab.","collection.reindex.cancel":"Abbrechen","collection.reindex.confirm":"Indizieren","collection.reindex.flush":"Index vor dem re-indizieren entleeren","collection.reindex.processing":"Indizierung wurde gestartet.","collection.reingest.confirm":"Verarbeitung starten","collection.reingest.index":"Dokumente nach der Verarbeitung indizieren.","collection.reingest.processing":"Verarbeitung gestartet.","collection.reingest.text":"You're about to re-process all documents in {collectionLabel}. This might take some time.","collection.statistics.showmore":"Mehr zeigen","collection.status.cancel_button":"Vorgang abbrechen","collection.status.collection":"Datensatz","collection.status.finished_tasks":"Fertig","collection.status.jobs":"Prozesse","collection.status.message":"Tollen sie herum während die Daten verarbeitet werden.","collection.status.no_active":"Es findet keine Datenverarbeitung statt.","collection.status.pending_tasks":"Unerledigt","collection.status.progress":"Aufgaben","collection.status.title":"Wird verarbeitet ({percent}%)","collection.team":"Zugang","collection.updated_at":"Metadata updated","collection.xref.cancel":"Abbrechen","collection.xref.confirm":"Bestätigen","collection.xref.empty":"Er gibt keine Rasterfahndungsergebnisse.","collection.xref.processing":"Rasterfahndung gestartet.","collection.xref.text":"You will now cross-reference {collectionLabel} against all other sources. Start this process once and then wait for it to complete.","collection.xref.title":"Rasterfahndung","dashboard.activity":"Tätigkeiten","dashboard.alerts":"Themen-Abos","dashboard.cases":"Recherchen","dashboard.diagrams":"Netzwerkdiagramme","dashboard.exports":"Exporte","dashboard.groups":"Gruppen","dashboard.lists":"Listen","dashboard.notifications":"Benachrichtigungen","dashboard.settings":"Einstellungen","dashboard.status":"Systemstatus","dashboard.subheading":"Beobachten sie den Fortschritt von laufenden Datenimports und -analysen.","dashboard.timelines":"Timelines","dashboard.title":"Systemstatus","dashboard.workspace":"Arbeitsplatz","dataset.search.placeholder":"Search this dataset","diagram.create.button":"Neues Netzwerk","diagram.create.label_placeholder":"Unbenanntes Diagramm","diagram.create.login":"Um ein Netzwerkdiagramm anzulegen müssen sie angemeldet sein.","diagram.create.success":"Ihr Diagramm wurde erfolgreich erstellt.","diagram.create.summary_placeholder":"Eine kurze Beschreibung des Diagramms","diagram.create.title":"Neues Diagramm anlegen","diagram.embed.error":"Error generating diagram embed","diagram.export.embed.description":"Generate an embeddable interactive version of the diagram that can be used in an article. The embed will not reflect future changes in the diagram.","diagram.export.error":"Error exporting diagram","diagram.export.ftm":"Export as .ftm","diagram.export.ftm.description":"Download the diagram as a data file that can be used in {link} or another Aleph site.","diagram.export.ftm.link":"Aleph Data Desktop","diagram.export.iframe":"Embed iframe","diagram.export.svg":"Export as SVG","diagram.export.svg.description":"Download a vector graphic with the contents of the diagram.","diagram.export.title":"Export options","diagram.import.button":"Diagramm importieren","diagram.import.placeholder":"Legen sie hier eine .vis Datei ab, um ein bestehendes Netzwerkdiagramm zu importieren","diagram.import.title":"Netzwerkdiagramm importieren","diagram.render.error":"Error rendering diagram","diagram.selector.create":"Neues Diagramm anlegen","diagram.selector.select_empty":"Keine bestehenden Diagramme","diagram.update.label_placeholder":"Unbenanntes Diagramm","diagram.update.success":"Ihr Diagramm wurde erfolgreich angelegt.","diagram.update.summary_placeholder":"Eine kurze Beschreibung des Diagramms","diagram.update.title":"Diagramm-Einstellungen","diagrams":"Diagramme","diagrams.description":"Network diagrams let you visualize complex relationships within an investigation.","diagrams.no_diagrams":"Es gibt keine Netzwerkdiagramme.","diagrams.title":"Netzwerkdiagramme","document.download":"Herunterladen","document.download.cancel":"Abbrechen","document.download.confirm":"Herunterladen","document.download.dont_warn":"Don't warn me in the future when downloading source documents","document.download.tooltip":"Quelldokument herunterladen","document.download.warning":"You’re about to download a source file. {br}{br} Source files can contain viruses and code that notify the originator when you open them. {br}{br} For sensitive data, we recommend only opening source files on a computer that is permanently disconnected from the internet.","document.folder.error":"Beim Anlegen des Ordners trat ein Fehler auf.","document.folder.new":"Neuer Ordner","document.folder.save":"Anlegen","document.folder.title":"Neuer Ordner","document.folder.untitled":"Ordnertitel","document.mapping.start":"Entitäten erzeugen","document.paging":"Seite {pageInput} von {numberOfPages}","document.pdf.search.page":"Seite {page}","document.report_problem":"Report a problem","document.report_problem.text":"You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.","document.report_problem.title":"Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?","document.search.no_match":"Keine einzelne Seite in diesem Dokument enthält alle Suchbegriffe.","document.upload.button":"Hochladen","document.upload.cancel":"Abbrechen","document.upload.close":"Schließen","document.upload.errors":"Some files couldn't be transferred. You can use the Retry button to restart all failed uploads.","document.upload.files":"Wählen sie Dateien für den Upload","document.upload.folder":"Wenn sie stattdessen einen Ordner hochladen wollen: { button }.","document.upload.folder-toggle":"hier drücken","document.upload.info":"If you need to upload a large amount of files (100+) consider {link}.","document.upload.notice":"The upload is complete. It will take a few moments for the documents to be processed and become searchable.","document.upload.progress":"{done} of {total} files done, {errors} errors.","document.upload.rejected":"{fileName} is missing a file type, so it cannot be uploaded.","document.upload.retry":"Retry","document.upload.save":"Hochladen","document.upload.summary":"{numberOfFiles, number} files, {totalSize}","document.upload.title":"Dokumente hochladen","document.upload.title_in_folder":"Upload documents to {folder}","document.viewer.ignored_file":"Das System kann mit diesem Dateityp nicht umgehen. Bitte laden sie die Datei herunter um den Inhalt zu sehen.","document.viewer.no_viewer":"Für dieses Dokument ist keine Vorschau verfügbar","email.body.empty":"Kein Nachrichtentext","entity.delete.cancel":"Abbrechen","entity.delete.confirm":"Löschen","entity.delete.error":"Beim Löschen des Objektes trat ein Fehler auf.","entity.delete.progress":"Lösche...","entity.delete.question.multiple":"Are you sure you want to delete the following {count, plural, one {item} other {items}}?","entity.delete.success":"Erfolgreich gelöscht","entity.document.manager.cannot_map":"Wählen sie eine Tabelle aus der sie strukturierte Daten importieren wollen","entity.document.manager.empty":"Keine Dateien und Verzeichnisse.","entity.document.manager.emptyCanUpload":"Keine Dateien oder Verzeichnisse. Ziehen sie Dateien hier in um sie hoch zu laden.","entity.document.manager.search_placeholder":"Dokumente suchen","entity.document.manager.search_placeholder_document":"Suche in {label}","entity.info.attachments":"Anhänge","entity.info.documents":"Dokumente","entity.info.info":"Info","entity.info.last_view":"Last viewed {time}","entity.info.similar":"Ähnlich","entity.info.tags":"Erwähnungen","entity.info.text":"Text","entity.info.view":"Darstellung","entity.info.workbook_warning":"This sheet is part of workbook {link}","entity.manager.bulk_import.description.1":"Wählen die die Tabelle aus der sie {schema} importieren wollen.","entity.manager.bulk_import.description.2":"Nach der Auswahl können die Spalten aus der Tabelle den Eigenschaften der erzeugten Objekte zuweisen.","entity.manager.bulk_import.description.3":"Haben sie die gesuchte Tabelle nicht gefunden? {link}","entity.manager.bulk_import.link_text":"Upload a new table document","entity.manager.bulk_import.no_results":"Keine passenden Dokumente gefunden","entity.manager.bulk_import.placeholder":"Wählen sie eine Tabelle aus","entity.manager.delete":"Löschen","entity.manager.edge_create_success":"Successfully linked {source} and {target}","entity.manager.entity_set_add_success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entity.manager.remove":"Entfernen","entity.manager.search_empty":"No matching {schema} results found","entity.manager.search_placeholder":"{schema} suchen","entity.mapping.view":"Entitäten erzeugen","entity.properties.missing":"unbekannt","entity.references.no_relationships":"Diese Objekt hat keine Verbindungen.","entity.references.no_results":"No {schema} match this search.","entity.references.no_results_default":"No entities match this search.","entity.references.search.placeholder":"Search in {schema}","entity.references.search.placeholder_default":"Search entities","entity.remove.confirm":"Entfernen","entity.remove.error":"An error occured while attempting to remove this entity.","entity.remove.progress":"Removing...","entity.remove.question.multiple":"Are you sure you want to remove the following {count, plural, one {item} other {items}}?","entity.remove.success":"Successfully removed","entity.search.empty_title":"Dieser Ordner ist leer","entity.search.no_results_description":"Versuchen sie eine ungenauere Suchanfrage","entity.search.no_results_title":"Keine Suchergebnisse","entity.similar.empty":"Es gibt keine ähnlichen Einträge.","entity.similar.entity":"Similar entity","entity.similar.found_text":"Found {resultCount} {resultCount, plural, one {similar entity} other {similar entities}} from {datasetCount} {datasetCount, plural, one {dataset} other {datasets}}","entity.tags.no_tags":"Aus diesem Objekt wurden keine Schlagworte extrahiert.","entity.viewer.add_link":"Create link","entity.viewer.add_to":"Add to...","entity.viewer.bulk_import":"Objektimport","entity.viewer.search_placeholder":"Suche in {label}","entitySet.last_updated":"Aktualisiert am {date}","entityset.choose.name":"Titel","entityset.choose.summary":"Beschreibung","entityset.create.collection":"Investigation","entityset.create.collection.existing":"Select an investigation","entityset.create.collection.new":"Don't see the investigation you're looking for? {link}","entityset.create.collection.new_link":"Create a new investigation","entityset.create.submit":"Anlegen","entityset.delete.confirm":"I understand the consequences.","entityset.delete.confirm.diagram":"Delete this network diagram.","entityset.delete.confirm.list":"Delete this list.","entityset.delete.confirm.profile":"Delete this profile.","entityset.delete.confirm.timeline":"Delete this timeline.","entityset.delete.question":"Are you sure you want to permanently delete {label}? This cannot be undone.","entityset.delete.success":"Successfully deleted {title}","entityset.delete.title.diagram":"Delete network diagram","entityset.delete.title.list":"Delete list","entityset.delete.title.profile":"Delete profile","entityset.delete.title.timeline":"Delete timeline","entityset.info.delete":"Löschen","entityset.info.edit":"Einstellungen","entityset.info.export":"Export","entityset.info.exportAsSvg":"Export as SVG","entityset.selector.placeholder":"Search existing","entityset.selector.success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entityset.selector.success_toast_button":"Darstellung","entityset.selector.title":"Add {firstCaption} {titleSecondary} to...","entityset.selector.title_default":"Add entities to...","entityset.selector.title_other":"and {count} other {count, plural, one {entity} other {entities}}","entityset.update.submit":"Speichern","error.screen.not_found":"Die angeforderte Seite konnte nicht gefunden werden.","export.dialog.text":"Initiate your export. {br}{br} Exports take some time to generate. You will receive an email once the data is ready. {br}{br} Please trigger this export only once.","exports.dialog.cancel":"Abbrechen","exports.dialog.confirm":"Export","exports.dialog.dashboard_link":"View progress","exports.dialog.success":"Your export has begun.","exports.expiration":"Expiration","exports.manager.description":"Below is a list of your exports. Make sure to download them before they expire.","exports.name":"Name","exports.no_exports":"You have no exports to download","exports.size":"Größe","exports.status":"Status","exports.title":"Exports ready for download","facet.addresses":"{count, plural, one {Adresse} other {Adressen}}","facet.caption":"Name","facet.category":"{count, plural, one {Kategorie} other {Kategorien}}","facet.collection_id":"Datensatz","facet.countries":"{count, plural, one {Land} other {Länder}}","facet.dates":"{count, plural, one {Date} other {Dates}}","facet.emails":"{count, plural, one {E-Mail} other {E-Mails}}","facet.ibans":"{count, plural, one {IBAN} other {IBANs}}","facet.languages":"{count, plural, one {Sprache} other {Sprachen}}","facet.mimetypes":"{count, plural, one {Dateityp} other {Dateitypen}}","facet.names":"{count, plural, one {Name} other {Namen}}","facet.phones":"{count, plural, one {Telefonnummer} other {Telefonnummern}}","facet.schema":"Entity type","file_import.error":"Fehler beim Datei-Import","footer.aleph":"Aleph {version}","footer.ftm":"FollowTheMoney {version}","group.page.description":"The list below shows all datasets and investigations that belong to this group.","group.page.search.description":"If you would like to search for specific entities or documents within the datasets that this group has access to, click here instead.","home.access_disabled":"Public access temporarily disabled","home.counts.countries":"Countries & territories","home.counts.datasets":"Public datasets","home.counts.entities":"Public entities","home.placeholder":"Zum Beispiel: {samples}","home.statistics.categories":"Dataset categories","home.statistics.countries":"Countries and territories","home.statistics.schemata":"Objektarten","home.stats.title":"Get started exploring public data","home.title":"Finde öffentliche Dokumente und Leaks","hotkeys.judgement.different":"Decide different","hotkeys.judgement.group_label":"Entity decisions","hotkeys.judgement.next":"Select next result","hotkeys.judgement.previous":"Select previous result","hotkeys.judgement.same":"Decide same","hotkeys.judgement.unsure":"Decide not enough information","hotkeys.search.different":"Preview previous result","hotkeys.search.group_label":"Search preview","hotkeys.search.unsure":"Preview next result","hotkeys.search_focus":"Suche","infoMode.collection_casefile":"Investigation","infoMode.collection_dataset":"Datensatz","infoMode.createdAt":"Created at","infoMode.creator":"Created by","infoMode.updatedAt":"Aktualisiert","investigation.mentions.empty":"There are no mentions yet in this investigation.","investigation.overview.guides":"Read more","investigation.overview.guides.access":"Managing access","investigation.overview.guides.diagrams":"Drawing network diagrams","investigation.overview.guides.documents":"Uploading documents","investigation.overview.guides.entities":"Creating & editing entities","investigation.overview.guides.mappings":"Generating entities from a spreadsheet","investigation.overview.guides.xref":"Cross-referencing your data","investigation.overview.notifications":"Recent activity","investigation.overview.shortcuts":"Quick links","investigation.overview.shortcuts_empty":"Getting started","investigation.search.placeholder":"Search this investigation","investigation.shortcut.diagram":"Sketch a network diagram","investigation.shortcut.entities":"Neue Objekte anlegen","investigation.shortcut.entity_create_error":"Unable to create entity","investigation.shortcut.entity_create_success":"Successfully created {name}","investigation.shortcut.upload":"Dokumente hochladen","investigation.shortcut.xref":"Compare with other datasets","judgement.disabled":"You must have edit access in order to make judgements.","judgement.negative":"Ungleich","judgement.positive":"Gleich","judgement.unsure":"Nicht genug Informationen","landing.shortcut.alert":"Create a search alert","landing.shortcut.datasets":"Browse datasets","landing.shortcut.investigation":"Start an investigation","landing.shortcut.search":"Search entities","list.create.button":"Neue Liste","list.create.label_placeholder":"Unbenannte Liste","list.create.login":"You must log in to create a list","list.create.success":"Your list has been created successfully.","list.create.summary_placeholder":"A brief description of the list","list.create.title":"Create a list","list.selector.create":"Create a new list","list.selector.select_empty":"No existing list","list.update.label_placeholder":"Unbenannte Liste","list.update.success":"Your list has been updated successfully.","list.update.summary_placeholder":"A brief description of the list","list.update.title":"Listeneinstellungen","lists":"Listen","lists.description":"Lists let you organize and group related entities of interest.","lists.no_lists":"There are no lists.","lists.title":"Listen","login.oauth":"Mit OAuth anmelden","mapping.actions.create":"Entitäten erzeugen","mapping.actions.create.toast":"Entitäten werden erzeugt...","mapping.actions.delete":"Löschen","mapping.actions.delete.toast":"Mapping und erzeugte Entitäten löschen...","mapping.actions.export":"Mapping exportieren","mapping.actions.flush":"Entstandene Entitäten entfernen","mapping.actions.flush.toast":"Entferne erzeugte Entitäten...","mapping.actions.save":"Speichern","mapping.actions.save.toast":"Entitäten werden erneut erzeugt...","mapping.create.cancel":"Abbrechen","mapping.create.confirm":"Erzeugen","mapping.create.question":"Sind sie sicher, dass sie auf der Basis dieses Mappings Objekte erzeugen wollen?","mapping.delete.cancel":"Abbrechen","mapping.delete.confirm":"Löschen","mapping.delete.question":"Sind sie sicher, dass sie dieses Mapping und alle daraus resultierenden Objekte löschen wollen?","mapping.docs.link":"Aleph entity mapping documentation","mapping.entityAssign.helpText":"Sie benötigen eine \"{range}\" als Zuweisung für die Eigenschaft {property}","mapping.entityAssign.noResults":"Keine passenden Objekte sind verfügbar","mapping.entityAssign.placeholder":"Objekt auswählen","mapping.entity_set_select":"Select a List or Diagram","mapping.entityset.remove":"Entfernen","mapping.error.keyMissing":"Schlüssel-Fehler: Objekt {id} muss mindestens einen Schlüssel haben","mapping.error.relationshipMissing":"Verbindungsfehler: dem Objekt {id} muss sowohl {source} wie {target} zugewiesen werden.","mapping.flush.cancel":"Abbrechen","mapping.flush.confirm":"Entfernen","mapping.flush.question":"Sind sie sicher, dass sie die Entitäten die aus dieses Mapping generiert wurden löschen möchten?","mapping.import.button":"Bestehendes Mapping importieren","mapping.import.placeholder":"Legen sie hier eine YAML-Datei ab um ein bestehendes Mapping zu importieren","mapping.import.querySelect":"Wählen sie die Mapping-Query aus dieser Datei, die sie importieren wollen:","mapping.import.submit":"Speichern","mapping.import.success":"Ihr Mapping wurde erfolgreich importiert.","mapping.import.title":"Mapping importieren","mapping.info":"Follow the steps below to map items in this investigation to structured Follow the Money entites. For more information, please refer to the {link}","mapping.info.link":"Aleph Mapping-Dokumentation","mapping.keyAssign.additionalHelpText":"The best keys are columns from your data that contain id numbers, phone numbers, email addresses, or other uniquely identifying information. If no columns with unique values exist, select multiple columns to allow Aleph to generate unique entities correctly from your data.","mapping.keyAssign.additionalHelpToggle.less":"Weniger","mapping.keyAssign.additionalHelpToggle.more":"Mehr zu Schlüsseln","mapping.keyAssign.helpText":"Wählen sie die Spalten in den Quelldaten aus denen eindeutige Objekt-Kennungen erzeugt werden können.","mapping.keyAssign.noResults":"Keine Treffer","mapping.keyAssign.placeholder":"Wählen sie aus den verfügbaren Spalten einen Schlüssel","mapping.keys":"Schlüssel","mapping.propAssign.errorBlank":"Spalten ohne Kopfzeile können nicht zugewiesen weden","mapping.propAssign.errorDuplicate":"Mehrfach genutzte Kopfzeilen können nicht zugewiesen werden","mapping.propAssign.literalButtonText":"Einen fixen Wert setzen","mapping.propAssign.literalPlaceholder":"Fixen Wert hinzufügen","mapping.propAssign.other":"Andere","mapping.propAssign.placeholder":"Eigenschaft zuweisen","mapping.propRemove":"Diese Eigenschaft aus dem Mapping entfernen","mapping.props":"Eigenschaften","mapping.save.cancel":"Abbrechen","mapping.save.confirm":"Mapping speichern & aktualisieren","mapping.save.question":"Wenn sie dieses Mapping speichern werden alle zuvor erzeugten Entitäten entfernt und neu generiert. Wollen sie fortfahren?","mapping.section1.title":"1. Entitiäten-Typen auswählen","mapping.section2.title":"2. Verknüpfung von Spalten mit Eigenschaften ","mapping.section3.title":"3. Prüfung","mapping.section4.description":"Generated entities will be added to {collection} by default. If you would like to additionally add them to a list or diagram within the investigation, please click below and select from the available options.","mapping.section4.title":"4. Select a destination for generated entities (optional)","mapping.status.error":"Fehler: ","mapping.status.status":"Status: ","mapping.status.updated":"Aktualisiert: ","mapping.title":"Strukturierte Daten erzeugen","mapping.types.objects":"Objekte","mapping.types.relationships":"Verbindungen","mapping.warning.empty":"You must create at least one entity","mappings.no_mappings":"You have not generated any mappings yet","messages.banner.dismiss":"Dismiss","nav.alerts":"Themen-Abos","nav.bookmarks":"Bookmarks","nav.cases":"Recherchen","nav.collections":"Datensätze","nav.diagrams":"Netzwerkdiagramme","nav.exports":"Exporte","nav.lists":"Listen","nav.menu.cases":"Recherchen","nav.settings":"Einstellungen","nav.signin":"Anmelden","nav.signout":"Abmelden","nav.status":"Systemstatus","nav.timelines":"Timelines","nav.view_notifications":"Benachrichtigungen","navbar.alert_add":"Erhalten sie Benachrichtigungen über neue Treffer zu dieser Suche.","navbar.alert_remove":"Zu diesem Suchbegriff erhalten sie Benachrichtigungen","notification.description":"View the latest updates to datasets, investigations, groups and tracking alerts you follow.","notifications.greeting":"Was läuft, {role}?","notifications.no_notifications":"Sie haben keine ungesehenen Benachrichtigungen","notifications.title":"Neue Benachrichtigungen","notifications.type_filter.all":"Alle","pages.not.found":"Seite nicht gefunden","pass.auth.not_same":"Die Passwörter stimmen nicht überein!","password_auth.activate":"Aktivieren","password_auth.confirm":"Passwort bestätigen","password_auth.email":"E-Mail-Adresse","password_auth.name":"Ihr Name","password_auth.password":"Passwort","password_auth.signin":"Anmelden","password_auth.signup":"Registrieren","profile.callout.details":"This profile aggregates attributes and relationships from {count} entities across different datasets.","profile.callout.intro":"You're viewing {entity} as a profile.","profile.callout.link":"View the original entity","profile.delete.warning":"Deleting this profile will not delete any of the entities or entity decisions contained within it.","profile.hint":"{entity} has been combined with entities from other datasets into a profile","profile.info.header":"Profil","profile.info.items":"Entity decisions","profile.info.similar":"Suggested","profile.items.entity":"Combined entities","profile.items.explanation":"Make decisions below to determine which source entities should be added or excluded from this profile.","profile.similar.no_results":"No suggested additions for this profile were found.","profileinfo.api_desc":"Nutzen sie den API-Schlüssel um Daten aus anderen Programmen zu lesen oder schreiben.","queryFilters.clearAll":"Alle entfernen","queryFilters.showHidden":"Show {count} more filters...","refresh.callout_message":"Die Dokumente werden verarbeitet. Bitte warten sie...","restricted.explain":"Die Nutzung dieses Datensatzes unterliegt der Vertraulichkeit. Bitte lesen sie die Datensatzbeschreibung und treten sie mit {creator} in Verbindung, bevor sie das Material benutzen.","restricted.explain.creator":"dem Datensatz-Verwalter","restricted.tag":"VERTRAULICH","result.error":"Fehler","result.more_results":"Mehr als {total} Treffer","result.none":"Keine Treffer gefunden","result.results":"{total} Treffer gefunden","result.searching":"Suche...","result.solo":"Ein Treffer gefunden","role.select.user":"Wählen sie einen Nutzer","schemaSelect.button.relationship":"Neue Beziehung hinzufügen","schemaSelect.button.thing":"Neues Objekt hinzufügen","screen.load_more":"Load more","search.advanced.all.helptext":"Only results containing all of the given terms will be returned","search.advanced.all.label":"All of these words (Default)","search.advanced.any.helptext":"Results containing any of the given terms will be returned","search.advanced.any.label":"Any of these words","search.advanced.clear":"Alle entfernen","search.advanced.exact.helptext":"Only results with this exact word or phrase will be returned","search.advanced.exact.label":"This exact word/phrase","search.advanced.none.helptext":"Exclude results with these words","search.advanced.none.label":"None of these words","search.advanced.proximity.distance":"Distance","search.advanced.proximity.helptext":"Search for two terms within a certain distance of each other. For example, return results with the terms \"Bank\" and \"America\" occurring within two words from each other, such as \"Bank of America\", \"Bank in America\", even \"America has a Bank\".","search.advanced.proximity.label":"Terms in proximity to each other","search.advanced.proximity.term":"First term","search.advanced.proximity.term2":"Second term","search.advanced.submit":"Suche","search.advanced.title":"Advanced Search","search.advanced.variants.distance":"Letters different","search.advanced.variants.helptext":"Increase the fuzziness of a search. For example, Wladimir~2 will return not just the term “Wladimir” but also similar spellings such as \"Wladimyr\" or \"Vladimyr\". A spelling variant is defined by the number of spelling mistakes that must be made to get from the original word to the variant.","search.advanced.variants.label":"Spelling variations","search.advanced.variants.term":"Begriff","search.callout_message":"Einige Quellen sind anonymen Nutzern nicht zugänglich. {signInButton} um alle Resultate zu sehen, zu denen sie Zugang haben.","search.callout_message.button_text":"Anmelden","search.columns.configure":"Configure columns","search.columns.configure_placeholder":"Search for a column...","search.config.groups":"Property groups","search.config.properties":"Eigenschaften","search.config.reset":"Reset to default","search.facets.clearDates":"Clear","search.facets.configure":"Configure filters","search.facets.configure_placeholder":"Search for a filter...","search.facets.filtersSelected":"{count} ausgewählt","search.facets.hide":"Hide filters","search.facets.no_items":"Keine Optionen","search.facets.show":"Show filters","search.facets.showMore":"Mehr zeigen...","search.filterTag.ancestors":"in:","search.filterTag.exclude":"nicht:","search.filterTag.role":"Nach Zugriff gefiltert","search.loading":"Loading...","search.no_results_description":"Versuchen sie eine ungenauere Suchanfrage","search.no_results_title":"Keine Suchergebnisse","search.placeholder":"Suche nach Firmen, Personen oder Dokumenten","search.placeholder_default":"Suchen...","search.placeholder_label":"Suche in {label}","search.screen.dates.show-all":"* Showing all date filter options. { button } to view recent dates only.","search.screen.dates.show-hidden":"* Showing only date filter options from {start} to the present. { button } to view dates outside this range.","search.screen.dates.show-hidden.click":"Click here","search.screen.dates_label":"Treffer","search.screen.dates_title":"Zeitleiste","search.screen.dates_uncertain_day":"* this count includes dates where no day is specified","search.screen.dates_uncertain_day_month":"* this count includes dates in {year} where no day or month is specified","search.screen.dates_uncertain_month":"* this count includes dates in {year} where no month is specified","search.screen.export":"Export","search.screen.export_disabled":"Es können nur 10,000 Resultate auf einmal exportiert werden","search.screen.export_disabled_empty":"No results to export.","search.screen.export_helptext":"Export results","search.title":"Search: {title}","search.title_emptyq":"Suche","settings.api_key":"API-Zugangsschlüssel","settings.confirm":"(bestätigen)","settings.current_explain":"Geben sie ihr Passwort an um ein Neues zu setzen.","settings.current_password":"Gegenwärtiges Passwort","settings.email":"E-Mail-Adresse","settings.email.muted":"Tägliche Benachrichtigungen per E-Mail erhalten","settings.email.no_change":"Sie können Ihre E-Mail Adresse nicht ändern.","settings.email.tester":"Ich will neue Funktionen der Software testen bevor sie fertig sind","settings.locale":"Sprache","settings.name":"Name","settings.new_password":"Neues Passwort","settings.password.missmatch":"Passwörter stimmen nicht überein","settings.password.rules":"Mindestens sechs Buchstaben","settings.password.title":"Ändern sie ihr Passwort","settings.save":"Speichern","settings.saved":"Nach meiner Kenntnis tritt das sofort, unverzüglich in Kraft.","settings.title":"Einstellungen","sidebar.open":"Erweitern","signup.activate":"Aktivieren sie ihr Nutzerkonto","signup.inbox.desc":"Wir haben ihnen eine E-Mail geschickt, folgen sie dem enthaltenen Link um die Anmeldung abzuschliessen","signup.inbox.title":"Prüfen sie ihr Postfach","signup.login":"Haben sie schon ein Konto? Zur Anmeldung.","signup.register":"Anmelden","signup.register.question":"Sie haben kein Konto? Anmelden!","signup.title":"Anmelden","sorting.bar.button.label":"Show:","sorting.bar.caption":"Titel","sorting.bar.collection_id":"Datensatz","sorting.bar.count":"Größe","sorting.bar.countries":"Länder","sorting.bar.created_at":"Erzeugungsdatum","sorting.bar.date":"Datum","sorting.bar.dates":"Zeitleiste","sorting.bar.direction":"Richtung:","sorting.bar.endDate":"End date","sorting.bar.label":"Titel","sorting.bar.sort":"Sortieren nach:","sorting.bar.updated_at":"Aktualisierungsdatum","sources.index.empty":"This group is not linked to any datasets or investigations.","sources.index.placeholder":"Search for a dataset or investigation belonging to {group}...","status.no_collection":"Other tasks","tags.results":"Mention count","tags.title":"Begriff","text.loading":"Lade...","timeline.create.button":"New timeline","timeline.create.label_placeholder":"Untitled timeline","timeline.create.login":"You must log in to create a timeline","timeline.create.success":"Your timeline has been created successfully.","timeline.create.summary_placeholder":"A brief description of the timeline","timeline.create.title":"Create a timeline","timeline.selector.create":"Create a new timeline","timeline.selector.select_empty":"No existing timeline","timeline.update.label_placeholder":"Untitled timeline","timeline.update.success":"Your timeline has been updated successfully.","timeline.update.summary_placeholder":"A brief description of the timeline","timeline.update.title":"Timeline settings","timelines":"Timelines","timelines.description":"Timelines are a way to view and organize events chronologically.","timelines.no_timelines":"There are no timelines.","timelines.title":"Timelines","valuelink.tooltip":"{count} Erwähnungen in {appName}","xref.compute":"Errechnen","xref.entity":"Verweis","xref.match":"Möglicher Treffer","xref.match_collection":"Datensatz","xref.recompute":"Neu berechnen","xref.score":"Qualität","xref.sort.default":"Default","xref.sort.label":"Sortieren nach:","xref.sort.random":"Random"},"es":{"alert.manager.description":"Recibirá notificaciones cuando se agregue un nuevo resultado que coincida con cualquiera de las alertas que ha configurado a continuación.","alerts.add_placeholder":"Crear una nuevo monitor de alertas...","alerts.delete":"Remove alert","alerts.heading":"Administre sus alertas","alerts.no_alerts":"No está haciendo monitoreando ninguna búsqueda","alerts.save":"Actualizar","alerts.title":"Alertas de monitoreo","alerts.track":"Monitorear","auth.bad_request":"El servidor no aceptó su entrada","auth.server_error":"Error del servidor","auth.success":"Acierto","auth.unauthorized":"No autorizado","auth.unknown_error":"Ha ocurrido un error inesperado","case.choose.name":"Título","case.choose.summary":"Resumen","case.chose.languages":"Idiomas","case.create.login":"Debe iniciar sesión para subir sus propia serie de datos.","case.description":"Investigations let you upload and share documents and data which belong to a particular story. You can upload PDFs, email archives or spreadsheets, and they will be made easy to search and browse.","case.label_placeholder":"Untitled investigation","case.language_placeholder":"Seleccionar idiomas","case.languages.helper":"Se usa para reconocimiento óptico de texto en alfabetos no latinos.","case.save":"Guardar","case.share.with":"Compartir con","case.summary":"A brief description of the investigation","case.title":"Create an investigation","case.users":"Buscar usuarios","cases.create":"New investigation","cases.empty":"You do not have any investigations yet.","cases.no_results":"No investigations were found matching this query.","cases.placeholder":"Search investigations...","cases.title":"Investigations","clipboard.copy.after":"Successfully copied to clipboard","clipboard.copy.before":"Copiar al portapapeles","collection.addSchema.placeholder":"Agregar nuevo tipo de entidad","collection.analyze.alert.text":"You're about to re-index the entities in {collectionLabel}. This can be helpful if there are inconsistencies in how the data is presented.","collection.analyze.cancel":"Cancelar","collection.cancel.button":"Cancelar","collection.countries":"País","collection.creator":"Administrador","collection.data_updated_at":"Content updated","collection.data_url":"URL de datos","collection.delete.confirm":"I understand the consequences.","collection.delete.confirm.dataset":"Delete this dataset.","collection.delete.confirm.investigation":"Delete this investigation.","collection.delete.question":"Are you sure you want to permanently delete {collectionLabel} and all contained items? This cannot be undone.","collection.delete.success":"Successfully deleted {label}","collection.delete.title.dataset":"Eliminar conjunto de datos","collection.delete.title.investigation":"Delete investigation","collection.edit.access_title":"Control de acceso","collection.edit.cancel_button":"Cancelar","collection.edit.groups":"Grupos","collection.edit.info.analyze":"Reprocesar","collection.edit.info.cancel":"Cancelar","collection.edit.info.category":"Categoría","collection.edit.info.countries":"Países","collection.edit.info.creator":"Administrador","collection.edit.info.data_url":"URL de la fuente de datos","collection.edit.info.delete":"Borrar","collection.edit.info.foreign_id":"Identificación extranjera","collection.edit.info.frequency":"Frecuencia de actualización","collection.edit.info.info_url":"URL de información","collection.edit.info.label":"Etiqueta","collection.edit.info.languages":"Idiomas","collection.edit.info.placeholder_country":"Seleccionar países","collection.edit.info.placeholder_data_url":"Enlace a datos sin procesar en formato descargable","collection.edit.info.placeholder_info_url":"Enlace a más información","collection.edit.info.placeholder_label":"Una etiqueta","collection.edit.info.placeholder_language":"Seleccionar idiomas","collection.edit.info.placeholder_publisher":"Organismo o persona que publica estos datos","collection.edit.info.placeholder_publisher_url":"Enlace a quien publica","collection.edit.info.placeholder_summary":"Un resumen breve","collection.edit.info.publisher":"Editor","collection.edit.info.publisher_url":"URL del editor","collection.edit.info.restricted":"This dataset is restricted and viewers should be warned.","collection.edit.info.save":"Guardar cambios","collection.edit.info.summary":"Resumen","collection.edit.permissions_warning":"Note: User must already have an Aleph account in order to receive access.","collection.edit.permissionstable.edit":"Editar","collection.edit.permissionstable.view":"Vista","collection.edit.save_button":"Guardar cambios","collection.edit.save_success":"Sus cambios han sido guardados.","collection.edit.title":"Configuraciones","collection.edit.users":"Usuarios","collection.foreign_id":"Identificación extranjera","collection.frequency":"Actualizaciones","collection.index.empty":"No datasets were found.","collection.index.filter.all":"Todos","collection.index.filter.mine":"Creado por mi","collection.index.no_results":"No datasets were found matching this query.","collection.index.placeholder":"Buscar conjuntos de datos...","collection.index.title":"Conjuntos de datos","collection.info.access":"Compartir","collection.info.browse":"Documentos","collection.info.delete":"Eliminar conjunto de datos","collection.info.delete_casefile":"Delete investigation","collection.info.diagrams":"Diagramas de red","collection.info.diagrams_description":"Network diagrams let you visualize complex relationships within an investigation.","collection.info.documents":"Documentos","collection.info.edit":"Configuraciones","collection.info.entities":"Entidades","collection.info.lists":"Lists","collection.info.lists_description":"Lists let you organize and group related entities of interest.","collection.info.mappings":"Entity mappings","collection.info.mappings_description":"Entity mappings allow you to bulk generate structured Follow the Money entities (like People, Companies, and the relationships among them) from rows in a spreadsheet or CSV document","collection.info.mentions":"Menciones","collection.info.mentions_description":"Aleph automatically extracts terms that resemble names, address, phone numbers, and email addresses from uploaded documents and entities within your investigation. {br}{br} Click on a mentioned term below to find where it appears in your investigation.","collection.info.overview":"Resumen","collection.info.reindex":"Reindexar todo el contenido","collection.info.reingest":"Reintroducir documentos","collection.info.search":"Buscar","collection.info.source_documents":"Source documents","collection.info.timelines":"Timelines","collection.info.timelines_description":"Timelines are a way to view and organize events chronologically.","collection.info.xref":"Cruce de base de datos","collection.info.xref_description":"Cross-referencing allows you to search the rest of Aleph for entities similar to those contained in your investigation.","collection.info_url":"URL de información","collection.last_updated":"Última actualización {date}","collection.mappings.create":"Create a new entity mapping","collection.mappings.create_docs_link":"For more information, please refer to the {link}","collection.overview.empty":"This dataset is empty.","collection.publisher":"Editor","collection.reconcile":"Conciliación","collection.reconcile.description":"Match your own data against the entities in this collection using the free {openrefine} tool by adding the reconciliation endpoint.","collection.reindex.cancel":"Cancelar","collection.reindex.confirm":"Empezar a indexar","collection.reindex.flush":"Borrar el índice antes de reindexar","collection.reindex.processing":"Se inició el indexado.","collection.reingest.confirm":"Empezar a procesar","collection.reingest.index":"Indexar documentos mientras se procesan.","collection.reingest.processing":"Se inició la reintroducción.","collection.reingest.text":"You're about to re-process all documents in {collectionLabel}. This might take some time.","collection.statistics.showmore":"Mostrar más","collection.status.cancel_button":"Cancelar el proceso","collection.status.collection":"Conjunto de datos","collection.status.finished_tasks":"Terminado","collection.status.jobs":"Trabajos","collection.status.message":"Siga explorando mientras se procesan los datos.","collection.status.no_active":"No hay tareas en proceso","collection.status.pending_tasks":"Pendiente","collection.status.progress":"Tareas","collection.status.title":"Actualización en progreso ({percent}%)","collection.team":"Accesible para","collection.updated_at":"Metadata updated","collection.xref.cancel":"Cancelar","collection.xref.confirm":"Confirmar","collection.xref.empty":"No hay resultados de cruces de bases de datos.","collection.xref.processing":"Se inició el cruce de bases de datos.","collection.xref.text":"You will now cross-reference {collectionLabel} against all other sources. Start this process once and then wait for it to complete.","collection.xref.title":"Cruce de base de datos","dashboard.activity":"Actividad","dashboard.alerts":"Alertas","dashboard.cases":"Investigations","dashboard.diagrams":"Diagramas de red","dashboard.exports":"Exports","dashboard.groups":"Grupos","dashboard.lists":"Lists","dashboard.notifications":"Notificaciones","dashboard.settings":"Configuraciones","dashboard.status":"Estado del sistema","dashboard.subheading":"Verifique el progreso de análisis, carga y procesamiento de datos en curso.","dashboard.timelines":"Timelines","dashboard.title":"Estado del sistema","dashboard.workspace":"Espacio de trabajo","dataset.search.placeholder":"Search this dataset","diagram.create.button":"Nuevo diagrama","diagram.create.label_placeholder":"Diagrama sin título","diagram.create.login":"Debes iniciar sesión para crear un diagrama","diagram.create.success":"Tu diagrama se ha creado correctamente.","diagram.create.summary_placeholder":"Una breve descripción del diagrama","diagram.create.title":"Create a diagram","diagram.embed.error":"Error generating diagram embed","diagram.export.embed.description":"Generate an embeddable interactive version of the diagram that can be used in an article. The embed will not reflect future changes in the diagram.","diagram.export.error":"Error exporting diagram","diagram.export.ftm":"Export as .ftm","diagram.export.ftm.description":"Download the diagram as a data file that can be used in {link} or another Aleph site.","diagram.export.ftm.link":"Aleph Data Desktop","diagram.export.iframe":"Embed iframe","diagram.export.svg":"Export as SVG","diagram.export.svg.description":"Download a vector graphic with the contents of the diagram.","diagram.export.title":"Export options","diagram.import.button":"Importar diagrama","diagram.import.placeholder":"Drop a .ftm or .vis file here or click to import an existing diagram","diagram.import.title":"Importar un diagrama de una red","diagram.render.error":"Error rendering diagram","diagram.selector.create":"Crear un diagrama nuevo","diagram.selector.select_empty":"No existing diagram","diagram.update.label_placeholder":"Diagrama sin título","diagram.update.success":"Your diagram has been updated successfully.","diagram.update.summary_placeholder":"Una breve descripción del diagrama","diagram.update.title":"Configuración de diagrama","diagrams":"Diagramas","diagrams.description":"Network diagrams let you visualize complex relationships within an investigation.","diagrams.no_diagrams":"No hay diagramas de una red.","diagrams.title":"Diagramas de una red","document.download":"Descargar","document.download.cancel":"Cancelar","document.download.confirm":"Descargar","document.download.dont_warn":"Don't warn me in the future when downloading source documents","document.download.tooltip":"Descargar el documento original","document.download.warning":"You’re about to download a source file. {br}{br} Source files can contain viruses and code that notify the originator when you open them. {br}{br} For sensitive data, we recommend only opening source files on a computer that is permanently disconnected from the internet.","document.folder.error":"Se produjo un error al crear la carpeta.","document.folder.new":"Nueva carpeta","document.folder.save":"Crear","document.folder.title":"Nueva carpeta","document.folder.untitled":"Título de carpeta","document.mapping.start":"Generar entidades","document.paging":"Página {pageInput} de {numberOfPages}","document.pdf.search.page":"Página {page}","document.report_problem":"Report a problem","document.report_problem.text":"You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.","document.report_problem.title":"Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?","document.search.no_match":"Ninguna página de este documento coincide con todos los términos de su búsqueda.","document.upload.button":"Subir","document.upload.cancel":"Cancelar","document.upload.close":"Close","document.upload.errors":"Some files couldn't be transferred. You can use the Retry button to restart all failed uploads.","document.upload.files":"Elija los archivos a cargar...","document.upload.folder":"Si prefiere subir carpetas, { button }.","document.upload.folder-toggle":"Haga clic aquí","document.upload.info":"If you need to upload a large amount of files (100+) consider {link}.","document.upload.notice":"The upload is complete. It will take a few moments for the documents to be processed and become searchable.","document.upload.progress":"{done} of {total} files done, {errors} errors.","document.upload.rejected":"{fileName} is missing a file type, so it cannot be uploaded.","document.upload.retry":"Retry","document.upload.save":"Subir","document.upload.summary":"{numberOfFiles, number} files, {totalSize}","document.upload.title":"Upload documents","document.upload.title_in_folder":"Upload documents to {folder}","document.viewer.ignored_file":"El sistema no trabaja con este tipo de archivos. Por favor, descárguelo para poder visualizarlo.","document.viewer.no_viewer":"La vista previa para este documento no está disponible","email.body.empty":"Sin cuerpo de mensaje.","entity.delete.cancel":"Cancelar","entity.delete.confirm":"Borrar","entity.delete.error":"Ocurrió un error al intentar eliminar esta entidad.","entity.delete.progress":"Eliminando...","entity.delete.question.multiple":"Are you sure you want to delete the following {count, plural, one {item} other {items}}?","entity.delete.success":"Se eliminó correctamente","entity.document.manager.cannot_map":"Seleccione un documento de tabla para generar entidades estructuradas","entity.document.manager.empty":"No hay archivos ni directorios","entity.document.manager.emptyCanUpload":"No hay archivos ni directorios. Arrastre y suelte archivos aquí o haga clic para subirlos.","entity.document.manager.search_placeholder":"Buscar documentos","entity.document.manager.search_placeholder_document":"Buscar en {label}","entity.info.attachments":"Anexos","entity.info.documents":"Documentos","entity.info.info":"Información","entity.info.last_view":"Last viewed {time}","entity.info.similar":"Similar","entity.info.tags":"Menciones","entity.info.text":"Texto","entity.info.view":"Vista","entity.info.workbook_warning":"This sheet is part of workbook {link}","entity.manager.bulk_import.description.1":"Seleccione una tabla de abajo desde la cual importar nuevas entidades de {schema}.","entity.manager.bulk_import.description.2":"Al seleccionar, se te pedirá que asignes columnas de esa tabla a las propiedades de las entidades generadas.","entity.manager.bulk_import.description.3":"¿No puedes ver la tabla que estás buscando? {link}","entity.manager.bulk_import.link_text":"Upload a new table document","entity.manager.bulk_import.no_results":"No se encontraron documentos que coincidan","entity.manager.bulk_import.placeholder":"Seleccionar un documento de tabla","entity.manager.delete":"Borrar","entity.manager.edge_create_success":"Se enlazó exitosamente {source} y {target}","entity.manager.entity_set_add_success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entity.manager.remove":"Eliminar","entity.manager.search_empty":"No se encontraron {schema} que coincidan","entity.manager.search_placeholder":"Buscar {schema}","entity.mapping.view":"Generar entidades","entity.properties.missing":"desconocido","entity.references.no_relationships":"Esta entidad no tiene ninguna relación.","entity.references.no_results":"No {schema} match this search.","entity.references.no_results_default":"No entities match this search.","entity.references.search.placeholder":"Search in {schema}","entity.references.search.placeholder_default":"Search entities","entity.remove.confirm":"Eliminar","entity.remove.error":"An error occured while attempting to remove this entity.","entity.remove.progress":"Removing...","entity.remove.question.multiple":"Are you sure you want to remove the following {count, plural, one {item} other {items}}?","entity.remove.success":"Successfully removed","entity.search.empty_title":"Esta carpeta está vacía","entity.search.no_results_description":"Intente haciendo su búsqueda más general","entity.search.no_results_title":"Sin resultados de búsqueda","entity.similar.empty":"No hay entidades similares.","entity.similar.entity":"Similar entity","entity.similar.found_text":"Found {resultCount} {resultCount, plural, one {similar entity} other {similar entities}} from {datasetCount} {datasetCount, plural, one {dataset} other {datasets}}","entity.tags.no_tags":"No se extrajeron selectores de esta entidad.","entity.viewer.add_link":"Crear enlace","entity.viewer.add_to":"Add to...","entity.viewer.bulk_import":"Importación en bloque","entity.viewer.search_placeholder":"Buscar en {label}","entitySet.last_updated":"Actualizado {date}","entityset.choose.name":"Título","entityset.choose.summary":"Resumen","entityset.create.collection":"Investigation","entityset.create.collection.existing":"Select an investigation","entityset.create.collection.new":"Don't see the investigation you're looking for? {link}","entityset.create.collection.new_link":"Create a new investigation","entityset.create.submit":"Crear","entityset.delete.confirm":"I understand the consequences.","entityset.delete.confirm.diagram":"Delete this network diagram.","entityset.delete.confirm.list":"Delete this list.","entityset.delete.confirm.profile":"Delete this profile.","entityset.delete.confirm.timeline":"Delete this timeline.","entityset.delete.question":"Are you sure you want to permanently delete {label}? This cannot be undone.","entityset.delete.success":"Successfully deleted {title}","entityset.delete.title.diagram":"Delete network diagram","entityset.delete.title.list":"Delete list","entityset.delete.title.profile":"Delete profile","entityset.delete.title.timeline":"Delete timeline","entityset.info.delete":"Borrar","entityset.info.edit":"Configuraciones","entityset.info.export":"Exportar","entityset.info.exportAsSvg":"Export as SVG","entityset.selector.placeholder":"Search existing","entityset.selector.success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entityset.selector.success_toast_button":"Vista","entityset.selector.title":"Add {firstCaption} {titleSecondary} to...","entityset.selector.title_default":"Add entities to...","entityset.selector.title_other":"and {count} other {count, plural, one {entity} other {entities}}","entityset.update.submit":"Guardar cambios","error.screen.not_found":"No se encontró la página solicitada.","export.dialog.text":"Initiate your export. {br}{br} Exports take some time to generate. You will receive an email once the data is ready. {br}{br} Please trigger this export only once.","exports.dialog.cancel":"Cancelar","exports.dialog.confirm":"Exportar","exports.dialog.dashboard_link":"View progress","exports.dialog.success":"Your export has begun.","exports.expiration":"Expiration","exports.manager.description":"Below is a list of your exports. Make sure to download them before they expire.","exports.name":"Nombre","exports.no_exports":"You have no exports to download","exports.size":"Tamaño","exports.status":"Status","exports.title":"Exports ready for download","facet.addresses":"{count, plural, one {Address} many {Direcciones} other {Direcciones}}","facet.caption":"Nombre","facet.category":"{count, plural, one {Category} many {Categorías} other {Categorías}}","facet.collection_id":"Conjunto de datos","facet.countries":"{count, plural, one {Country} many {Países} other {Países}}","facet.dates":"{count, plural, one {Date} other {Dates}}","facet.emails":"{count, plural, one {E-Mail} many {Correos electrónicos} other {Correos electrónicos}}","facet.ibans":"{count, plural, one {IBAN} many {IBANs} other {IBANs}}","facet.languages":"{count, plural, one {Language} many {Idiomas} other {Idiomas}}","facet.mimetypes":"{count, plural, one {File type} many {Tipos de archivo} other {Tipos de archivo}}","facet.names":"{count, plural, one {Name} many {Nombres} other {Nombres}}","facet.phones":"{count, plural, one {Phone number} many {Números de teléfono} other {Números de teléfono}}","facet.schema":"Entity type","file_import.error":"Error al importar archivo","footer.aleph":"Aleph {versión}","footer.ftm":"FollowTheMoney {version}","group.page.description":"The list below shows all datasets and investigations that belong to this group.","group.page.search.description":"If you would like to search for specific entities or documents within the datasets that this group has access to, click here instead.","home.access_disabled":"Public access temporarily disabled","home.counts.countries":"Countries & territories","home.counts.datasets":"Public datasets","home.counts.entities":"Public entities","home.placeholder":"Intente buscando: {samples}","home.statistics.categories":"Dataset categories","home.statistics.countries":"Countries and territories","home.statistics.schemata":"Entity types","home.stats.title":"Get started exploring public data","home.title":"Buscar registros públicos y filtraciones","hotkeys.judgement.different":"Decide different","hotkeys.judgement.group_label":"Entity decisions","hotkeys.judgement.next":"Select next result","hotkeys.judgement.previous":"Select previous result","hotkeys.judgement.same":"Decide same","hotkeys.judgement.unsure":"Decide not enough information","hotkeys.search.different":"Preview previous result","hotkeys.search.group_label":"Search preview","hotkeys.search.unsure":"Preview next result","hotkeys.search_focus":"Buscar","infoMode.collection_casefile":"Investigation","infoMode.collection_dataset":"Conjunto de datos","infoMode.createdAt":"Created at","infoMode.creator":"Created by","infoMode.updatedAt":"Última actualización","investigation.mentions.empty":"There are no mentions yet in this investigation.","investigation.overview.guides":"Read more","investigation.overview.guides.access":"Managing access","investigation.overview.guides.diagrams":"Drawing network diagrams","investigation.overview.guides.documents":"Uploading documents","investigation.overview.guides.entities":"Creating & editing entities","investigation.overview.guides.mappings":"Generating entities from a spreadsheet","investigation.overview.guides.xref":"Cross-referencing your data","investigation.overview.notifications":"Recent activity","investigation.overview.shortcuts":"Quick links","investigation.overview.shortcuts_empty":"Getting started","investigation.search.placeholder":"Search this investigation","investigation.shortcut.diagram":"Sketch a network diagram","investigation.shortcut.entities":"Create new entities","investigation.shortcut.entity_create_error":"Unable to create entity","investigation.shortcut.entity_create_success":"Successfully created {name}","investigation.shortcut.upload":"Upload documents","investigation.shortcut.xref":"Compare with other datasets","judgement.disabled":"You must have edit access in order to make judgements.","judgement.negative":"Different","judgement.positive":"Same","judgement.unsure":"Not enough information","landing.shortcut.alert":"Create a search alert","landing.shortcut.datasets":"Browse datasets","landing.shortcut.investigation":"Start an investigation","landing.shortcut.search":"Search entities","list.create.button":"New list","list.create.label_placeholder":"Untitled list","list.create.login":"You must log in to create a list","list.create.success":"Your list has been created successfully.","list.create.summary_placeholder":"A brief description of the list","list.create.title":"Create a list","list.selector.create":"Create a new list","list.selector.select_empty":"No existing list","list.update.label_placeholder":"Untitled list","list.update.success":"Your list has been updated successfully.","list.update.summary_placeholder":"A brief description of the list","list.update.title":"List settings","lists":"Lists","lists.description":"Lists let you organize and group related entities of interest.","lists.no_lists":"There are no lists.","lists.title":"Lists","login.oauth":"Iniciar sesión vía OAuth","mapping.actions.create":"Generar entidades","mapping.actions.create.toast":"Generando entidades...","mapping.actions.delete":"Borrar","mapping.actions.delete.toast":"Eliminando mapeo y entidades generadas...","mapping.actions.export":"Exportar mapeo","mapping.actions.flush":"Eliminar entidades generadas","mapping.actions.flush.toast":"Eliminando entidades generadas","mapping.actions.save":"Guardar cambios","mapping.actions.save.toast":"Regenerando entidades","mapping.create.cancel":"Cancelar","mapping.create.confirm":"Generar","mapping.create.question":"¿Seguro desea generar entidades usando este mapeo?","mapping.delete.cancel":"Cancelar","mapping.delete.confirm":"Borrar","mapping.delete.question":"¿Seguro desea eliminar este mapeo y todas las entidades generadas?","mapping.docs.link":"Aleph entity mapping documentation","mapping.entityAssign.helpText":"Debe crear un objeto de tipo \"{range}\" para que sea la {property}","mapping.entityAssign.noResults":"No hay objetos disponibles que coincidan","mapping.entityAssign.placeholder":"Seleccionar un objeto","mapping.entity_set_select":"Select a List or Diagram","mapping.entityset.remove":"Eliminar","mapping.error.keyMissing":"Error de clave: {id} la entidad debe tener al menos una clave","mapping.error.relationshipMissing":"Error de relación: {id} entidad debe tener una {source} y {target} asignadas","mapping.flush.cancel":"Cancelar","mapping.flush.confirm":"Eliminar","mapping.flush.question":"¿Seguro desea eliminar las entidades generadas usando este mapeo?","mapping.import.button":"Importar mapeo existente","mapping.import.placeholder":"Coloque un archivo .yml aquí para importar un mapeo existente","mapping.import.querySelect":"Seleccione una consulta de mapeo de este archivo para importar:","mapping.import.submit":"Enviar","mapping.import.success":"Su mapeo se ha importado correctamente.","mapping.import.title":"Exportar un mapeo","mapping.info":"Follow the steps below to map items in this investigation to structured Follow the Money entites. For more information, please refer to the {link}","mapping.info.link":"Documentación de mapeo de datos de Aleph","mapping.keyAssign.additionalHelpText":"The best keys are columns from your data that contain id numbers, phone numbers, email addresses, or other uniquely identifying information. If no columns with unique values exist, select multiple columns to allow Aleph to generate unique entities correctly from your data.","mapping.keyAssign.additionalHelpToggle.less":"Menos","mapping.keyAssign.additionalHelpToggle.more":"Más información sobre las claves","mapping.keyAssign.helpText":"Especifique qué columnas de los datos fuente se usarán para identificar entidades únicas.","mapping.keyAssign.noResults":"No hay resultados","mapping.keyAssign.placeholder":"Seleccione claves de columnas disponibles","mapping.keys":"Claves","mapping.propAssign.errorBlank":"Las columnas sin encabezado no se pueden asignar","mapping.propAssign.errorDuplicate":"Las columnas con encabezados duplicados no se pueden asignar","mapping.propAssign.literalButtonText":"Agregar un valor fijo","mapping.propAssign.literalPlaceholder":"Agregar texto de valor fijo","mapping.propAssign.other":"Otro","mapping.propAssign.placeholder":"Asignar una propiedad","mapping.propRemove":"Eliminar esta propiedad de la asignación","mapping.props":"Propiedades","mapping.save.cancel":"Cancelar","mapping.save.confirm":"Actualizar mapeo y regenerar","mapping.save.question":"Al actualizar este mapeo se eliminará cualquier entidad generada anteriormente y se regenerarán. ¿Seguro desea continuar?","mapping.section1.title":"1. Seleccione los tipos de entidad a generar","mapping.section2.title":"2. Mapee las columnas con propiedades de entidad","mapping.section3.title":"3. Verifique","mapping.section4.description":"Generated entities will be added to {collection} by default. If you would like to additionally add them to a list or diagram within the investigation, please click below and select from the available options.","mapping.section4.title":"4. Select a destination for generated entities (optional)","mapping.status.error":"Error:","mapping.status.status":"Estado:","mapping.status.updated":"Última actualización:","mapping.title":"Generar entidades estructuradas","mapping.types.objects":"Objetos","mapping.types.relationships":"Relaciones","mapping.warning.empty":"You must create at least one entity","mappings.no_mappings":"You have not generated any mappings yet","messages.banner.dismiss":"Dismiss","nav.alerts":"Alertas","nav.bookmarks":"Bookmarks","nav.cases":"Investigations","nav.collections":"Conjuntos de datos","nav.diagrams":"Diagramas de red","nav.exports":"Exports","nav.lists":"Lists","nav.menu.cases":"Investigations","nav.settings":"Configuraciones","nav.signin":"Iniciar sesión","nav.signout":"Cerrar sesión","nav.status":"Estado del sistema","nav.timelines":"Timelines","nav.view_notifications":"Notificaciones","navbar.alert_add":"Haga clic para recibir alertas sobre nuevos resultados para esta búsqueda.","navbar.alert_remove":"Está recibiendo alertas sobre esta búsqueda.","notification.description":"View the latest updates to datasets, investigations, groups and tracking alerts you follow.","notifications.greeting":"¿Qué hay de nuevo, {role}?","notifications.no_notifications":"No tiene notificaciones sin leer","notifications.title":"Notificaciones recientes","notifications.type_filter.all":"Todos","pages.not.found":"Página no encontrada","pass.auth.not_same":"¡Sus contraseñas no coinciden!","password_auth.activate":"Activar","password_auth.confirm":"Confirmar contraseña","password_auth.email":"Dirección de correo electrónico","password_auth.name":"Su nombre","password_auth.password":"Contraseña","password_auth.signin":"Iniciar sesión","password_auth.signup":"Registrarse","profile.callout.details":"This profile aggregates attributes and relationships from {count} entities across different datasets.","profile.callout.intro":"You're viewing {entity} as a profile.","profile.callout.link":"View the original entity","profile.delete.warning":"Deleting this profile will not delete any of the entities or entity decisions contained within it.","profile.hint":"{entity} has been combined with entities from other datasets into a profile","profile.info.header":"Profile","profile.info.items":"Entity decisions","profile.info.similar":"Suggested","profile.items.entity":"Combined entities","profile.items.explanation":"Make decisions below to determine which source entities should be added or excluded from this profile.","profile.similar.no_results":"No suggested additions for this profile were found.","profileinfo.api_desc":"Use la clave API para leer y escribir datos a través de aplicaciones remotas.","queryFilters.clearAll":"Borrar todo","queryFilters.showHidden":"Show {count} more filters...","refresh.callout_message":"Los documentos se están procesando. Por favor, espere...","restricted.explain":"El uso de este conjunto de datos está restringido. Lea la descripción y contacte a {creator} antes de usar este material.","restricted.explain.creator":"el dueño del conjunto de datos","restricted.tag":"RESTRINGIDO","result.error":"Error","result.more_results":"Más de {total} resultados","result.none":"No se encontraron resultados","result.results":"Se encontraron {total} resultados","result.searching":"Buscando...","result.solo":"Se encontró un resultado","role.select.user":"Elija un usuario","schemaSelect.button.relationship":"Agregue una nueva relación","schemaSelect.button.thing":"Agregar un objeto nuevo","screen.load_more":"Load more","search.advanced.all.helptext":"Only results containing all of the given terms will be returned","search.advanced.all.label":"All of these words (Default)","search.advanced.any.helptext":"Results containing any of the given terms will be returned","search.advanced.any.label":"Any of these words","search.advanced.clear":"Borrar todo","search.advanced.exact.helptext":"Only results with this exact word or phrase will be returned","search.advanced.exact.label":"This exact word/phrase","search.advanced.none.helptext":"Exclude results with these words","search.advanced.none.label":"None of these words","search.advanced.proximity.distance":"Distance","search.advanced.proximity.helptext":"Search for two terms within a certain distance of each other. For example, return results with the terms \"Bank\" and \"America\" occurring within two words from each other, such as \"Bank of America\", \"Bank in America\", even \"America has a Bank\".","search.advanced.proximity.label":"Terms in proximity to each other","search.advanced.proximity.term":"First term","search.advanced.proximity.term2":"Second term","search.advanced.submit":"Buscar","search.advanced.title":"Advanced Search","search.advanced.variants.distance":"Letters different","search.advanced.variants.helptext":"Increase the fuzziness of a search. For example, Wladimir~2 will return not just the term “Wladimir” but also similar spellings such as \"Wladimyr\" or \"Vladimyr\". A spelling variant is defined by the number of spelling mistakes that must be made to get from the original word to the variant.","search.advanced.variants.label":"Spelling variations","search.advanced.variants.term":"Term","search.callout_message":"Algunas fuentes permanecen ocultad para los usuarios anónimos. {signInButton} para ver todos los resultados a los que puede acceder.","search.callout_message.button_text":"Iniciar sesión","search.columns.configure":"Configure columns","search.columns.configure_placeholder":"Search for a column...","search.config.groups":"Property groups","search.config.properties":"Propiedades","search.config.reset":"Reset to default","search.facets.clearDates":"Clear","search.facets.configure":"Configure filters","search.facets.configure_placeholder":"Search for a filter...","search.facets.filtersSelected":"{count} seleccionado","search.facets.hide":"Hide filters","search.facets.no_items":"Sin opciones","search.facets.show":"Show filters","search.facets.showMore":"Mostrar más...","search.filterTag.ancestors":"en:","search.filterTag.exclude":"no:","search.filterTag.role":"Filtrar por acceso","search.loading":"Loading...","search.no_results_description":"Intente volver su búsqueda más general","search.no_results_title":"Sin resultados de búsqueda","search.placeholder":"Buscar empresas, personas y documentos","search.placeholder_default":"Buscar...","search.placeholder_label":"Buscar en {label}","search.screen.dates.show-all":"* Showing all date filter options. { button } to view recent dates only.","search.screen.dates.show-hidden":"* Showing only date filter options from {start} to the present. { button } to view dates outside this range.","search.screen.dates.show-hidden.click":"Click here","search.screen.dates_label":"resultados","search.screen.dates_title":"Fechas","search.screen.dates_uncertain_day":"* this count includes dates where no day is specified","search.screen.dates_uncertain_day_month":"* this count includes dates in {year} where no day or month is specified","search.screen.dates_uncertain_month":"* this count includes dates in {year} where no month is specified","search.screen.export":"Exportar","search.screen.export_disabled":"No se pueden exportar más de 10.000 resultados a la vez","search.screen.export_disabled_empty":"No results to export.","search.screen.export_helptext":"Export results","search.title":"Search: {title}","search.title_emptyq":"Buscar","settings.api_key":"Clave de acceso secreto a la API","settings.confirm":"(confirmar)","settings.current_explain":"Introduzca su contraseña actual para crear una nueva.","settings.current_password":"Contraseña actual","settings.email":"Direcciones de correo electrónico","settings.email.muted":"Recibir notificaciones diarias por correo electrónico","settings.email.no_change":"Su dirección de correo electrónico no puede ser modificada","settings.email.tester":"Pruebe las nuevas funciones antes de que estén terminadas","settings.locale":"Idioma","settings.name":"Nombre","settings.new_password":"Nueva contraseña","settings.password.missmatch":"Las contraseñas no coinciden","settings.password.rules":"Use al menos seis caracteres","settings.password.title":"Cambie su contraseña","settings.save":"Actualizar","settings.saved":"Es oficial, su perfil se actualizó.","settings.title":"Configuraciones","sidebar.open":"Expandir","signup.activate":"Activar su cuenta","signup.inbox.desc":"Le enviaremos un correo electrónico, por favor ingrese al enlace para completar su registro","signup.inbox.title":"Revise su bandeja de entrada","signup.login":"¿Ya posee una cuenta? ¡Ingrese!","signup.register":"Registro","signup.register.question":"¿No tiene cuenta? ¡Regístrese!","signup.title":"Iniciar sesión","sorting.bar.button.label":"Mostrar:","sorting.bar.caption":"Título","sorting.bar.collection_id":"Conjunto de datos","sorting.bar.count":"Tamaño","sorting.bar.countries":"Países","sorting.bar.created_at":"Fecha de creación","sorting.bar.date":"Fecha","sorting.bar.dates":"Fechas","sorting.bar.direction":"Dirección:","sorting.bar.endDate":"End date","sorting.bar.label":"Título","sorting.bar.sort":"Ordenar por:","sorting.bar.updated_at":"Fecha de actualización","sources.index.empty":"This group is not linked to any datasets or investigations.","sources.index.placeholder":"Search for a dataset or investigation belonging to {group}...","status.no_collection":"Other tasks","tags.results":"Mention count","tags.title":"Term","text.loading":"Cargando...","timeline.create.button":"New timeline","timeline.create.label_placeholder":"Untitled timeline","timeline.create.login":"You must log in to create a timeline","timeline.create.success":"Your timeline has been created successfully.","timeline.create.summary_placeholder":"A brief description of the timeline","timeline.create.title":"Create a timeline","timeline.selector.create":"Create a new timeline","timeline.selector.select_empty":"No existing timeline","timeline.update.label_placeholder":"Untitled timeline","timeline.update.success":"Your timeline has been updated successfully.","timeline.update.summary_placeholder":"A brief description of the timeline","timeline.update.title":"Timeline settings","timelines":"Timelines","timelines.description":"Timelines are a way to view and organize events chronologically.","timelines.no_timelines":"There are no timelines.","timelines.title":"Timelines","valuelink.tooltip":"{count} menciones en {appName}","xref.compute":"Computar","xref.entity":"Referencia","xref.match":"Posible coincidencia","xref.match_collection":"Conjunto de datos","xref.recompute":"Recomputar","xref.score":"Puntuación","xref.sort.default":"Default","xref.sort.label":"Ordenar por:","xref.sort.random":"Random"},"fr":{"alert.manager.description":"Vous recevrez des notifications en cas d’ajout d’un nouveau résultat correspondant à l’une des alertes créées ci-dessous.","alerts.add_placeholder":"Créer une nouvelle alerte de suivi...","alerts.delete":"Retirer une alerte","alerts.heading":"Gérer vos alertes","alerts.no_alerts":"Vous ne suivez aucune recherche","alerts.save":"Actualiser","alerts.title":"Alertes de suivi","alerts.track":"Suivre","auth.bad_request":"Le serveur n’a pas accepté votre saisie","auth.server_error":"Erreur de serveur","auth.success":"Réussi","auth.unauthorized":"Pas autorisé","auth.unknown_error":"Une erreur inattendue s’est produite","case.choose.name":"Titre","case.choose.summary":"Résumé","case.chose.languages":"Langues","case.create.login":"Vous devez vous connecter pour envoyer vos propres données.","case.description":"Les enquêtes vous permettent d’envoyer et de partager des documents et des données qui portent sur une histoire spécifique. Vous pouvez envoyer des PDF, des fichiers d’e-mails ou des feuilles de calcul, sur lesquels la recherche et la navigation seront simplifiées.","case.label_placeholder":"Enquête sans nom","case.language_placeholder":"Choisir les langues","case.languages.helper":"Utilisé pour la reconnaissance optique de caractère pour les alphabets non latins","case.save":"Enregistrer","case.share.with":"Partager avec","case.summary":"Une brève description de l’enquête","case.title":"Créer une enquête","case.users":"Rechercher des utilisateurs","cases.create":"Nouvelle enquête","cases.empty":"Vous n’avez pas encore d’enquête.","cases.no_results":"Aucune enquête correspondant à votre demande n’a été trouvée.","cases.placeholder":"Rechercher des enquêtes...","cases.title":"Enquêtes","clipboard.copy.after":"Copié avec succès dans le presse-papier","clipboard.copy.before":"Copier dans le presse-papier","collection.addSchema.placeholder":"Ajouter un nouveau type d’entité","collection.analyze.alert.text":"Vous êtes sur le point de réindexer les entités dans {collectionLabel}. Cela peut être utile en cas d’incohérences dans la manière de présenter les données.","collection.analyze.cancel":"Annuler","collection.cancel.button":"Annuler","collection.countries":"Pays","collection.creator":"Directeur","collection.data_updated_at":"Contenu actualisé","collection.data_url":"URL des données","collection.delete.confirm":"I understand the consequences.","collection.delete.confirm.dataset":"Delete this dataset.","collection.delete.confirm.investigation":"Delete this investigation.","collection.delete.question":"Are you sure you want to permanently delete {collectionLabel} and all contained items? This cannot be undone.","collection.delete.success":"Successfully deleted {label}","collection.delete.title.dataset":"Supprimer l’ensemble de données","collection.delete.title.investigation":"Supprimer l’enquête","collection.edit.access_title":"Contrôle d’accès","collection.edit.cancel_button":"Annuler","collection.edit.groups":"Groupes","collection.edit.info.analyze":"Retraiter","collection.edit.info.cancel":"Annuler","collection.edit.info.category":"Catégorie","collection.edit.info.countries":"Pays","collection.edit.info.creator":"Directeur","collection.edit.info.data_url":"URL de la source de données","collection.edit.info.delete":"Supprimer","collection.edit.info.foreign_id":"Identification extérieure","collection.edit.info.frequency":"Actualiser la fréquence","collection.edit.info.info_url":"URL des informations","collection.edit.info.label":"Étiquette","collection.edit.info.languages":"Langues","collection.edit.info.placeholder_country":"Sélectionner des pays","collection.edit.info.placeholder_data_url":"Lien vers les données brutes dans un format téléchargeable","collection.edit.info.placeholder_info_url":"Lien vers des informations supplémentaires","collection.edit.info.placeholder_label":"Une étiquette","collection.edit.info.placeholder_language":"Choisir les langues","collection.edit.info.placeholder_publisher":"Organisation ou personne qui publie ces données","collection.edit.info.placeholder_publisher_url":"Lien vers l’organisation/personne à l’origine de la publication","collection.edit.info.placeholder_summary":"Un bref résumé","collection.edit.info.publisher":"Organisation/personne à l’origine de la publication","collection.edit.info.publisher_url":"URL de l’organisation/personne à l’origine de la publication","collection.edit.info.restricted":"Cet ensemble de données est réservé et les personnes qui le consultent doivent en être averties.","collection.edit.info.save":"Enregistrer les changements","collection.edit.info.summary":"Résumé","collection.edit.permissions_warning":"Remarque : l’utilisateur doit déjà disposer d’un compte Aleph pour obtenir l’accès.","collection.edit.permissionstable.edit":"Modifier","collection.edit.permissionstable.view":"Voir","collection.edit.save_button":"Enregistrer les changements","collection.edit.save_success":"Vos changements ont été enregistrés.","collection.edit.title":"Paramètres","collection.edit.users":"Utilisateurs","collection.foreign_id":"Identification extérieure","collection.frequency":"Actualisations","collection.index.empty":"Aucun ensemble de données trouvé.","collection.index.filter.all":"Tout","collection.index.filter.mine":"Créés par moi","collection.index.no_results":"Aucun ensemble de données correspondant à votre demande n’a été trouvé.","collection.index.placeholder":"Rechercher les ensembles de données...","collection.index.title":"Ensembles de données","collection.info.access":"Partager","collection.info.browse":"Documents","collection.info.delete":"Supprimer l’ensemble de données","collection.info.delete_casefile":"Supprimer l’enquête","collection.info.diagrams":"Diagrammes de réseau","collection.info.diagrams_description":"Les diagrammes de réseau vous permettent de visualiser des relations complètes dans une enquête.","collection.info.documents":"Documents","collection.info.edit":"Paramètres","collection.info.entities":"Entités","collection.info.lists":"Listes","collection.info.lists_description":"Les listes vous permettent d’organiser et de regrouper des entités d’intérêt.","collection.info.mappings":"Cartographies d’entités","collection.info.mappings_description":"Les cartographies d’entités vous permettent de générer en une fois des entités structurées pour suivre l’argent (comme des personnes, des entreprises et les relations entre elles) à partir des lignes d’une feuille de calcul ou d’un document au format CSV","collection.info.mentions":"Mentions","collection.info.mentions_description":"Aleph extrait automatiquement les termes qui ressemblent à des noms, des adresses, des numéros de téléphone et des adresses e-mail à partir des documents et des entités envoyés dans votre enquête. {br}{br} Cliquez sur un terme mentionné ci-dessous pour savoir où il apparaît dans votre enquête.","collection.info.overview":"Vue d’ensemble","collection.info.reindex":"Réindexer tout le contenu","collection.info.reingest":"Retraiter les documents","collection.info.search":"Rechercher","collection.info.source_documents":"Documents sources","collection.info.timelines":"Calendriers","collection.info.timelines_description":"Les calendriers sont un moyen d’afficher et d’organiser des événements de façon chronologique.","collection.info.xref":"Références croisées","collection.info.xref_description":"Les références croisées vous permettent de rechercher dans le reste d’Aleph des entités similaires à celles qui figurent dans votre enquête.","collection.info_url":"URL des informations","collection.last_updated":"Dernière actualisation le {date}","collection.mappings.create":"Créer une nouvelle cartographie d’entités","collection.mappings.create_docs_link":"Pour plus d’informations, veuillez consulter la page {link}","collection.overview.empty":"Cet ensemble de données est vide.","collection.publisher":"Organisation/personne à l’origine de la publication","collection.reconcile":"Réconciliation","collection.reconcile.description":"Faites correspondre vos propres données avec les entités de cet ensemble à l’aide de l’outil gratuit {openrefine} en ajoutant un critère de réconciliation.","collection.reindex.cancel":"Annuler","collection.reindex.confirm":"Commencer l’indexation","collection.reindex.flush":"Vider l’index avant de réindexer","collection.reindex.processing":"Indexation commencée.","collection.reingest.confirm":"Commencer le traitement","collection.reingest.index":"Indexer les documents pendant leur traitement.","collection.reingest.processing":"Retraitement commencé.","collection.reingest.text":"Vous êtes sur le point de retraiter tous les documents dans {collectionLabel}. Cette opération peut durer un certain temps.","collection.statistics.showmore":"Afficher plus","collection.status.cancel_button":"Annuler le processus","collection.status.collection":"Ensemble de données","collection.status.finished_tasks":"Terminé","collection.status.jobs":"Travaux","collection.status.message":"Poursuivez votre navigation pendant le traitement des données.","collection.status.no_active":"Il n’y a aucune tâche en cours","collection.status.pending_tasks":"En attente","collection.status.progress":"Tâches","collection.status.title":"Actualisation en cours ({percent} %)","collection.team":"Accessible à","collection.updated_at":"Métadonnées actualisées","collection.xref.cancel":"Annuler","collection.xref.confirm":"Confirmer","collection.xref.empty":"Aucun résultat de références croisées.","collection.xref.processing":"Référencement croisé commencé.","collection.xref.text":"Vous allez maintenant rechercher les références croisées de {collectionLabel} avec toutes les autres sources. Veuillez lancer ce processus une fois puis attendre qu’il soit terminé.","collection.xref.title":"Références croisées","dashboard.activity":"Activité","dashboard.alerts":"Alertes","dashboard.cases":"Enquêtes","dashboard.diagrams":"Diagrammes de réseau","dashboard.exports":"Exports","dashboard.groups":"Groupes","dashboard.lists":"Listes","dashboard.notifications":"Notifications","dashboard.settings":"Paramètres","dashboard.status":"État du système","dashboard.subheading":"Consulter l’avancement des tâches d’analyse, d’envoi et de traitement des données en cours.","dashboard.timelines":"Calendriers","dashboard.title":"État du système","dashboard.workspace":"Espace de travail","dataset.search.placeholder":"Rechercher cet ensemble de données","diagram.create.button":"Nouveau diagramme","diagram.create.label_placeholder":"Diagramme sans nom","diagram.create.login":"Vous devez vous connecter pour créer un diagramme","diagram.create.success":"Votre diagramme a été créé avec succès.","diagram.create.summary_placeholder":"Une brève description du diagramme","diagram.create.title":"Créer un diagramme","diagram.embed.error":"Erreur dans la création du diagramme intégré","diagram.export.embed.description":"Générer une version interactive intégrable du diagramme qui pourra être utilisée dans un article. Le diagramme intégré ne contiendra pas les modifications postérieures ajoutées au diagramme.","diagram.export.error":"Erreur dans l’export du diagramme","diagram.export.ftm":"Exporter au format .ftm","diagram.export.ftm.description":"Télécharger le diagramme comme fichier de données qui peut être utilisé dans {link} ou tout autre site d’Aleph.","diagram.export.ftm.link":"Aleph Data Desktop","diagram.export.iframe":"Intégrer comme iframe","diagram.export.svg":"Exporter au format SVG","diagram.export.svg.description":"Télécharger un graphique vectoriel contenant le diagramme.","diagram.export.title":"Options d’export","diagram.import.button":"Importer un diagramme","diagram.import.placeholder":"Faites glisser un fichier .ftm ou .vis ici ou cliquez pour importer un diagramme existant","diagram.import.title":"Importer un diagramme de réseau","diagram.render.error":"Erreur dans la représentation du diagramme","diagram.selector.create":"Créer un nouveau diagramme","diagram.selector.select_empty":"Pas de diagramme existant","diagram.update.label_placeholder":"Diagramme sans nom","diagram.update.success":"Votre diagramme a été actualisé avec succès.","diagram.update.summary_placeholder":"Une brève description du diagramme","diagram.update.title":"Paramètres du diagramme","diagrams":"Diagrammes","diagrams.description":"Les diagrammes de réseau vous permettent de visualiser des relations complètes dans une enquête.","diagrams.no_diagrams":"Il n’y a pas de diagramme de réseau.","diagrams.title":"Diagrammes de réseau","document.download":"Télécharger","document.download.cancel":"Annuler","document.download.confirm":"Télécharger","document.download.dont_warn":"À l’avenir, ne plus me demander en cas de téléchargement de documents sources","document.download.tooltip":"Télécharger le document original","document.download.warning":"Vous êtes sur le point de télécharger un fichier source. {br}{br} Les fichiers sources peuvent contenir des virus et des codes qui avertissent leur auteur quand vous les ouvrez. {br}{br} Pour les données sensibles, nous recommandons d’ouvrir des fichiers sources uniquement depuis un ordinateur qui n’est jamais connecté à Internet.","document.folder.error":"Erreur pendant la création du dossier.","document.folder.new":"Nouveau dossier","document.folder.save":"Créer","document.folder.title":"Nouveau dossier","document.folder.untitled":"Nom du dossier","document.mapping.start":"Générer des entités","document.paging":"Page {pageInput} sur {numberOfPages}","document.pdf.search.page":"Page {page}","document.report_problem":"Report a problem","document.report_problem.text":"You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.","document.report_problem.title":"Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?","document.search.no_match":"Aucune page de ce document ne correspond à vos critères de recherche.","document.upload.button":"Envoyer","document.upload.cancel":"Annuler","document.upload.close":"Fermer","document.upload.errors":"Certains fichiers n’ont pas pu être transférés. Vous pouvez utiliser le bouton Réessayer pour relancer tous les envois qui ont échoué.","document.upload.files":"Choisir les fichiers à envoyer...","document.upload.folder":"Si vous souhaitez plutôt envoyer des dossiers, { button }.","document.upload.folder-toggle":"cliquez ici","document.upload.info":"If you need to upload a large amount of files (100+) consider {link}.","document.upload.notice":"L’envoi est terminé. Le traitement des documents prendra quelque temps avant de pouvoir y réaliser des recherches.","document.upload.progress":"{done} sur {total} fichiers terminés, {errors} erreurs.","document.upload.rejected":"{fileName} ne comporte pas de type de fichier, alors il ne peut être envoyé.","document.upload.retry":"Réessayer","document.upload.save":"Envoyer","document.upload.summary":"{numberOfFiles, number} fichiers, {totalSize}","document.upload.title":"Envoyer des documents","document.upload.title_in_folder":"Envoyer des documents vers {folder}","document.viewer.ignored_file":"Le système ne fonctionne pas avec ces types de fichier. Veuillez le télécharger pour pouvoir le voir.","document.viewer.no_viewer":"Aucun aperçu n’est disponible pour ce document.","email.body.empty":"Aucun corps de message.","entity.delete.cancel":"Annuler","entity.delete.confirm":"Supprimer","entity.delete.error":"Une erreur est survenue en essayant de supprimer cette entité.","entity.delete.progress":"Suppression...","entity.delete.question.multiple":"Voulez-vous vraiment supprimer le/la/les {count, plural, one {item} other {items}} suivant(s) ?","entity.delete.success":"Suppression réussie","entity.document.manager.cannot_map":"Sélectionner un tableau pour générer des entités structurées","entity.document.manager.empty":"Aucun fichier ou répertoire.","entity.document.manager.emptyCanUpload":"Aucun fichier ou répertoire. Faites glisser des fichiers ici ou cliquez pour envoyer.","entity.document.manager.search_placeholder":"Rechercher des documents","entity.document.manager.search_placeholder_document":"Rechercher dans {label}","entity.info.attachments":"Pièces jointes","entity.info.documents":"Documents","entity.info.info":"Info","entity.info.last_view":"Dernière consultation : {time}","entity.info.similar":"Similaire","entity.info.tags":"Mentions","entity.info.text":"Texte","entity.info.view":"Voir","entity.info.workbook_warning":"Cette feuille de calcul fait partie du classeur {link}","entity.manager.bulk_import.description.1":"Sélectionner un tableau ci-dessous à partir duquel importer de nouvelles entités de {schema}.","entity.manager.bulk_import.description.2":"Une fois la sélection effectuée, vous devrez attribuer des colonnes de ce tableau aux propriétés des entités générées.","entity.manager.bulk_import.description.3":"Vous ne voyez pas le tableau que vous cherchez ? {link}","entity.manager.bulk_import.link_text":"Télécharger un nouveau document contenant un tableau","entity.manager.bulk_import.no_results":"Aucun document correspondant trouvé","entity.manager.bulk_import.placeholder":"Sélectionner un document contenant un tableau","entity.manager.delete":"Supprimer","entity.manager.edge_create_success":"Lien réussi entre {source} et {target}","entity.manager.entity_set_add_success":"Ajout réussi de {count} {count, plural, one {entity} other {entities}} à {entitySet}","entity.manager.remove":"Retirer","entity.manager.search_empty":"Aucun résultat de {schema} correspondant trouvé","entity.manager.search_placeholder":"Rechercher des {schema}","entity.mapping.view":"Générer des entités","entity.properties.missing":"inconnu","entity.references.no_relationships":"Cette entité n’a aucune relation.","entity.references.no_results":"Aucun {schema} ne correspond à cette recherche.","entity.references.no_results_default":"Aucune entité ne correspond à cette recherche.","entity.references.search.placeholder":"Rechercher dans {schema}","entity.references.search.placeholder_default":"Rechercher des entités","entity.remove.confirm":"Retirer","entity.remove.error":"Une erreur est survenue en essayant de retirer cette entité.","entity.remove.progress":"Retrait en cours...","entity.remove.question.multiple":"Voulez-vous vraiment retirer le/la/les {count, plural, one {item} other {items}} suivant(s) ?","entity.remove.success":"Retrait réussi","entity.search.empty_title":"Ce dossier est vide.","entity.search.no_results_description":"Essayez d’élargir votre recherche","entity.search.no_results_title":"Aucun résultat de recherche","entity.similar.empty":"Il n’y a pas d’entité similaire.","entity.similar.entity":"Entité similaire","entity.similar.found_text":"{resultCount} {resultCount, plural, one {similar entity} other {similar entities}} trouvée(s) dans {datasetCount} {datasetCount, plural, one {dataset} other {datasets}}","entity.tags.no_tags":"Aucun sélecteur n’a été extrait de cette entité.","entity.viewer.add_link":"Créer un lien","entity.viewer.add_to":"Ajouter à...","entity.viewer.bulk_import":"Importation groupée","entity.viewer.search_placeholder":"Rechercher dans {label}","entitySet.last_updated":"Actualisé le {date}","entityset.choose.name":"Titre","entityset.choose.summary":"Résumé","entityset.create.collection":"Enquête","entityset.create.collection.existing":"Sélectionner une enquête","entityset.create.collection.new":"Vous ne voyez pas l’enquête que vous cherchez ? {link}","entityset.create.collection.new_link":"Créer une nouvelle enquête","entityset.create.submit":"Créer","entityset.delete.confirm":"I understand the consequences.","entityset.delete.confirm.diagram":"Delete this network diagram.","entityset.delete.confirm.list":"Delete this list.","entityset.delete.confirm.profile":"Delete this profile.","entityset.delete.confirm.timeline":"Delete this timeline.","entityset.delete.question":"Are you sure you want to permanently delete {label}? This cannot be undone.","entityset.delete.success":"Suppression réussie de {title}","entityset.delete.title.diagram":"Delete network diagram","entityset.delete.title.list":"Delete list","entityset.delete.title.profile":"Delete profile","entityset.delete.title.timeline":"Delete timeline","entityset.info.delete":"Supprimer","entityset.info.edit":"Paramètres","entityset.info.export":"Export","entityset.info.exportAsSvg":"Exporter au format SVG","entityset.selector.placeholder":"Rechercher","entityset.selector.success":"Ajout réussi de {count} {count, plural, one {entity} other {entities}} à {entitySet}","entityset.selector.success_toast_button":"Voir","entityset.selector.title":"Ajouter {firstCaption} {titleSecondary} à...","entityset.selector.title_default":"Ajouter des entités à...","entityset.selector.title_other":"et {count} autre {count, plural, one {entity} other {entities}}","entityset.update.submit":"Enregistrer les changements","error.screen.not_found":"La page demandée n’a pas pu être trouvée.","export.dialog.text":"Lancer votre export. {br}{br} La création des exports peut prendre du temps. Vous recevrez un e-mail une fois les données prêtes. {br}{br} Merci de ne lancer l’export qu’une seule fois.","exports.dialog.cancel":"Annuler","exports.dialog.confirm":"Export","exports.dialog.dashboard_link":"Afficher l’avancement","exports.dialog.success":"Votre export a commencé.","exports.expiration":"Expiration","exports.manager.description":"Voici une liste de vos exports. Veillez à les télécharger avant leur expiration.","exports.name":"Nom","exports.no_exports":"Vous n’avez pas d’export à télécharger","exports.size":"Taille","exports.status":"État","exports.title":"Exports prêts au téléchargement","facet.addresses":"{count, plural, one {Address} many {Addresses} other {Addresses}}","facet.caption":"Nom","facet.category":"{count, plural, one {Category} many {Categories} other {Categories}}","facet.collection_id":"Ensemble de données","facet.countries":"{count, plural, one {Country} many {Countries} other {Countries}}","facet.dates":"{count, plural, one {Date} many {Dates} other {Dates}}","facet.emails":"{count, plural, one {E-Mail} many {E-Mails} other {E-Mails}}","facet.ibans":"{count, plural, one {IBAN} many {IBANs} other {IBANs}}","facet.languages":"{count, plural, one {Language} many {Languages} other {Languages}}","facet.mimetypes":"{count, plural, one {File type} many {File types} other {File types}}","facet.names":"{count, plural, one {Name} many {Names} other {Names}}","facet.phones":"{count, plural, one {Phone number} many {Phone numbers} other {Phone numbers}}","facet.schema":"Type d’entité","file_import.error":"Erreur d’import de fichier","footer.aleph":"Aleph {version}","footer.ftm":"FollowTheMoney {version}","group.page.description":"La liste ci-dessous montre tous les ensembles de données et toutes les enquêtes qui font partie de ce groupe.","group.page.search.description":"Si vous souhaitez rechercher des entités ou des documents spécifiques dans les ensembles de données auxquels ce groupe a accès, veuillez plutôt cliquer ici.","home.access_disabled":"Accès public temporairement désactivé","home.counts.countries":"Pays et territoires","home.counts.datasets":"Ensembles de données publics","home.counts.entities":"Entités publiques","home.placeholder":"Essayez de rechercher : {samples}","home.statistics.categories":"Catégories d’ensembles de données","home.statistics.countries":"Pays et territoires","home.statistics.schemata":"Types d’entité","home.stats.title":"Commencer à explorer des données publiques","home.title":"Trouver des registres publics et des fuites","hotkeys.judgement.different":"Décider que c’est différent","hotkeys.judgement.group_label":"Décisions d’entité","hotkeys.judgement.next":"Sélectionner le résultat suivant","hotkeys.judgement.previous":"Sélectionner le résultat précédent","hotkeys.judgement.same":"Décider que c’est identique","hotkeys.judgement.unsure":"Décider que les informations sont insuffisantes","hotkeys.search.different":"Aperçu du résultat précédent","hotkeys.search.group_label":"Rechercher l’aperçu","hotkeys.search.unsure":"Prévisualiser le résultat suivant","hotkeys.search_focus":"Rechercher","infoMode.collection_casefile":"Enquête","infoMode.collection_dataset":"Ensemble de données","infoMode.createdAt":"Créé à","infoMode.creator":"Créé par","infoMode.updatedAt":"Dernière actualisation","investigation.mentions.empty":"Il n’y a pas encore de mention dans cette enquête.","investigation.overview.guides":"En savoir plus","investigation.overview.guides.access":"Gérer les accès","investigation.overview.guides.diagrams":"Dessiner des diagrammes de réseau","investigation.overview.guides.documents":"Envoyer des documents","investigation.overview.guides.entities":"Créer et modifier des entités","investigation.overview.guides.mappings":"Générer des entités à partir d’une feuille de calcul","investigation.overview.guides.xref":"Référencement croisé de vos données","investigation.overview.notifications":"Activité récente","investigation.overview.shortcuts":"Liens rapides","investigation.overview.shortcuts_empty":"Commencer","investigation.search.placeholder":"Rechercher dans cette enquête","investigation.shortcut.diagram":"Dessiner un diagramme de réseau","investigation.shortcut.entities":"Créer de nouvelles entités","investigation.shortcut.entity_create_error":"Impossible de créer une entité","investigation.shortcut.entity_create_success":"Création réussie de {name}","investigation.shortcut.upload":"Envoyer des documents","investigation.shortcut.xref":"Comparer avec d’autres ensembles de données","judgement.disabled":"Vous devez disposer d’un accès en tant qu’éditeur pour pouvoir émettre des jugements.","judgement.negative":"Différent","judgement.positive":"Identique","judgement.unsure":"Informations insuffisantes","landing.shortcut.alert":"Créer une alerte de recherche","landing.shortcut.datasets":"Parcourir les ensembles de données","landing.shortcut.investigation":"Commencer une enquête","landing.shortcut.search":"Rechercher des entités","list.create.button":"Nouvelle liste","list.create.label_placeholder":"Liste sans nom","list.create.login":"Vous devez vous connecter pour créer une liste","list.create.success":"Votre liste a été créée avec succès.","list.create.summary_placeholder":"Une brève description de la liste","list.create.title":"Créer une liste","list.selector.create":"Créer une nouvelle liste","list.selector.select_empty":"Pas de liste existante","list.update.label_placeholder":"Liste sans nom","list.update.success":"Votre liste a été actualisée avec succès.","list.update.summary_placeholder":"Une brève description de la liste","list.update.title":"Paramètres de la liste","lists":"Listes","lists.description":"Les listes vous permettent d’organiser et de regrouper des entités d’intérêt.","lists.no_lists":"Il n’y a aucune liste.","lists.title":"Listes","login.oauth":"Se connecter via OAuth","mapping.actions.create":"Générer des entités","mapping.actions.create.toast":"Génération d’entités...","mapping.actions.delete":"Supprimer","mapping.actions.delete.toast":"Supprimer les cartographies et toute entité générée...","mapping.actions.export":"Exporter les cartographies","mapping.actions.flush":"Retirer les entités générées","mapping.actions.flush.toast":"Retrait des entités générées...","mapping.actions.save":"Enregistrer les changements","mapping.actions.save.toast":"Nouvelle génération d’entités...","mapping.create.cancel":"Annuler","mapping.create.confirm":"Générer","mapping.create.question":"Êtes-vous vraiment prêt-e à générer des entités à partir de cette cartographie ?","mapping.delete.cancel":"Annuler","mapping.delete.confirm":"Supprimer","mapping.delete.question":"Voulez-vous vraiment supprimer cette cartographie et toutes les entités générées ?","mapping.docs.link":"Documentation sur la cartographie des entités d’Aleph","mapping.entityAssign.helpText":"Vous devez créer un objet de type « {range} » comme {property}","mapping.entityAssign.noResults":"Aucun objet correspondant disponible","mapping.entityAssign.placeholder":"Sélectionner un objet","mapping.entity_set_select":"Sélectionner une liste ou un diagramme","mapping.entityset.remove":"Retirer","mapping.error.keyMissing":"Erreur de clé : {id} l’entité doit avoir au moins une clé","mapping.error.relationshipMissing":"Erreur de relation : {id} il faut assigner une {source} et une {target} à l’entité","mapping.flush.cancel":"Annuler","mapping.flush.confirm":"Retirer","mapping.flush.question":"Voulez-vous vraiment retirer des entités générées à partir de cette cartographie ?","mapping.import.button":"Importer une cartographie existante","mapping.import.placeholder":"Faites glisser un fichier .yml ici ou cliquez pour importer un fichier de cartographie existant","mapping.import.querySelect":"Sélectionner une requête de cartographie à partir de ce fichier à importer :","mapping.import.submit":"Envoyer","mapping.import.success":"Votre cartographie a été importée avec succès.","mapping.import.title":"Importer une cartographie","mapping.info":"Suivez les étapes ci-dessous pour cartographier des éléments de cette enquête en entités structurées pour suivre l’argent. Pour plus d’informations, veuillez consulter la page {link}","mapping.info.link":"Documentation sur la cartographie des données d’Aleph","mapping.keyAssign.additionalHelpText":"Les meilleures clés sont les colonnes issues de vos données qui contiennent des numéros d’identifiant, des numéros de téléphone, des adresses e-mail ou toute autre information d’identification unique. En l’absence de colonne contenant des données uniques, sélectionnez plusieurs colonnes pour permettre à Aleph de générer correctement des entités uniques à partir de vos données.","mapping.keyAssign.additionalHelpToggle.less":"Moins","mapping.keyAssign.additionalHelpToggle.more":"Plus d’informations sur les clés","mapping.keyAssign.helpText":"Veuillez préciser les colonnes des données sources qui seront utilisées pour identifier des entités uniques.","mapping.keyAssign.noResults":"Aucun résultat","mapping.keyAssign.placeholder":"Sélectionnez les clés à partir des colonnes disponibles","mapping.keys":"Clés","mapping.propAssign.errorBlank":"Les colonnes sans entête ne peuvent pas être attribuées","mapping.propAssign.errorDuplicate":"Les colonnes aux entêtes identiques ne peuvent pas être attribuées","mapping.propAssign.literalButtonText":"Ajouter une valeur fixe","mapping.propAssign.literalPlaceholder":"Ajouter une valeur texte fixe","mapping.propAssign.other":"Autre","mapping.propAssign.placeholder":"Attribuer une propriété","mapping.propRemove":"Retirer cette propriété de la cartographie","mapping.props":"Propriétés","mapping.save.cancel":"Annuler","mapping.save.confirm":"Actualiser la cartographie et générer à nouveau","mapping.save.question":"L’actualisation de cette cartographie supprimera toute entité générée précédemment et les génèrera à nouveau. Voulez-vous vraiment continuer ?","mapping.section1.title":"1. Sélectionnez les types d’entité à générer","mapping.section2.title":"2. Associez les colonnes aux propriétés des entités","mapping.section3.title":"3. Vérifiez","mapping.section4.description":"Les entités générées seront ajoutées à {collection} par défaut. Si vous souhaitez également les ajouter à une liste ou un diagramme dans l’enquête, veuillez cliquer ci-dessous et sélectionner les options disponibles.","mapping.section4.title":"4. Sélectionnez une destination pour les entités générées (facultatif)","mapping.status.error":"Erreur :","mapping.status.status":"État :","mapping.status.updated":"Dernière actualisation :","mapping.title":"Générer des entités structurées","mapping.types.objects":"Objets","mapping.types.relationships":"Relations","mapping.warning.empty":"Vous devez créer au moins une entité","mappings.no_mappings":"Vous n’avez pas encore généré de cartographie","messages.banner.dismiss":"Dismiss","nav.alerts":"Alertes","nav.bookmarks":"Bookmarks","nav.cases":"Enquêtes","nav.collections":"Ensembles de données","nav.diagrams":"Diagrammes de réseau","nav.exports":"Exports","nav.lists":"Listes","nav.menu.cases":"Enquêtes","nav.settings":"Paramètres","nav.signin":"Connexion","nav.signout":"Déconnexion","nav.status":"État du système","nav.timelines":"Calendriers","nav.view_notifications":"Notifications","navbar.alert_add":"Cliquez pour recevoir des alertes sur les nouveaux résultats pour cette recherche.","navbar.alert_remove":"Vous recevez des alertes à propos de cette recherche.","notification.description":"Consultez les dernières actualisations des ensembles de données, enquêtes, groupes et alertes de suivi que vous surveillez.","notifications.greeting":"Quoi de neuf, {role} ?","notifications.no_notifications":"Vous n’avez aucune nouvelle notification","notifications.title":"Notifications récentes","notifications.type_filter.all":"Tout","pages.not.found":"Page non trouvée","pass.auth.not_same":"Vos mots de passe sont différents !","password_auth.activate":"Activer","password_auth.confirm":"Confirmer le mot de passe","password_auth.email":"Adresse e-mail","password_auth.name":"Votre nom","password_auth.password":"Mot de passe","password_auth.signin":"Connexion","password_auth.signup":"Inscription","profile.callout.details":"Ce profil rassemble les attributs et les relations de {count} entités à travers différents ensembles de données.","profile.callout.intro":"Vous voyez {entity} sous forme de profil.","profile.callout.link":"Consultez l’entité originale","profile.delete.warning":"Deleting this profile will not delete any of the entities or entity decisions contained within it.","profile.hint":"{entity} a été associée à des entités d’autres ensembles de données dans un profil","profile.info.header":"Profil","profile.info.items":"Décisions d’entité","profile.info.similar":"Suggestion","profile.items.entity":"Entités associées","profile.items.explanation":"Prenez les décisions ci-dessous pour déterminer quelles entités sources doivent être ajoutées ou exclues de ce profil.","profile.similar.no_results":"Aucun ajout suggéré trouvé pour ce profil.","profileinfo.api_desc":"Utilisez la clé d’API pour lire et inscrire des données à partir d’applications à distance.","queryFilters.clearAll":"Effacer tout","queryFilters.showHidden":"Afficher {count} filtres supplémentaires...","refresh.callout_message":"Les documents sont en cours de traitement. Veuillez patienter...","restricted.explain":"L’utilisation de cet ensemble de données est limitée. Veuillez lire la description et contacter {creator} avant d’utiliser ce contenu.","restricted.explain.creator":"le propriétaire de l’ensemble de données","restricted.tag":"LIMITÉ","result.error":"Erreur","result.more_results":"Plus de {total} résultats","result.none":"Aucun résultat trouvé","result.results":"{count} résultats trouvés","result.searching":"Recherche...","result.solo":"Un résultat trouvé","role.select.user":"Choisir un utilisateur","schemaSelect.button.relationship":"Ajouter une nouvelle relation","schemaSelect.button.thing":"Ajouter un nouvel objet","screen.load_more":"Charger plus","search.advanced.all.helptext":"Seuls les résultats contenant tous les termes saisis apparaîtront","search.advanced.all.label":"Tous ces mots (par défaut)","search.advanced.any.helptext":"Les résultats contenant au moins un des termes saisis apparaîtront","search.advanced.any.label":"Au moins un de ces mots","search.advanced.clear":"Effacer tout","search.advanced.exact.helptext":"Seuls les résultats contenant le mot ou l’expression exacts apparaîtront","search.advanced.exact.label":"Ce mot/cette expression exact-e","search.advanced.none.helptext":"Exclure les résultats contenant ces mots","search.advanced.none.label":"Aucun de ces mots","search.advanced.proximity.distance":"Distance","search.advanced.proximity.helptext":"Rechercher deux termes situés à une certaine distance l’un de l’autre. Par exemple, recherchez les termes « Banque » et « Paris » à une distance de deux mots l’un de l’autre pour trouver des résultats comme « Banque Nationale de Paris », « Banque à Paris », voire « Paris a une Banque ».","search.advanced.proximity.label":"Termes à proximité les uns des autres","search.advanced.proximity.term":"Premier terme","search.advanced.proximity.term2":"Deuxième terme","search.advanced.submit":"Rechercher","search.advanced.title":"Recherche avancée","search.advanced.variants.distance":"Lettres différentes","search.advanced.variants.helptext":"Augmenter l’imprécision d’une recherche. Par exemple, Wladimir~2 donnera non seulement comme résultat « Wladimir », mais aussi des orthographes proches comme « Wladimyr » ou « Vladimyr ». Une variation orthographique est définie en fonction du nombre de fautes d’orthographe qu’il faut faire pour que la variation retrouve le mot original.","search.advanced.variants.label":"Variations orthographiques","search.advanced.variants.term":"Terme","search.callout_message":"Certaines sources sont masquées aux utilisateurs anonymes. Cliquez sur {signInButton} pour voir tous les résultats auxquels vous avez l’autorisation d’accéder.","search.callout_message.button_text":"Connexion","search.columns.configure":"Configurer les colonnes","search.columns.configure_placeholder":"Rechercher une colonne...","search.config.groups":"Groupes de propriétés","search.config.properties":"Propriétés","search.config.reset":"Rétablir les valeurs par défaut","search.facets.clearDates":"Effacer","search.facets.configure":"Configurer les filtres","search.facets.configure_placeholder":"Rechercher un filtre...","search.facets.filtersSelected":"{count} sélectionnés","search.facets.hide":"Masquer les filtres","search.facets.no_items":"Pas d’option","search.facets.show":"Afficher les filtres","search.facets.showMore":"Afficher plus...","search.filterTag.ancestors":"dans :","search.filterTag.exclude":"non :","search.filterTag.role":"Filtrer par accès","search.loading":"Chargement...","search.no_results_description":"Essayez d’élargir votre recherche","search.no_results_title":"Aucun résultat de recherche","search.placeholder":"Rechercher des entreprises, des personnes et des documents","search.placeholder_default":"Rechercher...","search.placeholder_label":"Rechercher dans {label}","search.screen.dates.show-all":"* Afficher toutes les options de filtre de date. { button } pour afficher uniquement les dates récentes","search.screen.dates.show-hidden":"* affiche uniquement les options de filtre de date de {start} à aujourd’hui. { button } pour voir les dates en dehors de cette fourchette.","search.screen.dates.show-hidden.click":"Cliquez ici","search.screen.dates_label":"résultats","search.screen.dates_title":"Dates","search.screen.dates_uncertain_day":"* this count includes dates where no day is specified","search.screen.dates_uncertain_day_month":"* this count includes dates in {year} where no day or month is specified","search.screen.dates_uncertain_month":"* this count includes dates in {year} where no month is specified","search.screen.export":"Export","search.screen.export_disabled":"Impossible d’exporter plus de 10 000 résultats à la fois","search.screen.export_disabled_empty":"Pas de résultat à exporter.","search.screen.export_helptext":"Résultats d’export","search.title":"Rechercher : {title}","search.title_emptyq":"Rechercher","settings.api_key":"Clé d’accès secrète API","settings.confirm":"(confirmer)","settings.current_explain":"Saisissez votre mot de passe actuel pour en définir un nouveau.","settings.current_password":"Mot de passe actuel","settings.email":"Adresse e-mail","settings.email.muted":"Recevoir des notifications quotidiennes par e-mail","settings.email.no_change":"Vous ne pouvez pas changer votre adresse e-mail","settings.email.tester":"Tester de nouvelles fonctionnalités avant leur finalisation","settings.locale":"Langue","settings.name":"Nom","settings.new_password":"Nouveau mot de passe","settings.password.missmatch":"Les mots de passe ne sont pas identiques","settings.password.rules":"Veuillez utiliser au moins six caractères","settings.password.title":"Modifier le mot de passe","settings.save":"Actualiser","settings.saved":"C’est officiel : votre profil a été actualisé.","settings.title":"Paramètres","sidebar.open":"Agrandir","signup.activate":"Activez votre compte","signup.inbox.desc":"Nous vous avons envoyé un e-mail, veuillez cliquer sur le lien pour terminer votre enregistrement","signup.inbox.title":"Consultez votre boîte de réception","signup.login":"Vous avez déjà un compte ? Connectez-vous !","signup.register":"Enregistrement","signup.register.question":"Vous n’avez pas de compte ? Enregistrez-vous !","signup.title":"Connexion","sorting.bar.button.label":"Afficher :","sorting.bar.caption":"Titre","sorting.bar.collection_id":"Ensemble de données","sorting.bar.count":"Taille","sorting.bar.countries":"Pays","sorting.bar.created_at":"Date de création","sorting.bar.date":"Date","sorting.bar.dates":"Dates","sorting.bar.direction":"Adresse :","sorting.bar.endDate":"Date de fin","sorting.bar.label":"Titre","sorting.bar.sort":"Trier par :","sorting.bar.updated_at":"Actualiser la date","sources.index.empty":"Ce groupe n’est lié à aucun ensemble de données ni aucune enquête.","sources.index.placeholder":"Rechercher un ensemble de données ou une enquête appartenant à {group}...","status.no_collection":"Autres tâches","tags.results":"Décompte des mentions","tags.title":"Terme","text.loading":"Chargement...","timeline.create.button":"Nouveau calendrier","timeline.create.label_placeholder":"Calendrier sans nom","timeline.create.login":"Vous devez vous connecter pour créer un calendrier","timeline.create.success":"Votre calendrier a été créé avec succès.","timeline.create.summary_placeholder":"Une brève description du calendrier","timeline.create.title":"Créer un calendrier","timeline.selector.create":"Créer un nouveau calendrier","timeline.selector.select_empty":"Pas de calendrier existant","timeline.update.label_placeholder":"Calendrier sans nom","timeline.update.success":"Votre calendrier a été actualisé avec succès.","timeline.update.summary_placeholder":"Une brève description du calendrier","timeline.update.title":"Paramètres de calendrier","timelines":"Calendriers","timelines.description":"Les calendriers sont un moyen d’afficher et d’organiser des événements de façon chronologique.","timelines.no_timelines":"Il n’y a pas de calendrier","timelines.title":"Calendriers","valuelink.tooltip":"{count} mentions dans {appName}","xref.compute":"Calculer","xref.entity":"Référence","xref.match":"Correspondance possible","xref.match_collection":"Ensemble de données","xref.recompute":"Recalculer","xref.score":"Score","xref.sort.default":"Par défaut","xref.sort.label":"Trier par :","xref.sort.random":"Aléatoire"},"nb":{"alert.manager.description":"Du vil motta varsler når det dukker opp et nytt søkeresultat som matcher et av de lagrede søkene du har satt opp.","alerts.add_placeholder":"Opprett et nytt lagret søk","alerts.delete":"Fjern varsel","alerts.heading":"Rediger dine lagrede søk","alerts.no_alerts":"Du har ingen lagrede søk","alerts.save":"Oppdater","alerts.title":"Lagrede søk","alerts.track":"Track","auth.bad_request":"Serveren aksepterte ikke det du skrev inn","auth.server_error":"Server-feil","auth.success":"Vellykket","auth.unauthorized":"Ingen tilgang","auth.unknown_error":"En ukjent feil har oppstått","case.choose.name":"Tittel","case.choose.summary":"Sammendrag","case.chose.languages":"Språk","case.create.login":"Du må logge inn for å laste opp egne data","case.description":"Ved å opprette en gransking kan du laste opp og dele dokumenter og data som hører til et prosjekt du jobber med. Du kan laste opp PDFer, e-postarkiver og regneark, og de blir gjort tilgjengelige for raskt søk og oversikt.","case.label_placeholder":"Gransking uten navn","case.language_placeholder":"Velg språk","case.languages.helper":"Brukt for optisk tegngjenkjenning i ikke-latinske alfabeter.","case.save":"Lagre","case.share.with":"Del med","case.summary":"En kort beskrivelse av granskingen","case.title":"Opprett en ny gransking","case.users":"Søk etter brukere","cases.create":"Ny gransking","cases.empty":"Du har ikke opprettet noen granskinger ennå","cases.no_results":"Fant ingen granskinger som passer med ditt søk","cases.placeholder":"Søk etter gransking...","cases.title":"Granskinger","clipboard.copy.after":"Kopiert til utklippstavlen","clipboard.copy.before":"Kopiér til utklippstavlen","collection.addSchema.placeholder":"Legg til ny entitets-type","collection.analyze.alert.text":"Du er i ferd med å re-indeksere entitetene i {collectionLabel}. Dette kan være nyttig hvis det er uregelmessigheter i hvordan dataene blir presentert.","collection.analyze.cancel":"Avbryt","collection.cancel.button":"Avbryt","collection.countries":"Land","collection.creator":"Ansvarlig","collection.data_updated_at":"Innhold oppdatert","collection.data_url":"Data URL","collection.delete.confirm":"I understand the consequences.","collection.delete.confirm.dataset":"Delete this dataset.","collection.delete.confirm.investigation":"Delete this investigation.","collection.delete.question":"Are you sure you want to permanently delete {collectionLabel} and all contained items? This cannot be undone.","collection.delete.success":"Successfully deleted {label}","collection.delete.title.dataset":"Slett datasett","collection.delete.title.investigation":"Slett gransking","collection.edit.access_title":"Tilgangskontroll","collection.edit.cancel_button":"Avbryt","collection.edit.groups":"Grupper","collection.edit.info.analyze":"Re-prosesser","collection.edit.info.cancel":"Avbryt","collection.edit.info.category":"Kategori","collection.edit.info.countries":"Land","collection.edit.info.creator":"Ansvarlig","collection.edit.info.data_url":"Data-kilde URL","collection.edit.info.delete":"Slett","collection.edit.info.foreign_id":"Ekstern ID","collection.edit.info.frequency":"Oppdateringsfrekvens","collection.edit.info.info_url":"Informasjons-URL","collection.edit.info.label":"Merkelapp","collection.edit.info.languages":"Språk","collection.edit.info.placeholder_country":"Velg land","collection.edit.info.placeholder_data_url":"Lenke til nedlastbare rådata","collection.edit.info.placeholder_info_url":"Lenke til ytterligere informasjon","collection.edit.info.placeholder_label":"En merkelapp","collection.edit.info.placeholder_language":"Velg språk","collection.edit.info.placeholder_publisher":"Organisasjon eller person som publiserere disse datene","collection.edit.info.placeholder_publisher_url":"Lenke til publiserings-kilden","collection.edit.info.placeholder_summary":"Et kort sammendrag","collection.edit.info.publisher":"Publisert av","collection.edit.info.publisher_url":"URL til publiserings-kilden","collection.edit.info.restricted":"Dette datasettet er begrenset/sensitivt og brukere bør få opp en advarsel.","collection.edit.info.save":"Lagre endringer","collection.edit.info.summary":"Sammendrag","collection.edit.permissions_warning":"NB: Brukeren må ha en Aleph-bruker for å kunne få tilgang.","collection.edit.permissionstable.edit":"Rediger","collection.edit.permissionstable.view":"Vis","collection.edit.save_button":"Lagre endringer","collection.edit.save_success":"Dine endringer er lagret.","collection.edit.title":"Innstillinger","collection.edit.users":"Brukere","collection.foreign_id":"Ekstern ID","collection.frequency":"Oppdateringer","collection.index.empty":"Fant ingen datasett.","collection.index.filter.all":"Alle","collection.index.filter.mine":"Opprettet av meg","collection.index.no_results":"Fant ingen datasett som passer til ditt søk.","collection.index.placeholder":"Søk etter datasett...","collection.index.title":"Datasett","collection.info.access":"Del","collection.info.browse":"Dokumenter","collection.info.delete":"Slett datasett","collection.info.delete_casefile":"Slett gransking","collection.info.diagrams":"Nettverksdiagram","collection.info.diagrams_description":"Nettverksdiagram lar deg visualisere komplekse relasjoner i en gransking.","collection.info.documents":"Dokumenter","collection.info.edit":"Innstillinger","collection.info.entities":"Entiteter","collection.info.lists":"Lister","collection.info.lists_description":"Lister lar deg organisere og gruppere relaterte entiteter av interesse.","collection.info.mappings":"Kobling av entiteter","collection.info.mappings_description":"Entitetskobling lar deg generere strukturerte data som følger Follow The Money-modellen (slik som personer, selskaper og relasjonene mellom dem). Du kan importere entitetene fra rader i et regneark eller en CSV-fil.","collection.info.mentions":"Henvisninger","collection.info.mentions_description":"Aleph finner automatisk navn, adresser, telefonnummer og e-postadresser som er nevnt i de opplastede dokumentene og entitetene i din gransking. {br}{br} Klikk på et av ordene som er funnet i listen under for å se hvor i dokumentene dine det finnes.","collection.info.overview":"Oversikt","collection.info.reindex":"Re-indekser alt innhold","collection.info.reingest":"Last inn dokumenter på nytt","collection.info.search":"Søk","collection.info.source_documents":"Kildedokumenter","collection.info.timelines":"Tidslinjer","collection.info.timelines_description":"Tidslinjer er en måte å organisere hendelser på kronologisk.","collection.info.xref":"Finn kryssreferanser","collection.info.xref_description":"Finne kryssreferanser lar deg søke i resten av Aleph etter entiteter som likner på de som er i din gransking.","collection.info_url":"Informasjons-URL","collection.last_updated":"Sist oppdatert {date}","collection.mappings.create":"Lag en ny entitetskobling","collection.mappings.create_docs_link":"For mer informasjon, klikk på lenken {link}","collection.overview.empty":"Dette datasettet er tomt.","collection.publisher":"Publisert av","collection.reconcile":"Sammenstilling av data","collection.reconcile.description":"Sammenstill dine egne data med entitetene i denne samlingen ved bruk av {openrefine}-verktøyet og ved å legge til sammenstillings-endepunktet.","collection.reindex.cancel":"Avbryt","collection.reindex.confirm":"Start indeksering","collection.reindex.flush":"Tøm indeks før re-indeksering","collection.reindex.processing":"Indeksering startet.","collection.reingest.confirm":"Start prosessering","collection.reingest.index":"Indekser dokumenter etter hvert som de blir prosessert.","collection.reingest.processing":"Innlasting har startet på nytt","collection.reingest.text":"Du er i ferd med å re-prosessere alle dokumentene i {collectionLabel}. Dette kan ta litt tid.","collection.statistics.showmore":"Vis mer","collection.status.cancel_button":"Avbryt prosesssen","collection.status.collection":"Datasett","collection.status.finished_tasks":"Ferdig","collection.status.jobs":"Jobber","collection.status.message":"Ta deg en trall mens dataene dine blir behandlet.","collection.status.no_active":"Det er ingen pågående oppgaver","collection.status.pending_tasks":"På vent","collection.status.progress":"Oppgaver","collection.status.title":"Oppdatering pågår ({percent}%)","collection.team":"Tilgjengelig for","collection.updated_at":"Metadata oppdatert","collection.xref.cancel":"Avbryt","collection.xref.confirm":"Bekreft","collection.xref.empty":"Det er ingen kryssreferanse-resultater.","collection.xref.processing":"Har startet å lete etter kryssreferanser.","collection.xref.text":"Du vil nå lete etter kryssreferanser mellom {collectionLabel} og andre kilder. Start denne prosessen én gang og vent til den er ferdig.","collection.xref.title":"Finn kryssreferanser","dashboard.activity":"Aktivitet","dashboard.alerts":"Lagrede søk","dashboard.cases":"Granskinger","dashboard.diagrams":"Nettverksdiagram","dashboard.exports":"Eksporter","dashboard.groups":"Grupper","dashboard.lists":"Lists","dashboard.notifications":"Varsler","dashboard.settings":"Innstillinger","dashboard.status":"System status","dashboard.subheading":"Sjekk fremdriften i pågående dataanalyser, opplastinger eller prosseseringsoppgaver.","dashboard.timelines":"Timelines","dashboard.title":"System Status","dashboard.workspace":"Arbeidsområde","dataset.search.placeholder":"Søk i dette datasettet","diagram.create.button":"Nytt diagram","diagram.create.label_placeholder":"Diagram uten navn","diagram.create.login":"Du må logge inn for å opprette et diagram","diagram.create.success":"Ditt diagram har blitt opprettet","diagram.create.summary_placeholder":"En kort beskrivelse av diagrammet","diagram.create.title":"Opprett et diagram","diagram.embed.error":"En feil oppsto ved generering av embed-kode for diagrammet.","diagram.export.embed.description":"Generer en interaktiv versjon av diagrammet som kan bygges inn i en artikkel. Denne versjonen vil ikke bli oppdater med eventuelle endringer du gjør i diagrammet i fremtiden.","diagram.export.error":"En feil oppsto ved eksport av diagrammet","diagram.export.ftm":"Eksporter som .ftm","diagram.export.ftm.description":"Last ned diagrammet som en datafil som kan bli brukt i {link} eller en annen Aleph site.","diagram.export.ftm.link":"Aleph Data Desktop","diagram.export.iframe":"Embed iframe","diagram.export.svg":"Eksporter som SVG","diagram.export.svg.description":"Last ned en vektorgrafikk med innholdet fra diagrammet.","diagram.export.title":"Eksport-alternativer","diagram.import.button":"Importer diagram","diagram.import.placeholder":"Slipp en .ftm- eller .vis- fil her eller klikk for å importere et eksisterende diagram.","diagram.import.title":"Importer et nettverksdiagram","diagram.render.error":"Feil ved uttegning av diagrammet","diagram.selector.create":"Opprett et diagram","diagram.selector.select_empty":"Det finnes ikke noe eksisterende diagram","diagram.update.label_placeholder":"Diagram uten navn","diagram.update.success":"Ditt diagram er oppdatert.","diagram.update.summary_placeholder":"En kort beskrivelse av diagrammet","diagram.update.title":"Diagram-innstillinger","diagrams":"Diagrammer","diagrams.description":"Nettverksdiagram lar deg visualisere komplekse relasjoner i en gransking.","diagrams.no_diagrams":"Det finnes ingen nettverksdiagrammer.","diagrams.title":"Nettverksdiagrammer","document.download":"Last ned","document.download.cancel":"Avbryt","document.download.confirm":"Last ned","document.download.dont_warn":"Ikke advar meg om nedlasting av kildedokumenter i fremtiden","document.download.tooltip":"Last ned originaldokumentet","document.download.warning":"Du er i ferd med å last ned et originaldokument. {br}{br} Originaldokumenter kan inneholde virus og kode som varsler de som har laget det om at du har åpnet det. {br}{br} Dersom det er snakk om sensitive data anbefaler vi at du åpner dokumentene på en pc som ikke er eller har vært koblet til internett. ","document.folder.error":"Det oppsto en feil ved opprettelse av mappen.","document.folder.new":"Ny mappe","document.folder.save":"Opprett","document.folder.title":"Ny mappe","document.folder.untitled":"Mappe-navn","document.mapping.start":"Generer entiteter","document.paging":"Side {pageInput} av {numberOfPages}","document.pdf.search.page":"Side {page}","document.report_problem":"Report a problem","document.report_problem.text":"You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.","document.report_problem.title":"Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?","document.search.no_match":"Det er ingen enkeltside i dette dokumentet der det er treff på alle søkeuttrykkene.","document.upload.button":"Last opp","document.upload.cancel":"Avbryt","document.upload.close":"Lukk","document.upload.errors":"Noen filer kunne ikke overføres. Du kan bruke Prøv på nytt-knappen for å starte alle opplastinger som feilet på nytt.","document.upload.files":"Velg filer du vil laste opp...","document.upload.folder":"Hvis du vil laste opp mapper i stedet { button }.","document.upload.folder-toggle":"klikk her","document.upload.info":"If you need to upload a large amount of files (100+) consider {link}.","document.upload.notice":"Opplastingen er ferdig. Det tar en liten stund før dokumentene er behandlet og er søkbare. ","document.upload.progress":"{done} av {total} filer ferdig, {errors} feil.","document.upload.rejected":"{fileName} mangler filtype, så den kan ikke lastes opp.","document.upload.retry":"Prøv på nytt","document.upload.save":"Last opp","document.upload.summary":"{numberOfFiles, number} filer, {totalSize}","document.upload.title":"Last opp dokumenter","document.upload.title_in_folder":"Last opp dokumenter til {folder}","document.viewer.ignored_file":"Systemet virker ikke med denne typen filer. Last ned filen for å se den.","document.viewer.no_viewer":"Forhåndsvisning er ikke tilgjengelig for dette dokumentet","email.body.empty":"Ikke noe innhold i meldingen","entity.delete.cancel":"Avbryt","entity.delete.confirm":"Slett","entity.delete.error":"En feil oppsto ved sletting av denne entiteten","entity.delete.progress":"Sletter...","entity.delete.question.multiple":"Are you sure you want to delete the following {count, plural, one {item} other {items}}?","entity.delete.success":"Slettingen var vellykket","entity.document.manager.cannot_map":"Velg en tabell for å opprette strukturerte entiteter","entity.document.manager.empty":"Ingen filer eller mapper","entity.document.manager.emptyCanUpload":"Ingen filer eller mapper. Slipp filer her eller klikk for å laste opp.","entity.document.manager.search_placeholder":"Søk etter dokumenter","entity.document.manager.search_placeholder_document":"Søk i {label}","entity.info.attachments":"Vedlegg","entity.info.documents":"Dokumenter","entity.info.info":"Informasjon","entity.info.last_view":"Sist vist {time}","entity.info.similar":"Liknende","entity.info.tags":"Henvisninger","entity.info.text":"Tekst","entity.info.view":"Vis","entity.info.workbook_warning":"Dette arket er del av arbeidsboken {link}","entity.manager.bulk_import.description.1":"Velg en tabell under som du vil importere nye {schema}-entiteter fra.","entity.manager.bulk_import.description.2":"Once selected, you will be prompted to assign columns from that table to properties of the generated entities.","entity.manager.bulk_import.description.3":"Ser du ikke tabellen du leter etter? {link}","entity.manager.bulk_import.link_text":"Last opp et nytt tabell-dokument.","entity.manager.bulk_import.no_results":"Fant ingen dokumenter som samsvarte med søket.","entity.manager.bulk_import.placeholder":"Velg et tabell-dokument","entity.manager.delete":"Slett","entity.manager.edge_create_success":"Opprettelsen av koblingen mellom {source} og {target} var vellykket.","entity.manager.entity_set_add_success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entity.manager.remove":"Fjern","entity.manager.search_empty":"No matching {schema} results found","entity.manager.search_placeholder":"Search {schema}","entity.mapping.view":"Generer entiteter","entity.properties.missing":"ukjent","entity.references.no_relationships":"Denne entiteten har ikke noen relasjoner","entity.references.no_results":"Det er ingen {schema} som passer til ditt søk","entity.references.no_results_default":"Det er ingen entiteter som passer til søket","entity.references.search.placeholder":"Søk etter {schema}","entity.references.search.placeholder_default":"Søk etter entiteter","entity.remove.confirm":"Fjern","entity.remove.error":"En feil oppsto ved fjerning av denne entiteten","entity.remove.progress":"Fjerner...","entity.remove.question.multiple":"Er du sikker på at du vil fjerne følgende {count, plural, one {item} other {items}}?","entity.remove.success":"Successfully removed","entity.search.empty_title":"This folder is empty","entity.search.no_results_description":"Try making your search more general","entity.search.no_results_title":"No search results","entity.similar.empty":"There are no similar entities.","entity.similar.entity":"Similar entity","entity.similar.found_text":"Found {resultCount} {resultCount, plural, one {similar entity} other {similar entities}} from {datasetCount} {datasetCount, plural, one {dataset} other {datasets}}","entity.tags.no_tags":"No selectors were extracted from this entity.","entity.viewer.add_link":"Create link","entity.viewer.add_to":"Add to...","entity.viewer.bulk_import":"Bulk import","entity.viewer.search_placeholder":"Søk i {label}","entitySet.last_updated":"Updated {date}","entityset.choose.name":"Tittel","entityset.choose.summary":"Sammendrag","entityset.create.collection":"Investigation","entityset.create.collection.existing":"Select an investigation","entityset.create.collection.new":"Don't see the investigation you're looking for? {link}","entityset.create.collection.new_link":"Create a new investigation","entityset.create.submit":"Opprett","entityset.delete.confirm":"I understand the consequences.","entityset.delete.confirm.diagram":"Delete this network diagram.","entityset.delete.confirm.list":"Delete this list.","entityset.delete.confirm.profile":"Delete this profile.","entityset.delete.confirm.timeline":"Delete this timeline.","entityset.delete.question":"Are you sure you want to permanently delete {label}? This cannot be undone.","entityset.delete.success":"Successfully deleted {title}","entityset.delete.title.diagram":"Delete network diagram","entityset.delete.title.list":"Delete list","entityset.delete.title.profile":"Delete profile","entityset.delete.title.timeline":"Delete timeline","entityset.info.delete":"Slett","entityset.info.edit":"Innstillinger","entityset.info.export":"Export","entityset.info.exportAsSvg":"Eksporter som SVG","entityset.selector.placeholder":"Search existing","entityset.selector.success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entityset.selector.success_toast_button":"Vis","entityset.selector.title":"Add {firstCaption} {titleSecondary} to...","entityset.selector.title_default":"Add entities to...","entityset.selector.title_other":"and {count} other {count, plural, one {entity} other {entities}}","entityset.update.submit":"Lagre endringer","error.screen.not_found":"The requested page could not be found.","export.dialog.text":"Initiate your export. {br}{br} Exports take some time to generate. You will receive an email once the data is ready. {br}{br} Please trigger this export only once.","exports.dialog.cancel":"Avbryt","exports.dialog.confirm":"Export","exports.dialog.dashboard_link":"View progress","exports.dialog.success":"Your export has begun.","exports.expiration":"Expiration","exports.manager.description":"Below is a list of your exports. Make sure to download them before they expire.","exports.name":"Name","exports.no_exports":"You have no exports to download","exports.size":"Size","exports.status":"Status","exports.title":"Exports ready for download","facet.addresses":"{count, plural, one {Address} other {Addresses}}","facet.caption":"Name","facet.category":"{count, plural, one {Category} other {Categories}}","facet.collection_id":"Datasett","facet.countries":"{count, plural, one {Country} other {Countries}}","facet.dates":"{count, plural, one {Date} other {Dates}}","facet.emails":"{count, plural, one {E-Mail} other {E-Mails}}","facet.ibans":"{count, plural, one {IBAN} other {IBANs}}","facet.languages":"{count, plural, one {Language} other {Languages}}","facet.mimetypes":"{count, plural, one {File type} other {File types}}","facet.names":"{count, plural, one {Name} other {Names}}","facet.phones":"{count, plural, one {Phone number} other {Phone numbers}}","facet.schema":"Entity type","file_import.error":"Error importing file","footer.aleph":"Aleph {version}","footer.ftm":"FollowTheMoney {version}","group.page.description":"The list below shows all datasets and investigations that belong to this group.","group.page.search.description":"If you would like to search for specific entities or documents within the datasets that this group has access to, click here instead.","home.access_disabled":"Public access temporarily disabled","home.counts.countries":"Countries & territories","home.counts.datasets":"Public datasets","home.counts.entities":"Public entities","home.placeholder":"Try searching: {samples}","home.statistics.categories":"Dataset categories","home.statistics.countries":"Countries and territories","home.statistics.schemata":"Entity types","home.stats.title":"Get started exploring public data","home.title":"Find public records and leaks","hotkeys.judgement.different":"Decide different","hotkeys.judgement.group_label":"Entity decisions","hotkeys.judgement.next":"Select next result","hotkeys.judgement.previous":"Select previous result","hotkeys.judgement.same":"Decide same","hotkeys.judgement.unsure":"Decide not enough information","hotkeys.search.different":"Preview previous result","hotkeys.search.group_label":"Search preview","hotkeys.search.unsure":"Preview next result","hotkeys.search_focus":"Søk","infoMode.collection_casefile":"Investigation","infoMode.collection_dataset":"Datasett","infoMode.createdAt":"Created at","infoMode.creator":"Created by","infoMode.updatedAt":"Last updated","investigation.mentions.empty":"There are no mentions yet in this investigation.","investigation.overview.guides":"Read more","investigation.overview.guides.access":"Managing access","investigation.overview.guides.diagrams":"Drawing network diagrams","investigation.overview.guides.documents":"Uploading documents","investigation.overview.guides.entities":"Creating & editing entities","investigation.overview.guides.mappings":"Generating entities from a spreadsheet","investigation.overview.guides.xref":"Cross-referencing your data","investigation.overview.notifications":"Recent activity","investigation.overview.shortcuts":"Quick links","investigation.overview.shortcuts_empty":"Getting started","investigation.search.placeholder":"Search this investigation","investigation.shortcut.diagram":"Sketch a network diagram","investigation.shortcut.entities":"Create new entities","investigation.shortcut.entity_create_error":"Unable to create entity","investigation.shortcut.entity_create_success":"Successfully created {name}","investigation.shortcut.upload":"Last opp dokumenter","investigation.shortcut.xref":"Compare with other datasets","judgement.disabled":"You must have edit access in order to make judgements.","judgement.negative":"Different","judgement.positive":"Same","judgement.unsure":"Not enough information","landing.shortcut.alert":"Create a search alert","landing.shortcut.datasets":"Browse datasets","landing.shortcut.investigation":"Start an investigation","landing.shortcut.search":"Søk etter entiteter","list.create.button":"New list","list.create.label_placeholder":"Untitled list","list.create.login":"You must log in to create a list","list.create.success":"Your list has been created successfully.","list.create.summary_placeholder":"A brief description of the list","list.create.title":"Create a list","list.selector.create":"Create a new list","list.selector.select_empty":"No existing list","list.update.label_placeholder":"Untitled list","list.update.success":"Your list has been updated successfully.","list.update.summary_placeholder":"A brief description of the list","list.update.title":"List settings","lists":"Lists","lists.description":"Lister lar deg organisere og gruppere relaterte entiteter av interesse.","lists.no_lists":"There are no lists.","lists.title":"Lists","login.oauth":"Sign in via OAuth","mapping.actions.create":"Generer entiteter","mapping.actions.create.toast":"Generating entities...","mapping.actions.delete":"Slett","mapping.actions.delete.toast":"Deleting mapping and any generated entities...","mapping.actions.export":"Export mapping","mapping.actions.flush":"Remove generated entities","mapping.actions.flush.toast":"Removing generated entities...","mapping.actions.save":"Lagre endringer","mapping.actions.save.toast":"Re-generating entities...","mapping.create.cancel":"Avbryt","mapping.create.confirm":"Generate","mapping.create.question":"Are you sure you are ready to generate entities using this mapping?","mapping.delete.cancel":"Avbryt","mapping.delete.confirm":"Slett","mapping.delete.question":"Are you sure you want to delete this mapping and all generated entities?","mapping.docs.link":"Aleph entity mapping documentation","mapping.entityAssign.helpText":"You must create an object of type \"{range}\" to be the {property}","mapping.entityAssign.noResults":"No matching objects available","mapping.entityAssign.placeholder":"Select an object","mapping.entity_set_select":"Select a List or Diagram","mapping.entityset.remove":"Fjern","mapping.error.keyMissing":"Key Error: {id} entity must have at least one key","mapping.error.relationshipMissing":"Relationship Error: {id} entity must have a {source} and {target} assigned","mapping.flush.cancel":"Avbryt","mapping.flush.confirm":"Fjern","mapping.flush.question":"Are you sure you want to remove entities generated using this mapping?","mapping.import.button":"Import existing mapping","mapping.import.placeholder":"Drop a .yml file here or click to import an existing mapping file","mapping.import.querySelect":"Select a mapping query from this file to import:","mapping.import.submit":"Submit","mapping.import.success":"Your mapping has been imported successfully.","mapping.import.title":"Import a mapping","mapping.info":"Follow the steps below to map items in this investigation to structured Follow the Money entites. For more information, please refer to the {link}","mapping.info.link":"Aleph data mapping documentation","mapping.keyAssign.additionalHelpText":"The best keys are columns from your data that contain id numbers, phone numbers, email addresses, or other uniquely identifying information. If no columns with unique values exist, select multiple columns to allow Aleph to generate unique entities correctly from your data.","mapping.keyAssign.additionalHelpToggle.less":"Less","mapping.keyAssign.additionalHelpToggle.more":"More about keys","mapping.keyAssign.helpText":"Specify which columns from the source data will be used to identify unique entities.","mapping.keyAssign.noResults":"No results","mapping.keyAssign.placeholder":"Select keys from available columns","mapping.keys":"Keys","mapping.propAssign.errorBlank":"Columns with no header cannot be assigned","mapping.propAssign.errorDuplicate":"Columns with duplicate headers cannot be assigned","mapping.propAssign.literalButtonText":"Add a fixed value","mapping.propAssign.literalPlaceholder":"Add fixed value text","mapping.propAssign.other":"Other","mapping.propAssign.placeholder":"Assign a property","mapping.propRemove":"Remove this property from mapping","mapping.props":"Properties","mapping.save.cancel":"Avbryt","mapping.save.confirm":"Update mapping & re-generate","mapping.save.question":"Updating this mapping will delete any previously generated entities and re-generate them. Are you sure you would like to continue?","mapping.section1.title":"1. Select entity types to generate","mapping.section2.title":"2. Map columns to entity properties","mapping.section3.title":"3. Verify","mapping.section4.description":"Generated entities will be added to {collection} by default. If you would like to additionally add them to a list or diagram within the investigation, please click below and select from the available options.","mapping.section4.title":"4. Select a destination for generated entities (optional)","mapping.status.error":"Error:","mapping.status.status":"Status:","mapping.status.updated":"Last updated:","mapping.title":"Generate structured entities","mapping.types.objects":"Objects","mapping.types.relationships":"Relationships","mapping.warning.empty":"You must create at least one entity","mappings.no_mappings":"You have not generated any mappings yet","messages.banner.dismiss":"Dismiss","nav.alerts":"Lagrede søk","nav.bookmarks":"Bookmarks","nav.cases":"Granskinger","nav.collections":"Datasett","nav.diagrams":"Nettverksdiagrammer","nav.exports":"Eksporter","nav.lists":"Lists","nav.menu.cases":"Granskinger","nav.settings":"Innstillinger","nav.signin":"Sign in","nav.signout":"Sign out","nav.status":"System status","nav.timelines":"Tidslinjer","nav.view_notifications":"Varsler","navbar.alert_add":"Click to receive alerts about new results for this search.","navbar.alert_remove":"You are receiving alerts about this search.","notification.description":"View the latest updates to datasets, investigations, groups and tracking alerts you follow.","notifications.greeting":"What's new, {role}?","notifications.no_notifications":"You have no unseen notifications","notifications.title":"Recent notifications","notifications.type_filter.all":"Alle","pages.not.found":"Page not found","pass.auth.not_same":"Your passwords are not the same!","password_auth.activate":"Activate","password_auth.confirm":"Confirm password","password_auth.email":"Email address","password_auth.name":"Your Name","password_auth.password":"Password","password_auth.signin":"Sign in","password_auth.signup":"Sign up","profile.callout.details":"This profile aggregates attributes and relationships from {count} entities across different datasets.","profile.callout.intro":"You're viewing {entity} as a profile.","profile.callout.link":"View the original entity","profile.delete.warning":"Deleting this profile will not delete any of the entities or entity decisions contained within it.","profile.hint":"{entity} has been combined with entities from other datasets into a profile","profile.info.header":"Profile","profile.info.items":"Entity decisions","profile.info.similar":"Suggested","profile.items.entity":"Combined entities","profile.items.explanation":"Make decisions below to determine which source entities should be added or excluded from this profile.","profile.similar.no_results":"No suggested additions for this profile were found.","profileinfo.api_desc":"Use the API key to read and write data via remote applications.","queryFilters.clearAll":"Clear all","queryFilters.showHidden":"Show {count} more filters...","refresh.callout_message":"Documents are being processed. Please wait...","restricted.explain":"Use of this dataset is restricted. Read the description and contact {creator} before using this material.","restricted.explain.creator":"the dataset owner","restricted.tag":"RESTRICTED","result.error":"Error","result.more_results":"More than {total} results","result.none":"No results found","result.results":"Found {total} results","result.searching":"Searching...","result.solo":"One result found","role.select.user":"Choose a user","schemaSelect.button.relationship":"Add a new relationship","schemaSelect.button.thing":"Add a new object","screen.load_more":"Load more","search.advanced.all.helptext":"Only results containing all of the given terms will be returned","search.advanced.all.label":"All of these words (Default)","search.advanced.any.helptext":"Results containing any of the given terms will be returned","search.advanced.any.label":"Any of these words","search.advanced.clear":"Clear all","search.advanced.exact.helptext":"Only results with this exact word or phrase will be returned","search.advanced.exact.label":"This exact word/phrase","search.advanced.none.helptext":"Exclude results with these words","search.advanced.none.label":"None of these words","search.advanced.proximity.distance":"Distance","search.advanced.proximity.helptext":"Search for two terms within a certain distance of each other. For example, return results with the terms \"Bank\" and \"America\" occurring within two words from each other, such as \"Bank of America\", \"Bank in America\", even \"America has a Bank\".","search.advanced.proximity.label":"Terms in proximity to each other","search.advanced.proximity.term":"First term","search.advanced.proximity.term2":"Second term","search.advanced.submit":"Søk","search.advanced.title":"Advanced Search","search.advanced.variants.distance":"Letters different","search.advanced.variants.helptext":"Increase the fuzziness of a search. For example, Wladimir~2 will return not just the term “Wladimir” but also similar spellings such as \"Wladimyr\" or \"Vladimyr\". A spelling variant is defined by the number of spelling mistakes that must be made to get from the original word to the variant.","search.advanced.variants.label":"Spelling variations","search.advanced.variants.term":"Term","search.callout_message":"Some sources are hidden from anonymous users. {signInButton} to see all results you are authorised to access.","search.callout_message.button_text":"Sign in","search.columns.configure":"Configure columns","search.columns.configure_placeholder":"Search for a column...","search.config.groups":"Property groups","search.config.properties":"Properties","search.config.reset":"Reset to default","search.facets.clearDates":"Clear","search.facets.configure":"Configure filters","search.facets.configure_placeholder":"Search for a filter...","search.facets.filtersSelected":"{count} selected","search.facets.hide":"Hide filters","search.facets.no_items":"No options","search.facets.show":"Show filters","search.facets.showMore":"Show more…","search.filterTag.ancestors":"in:","search.filterTag.exclude":"not:","search.filterTag.role":"Filter by access","search.loading":"Loading...","search.no_results_description":"Try making your search more general","search.no_results_title":"No search results","search.placeholder":"Search companies, people and documents","search.placeholder_default":"Search…","search.placeholder_label":"Søk i {label}","search.screen.dates.show-all":"* Showing all date filter options. { button } to view recent dates only.","search.screen.dates.show-hidden":"* Showing only date filter options from {start} to the present. { button } to view dates outside this range.","search.screen.dates.show-hidden.click":"Click here","search.screen.dates_label":"results","search.screen.dates_title":"Dates","search.screen.dates_uncertain_day":"* this count includes dates where no day is specified","search.screen.dates_uncertain_day_month":"* this count includes dates in {year} where no day or month is specified","search.screen.dates_uncertain_month":"* this count includes dates in {year} where no month is specified","search.screen.export":"Export","search.screen.export_disabled":"Cannot export more than 10,000 results at a time","search.screen.export_disabled_empty":"No results to export.","search.screen.export_helptext":"Export results","search.title":"Search: {title}","search.title_emptyq":"Søk","settings.api_key":"API Secret Access Key","settings.confirm":"(confirm)","settings.current_explain":"Enter your current password to set a new one.","settings.current_password":"Current password","settings.email":"E-mail Address","settings.email.muted":"Receive daily notification e-mails","settings.email.no_change":"Your e-mail address cannot be changed","settings.email.tester":"Test new features before they are finished","settings.locale":"Language","settings.name":"Name","settings.new_password":"New password","settings.password.missmatch":"Passwords do not match","settings.password.rules":"Use at least six characters","settings.password.title":"Change your password","settings.save":"Oppdater","settings.saved":"It's official, your profile is updated.","settings.title":"Innstillinger","sidebar.open":"Expand","signup.activate":"Activate your account","signup.inbox.desc":"We've sent you an email, please follow the link to complete your registration","signup.inbox.title":"Check your inbox","signup.login":"Already have account? Sign in!","signup.register":"Register","signup.register.question":"Don't have account? Register!","signup.title":"Sign in","sorting.bar.button.label":"Show:","sorting.bar.caption":"Tittel","sorting.bar.collection_id":"Datasett","sorting.bar.count":"Size","sorting.bar.countries":"Land","sorting.bar.created_at":"Creation Date","sorting.bar.date":"Date","sorting.bar.dates":"Dates","sorting.bar.direction":"Direction:","sorting.bar.endDate":"End date","sorting.bar.label":"Tittel","sorting.bar.sort":"Sort by:","sorting.bar.updated_at":"Update Date","sources.index.empty":"This group is not linked to any datasets or investigations.","sources.index.placeholder":"Search for a dataset or investigation belonging to {group}...","status.no_collection":"Other tasks","tags.results":"Mention count","tags.title":"Term","text.loading":"Loading…","timeline.create.button":"New timeline","timeline.create.label_placeholder":"Untitled timeline","timeline.create.login":"You must log in to create a timeline","timeline.create.success":"Your timeline has been created successfully.","timeline.create.summary_placeholder":"A brief description of the timeline","timeline.create.title":"Create a timeline","timeline.selector.create":"Create a new timeline","timeline.selector.select_empty":"No existing timeline","timeline.update.label_placeholder":"Untitled timeline","timeline.update.success":"Your timeline has been updated successfully.","timeline.update.summary_placeholder":"A brief description of the timeline","timeline.update.title":"Timeline settings","timelines":"Tidslinjer","timelines.description":"Tidslinjer er en måte å organisere hendelser på kronologisk.","timelines.no_timelines":"There are no timelines.","timelines.title":"Tidslinjer","valuelink.tooltip":"{count} mentions in {appName}","xref.compute":"Compute","xref.entity":"Reference","xref.match":"Possible match","xref.match_collection":"Datasett","xref.recompute":"Re-compute","xref.score":"Score","xref.sort.default":"Default","xref.sort.label":"Sort by:","xref.sort.random":"Random"},"nl":{"alert.manager.description":"U krijgt een bericht wanneer een nieuw resultaat wordt toegevoegd dat overeenkomst met een van de waarschuwingen die u hieronder aanmaakt.","alerts.add_placeholder":"Maak een nieuwe volgwaarschuwing aan...","alerts.delete":"Verwijder waarschuwing","alerts.heading":"Bewerk uw waarschuwingen","alerts.no_alerts":"U hebt geen volgwaarschuwingen ingesteld","alerts.save":"Bijwerken","alerts.title":"Volgwaarschuwingen","alerts.track":"Volgen","auth.bad_request":"De server weigerde uw invoer","auth.server_error":"Serverfout","auth.success":"Succes","auth.unauthorized":"Niet bevoegd","auth.unknown_error":"Er ging onverwacht iets fout","case.choose.name":"Titel","case.choose.summary":"Samenvatting","case.chose.languages":"Talen","case.create.login":"Meld u aan om gegevens te uploaden","case.description":"Onderzoeken laten u documenten uploaden en delen, die bij een verhaal horen. U kunt PDFs, email-archieven en spreadsheets uploaden, waar dan gemakkelijk in gezocht en gebladerd kan worden.","case.label_placeholder":"Naamloos onderzoek","case.language_placeholder":"Selecteer talen","case.languages.helper":"Gebruikt voor tekstherkenning (OCR) van niet-Latijnse tekens.","case.save":"Opslaan","case.share.with":"Deel met","case.summary":"Een korte omschrijving van het onderzoek","case.title":"Start een nieuw onderzoek","case.users":"Zoek gebruikers","cases.create":"Nieuw onderzoek","cases.empty":"U hebt nog geen onderzoeken","cases.no_results":"Er werd geen onderzoek gevonden dat aan de zoekopdracht voldoet.","cases.placeholder":"Doorzoek onderzoeken...","cases.title":"Onderzoeken","clipboard.copy.after":"Succesvol naar het klembord gekopieerd","clipboard.copy.before":"Kopieer naar het klembord","collection.addSchema.placeholder":"Voeg een nieuw type entiteit toe","collection.analyze.alert.text":"U gaat de entiteiten in [collectionLabel] opnieuw indexeren.\nDit kan helpen wanneer er tegenstrijdigheden zitten in de weergave van de data.","collection.analyze.cancel":"Annuleren","collection.cancel.button":"Annuleren","collection.countries":"Land","collection.creator":"Beheerder","collection.data_updated_at":"Inhoud bijgewerkt","collection.data_url":"Data URL","collection.delete.confirm":"Ik begrijp de consequenties","collection.delete.confirm.dataset":"Verwijder deze dataset.","collection.delete.confirm.investigation":"Verwijder dit onderzoek.","collection.delete.question":"Weet u zeker dat u [collectionLabel] definitief wilt verwijderen, inclusief alle bijbehorende objecten? Dit kan niet ongedaangemaakt worden.","collection.delete.success":"{label} succesvol verwijderd","collection.delete.title.dataset":"Verwijder dataset","collection.delete.title.investigation":"Verwijder onderzoek","collection.edit.access_title":"Access control","collection.edit.cancel_button":"Annuleren","collection.edit.groups":"Groepen","collection.edit.info.analyze":"Verwerk opnieuw","collection.edit.info.cancel":"Annuleren","collection.edit.info.category":"Categorie","collection.edit.info.countries":"Landen","collection.edit.info.creator":"Beheerder","collection.edit.info.data_url":"Databron-URL","collection.edit.info.delete":"Verwijderen","collection.edit.info.foreign_id":"Foreign ID","collection.edit.info.frequency":"Bijwerk-frequentie","collection.edit.info.info_url":"Informatie-URL","collection.edit.info.label":"Label","collection.edit.info.languages":"Talen","collection.edit.info.placeholder_country":"Selecteer landen","collection.edit.info.placeholder_data_url":"Verwijzing naar de ruwe data in de vorm van een download","collection.edit.info.placeholder_info_url":"Verwijzing naar meer informatie","collection.edit.info.placeholder_label":"Een label","collection.edit.info.placeholder_language":"Selecteer talen","collection.edit.info.placeholder_publisher":"Organisatie of persoon die deze data publiceert","collection.edit.info.placeholder_publisher_url":"Verwijzing naar de publicist","collection.edit.info.placeholder_summary":"Korte samenvatting","collection.edit.info.publisher":"Publicist","collection.edit.info.publisher_url":"URL van de publicist","collection.edit.info.restricted":"Deze dataset is beperkt en kijkers moeten gewaarschuwd worden.","collection.edit.info.save":"Wijzigingen opslaan","collection.edit.info.summary":"Samenvatting","collection.edit.permissions_warning":"N.B. Gebruiker moet al een Aleph account hebben om toegang te verkrijgen.","collection.edit.permissionstable.edit":"Wijzig","collection.edit.permissionstable.view":"Bekijk","collection.edit.save_button":"Wijzigingen opslaan","collection.edit.save_success":"Wijzigingen worden opgeslagen.","collection.edit.title":"Instellingen","collection.edit.users":"Gebruikers","collection.foreign_id":"Foreign ID","collection.frequency":"Updates","collection.index.empty":"Geen datasets gevonden.","collection.index.filter.all":"Alle","collection.index.filter.mine":"Gemaakt door mij","collection.index.no_results":"Geen datasets gevonden met deze zoekopdracht.","collection.index.placeholder":"Zoek datasets...","collection.index.title":"Datasets","collection.info.access":"Delen","collection.info.browse":"Documenten","collection.info.delete":"Verwijder dataset","collection.info.delete_casefile":"Verwijder onderzoek","collection.info.diagrams":"Netwerkdiagrammen","collection.info.diagrams_description":"Netwerkdiagrammen visualiseren complexe relaties binnen een onderzoek.","collection.info.documents":"Documenten","collection.info.edit":"Instellingen","collection.info.entities":"Entities","collection.info.lists":"Lijsten","collection.info.lists_description":"Met lijsten organiseer je een groep gerelateerde entiteiten die je onderzoekt.","collection.info.mappings":"Entity mappings","collection.info.mappings_description":"Entity mappings allow you to bulk generate structured Follow the Money entities (like People, Companies, and the relationships among them) from rows in a spreadsheet or CSV document","collection.info.mentions":"Vermeldingen","collection.info.mentions_description":"Aleph automatically extracts terms that resemble names, address, phone numbers, and email addresses from uploaded documents and entities within your investigation. {br}{br} Click on a mentioned term below to find where it appears in your investigation.","collection.info.overview":"Overzicht","collection.info.reindex":"Her-indexeer de hele inhoud","collection.info.reingest":"Re-ingest documents","collection.info.search":"Zoek","collection.info.source_documents":"Brondocumenten","collection.info.timelines":"Tijdlijnen","collection.info.timelines_description":"Tijdlijnen zijn een manier om gebeurtenissen chronologisch te bekijken en te organiseren.","collection.info.xref":"Kruisverwijzing","collection.info.xref_description":"Cross-referencing allows you to search the rest of Aleph for entities similar to those contained in your investigation.","collection.info_url":"Informatie-URL","collection.last_updated":"Last updated {date}","collection.mappings.create":"Create a new entity mapping","collection.mappings.create_docs_link":"For more information, please refer to the {link}","collection.overview.empty":"This dataset is empty.","collection.publisher":"Publicist","collection.reconcile":"Reconciliation","collection.reconcile.description":"Match your own data against the entities in this collection using the free {openrefine} tool by adding the reconciliation endpoint.","collection.reindex.cancel":"Annuleren","collection.reindex.confirm":"Start indexing","collection.reindex.flush":"Clear index before re-indexing","collection.reindex.processing":"Indexing started.","collection.reingest.confirm":"Start processing","collection.reingest.index":"Index documents as they are processed.","collection.reingest.processing":"Re-ingest started.","collection.reingest.text":"You're about to re-process all documents in {collectionLabel}. This might take some time.","collection.statistics.showmore":"Show more","collection.status.cancel_button":"Cancel the process","collection.status.collection":"Dataset","collection.status.finished_tasks":"Finished","collection.status.jobs":"Jobs","collection.status.message":"Continue to frolic about while data is being processed.","collection.status.no_active":"There are no ongoing tasks","collection.status.pending_tasks":"Pending","collection.status.progress":"Tasks","collection.status.title":"Update in progress ({percent}%)","collection.team":"Accessible to","collection.updated_at":"Metadata updated","collection.xref.cancel":"Annuleren","collection.xref.confirm":"Confirm","collection.xref.empty":"There are no cross-referencing results.","collection.xref.processing":"Cross-referencing started.","collection.xref.text":"You will now cross-reference {collectionLabel} against all other sources. Start this process once and then wait for it to complete.","collection.xref.title":"Kruisverwijzing","dashboard.activity":"Activity","dashboard.alerts":"Alerts","dashboard.cases":"Onderzoeken","dashboard.diagrams":"Netwerkdiagrammen","dashboard.exports":"Exports","dashboard.groups":"Groepen","dashboard.lists":"Lijsten","dashboard.notifications":"Notifications","dashboard.settings":"Instellingen","dashboard.status":"Systeemstatus","dashboard.subheading":"Check the progress of ongoing data analysis, upload, and processing tasks.","dashboard.timelines":"Tijdlijnen","dashboard.title":"Systeemstatus","dashboard.workspace":"Workspace","dataset.search.placeholder":"Search this dataset","diagram.create.button":"New diagram","diagram.create.label_placeholder":"Untitled diagram","diagram.create.login":"You must log in to create a diagram","diagram.create.success":"Your diagram has been created successfully.","diagram.create.summary_placeholder":"A brief description of the diagram","diagram.create.title":"Create a diagram","diagram.embed.error":"Error generating diagram embed","diagram.export.embed.description":"Generate an embeddable interactive version of the diagram that can be used in an article. The embed will not reflect future changes in the diagram.","diagram.export.error":"Error exporting diagram","diagram.export.ftm":"Export as .ftm","diagram.export.ftm.description":"Download the diagram as a data file that can be used in {link} or another Aleph site.","diagram.export.ftm.link":"Aleph Data Desktop","diagram.export.iframe":"Embed iframe","diagram.export.svg":"Export as SVG","diagram.export.svg.description":"Download a vector graphic with the contents of the diagram.","diagram.export.title":"Export options","diagram.import.button":"Import diagram","diagram.import.placeholder":"Drop a .ftm or .vis file here or click to import an existing diagram","diagram.import.title":"Import a network diagram","diagram.render.error":"Error rendering diagram","diagram.selector.create":"Create a new diagram","diagram.selector.select_empty":"No existing diagram","diagram.update.label_placeholder":"Untitled diagram","diagram.update.success":"Your diagram has been updated successfully.","diagram.update.summary_placeholder":"A brief description of the diagram","diagram.update.title":"Diagram settings","diagrams":"Diagrams","diagrams.description":"Netwerkdiagrammen visualiseren complexe relaties binnen een onderzoek.","diagrams.no_diagrams":"There are no network diagrams.","diagrams.title":"Netwerkdiagrammen","document.download":"Download","document.download.cancel":"Annuleren","document.download.confirm":"Download","document.download.dont_warn":"Don't warn me in the future when downloading source documents","document.download.tooltip":"Download the original document","document.download.warning":"You’re about to download a source file. {br}{br} Source files can contain viruses and code that notify the originator when you open them. {br}{br} For sensitive data, we recommend only opening source files on a computer that is permanently disconnected from the internet.","document.folder.error":"There was an error creating the folder.","document.folder.new":"New folder","document.folder.save":"Create","document.folder.title":"New folder","document.folder.untitled":"Folder title","document.mapping.start":"Generate entities","document.paging":"Page {pageInput} of {numberOfPages}","document.pdf.search.page":"Page {page}","document.report_problem":"Report a problem","document.report_problem.text":"You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.","document.report_problem.title":"Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?","document.search.no_match":"No single page within this document matches all your search terms.","document.upload.button":"Upload","document.upload.cancel":"Annuleren","document.upload.close":"Close","document.upload.errors":"Some files couldn't be transferred. You can use the Retry button to restart all failed uploads.","document.upload.files":"Choose files to upload...","document.upload.folder":"If you would like to upload folders instead, { button }.","document.upload.folder-toggle":"klik hier","document.upload.info":"If you need to upload a large amount of files (100+) consider {link}.","document.upload.notice":"The upload is complete. It will take a few moments for the documents to be processed and become searchable.","document.upload.progress":"{done} of {total} files done, {errors} errors.","document.upload.rejected":"{fileName} is missing a file type, so it cannot be uploaded.","document.upload.retry":"Retry","document.upload.save":"Upload","document.upload.summary":"{numberOfFiles, number} files, {totalSize}","document.upload.title":"Upload documents","document.upload.title_in_folder":"Upload documents to {folder}","document.viewer.ignored_file":"The system does not work with these types of files. Please download it so you’ll be able to see it.","document.viewer.no_viewer":"No preview is available for this document","email.body.empty":"No message body.","entity.delete.cancel":"Annuleren","entity.delete.confirm":"Verwijderen","entity.delete.error":"An error occured while attempting to delete this entity.","entity.delete.progress":"Deleting...","entity.delete.question.multiple":"Are you sure you want to delete the following {count, plural, one {item} other {items}}?","entity.delete.success":"Successfully deleted","entity.document.manager.cannot_map":"Select a table document to generate structured entities","entity.document.manager.empty":"No files or directories.","entity.document.manager.emptyCanUpload":"No files or directories. Drop files here or click to upload.","entity.document.manager.search_placeholder":"Search documents","entity.document.manager.search_placeholder_document":"Search in {label}","entity.info.attachments":"Attachments","entity.info.documents":"Documenten","entity.info.info":"Info","entity.info.last_view":"Last viewed {time}","entity.info.similar":"Similar","entity.info.tags":"Vermeldingen","entity.info.text":"Text","entity.info.view":"Bekijk","entity.info.workbook_warning":"This sheet is part of workbook {link}","entity.manager.bulk_import.description.1":"Select a table below from which to import new {schema} entities.","entity.manager.bulk_import.description.2":"Once selected, you will be prompted to assign columns from that table to properties of the generated entities.","entity.manager.bulk_import.description.3":"Don't see the table you're looking for? {link}","entity.manager.bulk_import.link_text":"Upload a new table document","entity.manager.bulk_import.no_results":"No matching documents found","entity.manager.bulk_import.placeholder":"Select a table document","entity.manager.delete":"Verwijderen","entity.manager.edge_create_success":"Successfully linked {source} and {target}","entity.manager.entity_set_add_success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entity.manager.remove":"Remove","entity.manager.search_empty":"No matching {schema} results found","entity.manager.search_placeholder":"Search {schema}","entity.mapping.view":"Generate entities","entity.properties.missing":"unknown","entity.references.no_relationships":"This entity does not have any relationships.","entity.references.no_results":"No {schema} match this search.","entity.references.no_results_default":"No entities match this search.","entity.references.search.placeholder":"Search in {schema}","entity.references.search.placeholder_default":"Search entities","entity.remove.confirm":"Remove","entity.remove.error":"An error occured while attempting to remove this entity.","entity.remove.progress":"Removing...","entity.remove.question.multiple":"Are you sure you want to remove the following {count, plural, one {item} other {items}}?","entity.remove.success":"Successfully removed","entity.search.empty_title":"This folder is empty","entity.search.no_results_description":"Try making your search more general","entity.search.no_results_title":"No search results","entity.similar.empty":"There are no similar entities.","entity.similar.entity":"Similar entity","entity.similar.found_text":"Found {resultCount} {resultCount, plural, one {similar entity} other {similar entities}} from {datasetCount} {datasetCount, plural, one {dataset} other {datasets}}","entity.tags.no_tags":"No selectors were extracted from this entity.","entity.viewer.add_link":"Create link","entity.viewer.add_to":"Add to...","entity.viewer.bulk_import":"Bulk import","entity.viewer.search_placeholder":"Search in {label}","entitySet.last_updated":"Updated {date}","entityset.choose.name":"Titel","entityset.choose.summary":"Samenvatting","entityset.create.collection":"Investigation","entityset.create.collection.existing":"Select an investigation","entityset.create.collection.new":"Don't see the investigation you're looking for? {link}","entityset.create.collection.new_link":"Create a new investigation","entityset.create.submit":"Create","entityset.delete.confirm":"Ik begrijp de consequenties","entityset.delete.confirm.diagram":"Delete this network diagram.","entityset.delete.confirm.list":"Delete this list.","entityset.delete.confirm.profile":"Delete this profile.","entityset.delete.confirm.timeline":"Delete this timeline.","entityset.delete.question":"Are you sure you want to permanently delete {label}? This cannot be undone.","entityset.delete.success":"Successfully deleted {title}","entityset.delete.title.diagram":"Delete network diagram","entityset.delete.title.list":"Delete list","entityset.delete.title.profile":"Delete profile","entityset.delete.title.timeline":"Delete timeline","entityset.info.delete":"Verwijderen","entityset.info.edit":"Instellingen","entityset.info.export":"Export","entityset.info.exportAsSvg":"Export as SVG","entityset.selector.placeholder":"Search existing","entityset.selector.success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entityset.selector.success_toast_button":"Bekijk","entityset.selector.title":"Add {firstCaption} {titleSecondary} to...","entityset.selector.title_default":"Add entities to...","entityset.selector.title_other":"and {count} other {count, plural, one {entity} other {entities}}","entityset.update.submit":"Wijzigingen opslaan","error.screen.not_found":"The requested page could not be found.","export.dialog.text":"Initiate your export. {br}{br} Exports take some time to generate. You will receive an email once the data is ready. {br}{br} Please trigger this export only once.","exports.dialog.cancel":"Annuleren","exports.dialog.confirm":"Export","exports.dialog.dashboard_link":"View progress","exports.dialog.success":"Your export has begun.","exports.expiration":"Expiration","exports.manager.description":"Below is a list of your exports. Make sure to download them before they expire.","exports.name":"Name","exports.no_exports":"You have no exports to download","exports.size":"Size","exports.status":"Status","exports.title":"Exports ready for download","facet.addresses":"{count, plural, one {Address} other {Addresses}}","facet.caption":"Name","facet.category":"{count, plural, one {Category} other {Categories}}","facet.collection_id":"Dataset","facet.countries":"{count, plural, one {Country} other {Countries}}","facet.dates":"{count, plural, one {Date} other {Dates}}","facet.emails":"{count, plural, one {E-Mail} other {E-Mails}}","facet.ibans":"{count, plural, one {IBAN} other {IBANs}}","facet.languages":"{count, plural, one {Language} other {Languages}}","facet.mimetypes":"{count, plural, one {File type} other {File types}}","facet.names":"{count, plural, one {Name} other {Names}}","facet.phones":"{count, plural, one {Phone number} other {Phone numbers}}","facet.schema":"Entity type","file_import.error":"Error importing file","footer.aleph":"Aleph {version}","footer.ftm":"FollowTheMoney {version}","group.page.description":"The list below shows all datasets and investigations that belong to this group.","group.page.search.description":"If you would like to search for specific entities or documents within the datasets that this group has access to, click here instead.","home.access_disabled":"Public access temporarily disabled","home.counts.countries":"Countries & territories","home.counts.datasets":"Public datasets","home.counts.entities":"Public entities","home.placeholder":"Try searching: {samples}","home.statistics.categories":"Dataset categories","home.statistics.countries":"Countries and territories","home.statistics.schemata":"Entity types","home.stats.title":"Get started exploring public data","home.title":"Find public records and leaks","hotkeys.judgement.different":"Decide different","hotkeys.judgement.group_label":"Entity decisions","hotkeys.judgement.next":"Select next result","hotkeys.judgement.previous":"Select previous result","hotkeys.judgement.same":"Decide same","hotkeys.judgement.unsure":"Decide not enough information","hotkeys.search.different":"Preview previous result","hotkeys.search.group_label":"Search preview","hotkeys.search.unsure":"Preview next result","hotkeys.search_focus":"Zoeken","infoMode.collection_casefile":"Investigation","infoMode.collection_dataset":"Dataset","infoMode.createdAt":"Created at","infoMode.creator":"Created by","infoMode.updatedAt":"Last updated","investigation.mentions.empty":"There are no mentions yet in this investigation.","investigation.overview.guides":"Read more","investigation.overview.guides.access":"Managing access","investigation.overview.guides.diagrams":"Drawing network diagrams","investigation.overview.guides.documents":"Uploading documents","investigation.overview.guides.entities":"Creating & editing entities","investigation.overview.guides.mappings":"Generating entities from a spreadsheet","investigation.overview.guides.xref":"Cross-referencing your data","investigation.overview.notifications":"Recent activity","investigation.overview.shortcuts":"Quick links","investigation.overview.shortcuts_empty":"Getting started","investigation.search.placeholder":"Search this investigation","investigation.shortcut.diagram":"Sketch a network diagram","investigation.shortcut.entities":"Create new entities","investigation.shortcut.entity_create_error":"Unable to create entity","investigation.shortcut.entity_create_success":"Successfully created {name}","investigation.shortcut.upload":"Upload documents","investigation.shortcut.xref":"Compare with other datasets","judgement.disabled":"You must have edit access in order to make judgements.","judgement.negative":"Different","judgement.positive":"Same","judgement.unsure":"Not enough information","landing.shortcut.alert":"Create a search alert","landing.shortcut.datasets":"Browse datasets","landing.shortcut.investigation":"Start an investigation","landing.shortcut.search":"Search entities","list.create.button":"New list","list.create.label_placeholder":"Untitled list","list.create.login":"You must log in to create a list","list.create.success":"Your list has been created successfully.","list.create.summary_placeholder":"A brief description of the list","list.create.title":"Create a list","list.selector.create":"Create a new list","list.selector.select_empty":"No existing list","list.update.label_placeholder":"Untitled list","list.update.success":"Your list has been updated successfully.","list.update.summary_placeholder":"A brief description of the list","list.update.title":"List settings","lists":"Lijsten","lists.description":"Met lijsten organiseer je een groep gerelateerde entiteiten die je onderzoekt.","lists.no_lists":"There are no lists.","lists.title":"Lijsten","login.oauth":"Sign in via OAuth","mapping.actions.create":"Generate entities","mapping.actions.create.toast":"Generating entities...","mapping.actions.delete":"Verwijderen","mapping.actions.delete.toast":"Deleting mapping and any generated entities...","mapping.actions.export":"Export mapping","mapping.actions.flush":"Remove generated entities","mapping.actions.flush.toast":"Removing generated entities...","mapping.actions.save":"Wijzigingen opslaan","mapping.actions.save.toast":"Re-generating entities...","mapping.create.cancel":"Annuleren","mapping.create.confirm":"Generate","mapping.create.question":"Are you sure you are ready to generate entities using this mapping?","mapping.delete.cancel":"Annuleren","mapping.delete.confirm":"Verwijderen","mapping.delete.question":"Are you sure you want to delete this mapping and all generated entities?","mapping.docs.link":"Aleph entity mapping documentation","mapping.entityAssign.helpText":"You must create an object of type \"{range}\" to be the {property}","mapping.entityAssign.noResults":"No matching objects available","mapping.entityAssign.placeholder":"Select an object","mapping.entity_set_select":"Select a List or Diagram","mapping.entityset.remove":"Remove","mapping.error.keyMissing":"Key Error: {id} entity must have at least one key","mapping.error.relationshipMissing":"Relationship Error: {id} entity must have a {source} and {target} assigned","mapping.flush.cancel":"Annuleren","mapping.flush.confirm":"Remove","mapping.flush.question":"Are you sure you want to remove entities generated using this mapping?","mapping.import.button":"Import existing mapping","mapping.import.placeholder":"Drop a .yml file here or click to import an existing mapping file","mapping.import.querySelect":"Select a mapping query from this file to import:","mapping.import.submit":"Submit","mapping.import.success":"Your mapping has been imported successfully.","mapping.import.title":"Import a mapping","mapping.info":"Follow the steps below to map items in this investigation to structured Follow the Money entites. For more information, please refer to the {link}","mapping.info.link":"Aleph data mapping documentation","mapping.keyAssign.additionalHelpText":"The best keys are columns from your data that contain id numbers, phone numbers, email addresses, or other uniquely identifying information. If no columns with unique values exist, select multiple columns to allow Aleph to generate unique entities correctly from your data.","mapping.keyAssign.additionalHelpToggle.less":"Less","mapping.keyAssign.additionalHelpToggle.more":"More about keys","mapping.keyAssign.helpText":"Specify which columns from the source data will be used to identify unique entities.","mapping.keyAssign.noResults":"No results","mapping.keyAssign.placeholder":"Select keys from available columns","mapping.keys":"Keys","mapping.propAssign.errorBlank":"Columns with no header cannot be assigned","mapping.propAssign.errorDuplicate":"Columns with duplicate headers cannot be assigned","mapping.propAssign.literalButtonText":"Add a fixed value","mapping.propAssign.literalPlaceholder":"Add fixed value text","mapping.propAssign.other":"Other","mapping.propAssign.placeholder":"Assign a property","mapping.propRemove":"Remove this property from mapping","mapping.props":"Properties","mapping.save.cancel":"Annuleren","mapping.save.confirm":"Update mapping & re-generate","mapping.save.question":"Updating this mapping will delete any previously generated entities and re-generate them. Are you sure you would like to continue?","mapping.section1.title":"1. Select entity types to generate","mapping.section2.title":"2. Map columns to entity properties","mapping.section3.title":"3. Verify","mapping.section4.description":"Generated entities will be added to {collection} by default. If you would like to additionally add them to a list or diagram within the investigation, please click below and select from the available options.","mapping.section4.title":"4. Select a destination for generated entities (optional)","mapping.status.error":"Error:","mapping.status.status":"Status:","mapping.status.updated":"Last updated:","mapping.title":"Generate structured entities","mapping.types.objects":"Objects","mapping.types.relationships":"Relationships","mapping.warning.empty":"You must create at least one entity","mappings.no_mappings":"You have not generated any mappings yet","messages.banner.dismiss":"Dismiss","nav.alerts":"Alerts","nav.bookmarks":"Bookmarks","nav.cases":"Onderzoeken","nav.collections":"Datasets","nav.diagrams":"Netwerkdiagrammen","nav.exports":"Exports","nav.lists":"Lijsten","nav.menu.cases":"Onderzoeken","nav.settings":"Instellingen","nav.signin":"Sign in","nav.signout":"Sign out","nav.status":"Systeemstatus","nav.timelines":"Tijdlijnen","nav.view_notifications":"Notifications","navbar.alert_add":"Click to receive alerts about new results for this search.","navbar.alert_remove":"You are receiving alerts about this search.","notification.description":"View the latest updates to datasets, investigations, groups and tracking alerts you follow.","notifications.greeting":"What's new, {role}?","notifications.no_notifications":"You have no unseen notifications","notifications.title":"Recent notifications","notifications.type_filter.all":"Alle","pages.not.found":"Page not found","pass.auth.not_same":"Your passwords are not the same!","password_auth.activate":"Activate","password_auth.confirm":"Confirm password","password_auth.email":"Email address","password_auth.name":"Your Name","password_auth.password":"Password","password_auth.signin":"Sign in","password_auth.signup":"Sign up","profile.callout.details":"This profile aggregates attributes and relationships from {count} entities across different datasets.","profile.callout.intro":"You're viewing {entity} as a profile.","profile.callout.link":"View the original entity","profile.delete.warning":"Deleting this profile will not delete any of the entities or entity decisions contained within it.","profile.hint":"{entity} has been combined with entities from other datasets into a profile","profile.info.header":"Profile","profile.info.items":"Entity decisions","profile.info.similar":"Suggested","profile.items.entity":"Combined entities","profile.items.explanation":"Make decisions below to determine which source entities should be added or excluded from this profile.","profile.similar.no_results":"No suggested additions for this profile were found.","profileinfo.api_desc":"Use the API key to read and write data via remote applications.","queryFilters.clearAll":"Clear all","queryFilters.showHidden":"Show {count} more filters...","refresh.callout_message":"Documents are being processed. Please wait...","restricted.explain":"Use of this dataset is restricted. Read the description and contact {creator} before using this material.","restricted.explain.creator":"the dataset owner","restricted.tag":"RESTRICTED","result.error":"Error","result.more_results":"More than {total} results","result.none":"No results found","result.results":"Found {total} results","result.searching":"Searching...","result.solo":"One result found","role.select.user":"Choose a user","schemaSelect.button.relationship":"Add a new relationship","schemaSelect.button.thing":"Add a new object","screen.load_more":"Load more","search.advanced.all.helptext":"Only results containing all of the given terms will be returned","search.advanced.all.label":"All of these words (Default)","search.advanced.any.helptext":"Results containing any of the given terms will be returned","search.advanced.any.label":"Any of these words","search.advanced.clear":"Clear all","search.advanced.exact.helptext":"Only results with this exact word or phrase will be returned","search.advanced.exact.label":"This exact word/phrase","search.advanced.none.helptext":"Exclude results with these words","search.advanced.none.label":"None of these words","search.advanced.proximity.distance":"Distance","search.advanced.proximity.helptext":"Search for two terms within a certain distance of each other. For example, return results with the terms \"Bank\" and \"America\" occurring within two words from each other, such as \"Bank of America\", \"Bank in America\", even \"America has a Bank\".","search.advanced.proximity.label":"Terms in proximity to each other","search.advanced.proximity.term":"First term","search.advanced.proximity.term2":"Second term","search.advanced.submit":"Zoeken","search.advanced.title":"Advanced Search","search.advanced.variants.distance":"Letters different","search.advanced.variants.helptext":"Increase the fuzziness of a search. For example, Wladimir~2 will return not just the term “Wladimir” but also similar spellings such as \"Wladimyr\" or \"Vladimyr\". A spelling variant is defined by the number of spelling mistakes that must be made to get from the original word to the variant.","search.advanced.variants.label":"Spelling variations","search.advanced.variants.term":"Term","search.callout_message":"Some sources are hidden from anonymous users. {signInButton} to see all results you are authorised to access.","search.callout_message.button_text":"Sign in","search.columns.configure":"Configure columns","search.columns.configure_placeholder":"Search for a column...","search.config.groups":"Property groups","search.config.properties":"Properties","search.config.reset":"Reset to default","search.facets.clearDates":"Clear","search.facets.configure":"Configure filters","search.facets.configure_placeholder":"Search for a filter...","search.facets.filtersSelected":"{count} selected","search.facets.hide":"Hide filters","search.facets.no_items":"No options","search.facets.show":"Show filters","search.facets.showMore":"Show more…","search.filterTag.ancestors":"in:","search.filterTag.exclude":"not:","search.filterTag.role":"Filter by access","search.loading":"Loading...","search.no_results_description":"Try making your search more general","search.no_results_title":"No search results","search.placeholder":"Search companies, people and documents","search.placeholder_default":"Search…","search.placeholder_label":"Search in {label}","search.screen.dates.show-all":"* Showing all date filter options. { button } to view recent dates only.","search.screen.dates.show-hidden":"* Showing only date filter options from {start} to the present. { button } to view dates outside this range.","search.screen.dates.show-hidden.click":"Click here","search.screen.dates_label":"results","search.screen.dates_title":"Dates","search.screen.dates_uncertain_day":"* this count includes dates where no day is specified","search.screen.dates_uncertain_day_month":"* this count includes dates in {year} where no day or month is specified","search.screen.dates_uncertain_month":"* this count includes dates in {year} where no month is specified","search.screen.export":"Export","search.screen.export_disabled":"Cannot export more than 10,000 results at a time","search.screen.export_disabled_empty":"No results to export.","search.screen.export_helptext":"Export results","search.title":"Search: {title}","search.title_emptyq":"Zoeken","settings.api_key":"API Secret Access Key","settings.confirm":"(confirm)","settings.current_explain":"Enter your current password to set a new one.","settings.current_password":"Current password","settings.email":"E-mail Address","settings.email.muted":"Receive daily notification e-mails","settings.email.no_change":"Your e-mail address cannot be changed","settings.email.tester":"Test new features before they are finished","settings.locale":"Language","settings.name":"Name","settings.new_password":"New password","settings.password.missmatch":"Passwords do not match","settings.password.rules":"Use at least six characters","settings.password.title":"Change your password","settings.save":"Bijwerken","settings.saved":"It's official, your profile is updated.","settings.title":"Instellingen","sidebar.open":"Expand","signup.activate":"Activate your account","signup.inbox.desc":"We've sent you an email, please follow the link to complete your registration","signup.inbox.title":"Check your inbox","signup.login":"Already have account? Sign in!","signup.register":"Register","signup.register.question":"Don't have account? Register!","signup.title":"Sign in","sorting.bar.button.label":"Show:","sorting.bar.caption":"Titel","sorting.bar.collection_id":"Dataset","sorting.bar.count":"Size","sorting.bar.countries":"Landen","sorting.bar.created_at":"Creation Date","sorting.bar.date":"Date","sorting.bar.dates":"Dates","sorting.bar.direction":"Direction:","sorting.bar.endDate":"End date","sorting.bar.label":"Titel","sorting.bar.sort":"Sort by:","sorting.bar.updated_at":"Update Date","sources.index.empty":"This group is not linked to any datasets or investigations.","sources.index.placeholder":"Search for a dataset or investigation belonging to {group}...","status.no_collection":"Other tasks","tags.results":"Mention count","tags.title":"Term","text.loading":"Loading…","timeline.create.button":"New timeline","timeline.create.label_placeholder":"Untitled timeline","timeline.create.login":"You must log in to create a timeline","timeline.create.success":"Your timeline has been created successfully.","timeline.create.summary_placeholder":"A brief description of the timeline","timeline.create.title":"Create a timeline","timeline.selector.create":"Create a new timeline","timeline.selector.select_empty":"No existing timeline","timeline.update.label_placeholder":"Untitled timeline","timeline.update.success":"Your timeline has been updated successfully.","timeline.update.summary_placeholder":"A brief description of the timeline","timeline.update.title":"Timeline settings","timelines":"Tijdlijnen","timelines.description":"Tijdlijnen zijn een manier om gebeurtenissen chronologisch te bekijken en te organiseren.","timelines.no_timelines":"There are no timelines.","timelines.title":"Tijdlijnen","valuelink.tooltip":"{count} mentions in {appName}","xref.compute":"Compute","xref.entity":"Reference","xref.match":"Possible match","xref.match_collection":"Dataset","xref.recompute":"Re-compute","xref.score":"Score","xref.sort.default":"Default","xref.sort.label":"Sort by:","xref.sort.random":"Random"},"pt_BR":{"alert.manager.description":"Você receberá notificações quando um novo resultado for gerado para qualquer uma das pesquisas utilizadas para criar os alertas abaixo.","alerts.add_placeholder":"Criar novo alerta de monitoramento...","alerts.delete":"Remove alert","alerts.heading":"Gerencie seus alertas","alerts.no_alerts":"Você não está monitorando nenhuma pesquisa","alerts.save":"Atualizar","alerts.title":"Monitorando alertas","alerts.track":"Monitorar","auth.bad_request":"O Servidor não aceitou sua entrada","auth.server_error":"Erro no servidor","auth.success":"Sucesso","auth.unauthorized":"Acesso negado","auth.unknown_error":"Um erro inesperado ocorreu","case.choose.name":"Título","case.choose.summary":"Resumo","case.chose.languages":"Línguas","case.create.login":"Você deve fazer login para enviar seus próprios dados.","case.description":"Investigations let you upload and share documents and data which belong to a particular story. You can upload PDFs, email archives or spreadsheets, and they will be made easy to search and browse.","case.label_placeholder":"Untitled investigation","case.language_placeholder":"Select languages","case.languages.helper":"Usado para reconhecimento óptico de texto em alfabetos não latinos.","case.save":"Salvar","case.share.with":"Compartilhar com","case.summary":"A brief description of the investigation","case.title":"Create an investigation","case.users":"Pesquisar usuários","cases.create":"New investigation","cases.empty":"You do not have any investigations yet.","cases.no_results":"No investigations were found matching this query.","cases.placeholder":"Search investigations...","cases.title":"Investigations","clipboard.copy.after":"Successfully copied to clipboard","clipboard.copy.before":"Copiar para a área de transferência","collection.addSchema.placeholder":"Add new entity type","collection.analyze.alert.text":"You're about to re-index the entities in {collectionLabel}. This can be helpful if there are inconsistencies in how the data is presented.","collection.analyze.cancel":"Cancelar","collection.cancel.button":"Cancelar","collection.countries":"País","collection.creator":"Gerenciador","collection.data_updated_at":"Content updated","collection.data_url":"URL do dado","collection.delete.confirm":"I understand the consequences.","collection.delete.confirm.dataset":"Delete this dataset.","collection.delete.confirm.investigation":"Delete this investigation.","collection.delete.question":"Are you sure you want to permanently delete {collectionLabel} and all contained items? This cannot be undone.","collection.delete.success":"Successfully deleted {label}","collection.delete.title.dataset":"Delete dataset","collection.delete.title.investigation":"Delete investigation","collection.edit.access_title":"Controle de acesso","collection.edit.cancel_button":"Cancelar","collection.edit.groups":"Grupos","collection.edit.info.analyze":"Reprocessar","collection.edit.info.cancel":"Cancelar","collection.edit.info.category":"Categoria","collection.edit.info.countries":"Países","collection.edit.info.creator":"Gerenciador","collection.edit.info.data_url":"URL da fonte do dado","collection.edit.info.delete":"Excluir","collection.edit.info.foreign_id":"ID externo","collection.edit.info.frequency":"Update frequency","collection.edit.info.info_url":"URL de informação","collection.edit.info.label":"Nome","collection.edit.info.languages":"Línguas","collection.edit.info.placeholder_country":"Select countries","collection.edit.info.placeholder_data_url":"Link para o dado original e disponível pra download","collection.edit.info.placeholder_info_url":"Link para informações adicionais","collection.edit.info.placeholder_label":"Um nome","collection.edit.info.placeholder_language":"Select languages","collection.edit.info.placeholder_publisher":"Organização ou pessoa publicando esses dados","collection.edit.info.placeholder_publisher_url":"Link para o publicador","collection.edit.info.placeholder_summary":"Breve resumo","collection.edit.info.publisher":"Publicador","collection.edit.info.publisher_url":"URL do publicador","collection.edit.info.restricted":"This dataset is restricted and viewers should be warned.","collection.edit.info.save":"Salvar alterações","collection.edit.info.summary":"Resumo","collection.edit.permissions_warning":"Note: User must already have an Aleph account in order to receive access.","collection.edit.permissionstable.edit":"Editar","collection.edit.permissionstable.view":"Visualizar","collection.edit.save_button":"Salvar alterações","collection.edit.save_success":"Suas alterações foram gravadas.","collection.edit.title":"Configurações","collection.edit.users":"Usuários","collection.foreign_id":"ID externo","collection.frequency":"Updates","collection.index.empty":"No datasets were found.","collection.index.filter.all":"Todas","collection.index.filter.mine":"Created by me","collection.index.no_results":"No datasets were found matching this query.","collection.index.placeholder":"Pesquisar conjuntos de dados...","collection.index.title":"Conjuntos de dados","collection.info.access":"Compartilhar","collection.info.browse":"Documentos","collection.info.delete":"Delete dataset","collection.info.delete_casefile":"Delete investigation","collection.info.diagrams":"Network diagrams","collection.info.diagrams_description":"Network diagrams let you visualize complex relationships within an investigation.","collection.info.documents":"Documentos","collection.info.edit":"Configurações","collection.info.entities":"Entities","collection.info.lists":"Lists","collection.info.lists_description":"Lists let you organize and group related entities of interest.","collection.info.mappings":"Entity mappings","collection.info.mappings_description":"Entity mappings allow you to bulk generate structured Follow the Money entities (like People, Companies, and the relationships among them) from rows in a spreadsheet or CSV document","collection.info.mentions":"Menções","collection.info.mentions_description":"Aleph automatically extracts terms that resemble names, address, phone numbers, and email addresses from uploaded documents and entities within your investigation. {br}{br} Click on a mentioned term below to find where it appears in your investigation.","collection.info.overview":"Overview","collection.info.reindex":"Re-index all content","collection.info.reingest":"Re-ingest documents","collection.info.search":"Pesquisar","collection.info.source_documents":"Source documents","collection.info.timelines":"Timelines","collection.info.timelines_description":"Timelines are a way to view and organize events chronologically.","collection.info.xref":"Referência Cruzada","collection.info.xref_description":"Cross-referencing allows you to search the rest of Aleph for entities similar to those contained in your investigation.","collection.info_url":"URL de informação","collection.last_updated":"Last updated {date}","collection.mappings.create":"Create a new entity mapping","collection.mappings.create_docs_link":"For more information, please refer to the {link}","collection.overview.empty":"This dataset is empty.","collection.publisher":"Publicador","collection.reconcile":"Reconciliação","collection.reconcile.description":"Match your own data against the entities in this collection using the free {openrefine} tool by adding the reconciliation endpoint.","collection.reindex.cancel":"Cancelar","collection.reindex.confirm":"Start indexing","collection.reindex.flush":"Clear index before re-indexing","collection.reindex.processing":"Indexing started.","collection.reingest.confirm":"Start processing","collection.reingest.index":"Index documents as they are processed.","collection.reingest.processing":"Re-ingest started.","collection.reingest.text":"You're about to re-process all documents in {collectionLabel}. This might take some time.","collection.statistics.showmore":"Show more","collection.status.cancel_button":"Cancelar processo","collection.status.collection":"Conjunto de dado","collection.status.finished_tasks":"Finalizado","collection.status.jobs":"Jobs","collection.status.message":"Aguarde enquanto os dados são processados.","collection.status.no_active":"Nãp há tarefas em andamento","collection.status.pending_tasks":"Pendente","collection.status.progress":"Tarefas","collection.status.title":"Atualização em progresso ({percent}%)","collection.team":"Acessível por","collection.updated_at":"Metadata updated","collection.xref.cancel":"Cancelar","collection.xref.confirm":"Confirm","collection.xref.empty":"Nenhum resultado na análise de referenciamento cruzado.","collection.xref.processing":"Cruzamento de dados iniciado.","collection.xref.text":"You will now cross-reference {collectionLabel} against all other sources. Start this process once and then wait for it to complete.","collection.xref.title":"Referência Cruzada","dashboard.activity":"Ações","dashboard.alerts":"Alertas","dashboard.cases":"Investigations","dashboard.diagrams":"Network diagrams","dashboard.exports":"Exports","dashboard.groups":"Grupos","dashboard.lists":"Lists","dashboard.notifications":"Notificações","dashboard.settings":"Configurações","dashboard.status":"Status do sistema","dashboard.subheading":"Verifique o progresso das análises de dados, upload e tarefas de processamento em andamento.","dashboard.timelines":"Timelines","dashboard.title":"Status do Sistema","dashboard.workspace":"Workspace","dataset.search.placeholder":"Search this dataset","diagram.create.button":"New diagram","diagram.create.label_placeholder":"Untitled diagram","diagram.create.login":"You must log in to create a diagram","diagram.create.success":"Your diagram has been created successfully.","diagram.create.summary_placeholder":"A brief description of the diagram","diagram.create.title":"Create a diagram","diagram.embed.error":"Error generating diagram embed","diagram.export.embed.description":"Generate an embeddable interactive version of the diagram that can be used in an article. The embed will not reflect future changes in the diagram.","diagram.export.error":"Error exporting diagram","diagram.export.ftm":"Export as .ftm","diagram.export.ftm.description":"Download the diagram as a data file that can be used in {link} or another Aleph site.","diagram.export.ftm.link":"Aleph Data Desktop","diagram.export.iframe":"Embed iframe","diagram.export.svg":"Export as SVG","diagram.export.svg.description":"Download a vector graphic with the contents of the diagram.","diagram.export.title":"Export options","diagram.import.button":"Import diagram","diagram.import.placeholder":"Drop a .ftm or .vis file here or click to import an existing diagram","diagram.import.title":"Import a network diagram","diagram.render.error":"Error rendering diagram","diagram.selector.create":"Create a new diagram","diagram.selector.select_empty":"No existing diagram","diagram.update.label_placeholder":"Untitled diagram","diagram.update.success":"Your diagram has been updated successfully.","diagram.update.summary_placeholder":"A brief description of the diagram","diagram.update.title":"Diagram settings","diagrams":"Diagrams","diagrams.description":"Network diagrams let you visualize complex relationships within an investigation.","diagrams.no_diagrams":"There are no network diagrams.","diagrams.title":"Network diagrams","document.download":"Download","document.download.cancel":"Cancelar","document.download.confirm":"Download","document.download.dont_warn":"Don't warn me in the future when downloading source documents","document.download.tooltip":"Download do arquivo original","document.download.warning":"You’re about to download a source file. {br}{br} Source files can contain viruses and code that notify the originator when you open them. {br}{br} For sensitive data, we recommend only opening source files on a computer that is permanently disconnected from the internet.","document.folder.error":"Ocorreu um erro ao criar a pasta.","document.folder.new":"Nova pasta","document.folder.save":"Criar","document.folder.title":"Nova pasta","document.folder.untitled":"Título da pasta","document.mapping.start":"Generate entities","document.paging":"Page {pageInput} of {numberOfPages}","document.pdf.search.page":"Página {page}","document.report_problem":"Report a problem","document.report_problem.text":"You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.","document.report_problem.title":"Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?","document.search.no_match":"Nenhuma página desse documento atende aos termos buscados.","document.upload.button":"Enviar","document.upload.cancel":"Cancelar","document.upload.close":"Close","document.upload.errors":"Some files couldn't be transferred. You can use the Retry button to restart all failed uploads.","document.upload.files":"Escolha os arquivos pra upload...","document.upload.folder":"If you would like to upload folders instead, { button }.","document.upload.folder-toggle":"click here","document.upload.info":"If you need to upload a large amount of files (100+) consider {link}.","document.upload.notice":"The upload is complete. It will take a few moments for the documents to be processed and become searchable.","document.upload.progress":"{done} of {total} files done, {errors} errors.","document.upload.rejected":"{fileName} is missing a file type, so it cannot be uploaded.","document.upload.retry":"Retry","document.upload.save":"Enviar","document.upload.summary":"{numberOfFiles, number} files, {totalSize}","document.upload.title":"Enviar documentos","document.upload.title_in_folder":"Upload documents to {folder}","document.viewer.ignored_file":"O sistema não trabalha com esses tipos de arquivos. Por favor, faça o download do arquivo para que possa visualizá-lo,.","document.viewer.no_viewer":"Não há pré-visualização disponível para esse documento","email.body.empty":"Sem corpo da mensagem.","entity.delete.cancel":"Cancelar","entity.delete.confirm":"Excluir","entity.delete.error":"Um erro ocorreu ao tentar excluir essa entidade.","entity.delete.progress":"Deleting...","entity.delete.question.multiple":"Are you sure you want to delete the following {count, plural, one {item} other {items}}?","entity.delete.success":"Successfully deleted","entity.document.manager.cannot_map":"Select a table document to generate structured entities","entity.document.manager.empty":"Nenhum arquivo ou diretório.","entity.document.manager.emptyCanUpload":"No files or directories. Drop files here or click to upload.","entity.document.manager.search_placeholder":"Search documents","entity.document.manager.search_placeholder_document":"Pesquisar em {label}","entity.info.attachments":"Anexos","entity.info.documents":"Documentos","entity.info.info":"Informação","entity.info.last_view":"Last viewed {time}","entity.info.similar":"Similar","entity.info.tags":"Menções","entity.info.text":"Texto","entity.info.view":"Visualizar","entity.info.workbook_warning":"This sheet is part of workbook {link}","entity.manager.bulk_import.description.1":"Select a table below from which to import new {schema} entities.","entity.manager.bulk_import.description.2":"Once selected, you will be prompted to assign columns from that table to properties of the generated entities.","entity.manager.bulk_import.description.3":"Don't see the table you're looking for? {link}","entity.manager.bulk_import.link_text":"Upload a new table document","entity.manager.bulk_import.no_results":"No matching documents found","entity.manager.bulk_import.placeholder":"Select a table document","entity.manager.delete":"Excluir","entity.manager.edge_create_success":"Successfully linked {source} and {target}","entity.manager.entity_set_add_success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entity.manager.remove":"Remove","entity.manager.search_empty":"No matching {schema} results found","entity.manager.search_placeholder":"Search {schema}","entity.mapping.view":"Generate entities","entity.properties.missing":"desconhecido","entity.references.no_relationships":"A entidade não possui relacionamentos.","entity.references.no_results":"No {schema} match this search.","entity.references.no_results_default":"No entities match this search.","entity.references.search.placeholder":"Search in {schema}","entity.references.search.placeholder_default":"Search entities","entity.remove.confirm":"Remove","entity.remove.error":"An error occured while attempting to remove this entity.","entity.remove.progress":"Removing...","entity.remove.question.multiple":"Are you sure you want to remove the following {count, plural, one {item} other {items}}?","entity.remove.success":"Successfully removed","entity.search.empty_title":"A pasta está vazia","entity.search.no_results_description":"Tente refazer sua pesquisa de forma mais genérica","entity.search.no_results_title":"Nenhum resultado pra busca","entity.similar.empty":"Não há entidades similares.","entity.similar.entity":"Similar entity","entity.similar.found_text":"Found {resultCount} {resultCount, plural, one {similar entity} other {similar entities}} from {datasetCount} {datasetCount, plural, one {dataset} other {datasets}}","entity.tags.no_tags":"Nenhum seletor foi extraído dessa entidade.","entity.viewer.add_link":"Create link","entity.viewer.add_to":"Add to...","entity.viewer.bulk_import":"Bulk import","entity.viewer.search_placeholder":"Pesquisar em {label}","entitySet.last_updated":"Atualizado em {date}","entityset.choose.name":"Título","entityset.choose.summary":"Resumo","entityset.create.collection":"Investigation","entityset.create.collection.existing":"Select an investigation","entityset.create.collection.new":"Don't see the investigation you're looking for? {link}","entityset.create.collection.new_link":"Create a new investigation","entityset.create.submit":"Criar","entityset.delete.confirm":"I understand the consequences.","entityset.delete.confirm.diagram":"Delete this network diagram.","entityset.delete.confirm.list":"Delete this list.","entityset.delete.confirm.profile":"Delete this profile.","entityset.delete.confirm.timeline":"Delete this timeline.","entityset.delete.question":"Are you sure you want to permanently delete {label}? This cannot be undone.","entityset.delete.success":"Successfully deleted {title}","entityset.delete.title.diagram":"Delete network diagram","entityset.delete.title.list":"Delete list","entityset.delete.title.profile":"Delete profile","entityset.delete.title.timeline":"Delete timeline","entityset.info.delete":"Excluir","entityset.info.edit":"Configurações","entityset.info.export":"Exportar","entityset.info.exportAsSvg":"Export as SVG","entityset.selector.placeholder":"Search existing","entityset.selector.success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entityset.selector.success_toast_button":"Visualizar","entityset.selector.title":"Add {firstCaption} {titleSecondary} to...","entityset.selector.title_default":"Add entities to...","entityset.selector.title_other":"and {count} other {count, plural, one {entity} other {entities}}","entityset.update.submit":"Salvar alterações","error.screen.not_found":"A página solicitada não foi encontrada.","export.dialog.text":"Initiate your export. {br}{br} Exports take some time to generate. You will receive an email once the data is ready. {br}{br} Please trigger this export only once.","exports.dialog.cancel":"Cancelar","exports.dialog.confirm":"Exportar","exports.dialog.dashboard_link":"View progress","exports.dialog.success":"Your export has begun.","exports.expiration":"Expiration","exports.manager.description":"Below is a list of your exports. Make sure to download them before they expire.","exports.name":"Nome","exports.no_exports":"You have no exports to download","exports.size":"Tamanho","exports.status":"Status","exports.title":"Exports ready for download","facet.addresses":"{count, plural, one {Address} other {Addresses}}","facet.caption":"Nome","facet.category":"{count, plural, one {Category} other {Categories}}","facet.collection_id":"Conjunto de dado","facet.countries":"{count, plural, one {Country} other {Countries}}","facet.dates":"{count, plural, one {Date} other {Dates}}","facet.emails":"{count, plural, one {E-Mail} other {E-Mails}}","facet.ibans":"{count, plural, one {IBAN} other {IBANs}}","facet.languages":"{count, plural, one {Language} other {Languages}}","facet.mimetypes":"{count, plural, one {File type} other {File types}}","facet.names":"{count, plural, one {Name} other {Names}}","facet.phones":"{count, plural, one {Phone number} other {Phone numbers}}","facet.schema":"Entity type","file_import.error":"Error importing file","footer.aleph":"Aleph {version}","footer.ftm":"FollowTheMoney {version}","group.page.description":"The list below shows all datasets and investigations that belong to this group.","group.page.search.description":"If you would like to search for specific entities or documents within the datasets that this group has access to, click here instead.","home.access_disabled":"Public access temporarily disabled","home.counts.countries":"Countries & territories","home.counts.datasets":"Public datasets","home.counts.entities":"Public entities","home.placeholder":"Tente buscar por: {samples}","home.statistics.categories":"Dataset categories","home.statistics.countries":"Countries and territories","home.statistics.schemata":"Tipos de entidades","home.stats.title":"Get started exploring public data","home.title":"Encontre registros públicos e vazados","hotkeys.judgement.different":"Decide different","hotkeys.judgement.group_label":"Entity decisions","hotkeys.judgement.next":"Select next result","hotkeys.judgement.previous":"Select previous result","hotkeys.judgement.same":"Decide same","hotkeys.judgement.unsure":"Decide not enough information","hotkeys.search.different":"Preview previous result","hotkeys.search.group_label":"Search preview","hotkeys.search.unsure":"Preview next result","hotkeys.search_focus":"Pesquisar","infoMode.collection_casefile":"Investigation","infoMode.collection_dataset":"Conjunto de dado","infoMode.createdAt":"Created at","infoMode.creator":"Created by","infoMode.updatedAt":"Última atualização","investigation.mentions.empty":"There are no mentions yet in this investigation.","investigation.overview.guides":"Read more","investigation.overview.guides.access":"Managing access","investigation.overview.guides.diagrams":"Drawing network diagrams","investigation.overview.guides.documents":"Uploading documents","investigation.overview.guides.entities":"Creating & editing entities","investigation.overview.guides.mappings":"Generating entities from a spreadsheet","investigation.overview.guides.xref":"Cross-referencing your data","investigation.overview.notifications":"Recent activity","investigation.overview.shortcuts":"Quick links","investigation.overview.shortcuts_empty":"Getting started","investigation.search.placeholder":"Search this investigation","investigation.shortcut.diagram":"Sketch a network diagram","investigation.shortcut.entities":"Create new entities","investigation.shortcut.entity_create_error":"Unable to create entity","investigation.shortcut.entity_create_success":"Successfully created {name}","investigation.shortcut.upload":"Enviar documentos","investigation.shortcut.xref":"Compare with other datasets","judgement.disabled":"You must have edit access in order to make judgements.","judgement.negative":"Different","judgement.positive":"Same","judgement.unsure":"Not enough information","landing.shortcut.alert":"Create a search alert","landing.shortcut.datasets":"Browse datasets","landing.shortcut.investigation":"Start an investigation","landing.shortcut.search":"Search entities","list.create.button":"New list","list.create.label_placeholder":"Untitled list","list.create.login":"You must log in to create a list","list.create.success":"Your list has been created successfully.","list.create.summary_placeholder":"A brief description of the list","list.create.title":"Create a list","list.selector.create":"Create a new list","list.selector.select_empty":"No existing list","list.update.label_placeholder":"Untitled list","list.update.success":"Your list has been updated successfully.","list.update.summary_placeholder":"A brief description of the list","list.update.title":"List settings","lists":"Lists","lists.description":"Lists let you organize and group related entities of interest.","lists.no_lists":"There are no lists.","lists.title":"Lists","login.oauth":"Acessar com OAuth","mapping.actions.create":"Generate entities","mapping.actions.create.toast":"Generating entities...","mapping.actions.delete":"Excluir","mapping.actions.delete.toast":"Deleting mapping and any generated entities...","mapping.actions.export":"Export mapping","mapping.actions.flush":"Remove generated entities","mapping.actions.flush.toast":"Removing generated entities...","mapping.actions.save":"Salvar alterações","mapping.actions.save.toast":"Re-generating entities...","mapping.create.cancel":"Cancelar","mapping.create.confirm":"Generate","mapping.create.question":"Are you sure you are ready to generate entities using this mapping?","mapping.delete.cancel":"Cancelar","mapping.delete.confirm":"Excluir","mapping.delete.question":"Are you sure you want to delete this mapping and all generated entities?","mapping.docs.link":"Aleph entity mapping documentation","mapping.entityAssign.helpText":"You must create an object of type \"{range}\" to be the {property}","mapping.entityAssign.noResults":"No matching objects available","mapping.entityAssign.placeholder":"Select an object","mapping.entity_set_select":"Select a List or Diagram","mapping.entityset.remove":"Remove","mapping.error.keyMissing":"Key Error: {id} entity must have at least one key","mapping.error.relationshipMissing":"Relationship Error: {id} entity must have a {source} and {target} assigned","mapping.flush.cancel":"Cancelar","mapping.flush.confirm":"Remove","mapping.flush.question":"Are you sure you want to remove entities generated using this mapping?","mapping.import.button":"Import existing mapping","mapping.import.placeholder":"Drop a .yml file here or click to import an existing mapping file","mapping.import.querySelect":"Select a mapping query from this file to import:","mapping.import.submit":"Submit","mapping.import.success":"Your mapping has been imported successfully.","mapping.import.title":"Import a mapping","mapping.info":"Follow the steps below to map items in this investigation to structured Follow the Money entites. For more information, please refer to the {link}","mapping.info.link":"Aleph data mapping documentation","mapping.keyAssign.additionalHelpText":"The best keys are columns from your data that contain id numbers, phone numbers, email addresses, or other uniquely identifying information. If no columns with unique values exist, select multiple columns to allow Aleph to generate unique entities correctly from your data.","mapping.keyAssign.additionalHelpToggle.less":"Less","mapping.keyAssign.additionalHelpToggle.more":"More about keys","mapping.keyAssign.helpText":"Specify which columns from the source data will be used to identify unique entities.","mapping.keyAssign.noResults":"No results","mapping.keyAssign.placeholder":"Select keys from available columns","mapping.keys":"Keys","mapping.propAssign.errorBlank":"Columns with no header cannot be assigned","mapping.propAssign.errorDuplicate":"Columns with duplicate headers cannot be assigned","mapping.propAssign.literalButtonText":"Add a fixed value","mapping.propAssign.literalPlaceholder":"Add fixed value text","mapping.propAssign.other":"Outras","mapping.propAssign.placeholder":"Assign a property","mapping.propRemove":"Remove this property from mapping","mapping.props":"Properties","mapping.save.cancel":"Cancelar","mapping.save.confirm":"Update mapping & re-generate","mapping.save.question":"Updating this mapping will delete any previously generated entities and re-generate them. Are you sure you would like to continue?","mapping.section1.title":"1. Select entity types to generate","mapping.section2.title":"2. Map columns to entity properties","mapping.section3.title":"3. Verify","mapping.section4.description":"Generated entities will be added to {collection} by default. If you would like to additionally add them to a list or diagram within the investigation, please click below and select from the available options.","mapping.section4.title":"4. Select a destination for generated entities (optional)","mapping.status.error":"Error:","mapping.status.status":"Status:","mapping.status.updated":"Last updated:","mapping.title":"Generate structured entities","mapping.types.objects":"Objects","mapping.types.relationships":"Relationships","mapping.warning.empty":"You must create at least one entity","mappings.no_mappings":"You have not generated any mappings yet","messages.banner.dismiss":"Dismiss","nav.alerts":"Alertas","nav.bookmarks":"Bookmarks","nav.cases":"Investigations","nav.collections":"Conjuntos de dados","nav.diagrams":"Network diagrams","nav.exports":"Exports","nav.lists":"Lists","nav.menu.cases":"Investigations","nav.settings":"Configurações","nav.signin":"Acessar","nav.signout":"Sair","nav.status":"Status do sistema","nav.timelines":"Timelines","nav.view_notifications":"Notificações","navbar.alert_add":"Clique para receber alertas de novos resultados para essa busca.","navbar.alert_remove":"Você está recebendo alertas para essa pesquisa.","notification.description":"View the latest updates to datasets, investigations, groups and tracking alerts you follow.","notifications.greeting":"Quais são as novidades, {role}?","notifications.no_notifications":"Você já viu todas suas notificações","notifications.title":"Notificações recentes","notifications.type_filter.all":"Todas","pages.not.found":"Page not found","pass.auth.not_same":"Suas senhas não são as mesmas!","password_auth.activate":"Ativar","password_auth.confirm":"Confirmar senha","password_auth.email":"Endereço de e-mail","password_auth.name":"Seu Nome","password_auth.password":"Senha","password_auth.signin":"Acessar","password_auth.signup":"Registrar-se","profile.callout.details":"This profile aggregates attributes and relationships from {count} entities across different datasets.","profile.callout.intro":"You're viewing {entity} as a profile.","profile.callout.link":"View the original entity","profile.delete.warning":"Deleting this profile will not delete any of the entities or entity decisions contained within it.","profile.hint":"{entity} has been combined with entities from other datasets into a profile","profile.info.header":"Profile","profile.info.items":"Entity decisions","profile.info.similar":"Suggested","profile.items.entity":"Combined entities","profile.items.explanation":"Make decisions below to determine which source entities should be added or excluded from this profile.","profile.similar.no_results":"No suggested additions for this profile were found.","profileinfo.api_desc":"Use a chave da API para ler e gravar dados através de aplicações remotas","queryFilters.clearAll":"Limpar tudo","queryFilters.showHidden":"Show {count} more filters...","refresh.callout_message":"Documentos estão sendo processados. Aguarde...","restricted.explain":"Use of this dataset is restricted. Read the description and contact {creator} before using this material.","restricted.explain.creator":"the dataset owner","restricted.tag":"RESTRICTED","result.error":"Erro","result.more_results":"Mais de {total} resultados","result.none":"Nenhum resultado encontrado","result.results":"Encontrado(s) {total} resultados","result.searching":"Pesquisando...","result.solo":"Um resultado encontrado","role.select.user":"Escolha um usuário","schemaSelect.button.relationship":"Add a new relationship","schemaSelect.button.thing":"Add a new object","screen.load_more":"Load more","search.advanced.all.helptext":"Only results containing all of the given terms will be returned","search.advanced.all.label":"All of these words (Default)","search.advanced.any.helptext":"Results containing any of the given terms will be returned","search.advanced.any.label":"Any of these words","search.advanced.clear":"Limpar tudo","search.advanced.exact.helptext":"Only results with this exact word or phrase will be returned","search.advanced.exact.label":"This exact word/phrase","search.advanced.none.helptext":"Exclude results with these words","search.advanced.none.label":"None of these words","search.advanced.proximity.distance":"Distance","search.advanced.proximity.helptext":"Search for two terms within a certain distance of each other. For example, return results with the terms \"Bank\" and \"America\" occurring within two words from each other, such as \"Bank of America\", \"Bank in America\", even \"America has a Bank\".","search.advanced.proximity.label":"Terms in proximity to each other","search.advanced.proximity.term":"First term","search.advanced.proximity.term2":"Second term","search.advanced.submit":"Pesquisar","search.advanced.title":"Advanced Search","search.advanced.variants.distance":"Letters different","search.advanced.variants.helptext":"Increase the fuzziness of a search. For example, Wladimir~2 will return not just the term “Wladimir” but also similar spellings such as \"Wladimyr\" or \"Vladimyr\". A spelling variant is defined by the number of spelling mistakes that must be made to get from the original word to the variant.","search.advanced.variants.label":"Spelling variations","search.advanced.variants.term":"Term","search.callout_message":"Alguns recursos não são visíveis pelos usuários anônimos. {signInButton} para ver todos os resultados aos quais você tem acesso.","search.callout_message.button_text":"Acessar","search.columns.configure":"Configure columns","search.columns.configure_placeholder":"Search for a column...","search.config.groups":"Property groups","search.config.properties":"Properties","search.config.reset":"Reset to default","search.facets.clearDates":"Clear","search.facets.configure":"Configure filters","search.facets.configure_placeholder":"Search for a filter...","search.facets.filtersSelected":"{count} selecionados","search.facets.hide":"Hide filters","search.facets.no_items":"Nenhuma opção","search.facets.show":"Show filters","search.facets.showMore":"Mostrar mais...","search.filterTag.ancestors":"em:","search.filterTag.exclude":"não:","search.filterTag.role":"Filtrar por acesso","search.loading":"Loading...","search.no_results_description":"Tente refazer sua pesquisa de forma mais genérica","search.no_results_title":"Nenhum resultado pra busca","search.placeholder":"Pesquisar empresas, pessoas e documentos","search.placeholder_default":"Pesquisar...","search.placeholder_label":"Pesquisar em {label}","search.screen.dates.show-all":"* Showing all date filter options. { button } to view recent dates only.","search.screen.dates.show-hidden":"* Showing only date filter options from {start} to the present. { button } to view dates outside this range.","search.screen.dates.show-hidden.click":"Click here","search.screen.dates_label":"results","search.screen.dates_title":"Dates","search.screen.dates_uncertain_day":"* this count includes dates where no day is specified","search.screen.dates_uncertain_day_month":"* this count includes dates in {year} where no day or month is specified","search.screen.dates_uncertain_month":"* this count includes dates in {year} where no month is specified","search.screen.export":"Exportar","search.screen.export_disabled":"Não é possível exportar mais de 10.000 resultados ao mesmo tempo","search.screen.export_disabled_empty":"No results to export.","search.screen.export_helptext":"Export results","search.title":"Search: {title}","search.title_emptyq":"Pesquisar","settings.api_key":"Chave Secreta de Acesso à API","settings.confirm":"(confirmar)","settings.current_explain":"Insira sua senha atual para definir a nova.","settings.current_password":"Senha atual","settings.email":"Endereços de E-mail","settings.email.muted":"Receber notificações de e-mail diárias","settings.email.no_change":"Seu e-mail não pode ser alterado","settings.email.tester":"Test new features before they are finished","settings.locale":"Língua","settings.name":"Nome","settings.new_password":"Nova senha","settings.password.missmatch":"As senhas não são iguais","settings.password.rules":"Use pelo menos seis caracteres","settings.password.title":"Troque sua senha","settings.save":"Atualizar","settings.saved":"É oficial, seu perfil foi atualizado.","settings.title":"Configurações","sidebar.open":"Expandir","signup.activate":"Ative sua conta","signup.inbox.desc":"Enviamos um email, por favor acesso o link recebido para completar seu cadastro","signup.inbox.title":"Verifique sua caixa de entrada","signup.login":"Já possui uma conta? Acesse!","signup.register":"Registrar","signup.register.question":"Não possui uma conta? Registre-se!","signup.title":"Acessar","sorting.bar.button.label":"Show:","sorting.bar.caption":"Título","sorting.bar.collection_id":"Conjunto de dado","sorting.bar.count":"Tamanho","sorting.bar.countries":"Países","sorting.bar.created_at":"Creation Date","sorting.bar.date":"Data","sorting.bar.dates":"Dates","sorting.bar.direction":"Direction:","sorting.bar.endDate":"End date","sorting.bar.label":"Título","sorting.bar.sort":"Sort by:","sorting.bar.updated_at":"Update Date","sources.index.empty":"This group is not linked to any datasets or investigations.","sources.index.placeholder":"Search for a dataset or investigation belonging to {group}...","status.no_collection":"Other tasks","tags.results":"Mention count","tags.title":"Term","text.loading":"Carregando...","timeline.create.button":"New timeline","timeline.create.label_placeholder":"Untitled timeline","timeline.create.login":"You must log in to create a timeline","timeline.create.success":"Your timeline has been created successfully.","timeline.create.summary_placeholder":"A brief description of the timeline","timeline.create.title":"Create a timeline","timeline.selector.create":"Create a new timeline","timeline.selector.select_empty":"No existing timeline","timeline.update.label_placeholder":"Untitled timeline","timeline.update.success":"Your timeline has been updated successfully.","timeline.update.summary_placeholder":"A brief description of the timeline","timeline.update.title":"Timeline settings","timelines":"Timelines","timelines.description":"Timelines are a way to view and organize events chronologically.","timelines.no_timelines":"There are no timelines.","timelines.title":"Timelines","valuelink.tooltip":"{count} menções em {appName}","xref.compute":"Calcular","xref.entity":"Reference","xref.match":"Possible match","xref.match_collection":"Conjunto de dado","xref.recompute":"Re-compute","xref.score":"Pontuação","xref.sort.default":"Default","xref.sort.label":"Sort by:","xref.sort.random":"Random"},"ru":{"alert.manager.description":"Укажите искомые слова и, в случае, если они будут найдены в новых документах, вы получите уведомление.","alerts.add_placeholder":"Создать новое оповещение","alerts.delete":"Удалить оповещение","alerts.heading":"Оповещения о новых результатах поиска","alerts.no_alerts":"Вы не подписаны на оповещения","alerts.save":"Обновить","alerts.title":"Управление оповещениями","alerts.track":"Отслеживать","auth.bad_request":"Серверу не понравился ваш запрос","auth.server_error":"Ошибка сервера","auth.success":"Вы успешно авторизованы","auth.unauthorized":"Требуется авторизация","auth.unknown_error":"Произошла ошибка","case.choose.name":"Название","case.choose.summary":"Краткое описание","case.chose.languages":"Языки","case.create.login":"Для загрузки данных необходимо авторизоваться.","case.description":"С помощью Расследований вы можете загружать и коллективно использовать документы и данные, относящиеся к определённой истории. Загруженные PDF-файлы, почтовые архивы и таблицы будут представлены в удобном для поиска и изучения виде.","case.label_placeholder":"Безымянное расследование","case.language_placeholder":"Выбрать языки","case.languages.helper":"Для распознавания текстов нелатинских алфавитов.","case.save":"Сохранить","case.share.with":"Предоставить доступ","case.summary":"Краткое описание расследования","case.title":"Создать расследование","case.users":"Искать пользователей","cases.create":"Новое расследование","cases.empty":"У вас пока нет расследований.","cases.no_results":"Расследований, удовлетворяющих запросу, не найдено.","cases.placeholder":"Поиск расследований...","cases.title":"Расследования","clipboard.copy.after":"Скопировано в буфер","clipboard.copy.before":"Скопировать в буфер","collection.addSchema.placeholder":"Добавить новый тип сущности","collection.analyze.alert.text":"Все сущности в {collectionLabel} будут переиндексированы. Иногда это позволяет исправить ошибки в представлении данных.","collection.analyze.cancel":"Отменить","collection.cancel.button":"Отменить","collection.countries":"Страна","collection.creator":"Автор","collection.data_updated_at":"Данные обновлены","collection.data_url":"Ссылка на данные","collection.delete.confirm":"Я осознаю последствия.","collection.delete.confirm.dataset":"Удалить этот набор данных.","collection.delete.confirm.investigation":"Удалить это расследование.","collection.delete.question":"Вы хотите удалить {collectionLabel} и всё содержимое? Восстановление невозможно.","collection.delete.success":"Удаление прошло успешно","collection.delete.title.dataset":"Удалить набор данных","collection.delete.title.investigation":"Удалить расследование","collection.edit.access_title":"Управление доступом","collection.edit.cancel_button":"Отменить","collection.edit.groups":"Группы","collection.edit.info.analyze":"Повторный анализ","collection.edit.info.cancel":"Отменить","collection.edit.info.category":"Категория","collection.edit.info.countries":"Страны","collection.edit.info.creator":"Автор","collection.edit.info.data_url":"Ссылка на исходные данные","collection.edit.info.delete":"Удалить","collection.edit.info.foreign_id":"Внешний ID","collection.edit.info.frequency":"Частота обновления","collection.edit.info.info_url":"Ссылка на описание","collection.edit.info.label":"Название","collection.edit.info.languages":"Языки","collection.edit.info.placeholder_country":"Выбрать страны","collection.edit.info.placeholder_data_url":"Ссылка на исходные данные в скачиваемом формате","collection.edit.info.placeholder_info_url":"Ссылка на более подробное описание","collection.edit.info.placeholder_label":"Название","collection.edit.info.placeholder_language":"Выбрать языки","collection.edit.info.placeholder_publisher":"Организация или лицо, опубликовавшее данные","collection.edit.info.placeholder_publisher_url":"Ссылка на источник","collection.edit.info.placeholder_summary":"Краткое описание","collection.edit.info.publisher":"Издатель","collection.edit.info.publisher_url":"Ссылка на издателя","collection.edit.info.restricted":"Доступ к этому набору данных ограничен — об этом необходимо предупреждать новых пользователей.","collection.edit.info.save":"Сохранить изменения","collection.edit.info.summary":"Краткое описание","collection.edit.permissions_warning":"Для доступа необходима учётная запись в Алефе.","collection.edit.permissionstable.edit":"Редактирование","collection.edit.permissionstable.view":"Просмотр","collection.edit.save_button":"Сохранить изменения","collection.edit.save_success":"Изменения сохранены","collection.edit.title":"Настройки","collection.edit.users":"Пользователи","collection.foreign_id":"Внешний ID","collection.frequency":"Обновления","collection.index.empty":"Ничего нет","collection.index.filter.all":"Все","collection.index.filter.mine":"Созданы мной","collection.index.no_results":"Наборы данных, соответствующие запросу, не найдены","collection.index.placeholder":"Поиск наборов данных...","collection.index.title":"Наборы данных","collection.info.access":"Доступ","collection.info.browse":"Документы","collection.info.delete":"Удалить набор данных","collection.info.delete_casefile":"Удалить расследование","collection.info.diagrams":"Диаграммы","collection.info.diagrams_description":"С помощью диаграмм вы можете визуализировать сложные связи внутри набора данных.","collection.info.documents":"Документы","collection.info.edit":"Настройки","collection.info.entities":"Сущности","collection.info.lists":"Списки","collection.info.lists_description":"С помощью списков вы можете организовывать и группировать связанные сущности.","collection.info.mappings":"Маппинги сущностей","collection.info.mappings_description":"С помощью маппинга сущностей вы можете из рядов в таблице или в CSV-документе массово сгенерировать сущности модели Follow the Money (Люди, Компании и взаимоотношения между ними)","collection.info.mentions":"Упоминания","collection.info.mentions_description":"Алеф автоматически извлекает из загружаемых в расследование документов и сущностей слова и фразы, похожие на имена, адреса, телефонные номера и эл. адреса. {br}{br} Нажмите на упоминании ниже, чтобы посмотреть, где оно встречается в вашем расследовании.","collection.info.overview":"Информация","collection.info.reindex":"Переиндексировать всё содержимое","collection.info.reingest":"Перезагрузить документы","collection.info.search":"Поиск","collection.info.source_documents":"Исходные документы","collection.info.timelines":"Хронологии","collection.info.timelines_description":"Хронологии служат для просмотра и организации событий во времени.","collection.info.xref":"Перекрёстное сравнение","collection.info.xref_description":"Перекрёстное сравнение позволяет искать по всему Алефу сущности, похожие на содержащиеся в вашем расследовании.","collection.info_url":"Ссылка на описание","collection.last_updated":"Обновлено {date}","collection.mappings.create":"Создать новый маппинг сущностей","collection.mappings.create_docs_link":"Подробнее см. {link}","collection.overview.empty":"Пустой набор данных.","collection.publisher":"Издатель","collection.reconcile":"Объединение данных","collection.reconcile.description":"Сопоставить данные с сущностями из этой коллекции с помощью свободного инструмента {openrefine}, указав конечную точку слияния.","collection.reindex.cancel":"Отменить","collection.reindex.confirm":"Запустить индексирование","collection.reindex.flush":"Очистить индекс перед переиндексацией","collection.reindex.processing":"Индексирование запущено.","collection.reingest.confirm":"Запустить анализ","collection.reingest.index":"Проиндексировать документы в процессе обработки.","collection.reingest.processing":"Перезагрузка документов запущена.","collection.reingest.text":"Все документы в {collectionLabel} будут проанализированы повторно. Это займёт некоторое время.","collection.statistics.showmore":"Ещё","collection.status.cancel_button":"Отменить процесс","collection.status.collection":"Набор данных","collection.status.finished_tasks":"Выполнено","collection.status.jobs":"Задачи","collection.status.message":"Данные загружаются.","collection.status.no_active":"Нет активных задач","collection.status.pending_tasks":"Обрабатывается","collection.status.progress":"Ход выполнения","collection.status.title":"Обновлено {percent}%","collection.team":"Доступ","collection.updated_at":"Метаданные обновлены","collection.xref.cancel":"Отменить","collection.xref.confirm":"Подтвердить","collection.xref.empty":"Результаты перекрёстного сравнения отсутствуют.","collection.xref.processing":"Перекрёстное сравнение запущено.","collection.xref.text":"Сейчас будет произведено перекрёстное сравнение {collectionLabel} со всеми остальными источниками. Запустите и дождитесь завершения.","collection.xref.title":"Перекрёстное сравнение","dashboard.activity":"События","dashboard.alerts":"Оповещения","dashboard.cases":"Расследования","dashboard.diagrams":"Диаграммы","dashboard.exports":"Экспорт","dashboard.groups":"Группы","dashboard.lists":"Списки","dashboard.notifications":"Уведомления","dashboard.settings":"Настройки","dashboard.status":"Системный статус","dashboard.subheading":"Статус операций анализа, загрузки или обработки данных.","dashboard.timelines":"Хронологии","dashboard.title":"Системный статус","dashboard.workspace":"Рабочая среда","dataset.search.placeholder":"Поиск этом в наборе данных","diagram.create.button":"Новая диаграмма","diagram.create.label_placeholder":"Безымянная диаграмма","diagram.create.login":"Для создания диаграмм необходимо авторизоваться.","diagram.create.success":"Вы создали диаграмму.","diagram.create.summary_placeholder":"Краткое описание диаграммы","diagram.create.title":"Создать диаграмму","diagram.embed.error":"Ошибка создания встраиваемой диаграммы","diagram.export.embed.description":"Создать встраиваемую интерактивную версию диаграммы для вставки в статьи. Сгенерированная встраиваемая диаграмма не будет отражать более поздние изменения в основной диаграмме.","diagram.export.error":"Ошибка экспорта диаграммы","diagram.export.ftm":"Экспорт в формате .ftm","diagram.export.ftm.description":"Скачать диаграмму в виде файла данных, который можно использовать в {link} или на другом сайте с Алефом.","diagram.export.ftm.link":"Алеф Дата Десктоп","diagram.export.iframe":"Вставить iframe","diagram.export.svg":"Экспорт в формате SVG","diagram.export.svg.description":"Скачать векторную графику с содержимым диаграммы.","diagram.export.title":"Настройки экспорта","diagram.import.button":"Импортировать диаграмму","diagram.import.placeholder":"Перенесите .ftm или .vis файл сюда или кликните, чтобы импортировать готовую диаграмму","diagram.import.title":"Импортировать диаграмму","diagram.render.error":"Ошибка отображения диаграммы","diagram.selector.create":"Создать диаграмму","diagram.selector.select_empty":"Диаграммы отсутствуют","diagram.update.label_placeholder":"Безымянная диаграмма","diagram.update.success":"Вы обновили диаграмму.","diagram.update.summary_placeholder":"Краткое описание диаграммы","diagram.update.title":"Настройки диаграммы","diagrams":"Диаграммы","diagrams.description":"С помощью диаграмм вы можете визуализировать сложные связи внутри расследования.","diagrams.no_diagrams":"Диаграммы отсутствуют.","diagrams.title":"Диаграммы","document.download":"Скачать","document.download.cancel":"Отменить","document.download.confirm":"Скачать","document.download.dont_warn":"Больше не показывать предупреждение при скачивании исходных документов.","document.download.tooltip":"Скачать оригинальный документ","document.download.warning":"Вы собираетесь скачать исходный файл. {br}{br} Исходные файлы могут содержать вирусы или выполняемый код, которые известят автора о том, что вы открыли файл. {br}{br}В случае работы с конфиденциальными данными мы рекомендуем открывать подобные файлы на компьютере, отключённом от сети.","document.folder.error":"При создании папки возникла ошибка.","document.folder.new":"Новая папка","document.folder.save":"Создать","document.folder.title":"Новая папка","document.folder.untitled":"Название папки","document.mapping.start":"Создать сущности","document.paging":"Страница {pageInput} из {numberOfPages}","document.pdf.search.page":"Страница {page}","document.report_problem":"Сообщить об ошибке","document.report_problem.text":"Сообщайте о любых проблемах — это поможет нам улучшить обработку и отображение документов в Алефе.","document.report_problem.title":"Документ выглядит странно? Текст извлечён некорректно или информация неполная?","document.search.no_match":"Искомых слов в документе не найдено.","document.upload.button":"Загрузить","document.upload.cancel":"Отменить","document.upload.close":"Закрыть","document.upload.errors":"Не удалось передать некоторые файлы. Нажмите кнопку Повторить и перезапустите загрузку.","document.upload.files":"Выберите файлы для загрузки","document.upload.folder":"Если вы хотите загрузить папки, { button }.","document.upload.folder-toggle":"нажмите здесь","document.upload.info":"Если необходимо загрузить большое количество файлов (100+), воспользуйтесь {link}.","document.upload.notice":"Загрузка завершена. После индексирования документы станут доступны для полнотекстового поиска.","document.upload.progress":"{done} из {total} файлов готовы, ошибок: {errors}.","document.upload.rejected":"Невозможно загрузить {fileName}, поскольку не известен тип файла.","document.upload.retry":"Попробовать ещё раз","document.upload.save":"Загрузить","document.upload.summary":"{numberOfFiles, number} файлов, {totalSize}","document.upload.title":"Загрузить документы","document.upload.title_in_folder":"Загрузить документы в {folder}","document.viewer.ignored_file":"Работа с данным типом файлов не поддерживается. Для просмотра попробуйте скачать файл.","document.viewer.no_viewer":"Просмотр документа невозможен","email.body.empty":"Текст письма отсутствует","entity.delete.cancel":"Отменить","entity.delete.confirm":"Удалить","entity.delete.error":"При удалении сущности возникла ошибка.","entity.delete.progress":"Удаляем...","entity.delete.question.multiple":"Вы уверены, что хотите удалить {count, plural, one {запись} other {записи}}?","entity.delete.success":"Успешно удалено","entity.document.manager.cannot_map":"Выберите документ с таблицей для создания сущностей","entity.document.manager.empty":"Здесь ничего нет.","entity.document.manager.emptyCanUpload":"Файлы или папки отсутствуют. Перетащите файлы сюда или кликните, чтобы загрузить.","entity.document.manager.search_placeholder":"Поиск по документам","entity.document.manager.search_placeholder_document":"Поиск в {label}","entity.info.attachments":"Вложения","entity.info.documents":"Документы","entity.info.info":"Информация","entity.info.last_view":"Последний просмотр","entity.info.similar":"Совпадения","entity.info.tags":"Упоминания","entity.info.text":"Текст","entity.info.view":"Просмотр","entity.info.workbook_warning":"Этот лист является частью рабочей книги {link}","entity.manager.bulk_import.description.1":"Ниже выберите таблицу для импорта новых сущностей {schema}.","entity.manager.bulk_import.description.2":"Выберите колонки из таблицы и сопоставьте с свойствами сгенерированных сущностей.","entity.manager.bulk_import.description.3":"Не видите искомую таблицу? {link}","entity.manager.bulk_import.link_text":"Загрузить документ, содержащий таблицу","entity.manager.bulk_import.no_results":"Совпадений с другими документами нет","entity.manager.bulk_import.placeholder":"Выберите документ, содержащий таблицу","entity.manager.delete":"Удалить","entity.manager.edge_create_success":"{source} и {target} связаны","entity.manager.entity_set_add_success":"{count} {count, plural, one {Cущность} other {Сущности}} добавлены к {entitySet}","entity.manager.remove":"Удалить","entity.manager.search_empty":"Никаких совпадений с {schema} не найдено","entity.manager.search_placeholder":"Искать {schema}","entity.mapping.view":"Создать сущности","entity.properties.missing":"неизвестно","entity.references.no_relationships":"У этой сущности отсутствуют связи","entity.references.no_results":"Ничего не найдено для типа {schema}.","entity.references.no_results_default":"Сущности, удовлетворяющие запросу, не найдены.","entity.references.search.placeholder":"Искать в {schema}","entity.references.search.placeholder_default":"Поиск сущностей","entity.remove.confirm":"Удалить","entity.remove.error":"При удалении сущности возникла ошибка.","entity.remove.progress":"Удаление...","entity.remove.question.multiple":"Вы уверены, что хотите удалить\n {count, plural, one {запись} other {записи}}?","entity.remove.success":"Успешно удалено","entity.search.empty_title":"Эта папка пуста","entity.search.no_results_description":"Попробуйте расширить критерии поиска","entity.search.no_results_title":"Ничего не найдено","entity.similar.empty":"Нет похожих записей","entity.similar.entity":"Похожая сущность","entity.similar.found_text":"Найдено {resultCount} {resultCount, plural, one {похожая запись} other {похожие записи}} из {datasetCount} {datasetCount, plural, one {набор данных} other {наборы данных}}","entity.tags.no_tags":"В данной записи селекторов нет","entity.viewer.add_link":"Связать","entity.viewer.add_to":"Добавить к...","entity.viewer.bulk_import":"Массовый импорт","entity.viewer.search_placeholder":"Поиск в {label}","entitySet.last_updated":"Обновлено {date}","entityset.choose.name":"Название","entityset.choose.summary":"Краткое описание","entityset.create.collection":"Расследование","entityset.create.collection.existing":"Выбрать расследование","entityset.create.collection.new":"Не видите искомое расследование? {link}","entityset.create.collection.new_link":"Создать новое расследование","entityset.create.submit":"Создать","entityset.delete.confirm":"Я осознаю последствия.","entityset.delete.confirm.diagram":"Удалить диаграмму.","entityset.delete.confirm.list":"Удалить этот список","entityset.delete.confirm.profile":"Удалить этот профиль","entityset.delete.confirm.timeline":"Удалить хронологию","entityset.delete.question":"Вы уверены, что хотите удалить {label}? Восстановление невозможно.","entityset.delete.success":"Успешно удалён {title}","entityset.delete.title.diagram":"Удалить диаграмму","entityset.delete.title.list":"Удалить список","entityset.delete.title.profile":"Удалить профиль","entityset.delete.title.timeline":"Удалить хронологию","entityset.info.delete":"Удалить","entityset.info.edit":"Настройки","entityset.info.export":"Экспорт","entityset.info.exportAsSvg":"Экспорт в формате SVG","entityset.selector.placeholder":"Поиск по существующему","entityset.selector.success":"{count} {count, plural, one {Cущность} other {Сущности}} добавлены к {entitySet}","entityset.selector.success_toast_button":"Просмотр","entityset.selector.title":"Добавить {firstCaption} {titleSecondary} к...","entityset.selector.title_default":"Добавить сущности к...","entityset.selector.title_other":"и {count} other {count, plural, one {сущность} other {сущности}}","entityset.update.submit":"Сохранить изменения","error.screen.not_found":"Запрашиваемая страница не найдена","export.dialog.text":"Запустите экспорт. {br}{br} На экспорт данных требуется время. Как только данные буду готовы для скачивания, вы получите е-мейл. {br}{br} Не запускайте процедуру экспорта больше одного раза.","exports.dialog.cancel":"Отменить","exports.dialog.confirm":"Экспорт","exports.dialog.dashboard_link":"Показать статус","exports.dialog.success":"Экспортирование запущено.","exports.expiration":"Срок хранения","exports.manager.description":"Ниже приведён список экспортированных данных. Срок действия ограничен.","exports.name":"Название","exports.no_exports":"Данных для экспорта нет","exports.size":"Размер","exports.status":"Статус","exports.title":"Экспортированные данные для скачивания","facet.addresses":"{count, plural, one {Адрес} few {Адреса} many {Адреса} other {Адреса}}","facet.caption":"Название","facet.category":"{count, plural, one {Категория} few {Категории} many {Категории} other {Категории}}","facet.collection_id":"Набор данных","facet.countries":"{count, plural, one {Страна} few {Страны} many {Страны} other {Страны}}","facet.dates":"{count, plural, one {Дата} few {Даты} many {Даты} other {Даты}}","facet.emails":"{count, plural, one {E-мэйл} few {E-мэйлы} many {E-мэйлы} other {E-мэйлы}}","facet.ibans":"{count, plural, one {IBAN-код} few {IBAN-коды} many {IBAN-коды} other {IBAN-коды}}","facet.languages":"{count, plural, one {Язык} few {Языки} many {Языки} other {Языки}}","facet.mimetypes":"{count, plural, one {Тип файла} few {Типы файлов} many {Типы файлов} other {Типы файлов}}","facet.names":"{count, plural, one {Имя} few {Имена} many {Имена} other {Имена}}","facet.phones":"{count, plural, one {Номер телефона} few {Номера телефонов} many {Номера телефонов} other {Номера телефонов}}","facet.schema":"Тип сущности","file_import.error":"Ошибка импорта файла","footer.aleph":"Алеф {version}","footer.ftm":"FollowTheMoney {version}","group.page.description":"Список всех наборов данных и расследований, принадлежащих этой группе.","group.page.search.description":"Если вы хотите поискать определённые сущности или документы в наборах данных, относящихся к этой группе, нажмите здесь .","home.access_disabled":"Публичный доступ временно закрыт","home.counts.countries":"Страны и территории","home.counts.datasets":"Общедоступные наборы данных","home.counts.entities":"Общедоступные сущности","home.placeholder":"Например, {samples}","home.statistics.categories":"Категории наборов данных","home.statistics.countries":"Страны и территории","home.statistics.schemata":"Типы сущностей","home.stats.title":"Начните с изучения публичных источников данных","home.title":"Искать публичные записи и секретные документы","hotkeys.judgement.different":"Различаются","hotkeys.judgement.group_label":"Распознавание сущностей","hotkeys.judgement.next":"Выбрать следующий результат","hotkeys.judgement.previous":"Выбрать предыдущий результат","hotkeys.judgement.same":"Одно и то же","hotkeys.judgement.unsure":"Недостаточно информации","hotkeys.search.different":"Просмотр предыдущего результата","hotkeys.search.group_label":"Просмотр результатов поиска","hotkeys.search.unsure":"Просмотр следующего результата","hotkeys.search_focus":"Поиск","infoMode.collection_casefile":"Расследование","infoMode.collection_dataset":"Набор данных","infoMode.createdAt":"Дата создания","infoMode.creator":"Создано ","infoMode.updatedAt":"Последнее обновление","investigation.mentions.empty":"Упоминания отсутствуют в этом расследовании.","investigation.overview.guides":"Подробнее","investigation.overview.guides.access":"Управление доступом","investigation.overview.guides.diagrams":"Создание диаграмм","investigation.overview.guides.documents":"Загрузка документов","investigation.overview.guides.entities":"Создание и редактирование сущностей","investigation.overview.guides.mappings":"Создание сущностей из таблиц","investigation.overview.guides.xref":"Перекрёстное сравнение данных","investigation.overview.notifications":"Недавние события","investigation.overview.shortcuts":"Быстрые ссылки","investigation.overview.shortcuts_empty":"Приступить к работе","investigation.search.placeholder":"Поиск в этом расследовании","investigation.shortcut.diagram":"Создать диаграмму","investigation.shortcut.entities":"Создать новые сущности","investigation.shortcut.entity_create_error":"Не удалось создать сущность","investigation.shortcut.entity_create_success":"Успешно создано: {name}","investigation.shortcut.upload":"Загрузить документы","investigation.shortcut.xref":"Сопоставить с другими наборами данных","judgement.disabled":"Для принятия решений необходимы права на редактирование","judgement.negative":"Различаются","judgement.positive":"Одинаковые","judgement.unsure":"Недостаточно информации","landing.shortcut.alert":"Создать оповещение для поиска","landing.shortcut.datasets":"Просмотр наборов данных","landing.shortcut.investigation":"Начать новое расследование","landing.shortcut.search":"Поиск сущностей","list.create.button":"Новый список","list.create.label_placeholder":"Безымянный список","list.create.login":"Для создания списка необходимо авторизоваться.","list.create.success":"Вы создали список.","list.create.summary_placeholder":"Краткое описание списка","list.create.title":"Создать список","list.selector.create":"Создать новый список","list.selector.select_empty":"Списки отсутствуют","list.update.label_placeholder":"Безымянный список","list.update.success":"Список обновлён","list.update.summary_placeholder":"Краткое описание списка","list.update.title":"Настройки списка","lists":"Списки","lists.description":"С помощью списков вы можете организовывать и группировать связанные сущности","lists.no_lists":"Списки отсутствуют.","lists.title":"Списки","login.oauth":"Войти с помощью OAuth","mapping.actions.create":"Создать сущности","mapping.actions.create.toast":"Создание сущностей...","mapping.actions.delete":"Удалить","mapping.actions.delete.toast":"Удаление маппинга и созданных сущностей...","mapping.actions.export":"Экспорт маппинга","mapping.actions.flush":"Удалить созданные сущности","mapping.actions.flush.toast":"Удаление созданных сущностей","mapping.actions.save":"Сохранить изменения","mapping.actions.save.toast":"Пересоздать сущности...","mapping.create.cancel":"Отменить","mapping.create.confirm":"Создать","mapping.create.question":"Вы уверены, что готовы создать сущности, используя этот маппинг?","mapping.delete.cancel":"Отменить","mapping.delete.confirm":"Удалить","mapping.delete.question":"Вы уверены, что хотите удалить этот маппинг и все созданные сущности?","mapping.docs.link":"Помощь по маппингу сущностей в Алефе","mapping.entityAssign.helpText":"Необходимо создать объект типа \"{range}\" для {property}","mapping.entityAssign.noResults":"Нет совпадений с другими объектами","mapping.entityAssign.placeholder":"Выбрать объект","mapping.entity_set_select":"Выберите список или диаграмму","mapping.entityset.remove":"Удалить","mapping.error.keyMissing":"Ошибка ключа: для сущности {id} должен быть задан хотя бы один ключ","mapping.error.relationshipMissing":"Ошибка связи: для сущности {id} должны быть заданы {source} и {target}.","mapping.flush.cancel":"Отменить","mapping.flush.confirm":"Удалить маппинг","mapping.flush.question":"Вы уверены, что хотите удалить все созданные с помощью этого маппинга сущности?","mapping.import.button":"Импортировать существующие маппинги","mapping.import.placeholder":"Перенесите .yml файл сюда или кликните, чтобы импортировать существующий маппинг-файл","mapping.import.querySelect":"Выберите маппинг-запрос для импорта из этого файла:","mapping.import.submit":"Сохранить","mapping.import.success":"Ваш маппинг импортирован.","mapping.import.title":"Импорт маппинга","mapping.info":"Выполните нижеследующие действия для маппинга данных в этом расследовании с сущностями модели Follow the Money. Подробнее см. {link}","mapping.info.link":"Помощь по маппингу данных в Алефе","mapping.keyAssign.additionalHelpText":"Используйте колонки с идентификационными номерами, телефонными номерами, эл. адресами\n и прочей уникальной информацией. Если колонки с уникальными значениями отсутствуют,\n выберите одновременно несколько колонок, чтобы Алеф сгенерировал уникальные сущности из ваших данных.","mapping.keyAssign.additionalHelpToggle.less":"Меньше","mapping.keyAssign.additionalHelpToggle.more":"Подробнее о ключах","mapping.keyAssign.helpText":"Укажите, какие колонки из исходных данных следует использовать для определения уникальных сущностей.","mapping.keyAssign.noResults":"Результатов нет","mapping.keyAssign.placeholder":"Выбрать ключи из доступных колонок","mapping.keys":"Ключи","mapping.propAssign.errorBlank":"Нельзя назначить свойства колонкам без заголовка","mapping.propAssign.errorDuplicate":"Нельзя назначить свойства колонкам с неуникальными заголовками","mapping.propAssign.literalButtonText":"Добавить заданное значение","mapping.propAssign.literalPlaceholder":"Задать значение","mapping.propAssign.other":"Прочее","mapping.propAssign.placeholder":"Назначить свойство","mapping.propRemove":"Удалить свойство из маппинга","mapping.props":"Свойства","mapping.save.cancel":"Отменить","mapping.save.confirm":"Обновить маппинг и пересоздать сущности","mapping.save.question":"При обновлении маппинга ранее созданные сущности будет удалены и созданы снова. Продолжить?","mapping.section1.title":"1. Выберите типы сущностей","mapping.section2.title":"2. Соотнесите колонки свойствам сущностей","mapping.section3.title":"3. Проверьте результат","mapping.section4.description":"Сгенерированные сущности будут по умолчанию добавлены в {collection}. Если вы также хотите добавить их к списку или к диаграмме в расследовании, выберите ниже возможные варианты.","mapping.section4.title":"4. Выберите, куда добавить сгенерированные сущности (необязательно)","mapping.status.error":"Ошибка:","mapping.status.status":"Статус:","mapping.status.updated":"Последнее обновление:","mapping.title":"Создание структурированных сущностей","mapping.types.objects":"Объекты","mapping.types.relationships":"Связи","mapping.warning.empty":"Необходимо создать хотя бы одну сущность","mappings.no_mappings":"У вас пока нет сгенерированных маппингов","messages.banner.dismiss":"Закрыть","nav.alerts":"Оповещения","nav.bookmarks":"Закладки","nav.cases":"Расследования","nav.collections":"Наборы данных","nav.diagrams":"Диаграммы","nav.exports":"Экспорт","nav.lists":"Списки","nav.menu.cases":"Расследования","nav.settings":"Настройки","nav.signin":"Войти","nav.signout":"Выйти","nav.status":"Системный статус","nav.timelines":"Хронологии","nav.view_notifications":"Уведомления","navbar.alert_add":"Вам будут приходить оповещения о новых результатах этого поискового запроса.","navbar.alert_remove":"Вы подписаны на оповещения для этого поискового запроса.","notification.description":"Показать последние обновления для наборов данных, расследований, групп и оповещений, на которые вы подписаны","notifications.greeting":"Что нового, {role}?","notifications.no_notifications":"У вас нет непросмотренных уведомлений","notifications.title":"Последние уведомления","notifications.type_filter.all":"Все","pages.not.found":"Страница не найдена","pass.auth.not_same":"Пароли не совпадают!","password_auth.activate":"Активировать","password_auth.confirm":"Подтвердить пароль","password_auth.email":"Электронный адрес","password_auth.name":"Ваше имя","password_auth.password":"Пароль","password_auth.signin":"Войти","password_auth.signup":"Зарегистрироваться","profile.callout.details":"В этом профиле собраны аттрибуты и связи из {count} сущностей из прочих наборов данных.","profile.callout.intro":"Вы просматриваете {entity} в виде профиля.","profile.callout.link":"Показать исходной сущности","profile.delete.warning":"Удаление этого профиля не приведёт к удалению созданных сущностей и принятых решений.","profile.hint":"{entity} объединена с сущностями из других наборов данных в профиль ","profile.info.header":"Профиль","profile.info.items":"Распознавание сущностей","profile.info.similar":"Предлагаемое","profile.items.entity":"Объединённые сущности","profile.items.explanation":"Решайте, какие исходные сущности следует отнести к данному профилю или исключить из него.","profile.similar.no_results":"Дополнительные сведения для профиля не найдены.","profileinfo.api_desc":"API-ключ для редактирования данных через сторонние приложения","queryFilters.clearAll":"Очистить все","queryFilters.showHidden":"Ещё фильтры: {count}...","refresh.callout_message":"Обрабатываем документы. Пожалуйста, подождите...","restricted.explain":"Использование этого набора данных ограничено. Прочтите описание и свяжитесь с {creator}, прежде чем использовать эти материалы.","restricted.explain.creator":"владелец набора данных","restricted.tag":"ОГРАНИЧЕНО","result.error":"Ошибка","result.more_results":"Найдено результатов: более {total}","result.none":"Ничего не найдено","result.results":"Результатов поиска: {total}","result.searching":"Поиск...","result.solo":"Один результат","role.select.user":"Выберите пользователя","schemaSelect.button.relationship":"Добавить новую связь","schemaSelect.button.thing":"Добавить новый объект","screen.load_more":"Ещё","search.advanced.all.helptext":"Будут отображены результаты, в которых есть все искомые слова","search.advanced.all.label":"Все слова (по умолчанию)","search.advanced.any.helptext":"Будут отображены результаты, в которых есть любое из искомых слов","search.advanced.any.label":"Любые из этих слов","search.advanced.clear":"Очистить все","search.advanced.exact.helptext":"Только результаты поиска с точным написанием слова или фразы","search.advanced.exact.label":"Только это слово или фраза","search.advanced.none.helptext":"Исключить результаты с этими словами","search.advanced.none.label":"Ни одно из указанных слов","search.advanced.proximity.distance":"Расстояние","search.advanced.proximity.helptext":"Поиск слов, находящихся на некотором расстоянии друг от друга. Например, поиск употреблений \"Bank\" и \"America\", расположеных на расстоянии двух слов друг от друга, таких как \"Bank of America\", \"Bank in America\" и даже \"America has a Bank\".","search.advanced.proximity.label":"Слова на некотором расстоянии друг от друга","search.advanced.proximity.term":"Первое искомое слово","search.advanced.proximity.term2":"Второе искомое слово","search.advanced.submit":"Поиск","search.advanced.title":"Расширенный поиск","search.advanced.variants.distance":"Отличающиеся буквы","search.advanced.variants.helptext":"Используйте для нечёткого поиска. Например, в ответ на запрос Wladimir~2 вы получите результаты не только соодержащие «Wladimir», но и такие варианты написания, как «Wladimyr» или «Vladimyr». Варианты написания определяются количеством ошибок или побуквенных изменений для получения варианта из исходного слова.","search.advanced.variants.label":"Варианты написания","search.advanced.variants.term":"Искомое слово","search.callout_message":"Некоторые коллекции данных недоступны анонимным пользователям — нажмите {signInButton}, чтобы авторизоваться!","search.callout_message.button_text":"Войти","search.columns.configure":"Настроить колонки","search.columns.configure_placeholder":"Найти колонку...","search.config.groups":"Группы свойств","search.config.properties":"Свойства","search.config.reset":"Настройки по умолчанию","search.facets.clearDates":"Очистить","search.facets.configure":"Настроить фильтры","search.facets.configure_placeholder":"Найти фильтр...","search.facets.filtersSelected":"{count} выбрано","search.facets.hide":"Скрыть фильтры","search.facets.no_items":"Варианты отсутствуют","search.facets.show":"Отобразить фильтры","search.facets.showMore":"Ещё...","search.filterTag.ancestors":"в:","search.filterTag.exclude":"не:","search.filterTag.role":"Фильтровать по доступу","search.loading":"Загрузка...","search.no_results_description":"Попробуйте расширить критерии поиска","search.no_results_title":"Ничего не найдено","search.placeholder":"Искать людей, компании или документы","search.placeholder_default":"Поиск...","search.placeholder_label":"Поиск в {label}","search.screen.dates.show-all":"* Показаны все настройки фильтра дат. { button } отобразить только ближайшие даты.","search.screen.dates.show-hidden":"* В фильтре дат отображены только варианты от {start} до настоящего времени. { button } показать даты за пределами данного диапазона.","search.screen.dates.show-hidden.click":"Нажмите здесь","search.screen.dates_label":"результаты","search.screen.dates_title":"Даты","search.screen.dates_uncertain_day":"* в том числе неполные даты без указания дня","search.screen.dates_uncertain_day_month":"* в том числе неполные даты в {year} без указания дня или месяца","search.screen.dates_uncertain_month":"* в том числе даты в {year} без указания месяца","search.screen.export":"Экспорт","search.screen.export_disabled":"За один раз можно экспортировать не более 10.000 записей","search.screen.export_disabled_empty":"Результатов для экспорта нет.","search.screen.export_helptext":"Экспортировать результаты","search.title":"Поиск: {title}","search.title_emptyq":"Поиск","settings.api_key":"API-ключ","settings.confirm":"(подтверждение)","settings.current_explain":"Введите текущий пароль для установки нового.","settings.current_password":"Действующий пароль","settings.email":"Электронный адрес","settings.email.muted":"Получать ежедневные уведомления по эл. почте","settings.email.no_change":"Ваш эл. адрес не изменён","settings.email.tester":"Принимать участие в тестировании новых функций","settings.locale":"Язык","settings.name":"Название","settings.new_password":"Новый пароль","settings.password.missmatch":"Пароли не совпадают","settings.password.rules":"Минимум 6 символов","settings.password.title":"Поменять пароль","settings.save":"Обновить","settings.saved":"Ваша учётная запись обновлена","settings.title":"Настройки","sidebar.open":"Развернуть","signup.activate":"Активирируйте учётную запись","signup.inbox.desc":"Мы отправили вам письмо с ссылкой для завершения регистрации","signup.inbox.title":"Проверьте почту","signup.login":"Вы уже зарегистрированы? Авторизуйтесь!","signup.register":"Зарегистрироваться","signup.register.question":"У вас нет учётной записи? Зарегистрируйтесь!","signup.title":"Войти","sorting.bar.button.label":"Отобразить:","sorting.bar.caption":"Название","sorting.bar.collection_id":"Набор данных","sorting.bar.count":"Размер","sorting.bar.countries":"Страны","sorting.bar.created_at":"Дата создания","sorting.bar.date":"Дата","sorting.bar.dates":"Даты","sorting.bar.direction":"Направление:","sorting.bar.endDate":"Дата окончания","sorting.bar.label":"Название","sorting.bar.sort":"Отсортировать:","sorting.bar.updated_at":"Дата обновления","sources.index.empty":"Эта группа не привязана к какому-либо набору данных или расследованию.","sources.index.placeholder":"Поиск наборов данных или расследований, относящихся к {group}...","status.no_collection":"Прочие задачи","tags.results":"Количество упоминаний","tags.title":"Искомое слово","text.loading":"Загрузка...","timeline.create.button":"Создать хронологию","timeline.create.label_placeholder":"Безымянная хронология","timeline.create.login":"Для создания хронологии необходимо авторизоваться","timeline.create.success":"Вы создали хронологию","timeline.create.summary_placeholder":"Краткое описание хронологии","timeline.create.title":"Создать хронологию","timeline.selector.create":"Создать новую хронологию","timeline.selector.select_empty":"Хронологии отсутствуют","timeline.update.label_placeholder":"Безымянная хронология","timeline.update.success":"Вы обновили хронологию","timeline.update.summary_placeholder":"Краткое описание хронологии","timeline.update.title":"Настройки хронологии","timelines":"Хронологии","timelines.description":"Хронологии служат для просмотра и организации событий во времени.","timelines.no_timelines":"Хронологии отсутствуют.","timelines.title":"Хронологии","valuelink.tooltip":"Упоминаний в {appName}: {count}","xref.compute":"Обработать","xref.entity":"Запись","xref.match":"Вероятное совпадение","xref.match_collection":"Набор данных","xref.recompute":"Перезапустить","xref.score":"Оценка","xref.sort.default":"По умолчанию","xref.sort.label":"Отсортировать:","xref.sort.random":"Произвольно"},"tr":{"alert.manager.description":"You will receive notifications when a new result is added that matches any of the alerts you have set up below.","alerts.add_placeholder":"Create a new tracking alert...","alerts.delete":"Remove alert","alerts.heading":"Manage your alerts","alerts.no_alerts":"You are not tracking any searches","alerts.save":"Update","alerts.title":"Tracking alerts","alerts.track":"Track","auth.bad_request":"The Server did not accept your input","auth.server_error":"Server error","auth.success":"Success","auth.unauthorized":"Not authorized","auth.unknown_error":"An unexpected error occured","case.choose.name":"Title","case.choose.summary":"Summary","case.chose.languages":"Languages","case.create.login":"You must sign in to upload your own data.","case.description":"Investigations let you upload and share documents and data which belong to a particular story. You can upload PDFs, email archives or spreadsheets, and they will be made easy to search and browse.","case.label_placeholder":"Untitled investigation","case.language_placeholder":"Select languages","case.languages.helper":"Used for optical text recognition in non-Latin alphabets.","case.save":"Save","case.share.with":"Share with","case.summary":"A brief description of the investigation","case.title":"Create an investigation","case.users":"Search users","cases.create":"New investigation","cases.empty":"You do not have any investigations yet.","cases.no_results":"No investigations were found matching this query.","cases.placeholder":"Search investigations...","cases.title":"Investigations","clipboard.copy.after":"Successfully copied to clipboard","clipboard.copy.before":"Copy to clipboard","collection.addSchema.placeholder":"Add new entity type","collection.analyze.alert.text":"You're about to re-index the entities in {collectionLabel}. This can be helpful if there are inconsistencies in how the data is presented.","collection.analyze.cancel":"Cancel","collection.cancel.button":"Cancel","collection.countries":"Country","collection.creator":"Manager","collection.data_updated_at":"Content updated","collection.data_url":"Data URL","collection.delete.confirm":"I understand the consequences.","collection.delete.confirm.dataset":"Delete this dataset.","collection.delete.confirm.investigation":"Delete this investigation.","collection.delete.question":"Are you sure you want to permanently delete {collectionLabel} and all contained items? This cannot be undone.","collection.delete.success":"Successfully deleted {label}","collection.delete.title.dataset":"Delete dataset","collection.delete.title.investigation":"Delete investigation","collection.edit.access_title":"Access control","collection.edit.cancel_button":"Cancel","collection.edit.groups":"Groups","collection.edit.info.analyze":"Re-process","collection.edit.info.cancel":"Cancel","collection.edit.info.category":"Category","collection.edit.info.countries":"Countries","collection.edit.info.creator":"Manager","collection.edit.info.data_url":"Data source URL","collection.edit.info.delete":"Delete","collection.edit.info.foreign_id":"Foreign ID","collection.edit.info.frequency":"Update frequency","collection.edit.info.info_url":"Information URL","collection.edit.info.label":"Label","collection.edit.info.languages":"Languages","collection.edit.info.placeholder_country":"Select countries","collection.edit.info.placeholder_data_url":"Link to the raw data in a downloadable form","collection.edit.info.placeholder_info_url":"Link to further information","collection.edit.info.placeholder_label":"A label","collection.edit.info.placeholder_language":"Select languages","collection.edit.info.placeholder_publisher":"Organisation or person publishing this data","collection.edit.info.placeholder_publisher_url":"Link to the publisher","collection.edit.info.placeholder_summary":"A brief summary","collection.edit.info.publisher":"Publisher","collection.edit.info.publisher_url":"Publisher URL","collection.edit.info.restricted":"This dataset is restricted and viewers should be warned.","collection.edit.info.save":"Save changes","collection.edit.info.summary":"Summary","collection.edit.permissions_warning":"Note: User must already have an Aleph account in order to receive access.","collection.edit.permissionstable.edit":"Edit","collection.edit.permissionstable.view":"View","collection.edit.save_button":"Save changes","collection.edit.save_success":"Your changes are saved.","collection.edit.title":"Settings","collection.edit.users":"Users","collection.foreign_id":"Foreign ID","collection.frequency":"Updates","collection.index.empty":"No datasets were found.","collection.index.filter.all":"All","collection.index.filter.mine":"Created by me","collection.index.no_results":"No datasets were found matching this query.","collection.index.placeholder":"Search datasets...","collection.index.title":"Datasets","collection.info.access":"Share","collection.info.browse":"Documents","collection.info.delete":"Delete dataset","collection.info.delete_casefile":"Delete investigation","collection.info.diagrams":"Network diagrams","collection.info.diagrams_description":"Network diagrams let you visualize complex relationships within an investigation.","collection.info.documents":"Documents","collection.info.edit":"Settings","collection.info.entities":"Entities","collection.info.lists":"Lists","collection.info.lists_description":"Lists let you organize and group related entities of interest.","collection.info.mappings":"Entity mappings","collection.info.mappings_description":"Entity mappings allow you to bulk generate structured Follow the Money entities (like People, Companies, and the relationships among them) from rows in a spreadsheet or CSV document","collection.info.mentions":"Mentions","collection.info.mentions_description":"Aleph automatically extracts terms that resemble names, address, phone numbers, and email addresses from uploaded documents and entities within your investigation. {br}{br} Click on a mentioned term below to find where it appears in your investigation.","collection.info.overview":"Overview","collection.info.reindex":"Re-index all content","collection.info.reingest":"Re-ingest documents","collection.info.search":"Search","collection.info.source_documents":"Source documents","collection.info.timelines":"Timelines","collection.info.timelines_description":"Timelines are a way to view and organize events chronologically.","collection.info.xref":"Cross-reference","collection.info.xref_description":"Cross-referencing allows you to search the rest of Aleph for entities similar to those contained in your investigation.","collection.info_url":"Information URL","collection.last_updated":"Last updated {date}","collection.mappings.create":"Create a new entity mapping","collection.mappings.create_docs_link":"For more information, please refer to the {link}","collection.overview.empty":"This dataset is empty.","collection.publisher":"Publisher","collection.reconcile":"Reconciliation","collection.reconcile.description":"Match your own data against the entities in this collection using the free {openrefine} tool by adding the reconciliation endpoint.","collection.reindex.cancel":"Cancel","collection.reindex.confirm":"Start indexing","collection.reindex.flush":"Clear index before re-indexing","collection.reindex.processing":"Indexing started.","collection.reingest.confirm":"Start processing","collection.reingest.index":"Index documents as they are processed.","collection.reingest.processing":"Re-ingest started.","collection.reingest.text":"You're about to re-process all documents in {collectionLabel}. This might take some time.","collection.statistics.showmore":"Show more","collection.status.cancel_button":"Cancel the process","collection.status.collection":"Dataset","collection.status.finished_tasks":"Finished","collection.status.jobs":"Jobs","collection.status.message":"Continue to frolic about while data is being processed.","collection.status.no_active":"There are no ongoing tasks","collection.status.pending_tasks":"Pending","collection.status.progress":"Tasks","collection.status.title":"Update in progress ({percent}%)","collection.team":"Accessible to","collection.updated_at":"Metadata updated","collection.xref.cancel":"Cancel","collection.xref.confirm":"Confirm","collection.xref.empty":"There are no cross-referencing results.","collection.xref.processing":"Cross-referencing started.","collection.xref.text":"You will now cross-reference {collectionLabel} against all other sources. Start this process once and then wait for it to complete.","collection.xref.title":"Cross-reference","dashboard.activity":"Activity","dashboard.alerts":"Alerts","dashboard.cases":"Investigations","dashboard.diagrams":"Network diagrams","dashboard.exports":"Exports","dashboard.groups":"Groups","dashboard.lists":"Lists","dashboard.notifications":"Notifications","dashboard.settings":"Settings","dashboard.status":"System status","dashboard.subheading":"Check the progress of ongoing data analysis, upload, and processing tasks.","dashboard.timelines":"Timelines","dashboard.title":"System Status","dashboard.workspace":"Workspace","dataset.search.placeholder":"Search this dataset","diagram.create.button":"New diagram","diagram.create.label_placeholder":"Untitled diagram","diagram.create.login":"You must log in to create a diagram","diagram.create.success":"Your diagram has been created successfully.","diagram.create.summary_placeholder":"A brief description of the diagram","diagram.create.title":"Create a diagram","diagram.embed.error":"Error generating diagram embed","diagram.export.embed.description":"Generate an embeddable interactive version of the diagram that can be used in an article. The embed will not reflect future changes in the diagram.","diagram.export.error":"Error exporting diagram","diagram.export.ftm":"Export as .ftm","diagram.export.ftm.description":"Download the diagram as a data file that can be used in {link} or another Aleph site.","diagram.export.ftm.link":"Aleph Data Desktop","diagram.export.iframe":"Embed iframe","diagram.export.svg":"Export as SVG","diagram.export.svg.description":"Download a vector graphic with the contents of the diagram.","diagram.export.title":"Export options","diagram.import.button":"Import diagram","diagram.import.placeholder":"Drop a .ftm or .vis file here or click to import an existing diagram","diagram.import.title":"Import a network diagram","diagram.render.error":"Error rendering diagram","diagram.selector.create":"Create a new diagram","diagram.selector.select_empty":"No existing diagram","diagram.update.label_placeholder":"Untitled diagram","diagram.update.success":"Your diagram has been updated successfully.","diagram.update.summary_placeholder":"A brief description of the diagram","diagram.update.title":"Diagram settings","diagrams":"Diagrams","diagrams.description":"Network diagrams let you visualize complex relationships within an investigation.","diagrams.no_diagrams":"There are no network diagrams.","diagrams.title":"Network diagrams","document.download":"Download","document.download.cancel":"Cancel","document.download.confirm":"Download","document.download.dont_warn":"Don't warn me in the future when downloading source documents","document.download.tooltip":"Download the original document","document.download.warning":"You’re about to download a source file. {br}{br} Source files can contain viruses and code that notify the originator when you open them. {br}{br} For sensitive data, we recommend only opening source files on a computer that is permanently disconnected from the internet.","document.folder.error":"There was an error creating the folder.","document.folder.new":"New folder","document.folder.save":"Create","document.folder.title":"New folder","document.folder.untitled":"Folder title","document.mapping.start":"Generate entities","document.paging":"Page {pageInput} of {numberOfPages}","document.pdf.search.page":"Page {page}","document.report_problem":"Report a problem","document.report_problem.text":"You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.","document.report_problem.title":"Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?","document.search.no_match":"No single page within this document matches all your search terms.","document.upload.button":"Upload","document.upload.cancel":"Cancel","document.upload.close":"Close","document.upload.errors":"Some files couldn't be transferred. You can use the Retry button to restart all failed uploads.","document.upload.files":"Choose files to upload...","document.upload.folder":"If you would like to upload folders instead, { button }.","document.upload.folder-toggle":"click here","document.upload.info":"If you need to upload a large amount of files (100+) consider {link}.","document.upload.notice":"The upload is complete. It will take a few moments for the documents to be processed and become searchable.","document.upload.progress":"{done} of {total} files done, {errors} errors.","document.upload.rejected":"{fileName} is missing a file type, so it cannot be uploaded.","document.upload.retry":"Retry","document.upload.save":"Upload","document.upload.summary":"{numberOfFiles, number} files, {totalSize}","document.upload.title":"Upload documents","document.upload.title_in_folder":"Upload documents to {folder}","document.viewer.ignored_file":"The system does not work with these types of files. Please download it so you’ll be able to see it.","document.viewer.no_viewer":"No preview is available for this document","email.body.empty":"No message body.","entity.delete.cancel":"Cancel","entity.delete.confirm":"Delete","entity.delete.error":"An error occured while attempting to delete this entity.","entity.delete.progress":"Deleting...","entity.delete.question.multiple":"Are you sure you want to delete the following {count, plural, one {item} other {items}}?","entity.delete.success":"Successfully deleted","entity.document.manager.cannot_map":"Select a table document to generate structured entities","entity.document.manager.empty":"No files or directories.","entity.document.manager.emptyCanUpload":"No files or directories. Drop files here or click to upload.","entity.document.manager.search_placeholder":"Search documents","entity.document.manager.search_placeholder_document":"Search in {label}","entity.info.attachments":"Attachments","entity.info.documents":"Documents","entity.info.info":"Info","entity.info.last_view":"Last viewed {time}","entity.info.similar":"Similar","entity.info.tags":"Mentions","entity.info.text":"Text","entity.info.view":"View","entity.info.workbook_warning":"This sheet is part of workbook {link}","entity.manager.bulk_import.description.1":"Select a table below from which to import new {schema} entities.","entity.manager.bulk_import.description.2":"Once selected, you will be prompted to assign columns from that table to properties of the generated entities.","entity.manager.bulk_import.description.3":"Don't see the table you're looking for? {link}","entity.manager.bulk_import.link_text":"Upload a new table document","entity.manager.bulk_import.no_results":"No matching documents found","entity.manager.bulk_import.placeholder":"Select a table document","entity.manager.delete":"Delete","entity.manager.edge_create_success":"Successfully linked {source} and {target}","entity.manager.entity_set_add_success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entity.manager.remove":"Remove","entity.manager.search_empty":"No matching {schema} results found","entity.manager.search_placeholder":"Search {schema}","entity.mapping.view":"Generate entities","entity.properties.missing":"unknown","entity.references.no_relationships":"This entity does not have any relationships.","entity.references.no_results":"No {schema} match this search.","entity.references.no_results_default":"No entities match this search.","entity.references.search.placeholder":"Search in {schema}","entity.references.search.placeholder_default":"Search entities","entity.remove.confirm":"Remove","entity.remove.error":"An error occured while attempting to remove this entity.","entity.remove.progress":"Removing...","entity.remove.question.multiple":"Are you sure you want to remove the following {count, plural, one {item} other {items}}?","entity.remove.success":"Successfully removed","entity.search.empty_title":"This folder is empty","entity.search.no_results_description":"Try making your search more general","entity.search.no_results_title":"No search results","entity.similar.empty":"There are no similar entities.","entity.similar.entity":"Similar entity","entity.similar.found_text":"Found {resultCount} {resultCount, plural, one {similar entity} other {similar entities}} from {datasetCount} {datasetCount, plural, one {dataset} other {datasets}}","entity.tags.no_tags":"No selectors were extracted from this entity.","entity.viewer.add_link":"Create link","entity.viewer.add_to":"Add to...","entity.viewer.bulk_import":"Bulk import","entity.viewer.search_placeholder":"Search in {label}","entitySet.last_updated":"Updated {date}","entityset.choose.name":"Title","entityset.choose.summary":"Summary","entityset.create.collection":"Investigation","entityset.create.collection.existing":"Select an investigation","entityset.create.collection.new":"Don't see the investigation you're looking for? {link}","entityset.create.collection.new_link":"Create a new investigation","entityset.create.submit":"Create","entityset.delete.confirm":"I understand the consequences.","entityset.delete.confirm.diagram":"Delete this network diagram.","entityset.delete.confirm.list":"Delete this list.","entityset.delete.confirm.profile":"Delete this profile.","entityset.delete.confirm.timeline":"Delete this timeline.","entityset.delete.question":"Are you sure you want to permanently delete {label}? This cannot be undone.","entityset.delete.success":"Successfully deleted {title}","entityset.delete.title.diagram":"Delete network diagram","entityset.delete.title.list":"Delete list","entityset.delete.title.profile":"Delete profile","entityset.delete.title.timeline":"Delete timeline","entityset.info.delete":"Delete","entityset.info.edit":"Settings","entityset.info.export":"Export","entityset.info.exportAsSvg":"Export as SVG","entityset.selector.placeholder":"Search existing","entityset.selector.success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entityset.selector.success_toast_button":"View","entityset.selector.title":"Add {firstCaption} {titleSecondary} to...","entityset.selector.title_default":"Add entities to...","entityset.selector.title_other":"and {count} other {count, plural, one {entity} other {entities}}","entityset.update.submit":"Save changes","error.screen.not_found":"The requested page could not be found.","export.dialog.text":"Initiate your export. {br}{br} Exports take some time to generate. You will receive an email once the data is ready. {br}{br} Please trigger this export only once.","exports.dialog.cancel":"Cancel","exports.dialog.confirm":"Export","exports.dialog.dashboard_link":"View progress","exports.dialog.success":"Your export has begun.","exports.expiration":"Expiration","exports.manager.description":"Below is a list of your exports. Make sure to download them before they expire.","exports.name":"Name","exports.no_exports":"You have no exports to download","exports.size":"Size","exports.status":"Status","exports.title":"Exports ready for download","facet.addresses":"{count, plural, one {Address} other {Addresses}}","facet.caption":"Name","facet.category":"{count, plural, one {Category} other {Categories}}","facet.collection_id":"Dataset","facet.countries":"{count, plural, one {Country} other {Countries}}","facet.dates":"{count, plural, one {Date} other {Dates}}","facet.emails":"{count, plural, one {E-Mail} other {E-Mails}}","facet.ibans":"{count, plural, one {IBAN} other {IBANs}}","facet.languages":"{count, plural, one {Language} other {Languages}}","facet.mimetypes":"{count, plural, one {File type} other {File types}}","facet.names":"{count, plural, one {Name} other {Names}}","facet.phones":"{count, plural, one {Phone number} other {Phone numbers}}","facet.schema":"Entity type","file_import.error":"Error importing file","footer.aleph":"Aleph {version}","footer.ftm":"FollowTheMoney {version}","group.page.description":"The list below shows all datasets and investigations that belong to this group.","group.page.search.description":"If you would like to search for specific entities or documents within the datasets that this group has access to, click here instead.","home.access_disabled":"Public access temporarily disabled","home.counts.countries":"Countries & territories","home.counts.datasets":"Public datasets","home.counts.entities":"Public entities","home.placeholder":"Try searching: {samples}","home.statistics.categories":"Dataset categories","home.statistics.countries":"Countries and territories","home.statistics.schemata":"Entity types","home.stats.title":"Get started exploring public data","home.title":"Find public records and leaks","hotkeys.judgement.different":"Decide different","hotkeys.judgement.group_label":"Entity decisions","hotkeys.judgement.next":"Select next result","hotkeys.judgement.previous":"Select previous result","hotkeys.judgement.same":"Decide same","hotkeys.judgement.unsure":"Decide not enough information","hotkeys.search.different":"Preview previous result","hotkeys.search.group_label":"Search preview","hotkeys.search.unsure":"Preview next result","hotkeys.search_focus":"Search","infoMode.collection_casefile":"Investigation","infoMode.collection_dataset":"Dataset","infoMode.createdAt":"Created at","infoMode.creator":"Created by","infoMode.updatedAt":"Last updated","investigation.mentions.empty":"There are no mentions yet in this investigation.","investigation.overview.guides":"Read more","investigation.overview.guides.access":"Managing access","investigation.overview.guides.diagrams":"Drawing network diagrams","investigation.overview.guides.documents":"Uploading documents","investigation.overview.guides.entities":"Creating & editing entities","investigation.overview.guides.mappings":"Generating entities from a spreadsheet","investigation.overview.guides.xref":"Cross-referencing your data","investigation.overview.notifications":"Recent activity","investigation.overview.shortcuts":"Quick links","investigation.overview.shortcuts_empty":"Getting started","investigation.search.placeholder":"Search this investigation","investigation.shortcut.diagram":"Sketch a network diagram","investigation.shortcut.entities":"Create new entities","investigation.shortcut.entity_create_error":"Unable to create entity","investigation.shortcut.entity_create_success":"Successfully created {name}","investigation.shortcut.upload":"Upload documents","investigation.shortcut.xref":"Compare with other datasets","judgement.disabled":"You must have edit access in order to make judgements.","judgement.negative":"Different","judgement.positive":"Same","judgement.unsure":"Not enough information","landing.shortcut.alert":"Create a search alert","landing.shortcut.datasets":"Browse datasets","landing.shortcut.investigation":"Start an investigation","landing.shortcut.search":"Search entities","list.create.button":"New list","list.create.label_placeholder":"Untitled list","list.create.login":"You must log in to create a list","list.create.success":"Your list has been created successfully.","list.create.summary_placeholder":"A brief description of the list","list.create.title":"Create a list","list.selector.create":"Create a new list","list.selector.select_empty":"No existing list","list.update.label_placeholder":"Untitled list","list.update.success":"Your list has been updated successfully.","list.update.summary_placeholder":"A brief description of the list","list.update.title":"List settings","lists":"Lists","lists.description":"Lists let you organize and group related entities of interest.","lists.no_lists":"There are no lists.","lists.title":"Lists","login.oauth":"Sign in via OAuth","mapping.actions.create":"Generate entities","mapping.actions.create.toast":"Generating entities...","mapping.actions.delete":"Delete","mapping.actions.delete.toast":"Deleting mapping and any generated entities...","mapping.actions.export":"Export mapping","mapping.actions.flush":"Remove generated entities","mapping.actions.flush.toast":"Removing generated entities...","mapping.actions.save":"Save changes","mapping.actions.save.toast":"Re-generating entities...","mapping.create.cancel":"Cancel","mapping.create.confirm":"Generate","mapping.create.question":"Are you sure you are ready to generate entities using this mapping?","mapping.delete.cancel":"Cancel","mapping.delete.confirm":"Delete","mapping.delete.question":"Are you sure you want to delete this mapping and all generated entities?","mapping.docs.link":"Aleph entity mapping documentation","mapping.entityAssign.helpText":"You must create an object of type \"{range}\" to be the {property}","mapping.entityAssign.noResults":"No matching objects available","mapping.entityAssign.placeholder":"Select an object","mapping.entity_set_select":"Select a List or Diagram","mapping.entityset.remove":"Remove","mapping.error.keyMissing":"Key Error: {id} entity must have at least one key","mapping.error.relationshipMissing":"Relationship Error: {id} entity must have a {source} and {target} assigned","mapping.flush.cancel":"Cancel","mapping.flush.confirm":"Remove","mapping.flush.question":"Are you sure you want to remove entities generated using this mapping?","mapping.import.button":"Import existing mapping","mapping.import.placeholder":"Drop a .yml file here or click to import an existing mapping file","mapping.import.querySelect":"Select a mapping query from this file to import:","mapping.import.submit":"Submit","mapping.import.success":"Your mapping has been imported successfully.","mapping.import.title":"Import a mapping","mapping.info":"Follow the steps below to map items in this investigation to structured Follow the Money entites. For more information, please refer to the {link}","mapping.info.link":"Aleph data mapping documentation","mapping.keyAssign.additionalHelpText":"The best keys are columns from your data that contain id numbers, phone numbers, email addresses, or other uniquely identifying information. If no columns with unique values exist, select multiple columns to allow Aleph to generate unique entities correctly from your data.","mapping.keyAssign.additionalHelpToggle.less":"Less","mapping.keyAssign.additionalHelpToggle.more":"More about keys","mapping.keyAssign.helpText":"Specify which columns from the source data will be used to identify unique entities.","mapping.keyAssign.noResults":"No results","mapping.keyAssign.placeholder":"Select keys from available columns","mapping.keys":"Keys","mapping.propAssign.errorBlank":"Columns with no header cannot be assigned","mapping.propAssign.errorDuplicate":"Columns with duplicate headers cannot be assigned","mapping.propAssign.literalButtonText":"Add a fixed value","mapping.propAssign.literalPlaceholder":"Add fixed value text","mapping.propAssign.other":"Other","mapping.propAssign.placeholder":"Assign a property","mapping.propRemove":"Remove this property from mapping","mapping.props":"Properties","mapping.save.cancel":"Cancel","mapping.save.confirm":"Update mapping & re-generate","mapping.save.question":"Updating this mapping will delete any previously generated entities and re-generate them. Are you sure you would like to continue?","mapping.section1.title":"1. Select entity types to generate","mapping.section2.title":"2. Map columns to entity properties","mapping.section3.title":"3. Verify","mapping.section4.description":"Generated entities will be added to {collection} by default. If you would like to additionally add them to a list or diagram within the investigation, please click below and select from the available options.","mapping.section4.title":"4. Select a destination for generated entities (optional)","mapping.status.error":"Error:","mapping.status.status":"Status:","mapping.status.updated":"Last updated:","mapping.title":"Generate structured entities","mapping.types.objects":"Objects","mapping.types.relationships":"Relationships","mapping.warning.empty":"You must create at least one entity","mappings.no_mappings":"You have not generated any mappings yet","messages.banner.dismiss":"Dismiss","nav.alerts":"Alerts","nav.bookmarks":"Bookmarks","nav.cases":"Investigations","nav.collections":"Datasets","nav.diagrams":"Network diagrams","nav.exports":"Exports","nav.lists":"Lists","nav.menu.cases":"Investigations","nav.settings":"Settings","nav.signin":"Sign in","nav.signout":"Sign out","nav.status":"System status","nav.timelines":"Timelines","nav.view_notifications":"Notifications","navbar.alert_add":"Click to receive alerts about new results for this search.","navbar.alert_remove":"You are receiving alerts about this search.","notification.description":"View the latest updates to datasets, investigations, groups and tracking alerts you follow.","notifications.greeting":"What's new, {role}?","notifications.no_notifications":"You have no unseen notifications","notifications.title":"Recent notifications","notifications.type_filter.all":"All","pages.not.found":"Page not found","pass.auth.not_same":"Your passwords are not the same!","password_auth.activate":"Activate","password_auth.confirm":"Confirm password","password_auth.email":"Email address","password_auth.name":"Your Name","password_auth.password":"Password","password_auth.signin":"Sign in","password_auth.signup":"Sign up","profile.callout.details":"This profile aggregates attributes and relationships from {count} entities across different datasets.","profile.callout.intro":"You're viewing {entity} as a profile.","profile.callout.link":"View the original entity","profile.delete.warning":"Deleting this profile will not delete any of the entities or entity decisions contained within it.","profile.hint":"{entity} has been combined with entities from other datasets into a profile","profile.info.header":"Profile","profile.info.items":"Entity decisions","profile.info.similar":"Suggested","profile.items.entity":"Combined entities","profile.items.explanation":"Make decisions below to determine which source entities should be added or excluded from this profile.","profile.similar.no_results":"No suggested additions for this profile were found.","profileinfo.api_desc":"Use the API key to read and write data via remote applications.","queryFilters.clearAll":"Clear all","queryFilters.showHidden":"Show {count} more filters...","refresh.callout_message":"Documents are being processed. Please wait...","restricted.explain":"Use of this dataset is restricted. Read the description and contact {creator} before using this material.","restricted.explain.creator":"the dataset owner","restricted.tag":"RESTRICTED","result.error":"Error","result.more_results":"More than {total} results","result.none":"No results found","result.results":"Found {total} results","result.searching":"Searching...","result.solo":"One result found","role.select.user":"Choose a user","schemaSelect.button.relationship":"Add a new relationship","schemaSelect.button.thing":"Add a new object","screen.load_more":"Load more","search.advanced.all.helptext":"Only results containing all of the given terms will be returned","search.advanced.all.label":"All of these words (Default)","search.advanced.any.helptext":"Results containing any of the given terms will be returned","search.advanced.any.label":"Any of these words","search.advanced.clear":"Clear all","search.advanced.exact.helptext":"Only results with this exact word or phrase will be returned","search.advanced.exact.label":"This exact word/phrase","search.advanced.none.helptext":"Exclude results with these words","search.advanced.none.label":"None of these words","search.advanced.proximity.distance":"Distance","search.advanced.proximity.helptext":"Search for two terms within a certain distance of each other. For example, return results with the terms \"Bank\" and \"America\" occurring within two words from each other, such as \"Bank of America\", \"Bank in America\", even \"America has a Bank\".","search.advanced.proximity.label":"Terms in proximity to each other","search.advanced.proximity.term":"First term","search.advanced.proximity.term2":"Second term","search.advanced.submit":"Search","search.advanced.title":"Advanced Search","search.advanced.variants.distance":"Letters different","search.advanced.variants.helptext":"Increase the fuzziness of a search. For example, Wladimir~2 will return not just the term “Wladimir” but also similar spellings such as \"Wladimyr\" or \"Vladimyr\". A spelling variant is defined by the number of spelling mistakes that must be made to get from the original word to the variant.","search.advanced.variants.label":"Spelling variations","search.advanced.variants.term":"Term","search.callout_message":"Some sources are hidden from anonymous users. {signInButton} to see all results you are authorised to access.","search.callout_message.button_text":"Sign in","search.columns.configure":"Configure columns","search.columns.configure_placeholder":"Search for a column...","search.config.groups":"Property groups","search.config.properties":"Properties","search.config.reset":"Reset to default","search.facets.clearDates":"Clear","search.facets.configure":"Configure filters","search.facets.configure_placeholder":"Search for a filter...","search.facets.filtersSelected":"{count} selected","search.facets.hide":"Hide filters","search.facets.no_items":"No options","search.facets.show":"Show filters","search.facets.showMore":"Show more…","search.filterTag.ancestors":"in:","search.filterTag.exclude":"not:","search.filterTag.role":"Filter by access","search.loading":"Loading...","search.no_results_description":"Try making your search more general","search.no_results_title":"No search results","search.placeholder":"Search companies, people and documents","search.placeholder_default":"Search…","search.placeholder_label":"Search in {label}","search.screen.dates.show-all":"* Showing all date filter options. { button } to view recent dates only.","search.screen.dates.show-hidden":"* Showing only date filter options from {start} to the present. { button } to view dates outside this range.","search.screen.dates.show-hidden.click":"Click here","search.screen.dates_label":"results","search.screen.dates_title":"Dates","search.screen.dates_uncertain_day":"* this count includes dates where no day is specified","search.screen.dates_uncertain_day_month":"* this count includes dates in {year} where no day or month is specified","search.screen.dates_uncertain_month":"* this count includes dates in {year} where no month is specified","search.screen.export":"Export","search.screen.export_disabled":"Cannot export more than 10,000 results at a time","search.screen.export_disabled_empty":"No results to export.","search.screen.export_helptext":"Export results","search.title":"Search: {title}","search.title_emptyq":"Search","settings.api_key":"API Secret Access Key","settings.confirm":"(confirm)","settings.current_explain":"Enter your current password to set a new one.","settings.current_password":"Current password","settings.email":"E-mail Address","settings.email.muted":"Receive daily notification e-mails","settings.email.no_change":"Your e-mail address cannot be changed","settings.email.tester":"Test new features before they are finished","settings.locale":"Language","settings.name":"Name","settings.new_password":"New password","settings.password.missmatch":"Passwords do not match","settings.password.rules":"Use at least six characters","settings.password.title":"Change your password","settings.save":"Update","settings.saved":"It's official, your profile is updated.","settings.title":"Settings","sidebar.open":"Expand","signup.activate":"Activate your account","signup.inbox.desc":"We've sent you an email, please follow the link to complete your registration","signup.inbox.title":"Check your inbox","signup.login":"Already have account? Sign in!","signup.register":"Register","signup.register.question":"Don't have account? Register!","signup.title":"Sign in","sorting.bar.button.label":"Show:","sorting.bar.caption":"Title","sorting.bar.collection_id":"Dataset","sorting.bar.count":"Size","sorting.bar.countries":"Countries","sorting.bar.created_at":"Creation Date","sorting.bar.date":"Date","sorting.bar.dates":"Dates","sorting.bar.direction":"Direction:","sorting.bar.endDate":"End date","sorting.bar.label":"Title","sorting.bar.sort":"Sort by:","sorting.bar.updated_at":"Update Date","sources.index.empty":"This group is not linked to any datasets or investigations.","sources.index.placeholder":"Search for a dataset or investigation belonging to {group}...","status.no_collection":"Other tasks","tags.results":"Mention count","tags.title":"Term","text.loading":"Loading…","timeline.create.button":"New timeline","timeline.create.label_placeholder":"Untitled timeline","timeline.create.login":"You must log in to create a timeline","timeline.create.success":"Your timeline has been created successfully.","timeline.create.summary_placeholder":"A brief description of the timeline","timeline.create.title":"Create a timeline","timeline.selector.create":"Create a new timeline","timeline.selector.select_empty":"No existing timeline","timeline.update.label_placeholder":"Untitled timeline","timeline.update.success":"Your timeline has been updated successfully.","timeline.update.summary_placeholder":"A brief description of the timeline","timeline.update.title":"Timeline settings","timelines":"Timelines","timelines.description":"Timelines are a way to view and organize events chronologically.","timelines.no_timelines":"There are no timelines.","timelines.title":"Timelines","valuelink.tooltip":"{count} mentions in {appName}","xref.compute":"Compute","xref.entity":"Reference","xref.match":"Possible match","xref.match_collection":"Dataset","xref.recompute":"Re-compute","xref.score":"Score","xref.sort.default":"Default","xref.sort.label":"Sort by:","xref.sort.random":"Random"},"uk":{"alert.manager.description":"You will receive notifications when a new result is added that matches any of the alerts you have set up below.","alerts.add_placeholder":"Create a new tracking alert...","alerts.delete":"Remove alert","alerts.heading":"Manage your alerts","alerts.no_alerts":"You are not tracking any searches","alerts.save":"Update","alerts.title":"Tracking alerts","alerts.track":"Track","auth.bad_request":"The Server did not accept your input","auth.server_error":"Server error","auth.success":"Success","auth.unauthorized":"Not authorized","auth.unknown_error":"An unexpected error occured","case.choose.name":"Title","case.choose.summary":"Summary","case.chose.languages":"Languages","case.create.login":"You must sign in to upload your own data.","case.description":"Investigations let you upload and share documents and data which belong to a particular story. You can upload PDFs, email archives or spreadsheets, and they will be made easy to search and browse.","case.label_placeholder":"Untitled investigation","case.language_placeholder":"Select languages","case.languages.helper":"Used for optical text recognition in non-Latin alphabets.","case.save":"Save","case.share.with":"Share with","case.summary":"A brief description of the investigation","case.title":"Create an investigation","case.users":"Search users","cases.create":"New investigation","cases.empty":"You do not have any investigations yet.","cases.no_results":"No investigations were found matching this query.","cases.placeholder":"Search investigations...","cases.title":"Investigations","clipboard.copy.after":"Successfully copied to clipboard","clipboard.copy.before":"Copy to clipboard","collection.addSchema.placeholder":"Add new entity type","collection.analyze.alert.text":"You're about to re-index the entities in {collectionLabel}. This can be helpful if there are inconsistencies in how the data is presented.","collection.analyze.cancel":"Cancel","collection.cancel.button":"Cancel","collection.countries":"Country","collection.creator":"Manager","collection.data_updated_at":"Content updated","collection.data_url":"Data URL","collection.delete.confirm":"I understand the consequences.","collection.delete.confirm.dataset":"Delete this dataset.","collection.delete.confirm.investigation":"Delete this investigation.","collection.delete.question":"Are you sure you want to permanently delete {collectionLabel} and all contained items? This cannot be undone.","collection.delete.success":"Successfully deleted {label}","collection.delete.title.dataset":"Delete dataset","collection.delete.title.investigation":"Delete investigation","collection.edit.access_title":"Access control","collection.edit.cancel_button":"Cancel","collection.edit.groups":"Groups","collection.edit.info.analyze":"Re-process","collection.edit.info.cancel":"Cancel","collection.edit.info.category":"Category","collection.edit.info.countries":"Countries","collection.edit.info.creator":"Manager","collection.edit.info.data_url":"Data source URL","collection.edit.info.delete":"Delete","collection.edit.info.foreign_id":"Foreign ID","collection.edit.info.frequency":"Update frequency","collection.edit.info.info_url":"Information URL","collection.edit.info.label":"Label","collection.edit.info.languages":"Languages","collection.edit.info.placeholder_country":"Select countries","collection.edit.info.placeholder_data_url":"Link to the raw data in a downloadable form","collection.edit.info.placeholder_info_url":"Link to further information","collection.edit.info.placeholder_label":"A label","collection.edit.info.placeholder_language":"Select languages","collection.edit.info.placeholder_publisher":"Organisation or person publishing this data","collection.edit.info.placeholder_publisher_url":"Link to the publisher","collection.edit.info.placeholder_summary":"A brief summary","collection.edit.info.publisher":"Publisher","collection.edit.info.publisher_url":"Publisher URL","collection.edit.info.restricted":"This dataset is restricted and viewers should be warned.","collection.edit.info.save":"Save changes","collection.edit.info.summary":"Summary","collection.edit.permissions_warning":"Note: User must already have an Aleph account in order to receive access.","collection.edit.permissionstable.edit":"Edit","collection.edit.permissionstable.view":"View","collection.edit.save_button":"Save changes","collection.edit.save_success":"Your changes are saved.","collection.edit.title":"Settings","collection.edit.users":"Users","collection.foreign_id":"Foreign ID","collection.frequency":"Updates","collection.index.empty":"No datasets were found.","collection.index.filter.all":"All","collection.index.filter.mine":"Created by me","collection.index.no_results":"No datasets were found matching this query.","collection.index.placeholder":"Search datasets...","collection.index.title":"Datasets","collection.info.access":"Share","collection.info.browse":"Documents","collection.info.delete":"Delete dataset","collection.info.delete_casefile":"Delete investigation","collection.info.diagrams":"Network diagrams","collection.info.diagrams_description":"Network diagrams let you visualize complex relationships within an investigation.","collection.info.documents":"Documents","collection.info.edit":"Settings","collection.info.entities":"Entities","collection.info.lists":"Lists","collection.info.lists_description":"Lists let you organize and group related entities of interest.","collection.info.mappings":"Entity mappings","collection.info.mappings_description":"Entity mappings allow you to bulk generate structured Follow the Money entities (like People, Companies, and the relationships among them) from rows in a spreadsheet or CSV document","collection.info.mentions":"Mentions","collection.info.mentions_description":"Aleph automatically extracts terms that resemble names, address, phone numbers, and email addresses from uploaded documents and entities within your investigation. {br}{br} Click on a mentioned term below to find where it appears in your investigation.","collection.info.overview":"Overview","collection.info.reindex":"Re-index all content","collection.info.reingest":"Re-ingest documents","collection.info.search":"Search","collection.info.source_documents":"Source documents","collection.info.timelines":"Timelines","collection.info.timelines_description":"Timelines are a way to view and organize events chronologically.","collection.info.xref":"Cross-reference","collection.info.xref_description":"Cross-referencing allows you to search the rest of Aleph for entities similar to those contained in your investigation.","collection.info_url":"Information URL","collection.last_updated":"Last updated {date}","collection.mappings.create":"Create a new entity mapping","collection.mappings.create_docs_link":"For more information, please refer to the {link}","collection.overview.empty":"This dataset is empty.","collection.publisher":"Publisher","collection.reconcile":"Reconciliation","collection.reconcile.description":"Match your own data against the entities in this collection using the free {openrefine} tool by adding the reconciliation endpoint.","collection.reindex.cancel":"Cancel","collection.reindex.confirm":"Start indexing","collection.reindex.flush":"Clear index before re-indexing","collection.reindex.processing":"Indexing started.","collection.reingest.confirm":"Start processing","collection.reingest.index":"Index documents as they are processed.","collection.reingest.processing":"Re-ingest started.","collection.reingest.text":"You're about to re-process all documents in {collectionLabel}. This might take some time.","collection.statistics.showmore":"Show more","collection.status.cancel_button":"Cancel the process","collection.status.collection":"Dataset","collection.status.finished_tasks":"Finished","collection.status.jobs":"Jobs","collection.status.message":"Continue to frolic about while data is being processed.","collection.status.no_active":"There are no ongoing tasks","collection.status.pending_tasks":"Pending","collection.status.progress":"Tasks","collection.status.title":"Update in progress ({percent}%)","collection.team":"Accessible to","collection.updated_at":"Metadata updated","collection.xref.cancel":"Cancel","collection.xref.confirm":"Confirm","collection.xref.empty":"There are no cross-referencing results.","collection.xref.processing":"Cross-referencing started.","collection.xref.text":"You will now cross-reference {collectionLabel} against all other sources. Start this process once and then wait for it to complete.","collection.xref.title":"Cross-reference","dashboard.activity":"Activity","dashboard.alerts":"Alerts","dashboard.cases":"Investigations","dashboard.diagrams":"Network diagrams","dashboard.exports":"Exports","dashboard.groups":"Groups","dashboard.lists":"Lists","dashboard.notifications":"Notifications","dashboard.settings":"Settings","dashboard.status":"System status","dashboard.subheading":"Check the progress of ongoing data analysis, upload, and processing tasks.","dashboard.timelines":"Timelines","dashboard.title":"System Status","dashboard.workspace":"Workspace","dataset.search.placeholder":"Search this dataset","diagram.create.button":"New diagram","diagram.create.label_placeholder":"Untitled diagram","diagram.create.login":"You must log in to create a diagram","diagram.create.success":"Your diagram has been created successfully.","diagram.create.summary_placeholder":"A brief description of the diagram","diagram.create.title":"Create a diagram","diagram.embed.error":"Error generating diagram embed","diagram.export.embed.description":"Generate an embeddable interactive version of the diagram that can be used in an article. The embed will not reflect future changes in the diagram.","diagram.export.error":"Error exporting diagram","diagram.export.ftm":"Export as .ftm","diagram.export.ftm.description":"Download the diagram as a data file that can be used in {link} or another Aleph site.","diagram.export.ftm.link":"Aleph Data Desktop","diagram.export.iframe":"Embed iframe","diagram.export.svg":"Export as SVG","diagram.export.svg.description":"Download a vector graphic with the contents of the diagram.","diagram.export.title":"Export options","diagram.import.button":"Import diagram","diagram.import.placeholder":"Drop a .ftm or .vis file here or click to import an existing diagram","diagram.import.title":"Import a network diagram","diagram.render.error":"Error rendering diagram","diagram.selector.create":"Create a new diagram","diagram.selector.select_empty":"No existing diagram","diagram.update.label_placeholder":"Untitled diagram","diagram.update.success":"Your diagram has been updated successfully.","diagram.update.summary_placeholder":"A brief description of the diagram","diagram.update.title":"Diagram settings","diagrams":"Diagrams","diagrams.description":"Network diagrams let you visualize complex relationships within an investigation.","diagrams.no_diagrams":"There are no network diagrams.","diagrams.title":"Network diagrams","document.download":"Download","document.download.cancel":"Cancel","document.download.confirm":"Download","document.download.dont_warn":"Don't warn me in the future when downloading source documents","document.download.tooltip":"Download the original document","document.download.warning":"You’re about to download a source file. {br}{br} Source files can contain viruses and code that notify the originator when you open them. {br}{br} For sensitive data, we recommend only opening source files on a computer that is permanently disconnected from the internet.","document.folder.error":"There was an error creating the folder.","document.folder.new":"New folder","document.folder.save":"Create","document.folder.title":"New folder","document.folder.untitled":"Folder title","document.mapping.start":"Generate entities","document.paging":"Page {pageInput} of {numberOfPages}","document.pdf.search.page":"Page {page}","document.report_problem":"Report a problem","document.report_problem.text":"You can now easily report such problems to the Aleph team. This helps us improve how Aleph processes and displays documents.","document.report_problem.title":"Does the document preview look strange? Is the extracted text incorrect, or is the information incomplete?","document.search.no_match":"No single page within this document matches all your search terms.","document.upload.button":"Upload","document.upload.cancel":"Cancel","document.upload.close":"Close","document.upload.errors":"Some files couldn't be transferred. You can use the Retry button to restart all failed uploads.","document.upload.files":"Choose files to upload...","document.upload.folder":"If you would like to upload folders instead, { button }.","document.upload.folder-toggle":"click here","document.upload.info":"If you need to upload a large amount of files (100+) consider {link}.","document.upload.notice":"The upload is complete. It will take a few moments for the documents to be processed and become searchable.","document.upload.progress":"{done} of {total} files done, {errors} errors.","document.upload.rejected":"{fileName} is missing a file type, so it cannot be uploaded.","document.upload.retry":"Retry","document.upload.save":"Upload","document.upload.summary":"{numberOfFiles, number} files, {totalSize}","document.upload.title":"Upload documents","document.upload.title_in_folder":"Upload documents to {folder}","document.viewer.ignored_file":"The system does not work with these types of files. Please download it so you’ll be able to see it.","document.viewer.no_viewer":"No preview is available for this document","email.body.empty":"No message body.","entity.delete.cancel":"Cancel","entity.delete.confirm":"Delete","entity.delete.error":"An error occured while attempting to delete this entity.","entity.delete.progress":"Deleting...","entity.delete.question.multiple":"Are you sure you want to delete the following {count, plural, one {item} other {items}}?","entity.delete.success":"Successfully deleted","entity.document.manager.cannot_map":"Select a table document to generate structured entities","entity.document.manager.empty":"No files or directories.","entity.document.manager.emptyCanUpload":"No files or directories. Drop files here or click to upload.","entity.document.manager.search_placeholder":"Search documents","entity.document.manager.search_placeholder_document":"Search in {label}","entity.info.attachments":"Attachments","entity.info.documents":"Documents","entity.info.info":"Info","entity.info.last_view":"Last viewed {time}","entity.info.similar":"Similar","entity.info.tags":"Mentions","entity.info.text":"Text","entity.info.view":"View","entity.info.workbook_warning":"This sheet is part of workbook {link}","entity.manager.bulk_import.description.1":"Select a table below from which to import new {schema} entities.","entity.manager.bulk_import.description.2":"Once selected, you will be prompted to assign columns from that table to properties of the generated entities.","entity.manager.bulk_import.description.3":"Don't see the table you're looking for? {link}","entity.manager.bulk_import.link_text":"Upload a new table document","entity.manager.bulk_import.no_results":"No matching documents found","entity.manager.bulk_import.placeholder":"Select a table document","entity.manager.delete":"Delete","entity.manager.edge_create_success":"Successfully linked {source} and {target}","entity.manager.entity_set_add_success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entity.manager.remove":"Remove","entity.manager.search_empty":"No matching {schema} results found","entity.manager.search_placeholder":"Search {schema}","entity.mapping.view":"Generate entities","entity.properties.missing":"unknown","entity.references.no_relationships":"This entity does not have any relationships.","entity.references.no_results":"No {schema} match this search.","entity.references.no_results_default":"No entities match this search.","entity.references.search.placeholder":"Search in {schema}","entity.references.search.placeholder_default":"Search entities","entity.remove.confirm":"Remove","entity.remove.error":"An error occured while attempting to remove this entity.","entity.remove.progress":"Removing...","entity.remove.question.multiple":"Are you sure you want to remove the following {count, plural, one {item} other {items}}?","entity.remove.success":"Successfully removed","entity.search.empty_title":"This folder is empty","entity.search.no_results_description":"Try making your search more general","entity.search.no_results_title":"No search results","entity.similar.empty":"There are no similar entities.","entity.similar.entity":"Similar entity","entity.similar.found_text":"Found {resultCount} {resultCount, plural, one {similar entity} other {similar entities}} from {datasetCount} {datasetCount, plural, one {dataset} other {datasets}}","entity.tags.no_tags":"No selectors were extracted from this entity.","entity.viewer.add_link":"Create link","entity.viewer.add_to":"Add to...","entity.viewer.bulk_import":"Bulk import","entity.viewer.search_placeholder":"Search in {label}","entitySet.last_updated":"Updated {date}","entityset.choose.name":"Title","entityset.choose.summary":"Summary","entityset.create.collection":"Investigation","entityset.create.collection.existing":"Select an investigation","entityset.create.collection.new":"Don't see the investigation you're looking for? {link}","entityset.create.collection.new_link":"Create a new investigation","entityset.create.submit":"Create","entityset.delete.confirm":"I understand the consequences.","entityset.delete.confirm.diagram":"Delete this network diagram.","entityset.delete.confirm.list":"Delete this list.","entityset.delete.confirm.profile":"Delete this profile.","entityset.delete.confirm.timeline":"Delete this timeline.","entityset.delete.question":"Are you sure you want to permanently delete {label}? This cannot be undone.","entityset.delete.success":"Successfully deleted {title}","entityset.delete.title.diagram":"Delete network diagram","entityset.delete.title.list":"Delete list","entityset.delete.title.profile":"Delete profile","entityset.delete.title.timeline":"Delete timeline","entityset.info.delete":"Delete","entityset.info.edit":"Settings","entityset.info.export":"Export","entityset.info.exportAsSvg":"Export as SVG","entityset.selector.placeholder":"Search existing","entityset.selector.success":"Successfully added {count} {count, plural, one {entity} other {entities}} to {entitySet}","entityset.selector.success_toast_button":"View","entityset.selector.title":"Add {firstCaption} {titleSecondary} to...","entityset.selector.title_default":"Add entities to...","entityset.selector.title_other":"and {count} other {count, plural, one {entity} other {entities}}","entityset.update.submit":"Save changes","error.screen.not_found":"The requested page could not be found.","export.dialog.text":"Initiate your export. {br}{br} Exports take some time to generate. You will receive an email once the data is ready. {br}{br} Please trigger this export only once.","exports.dialog.cancel":"Cancel","exports.dialog.confirm":"Export","exports.dialog.dashboard_link":"View progress","exports.dialog.success":"Your export has begun.","exports.expiration":"Expiration","exports.manager.description":"Below is a list of your exports. Make sure to download them before they expire.","exports.name":"Name","exports.no_exports":"You have no exports to download","exports.size":"Size","exports.status":"Status","exports.title":"Exports ready for download","facet.addresses":"{count, plural, one {Address} other {Addresses}}","facet.caption":"Name","facet.category":"{count, plural, one {Category} other {Categories}}","facet.collection_id":"Dataset","facet.countries":"{count, plural, one {Country} other {Countries}}","facet.dates":"{count, plural, one {Date} other {Dates}}","facet.emails":"{count, plural, one {E-Mail} other {E-Mails}}","facet.ibans":"{count, plural, one {IBAN} other {IBANs}}","facet.languages":"{count, plural, one {Language} other {Languages}}","facet.mimetypes":"{count, plural, one {File type} other {File types}}","facet.names":"{count, plural, one {Name} other {Names}}","facet.phones":"{count, plural, one {Phone number} other {Phone numbers}}","facet.schema":"Entity type","file_import.error":"Error importing file","footer.aleph":"Aleph {version}","footer.ftm":"FollowTheMoney {version}","group.page.description":"The list below shows all datasets and investigations that belong to this group.","group.page.search.description":"If you would like to search for specific entities or documents within the datasets that this group has access to, click here instead.","home.access_disabled":"Public access temporarily disabled","home.counts.countries":"Countries & territories","home.counts.datasets":"Public datasets","home.counts.entities":"Public entities","home.placeholder":"Try searching: {samples}","home.statistics.categories":"Dataset categories","home.statistics.countries":"Countries and territories","home.statistics.schemata":"Entity types","home.stats.title":"Get started exploring public data","home.title":"Find public records and leaks","hotkeys.judgement.different":"Decide different","hotkeys.judgement.group_label":"Entity decisions","hotkeys.judgement.next":"Select next result","hotkeys.judgement.previous":"Select previous result","hotkeys.judgement.same":"Decide same","hotkeys.judgement.unsure":"Decide not enough information","hotkeys.search.different":"Preview previous result","hotkeys.search.group_label":"Search preview","hotkeys.search.unsure":"Preview next result","hotkeys.search_focus":"Search","infoMode.collection_casefile":"Investigation","infoMode.collection_dataset":"Dataset","infoMode.createdAt":"Created at","infoMode.creator":"Created by","infoMode.updatedAt":"Last updated","investigation.mentions.empty":"There are no mentions yet in this investigation.","investigation.overview.guides":"Read more","investigation.overview.guides.access":"Managing access","investigation.overview.guides.diagrams":"Drawing network diagrams","investigation.overview.guides.documents":"Uploading documents","investigation.overview.guides.entities":"Creating & editing entities","investigation.overview.guides.mappings":"Generating entities from a spreadsheet","investigation.overview.guides.xref":"Cross-referencing your data","investigation.overview.notifications":"Recent activity","investigation.overview.shortcuts":"Quick links","investigation.overview.shortcuts_empty":"Getting started","investigation.search.placeholder":"Search this investigation","investigation.shortcut.diagram":"Sketch a network diagram","investigation.shortcut.entities":"Create new entities","investigation.shortcut.entity_create_error":"Unable to create entity","investigation.shortcut.entity_create_success":"Successfully created {name}","investigation.shortcut.upload":"Upload documents","investigation.shortcut.xref":"Compare with other datasets","judgement.disabled":"You must have edit access in order to make judgements.","judgement.negative":"Different","judgement.positive":"Same","judgement.unsure":"Not enough information","landing.shortcut.alert":"Create a search alert","landing.shortcut.datasets":"Browse datasets","landing.shortcut.investigation":"Start an investigation","landing.shortcut.search":"Search entities","list.create.button":"New list","list.create.label_placeholder":"Untitled list","list.create.login":"You must log in to create a list","list.create.success":"Your list has been created successfully.","list.create.summary_placeholder":"A brief description of the list","list.create.title":"Create a list","list.selector.create":"Create a new list","list.selector.select_empty":"No existing list","list.update.label_placeholder":"Untitled list","list.update.success":"Your list has been updated successfully.","list.update.summary_placeholder":"A brief description of the list","list.update.title":"List settings","lists":"Lists","lists.description":"Lists let you organize and group related entities of interest.","lists.no_lists":"There are no lists.","lists.title":"Lists","login.oauth":"Sign in via OAuth","mapping.actions.create":"Generate entities","mapping.actions.create.toast":"Generating entities...","mapping.actions.delete":"Delete","mapping.actions.delete.toast":"Deleting mapping and any generated entities...","mapping.actions.export":"Export mapping","mapping.actions.flush":"Remove generated entities","mapping.actions.flush.toast":"Removing generated entities...","mapping.actions.save":"Save changes","mapping.actions.save.toast":"Re-generating entities...","mapping.create.cancel":"Cancel","mapping.create.confirm":"Generate","mapping.create.question":"Are you sure you are ready to generate entities using this mapping?","mapping.delete.cancel":"Cancel","mapping.delete.confirm":"Delete","mapping.delete.question":"Are you sure you want to delete this mapping and all generated entities?","mapping.docs.link":"Aleph entity mapping documentation","mapping.entityAssign.helpText":"You must create an object of type \"{range}\" to be the {property}","mapping.entityAssign.noResults":"No matching objects available","mapping.entityAssign.placeholder":"Select an object","mapping.entity_set_select":"Select a List or Diagram","mapping.entityset.remove":"Remove","mapping.error.keyMissing":"Key Error: {id} entity must have at least one key","mapping.error.relationshipMissing":"Relationship Error: {id} entity must have a {source} and {target} assigned","mapping.flush.cancel":"Cancel","mapping.flush.confirm":"Remove","mapping.flush.question":"Are you sure you want to remove entities generated using this mapping?","mapping.import.button":"Import existing mapping","mapping.import.placeholder":"Drop a .yml file here or click to import an existing mapping file","mapping.import.querySelect":"Select a mapping query from this file to import:","mapping.import.submit":"Submit","mapping.import.success":"Your mapping has been imported successfully.","mapping.import.title":"Import a mapping","mapping.info":"Follow the steps below to map items in this investigation to structured Follow the Money entites. For more information, please refer to the {link}","mapping.info.link":"Aleph data mapping documentation","mapping.keyAssign.additionalHelpText":"The best keys are columns from your data that contain id numbers, phone numbers, email addresses, or other uniquely identifying information. If no columns with unique values exist, select multiple columns to allow Aleph to generate unique entities correctly from your data.","mapping.keyAssign.additionalHelpToggle.less":"Less","mapping.keyAssign.additionalHelpToggle.more":"More about keys","mapping.keyAssign.helpText":"Specify which columns from the source data will be used to identify unique entities.","mapping.keyAssign.noResults":"No results","mapping.keyAssign.placeholder":"Select keys from available columns","mapping.keys":"Keys","mapping.propAssign.errorBlank":"Columns with no header cannot be assigned","mapping.propAssign.errorDuplicate":"Columns with duplicate headers cannot be assigned","mapping.propAssign.literalButtonText":"Add a fixed value","mapping.propAssign.literalPlaceholder":"Add fixed value text","mapping.propAssign.other":"Other","mapping.propAssign.placeholder":"Assign a property","mapping.propRemove":"Remove this property from mapping","mapping.props":"Properties","mapping.save.cancel":"Cancel","mapping.save.confirm":"Update mapping & re-generate","mapping.save.question":"Updating this mapping will delete any previously generated entities and re-generate them. Are you sure you would like to continue?","mapping.section1.title":"1. Select entity types to generate","mapping.section2.title":"2. Map columns to entity properties","mapping.section3.title":"3. Verify","mapping.section4.description":"Generated entities will be added to {collection} by default. If you would like to additionally add them to a list or diagram within the investigation, please click below and select from the available options.","mapping.section4.title":"4. Select a destination for generated entities (optional)","mapping.status.error":"Error:","mapping.status.status":"Status:","mapping.status.updated":"Last updated:","mapping.title":"Generate structured entities","mapping.types.objects":"Objects","mapping.types.relationships":"Relationships","mapping.warning.empty":"You must create at least one entity","mappings.no_mappings":"You have not generated any mappings yet","messages.banner.dismiss":"Dismiss","nav.alerts":"Alerts","nav.bookmarks":"Bookmarks","nav.cases":"Investigations","nav.collections":"Datasets","nav.diagrams":"Network diagrams","nav.exports":"Exports","nav.lists":"Lists","nav.menu.cases":"Investigations","nav.settings":"Settings","nav.signin":"Sign in","nav.signout":"Sign out","nav.status":"System status","nav.timelines":"Timelines","nav.view_notifications":"Notifications","navbar.alert_add":"Click to receive alerts about new results for this search.","navbar.alert_remove":"You are receiving alerts about this search.","notification.description":"View the latest updates to datasets, investigations, groups and tracking alerts you follow.","notifications.greeting":"What's new, {role}?","notifications.no_notifications":"You have no unseen notifications","notifications.title":"Recent notifications","notifications.type_filter.all":"All","pages.not.found":"Page not found","pass.auth.not_same":"Your passwords are not the same!","password_auth.activate":"Activate","password_auth.confirm":"Confirm password","password_auth.email":"Email address","password_auth.name":"Your Name","password_auth.password":"Password","password_auth.signin":"Sign in","password_auth.signup":"Sign up","profile.callout.details":"This profile aggregates attributes and relationships from {count} entities across different datasets.","profile.callout.intro":"You're viewing {entity} as a profile.","profile.callout.link":"View the original entity","profile.delete.warning":"Deleting this profile will not delete any of the entities or entity decisions contained within it.","profile.hint":"{entity} has been combined with entities from other datasets into a profile","profile.info.header":"Profile","profile.info.items":"Entity decisions","profile.info.similar":"Suggested","profile.items.entity":"Combined entities","profile.items.explanation":"Make decisions below to determine which source entities should be added or excluded from this profile.","profile.similar.no_results":"No suggested additions for this profile were found.","profileinfo.api_desc":"Use the API key to read and write data via remote applications.","queryFilters.clearAll":"Clear all","queryFilters.showHidden":"Show {count} more filters...","refresh.callout_message":"Documents are being processed. Please wait...","restricted.explain":"Use of this dataset is restricted. Read the description and contact {creator} before using this material.","restricted.explain.creator":"the dataset owner","restricted.tag":"RESTRICTED","result.error":"Error","result.more_results":"More than {total} results","result.none":"No results found","result.results":"Found {total} results","result.searching":"Searching...","result.solo":"One result found","role.select.user":"Choose a user","schemaSelect.button.relationship":"Add a new relationship","schemaSelect.button.thing":"Add a new object","screen.load_more":"Load more","search.advanced.all.helptext":"Only results containing all of the given terms will be returned","search.advanced.all.label":"All of these words (Default)","search.advanced.any.helptext":"Results containing any of the given terms will be returned","search.advanced.any.label":"Any of these words","search.advanced.clear":"Clear all","search.advanced.exact.helptext":"Only results with this exact word or phrase will be returned","search.advanced.exact.label":"This exact word/phrase","search.advanced.none.helptext":"Exclude results with these words","search.advanced.none.label":"None of these words","search.advanced.proximity.distance":"Distance","search.advanced.proximity.helptext":"Search for two terms within a certain distance of each other. For example, return results with the terms \"Bank\" and \"America\" occurring within two words from each other, such as \"Bank of America\", \"Bank in America\", even \"America has a Bank\".","search.advanced.proximity.label":"Terms in proximity to each other","search.advanced.proximity.term":"First term","search.advanced.proximity.term2":"Second term","search.advanced.submit":"Search","search.advanced.title":"Advanced Search","search.advanced.variants.distance":"Letters different","search.advanced.variants.helptext":"Increase the fuzziness of a search. For example, Wladimir~2 will return not just the term “Wladimir” but also similar spellings such as \"Wladimyr\" or \"Vladimyr\". A spelling variant is defined by the number of spelling mistakes that must be made to get from the original word to the variant.","search.advanced.variants.label":"Spelling variations","search.advanced.variants.term":"Term","search.callout_message":"Some sources are hidden from anonymous users. {signInButton} to see all results you are authorised to access.","search.callout_message.button_text":"Sign in","search.columns.configure":"Configure columns","search.columns.configure_placeholder":"Search for a column...","search.config.groups":"Property groups","search.config.properties":"Properties","search.config.reset":"Reset to default","search.facets.clearDates":"Clear","search.facets.configure":"Configure filters","search.facets.configure_placeholder":"Search for a filter...","search.facets.filtersSelected":"{count} selected","search.facets.hide":"Hide filters","search.facets.no_items":"No options","search.facets.show":"Show filters","search.facets.showMore":"Show more…","search.filterTag.ancestors":"in:","search.filterTag.exclude":"not:","search.filterTag.role":"Filter by access","search.loading":"Loading...","search.no_results_description":"Try making your search more general","search.no_results_title":"No search results","search.placeholder":"Search companies, people and documents","search.placeholder_default":"Search…","search.placeholder_label":"Search in {label}","search.screen.dates.show-all":"* Showing all date filter options. { button } to view recent dates only.","search.screen.dates.show-hidden":"* Showing only date filter options from {start} to the present. { button } to view dates outside this range.","search.screen.dates.show-hidden.click":"Click here","search.screen.dates_label":"results","search.screen.dates_title":"Dates","search.screen.dates_uncertain_day":"* this count includes dates where no day is specified","search.screen.dates_uncertain_day_month":"* this count includes dates in {year} where no day or month is specified","search.screen.dates_uncertain_month":"* this count includes dates in {year} where no month is specified","search.screen.export":"Export","search.screen.export_disabled":"Cannot export more than 10,000 results at a time","search.screen.export_disabled_empty":"No results to export.","search.screen.export_helptext":"Export results","search.title":"Search: {title}","search.title_emptyq":"Search","settings.api_key":"API Secret Access Key","settings.confirm":"(confirm)","settings.current_explain":"Enter your current password to set a new one.","settings.current_password":"Current password","settings.email":"E-mail Address","settings.email.muted":"Receive daily notification e-mails","settings.email.no_change":"Your e-mail address cannot be changed","settings.email.tester":"Test new features before they are finished","settings.locale":"Language","settings.name":"Name","settings.new_password":"New password","settings.password.missmatch":"Passwords do not match","settings.password.rules":"Use at least six characters","settings.password.title":"Change your password","settings.save":"Update","settings.saved":"It's official, your profile is updated.","settings.title":"Settings","sidebar.open":"Expand","signup.activate":"Activate your account","signup.inbox.desc":"We've sent you an email, please follow the link to complete your registration","signup.inbox.title":"Check your inbox","signup.login":"Already have account? Sign in!","signup.register":"Register","signup.register.question":"Don't have account? Register!","signup.title":"Sign in","sorting.bar.button.label":"Show:","sorting.bar.caption":"Title","sorting.bar.collection_id":"Dataset","sorting.bar.count":"Size","sorting.bar.countries":"Countries","sorting.bar.created_at":"Creation Date","sorting.bar.date":"Date","sorting.bar.dates":"Dates","sorting.bar.direction":"Direction:","sorting.bar.endDate":"End date","sorting.bar.label":"Title","sorting.bar.sort":"Sort by:","sorting.bar.updated_at":"Update Date","sources.index.empty":"This group is not linked to any datasets or investigations.","sources.index.placeholder":"Search for a dataset or investigation belonging to {group}...","status.no_collection":"Other tasks","tags.results":"Mention count","tags.title":"Term","text.loading":"Loading…","timeline.create.button":"New timeline","timeline.create.label_placeholder":"Untitled timeline","timeline.create.login":"You must log in to create a timeline","timeline.create.success":"Your timeline has been created successfully.","timeline.create.summary_placeholder":"A brief description of the timeline","timeline.create.title":"Create a timeline","timeline.selector.create":"Create a new timeline","timeline.selector.select_empty":"No existing timeline","timeline.update.label_placeholder":"Untitled timeline","timeline.update.success":"Your timeline has been updated successfully.","timeline.update.summary_placeholder":"A brief description of the timeline","timeline.update.title":"Timeline settings","timelines":"Timelines","timelines.description":"Timelines are a way to view and organize events chronologically.","timelines.no_timelines":"There are no timelines.","timelines.title":"Timelines","valuelink.tooltip":"{count} mentions in {appName}","xref.compute":"Compute","xref.entity":"Reference","xref.match":"Possible match","xref.match_collection":"Dataset","xref.recompute":"Re-compute","xref.score":"Score","xref.sort.default":"Default","xref.sort.label":"Sort by:","xref.sort.random":"Random"}} \ No newline at end of file diff --git a/ui/src/viewers/PdfViewer.jsx b/ui/src/viewers/PdfViewer.jsx index 6f6742dbf..0982dc146 100644 --- a/ui/src/viewers/PdfViewer.jsx +++ b/ui/src/viewers/PdfViewer.jsx @@ -158,8 +158,18 @@ export class PdfViewer extends Component { fetchComponents() { import(/* webpackChunkName:'pdf-lib' */ 'react-pdf').then( ({ Document, Page, pdfjs }) => { - // see https://github.com/wojtekmaj/react-pdf#create-react-app - pdfjs.GlobalWorkerOptions.workerSrc = `/static/pdf.worker.min.js`; + // Webpack will copy `pdf.worker.min.js` to the build directory and automatically + // include a file hash in the file name to handle browser cache invalidation. + // See: https://github.com/wojtekmaj/react-pdf#import-worker-recommended + // See: https://webpack.js.org/guides/asset-modules/#url-assets + pdfjs.GlobalWorkerOptions.workerSrc = new URL( + // The leading `!!` disables all configured loaders that are usually applied for + // JS files as the worker file is already bundled and optimized for distribution. + // See: https://webpack.js.org/concepts/loaders/#inline + '!!pdfjs-dist/build/pdf.worker.min.js', + import.meta.url + ).toString(); + this.setState({ components: { Document, Page } }); } );