コード例 #1
0
def get_all(
    session: Session,
    instance: Instance,
    *,
    filter: Optional[Union[str, List[str]]] = None,
) -> Tuple[Project, ...]:
    """Get all projects from an instance

    Args:
        instance: Tamr instance from which to get projects
        filter: Filter expression, e.g. "externalId==wobbly"
            Multiple expressions can be passed as a list

    Returns:
        The projects retrieved from the instance

    Raises:
        requests.HTTPError: If an HTTP error is encountered.
    """
    url = URL(instance=instance, path="projects")

    if filter is not None:
        r = session.get(str(url), params={"filter": filter})
    else:
        r = session.get(str(url))

    projects_json = response.successful(r).json()

    projects = []
    for project_json in projects_json:
        project_url = URL(instance=instance, path=project_json["relativeId"])
        project = _from_json(project_url, project_json)
        projects.append(project)
    return tuple(projects)
コード例 #2
0
def by_name(session: Session, instance: Instance, name: str) -> Project:
    """Get project by name
    Fetches project from Tamr server.

    Args:
        instance: Tamr instance containing this project
        name: Project name

    Raises:
        project.NotFound: If no project could be found with that name.
        project.Ambiguous: If multiple targets match project name.
        requests.HTTPError: If any other HTTP error is encountered.
    """
    r = session.get(
        url=str(URL(instance=instance, path="projects")),
        params={"filter": f"name=={name}"},
    )

    # Check that exactly one project is returned
    matches = r.json()
    if len(matches) == 0:
        raise NotFound(str(r.url))
    if len(matches) > 1:
        raise Ambiguous(str(r.url))

    # Make Project from response
    url = URL(instance=instance, path=matches[0]["relativeId"])
    return _from_json(url=url, data=matches[0])
コード例 #3
0
ファイル: record.py プロジェクト: keziah-tamr/tamr-client
def _update(session: Session, dataset: Dataset,
            updates: Iterable[Dict]) -> JsonDict:
    """Send a batch of record creations/updates/deletions to this dataset.
    You probably want to use :func:`~tamr_client.record.upsert`
    or :func:`~tamr_client.record.delete` instead.

    Args:
        dataset: Dataset containing records to be updated
        updates: Each update should be formatted as specified in the `Public Docs for Dataset updates <https://docs.tamr.com/reference#modify-a-datasets-records>`_.

    Returns:
        JSON response body from server

    Raises:
        requests.HTTPError: If an HTTP error is encountered
    """
    stringified_updates = (json.dumps(update) for update in updates)
    # `requests` accepts a generator for `data` param, but stubs for `requests` in https://github.com/python/typeshed expects this to be a file-like object
    io_updates = cast(IO, stringified_updates)
    r = session.post(
        str(dataset.url) + ":updateRecords",
        headers={"Content-Encoding": "utf-8"},
        data=io_updates,
    )
    return response.successful(r).json()
コード例 #4
0
def replace_all(
    session: Session, project: Project, tx: Transformations
) -> requests.Response:
    """Replaces the transformations of a Project

    Args:
        project: Project to place transformations within
        tx: Transformations to put into project

    Raises:
        requests.HTTPError: If any HTTP error is encountered.

    Example:
        >>> import tamr_client as tc
        >>> session = tc.session.from_auth('username', 'password')
        >>> instance = tc.instance.Instance(host="localhost", port=9100)
        >>> project1 = tc.project.from_resource_id(session, instance, id='1')
        >>> dataset3 = tc.dataset.from_resource_id(session, instance, id='3')
        >>> new_input_tx = tc.InputTransformation("SELECT *, upper(name) as name;", [dataset3])
        >>> all_tx = tc.Transformations(
        ... input_scope=[new_input_tx],
        ... unified_scope=["SELECT *, 1 as one;"]
        ... )
        >>> tc.transformations.replace_all(session, project1, all_tx)
    """
    body = _to_json(tx)
    r = session.put(f"{project.url}/transformations", json=body)

    return response.successful(r)
コード例 #5
0
def manual_labels(session: Session, instance: Instance,
                  project: CategorizationProject) -> Dataset:
    """Get manual labels from a Categorization project.

    Args:
        instance: Tamr instance containing project
        project: Tamr project containing labels

    Returns:
        Dataset containing manual labels

    Raises:
        _dataset.NotFound: If no dataset could be found at the specified URL
        Ambiguous: If multiple targets match dataset name
    """
    unified_dataset = unified.from_project(session=session,
                                           instance=instance,
                                           project=project)
    labels_dataset_name = unified_dataset.name + "_manual_categorizations"
    datasets_url = URL(instance=instance, path="datasets")
    r = session.get(url=str(datasets_url),
                    params={"filter": f"name=={labels_dataset_name}"})
    matches = r.json()
    if len(matches) == 0:
        raise _dataset.NotFound(str(r.url))
    if len(matches) > 1:
        raise _dataset.Ambiguous(str(r.url))

    dataset_path = matches[0]["relativeId"]
    dataset_url = URL(instance=instance, path=dataset_path)
    return _dataset._from_url(session=session, url=dataset_url)
コード例 #6
0
ファイル: _attribute.py プロジェクト: ianbakst/tamr-client
def _create(
    session: Session,
    dataset: Dataset,
    *,
    name: str,
    is_nullable: bool,
    type: AttributeType = attribute_type.DEFAULT,
    description: Optional[str] = None,
) -> Attribute:
    """Same as `tc.attribute.create`, but does not check for reserved attribute
    names.
    """
    attrs_url = replace(dataset.url, path=dataset.url.path + "/attributes")
    url = replace(attrs_url, path=attrs_url.path + f"/{name}")

    body = {
        "name": name,
        "type": attribute_type.to_json(type),
        "isNullable": is_nullable,
    }
    if description is not None:
        body["description"] = description

    r = session.post(str(attrs_url), json=body)
    if r.status_code == 409:
        raise AlreadyExists(str(url))
    data = response.successful(r).json()

    return _from_json(url, data)
コード例 #7
0
ファイル: _attribute.py プロジェクト: ianbakst/tamr-client
def update(
    session: Session, attribute: Attribute, *, description: Optional[str] = None
) -> Attribute:
    """Update an existing attribute

    PUTS an update request to the Tamr server

    Args:
        attribute: Existing attribute to update
        description: Updated description for the existing attribute

    Returns:
        The newly updated attribute

    Raises:
        attribute.NotFound: If no attribute could be found at the specified URL.
            Corresponds to a 404 HTTP error.
        requests.HTTPError: If any other HTTP error is encountered.
    """
    updates = {"description": description}
    r = session.put(str(attribute.url), json=updates)
    if r.status_code == 404:
        raise NotFound(str(attribute.url))
    data = response.successful(r).json()
    return _from_json(attribute.url, data)
コード例 #8
0
ファイル: _mastering.py プロジェクト: abafzal/tamr-client
def estimate_pairs(session: Session, project: MasteringProject) -> Operation:
    """Updates the estimated pair counts

    Args:
        project: Tamr Mastering project
    """
    r = session.post(str(project.url) + "estimatedPairCounts:refresh")
    return operation._from_response(project.url.instance, r)
コード例 #9
0
ファイル: _mastering.py プロジェクト: abafzal/tamr-client
def apply_feedback(session: Session, project: MasteringProject) -> Operation:
    """Trains the pair-matching model according to verified labels

    Args:
        project: Tamr Mastering project
    """
    r = session.post(str(project.url) + "recordPairsWithPredictions/model:refresh")
    return operation._from_response(project.url.instance, r)
コード例 #10
0
ファイル: _mastering.py プロジェクト: abafzal/tamr-client
def update_cluster_results(session: Session, project: MasteringProject) -> Operation:
    """Generates clusters based on the latest pair-matching model

    Args:
        project: Tamr Mastering project
    """
    r = session.post(str(project.url) + "recordClusters:refresh")
    return operation._from_response(project.url.instance, r)
コード例 #11
0
ファイル: _mastering.py プロジェクト: abafzal/tamr-client
def publish_clusters(session: Session, project: MasteringProject) -> Operation:
    """Publishes current record clusters

    Args:
        project: Tamr Mastering project
    """
    r = session.post(str(project.url) + "publishedClustersWithData:refresh")
    return operation._from_response(project.url.instance, r)
コード例 #12
0
ファイル: _mastering.py プロジェクト: abafzal/tamr-client
def update_pair_results(session: Session, project: MasteringProject) -> Operation:
    """Updates record pair predictions according to the latest pair-matching model

    Args:
        project: Tamr Mastering project
    """
    r = session.post(str(project.url) + "recordPairsWithPredictions:refresh")
    return operation._from_response(project.url.instance, r)
コード例 #13
0
ファイル: _mastering.py プロジェクト: abafzal/tamr-client
def update_high_impact_pairs(session: Session, project: MasteringProject) -> Operation:
    """Produces new high-impact pairs according to the latest pair-matching model

    Args:
        project: Tamr Mastering project
    """
    r = session.post(str(project.url) + "highImpactPairs:refresh")
    return operation._from_response(project.url.instance, r)
コード例 #14
0
ファイル: _mastering.py プロジェクト: abafzal/tamr-client
def generate_pairs(session: Session, project: MasteringProject) -> Operation:
    """Generates pairs according to the binning model

    Args:
        project: Tamr Mastering project
    """
    r = session.post(str(project.url) + "recordPairs:refresh")
    return operation._from_response(project.url.instance, r)
コード例 #15
0
def delete_all(session: Session, dataset: AnyDataset):
    """Delete all records in this dataset

    Args:
        dataset: Dataset from which to delete records
    """
    r = session.delete(str(dataset.url) + "/records")
    response.successful(r)
コード例 #16
0
def by_resource_id(session: Session, instance: Instance,
                   resource_id: str) -> Operation:
    """Get operation by ID

    Args:
        resource_id: The ID of the operation
    """
    url = URL(instance=instance, path=f"operations/{resource_id}")
    r = session.get(str(url))
    return _from_response(instance, r)
コード例 #17
0
def _apply_changes_async(
    session: Session, unified_dataset: UnifiedDataset
) -> Operation:
    """Applies changes to the unified dataset

    Args:
        unified_dataset: The Unified Dataset which will be committed
    """
    r = session.post(str(unified_dataset.url) + ":refresh")
    return operation._from_response(unified_dataset.url.instance, r)
コード例 #18
0
def _publish_async(session: Session,
                   project: GoldenRecordsProject) -> Operation:
    r = session.post(
        str(project.url) + "/publishedGoldenRecords:refresh",
        params={
            "validate": "true",
            "version": "CURRENT"
        },
    )
    return operation._from_response(project.url.instance, r)
コード例 #19
0
ファイル: record.py プロジェクト: keziah-tamr/tamr-client
def stream(session: Session, dataset: AnyDataset) -> Iterator[JsonDict]:
    """Stream the records in this dataset as Python dictionaries.

    Args:
        dataset: Dataset from which to stream records

    Returns:
        Python generator yielding records
    """
    with session.get(str(dataset.url) + "/records", stream=True) as r:
        return response.ndjson(r)
コード例 #20
0
def version(session: Session, instance: Instance) -> str:
    """Return the Tamr version for an instance.

    Args:
        session: Tamr Session
        instance: Tamr instance

    Returns: Version

    """
    # Version endpoints are not themselves versioned by design, but they are stable so they are ok to use here.
    return session.get(
        f"{origin(instance)}/api/versioned/service/version").json()["version"]
コード例 #21
0
def _apply_changes_async(session: Session,
                         unified_dataset: UnifiedDataset) -> Operation:
    """Applies changes to the unified dataset

    Args:
        unified_dataset: The Unified Dataset which will be committed
    """
    r = session.post(
        str(unified_dataset.url) + ":refresh",
        headers={
            "Content-Type": "application/json",
            "Accept": "application/json"
        },
    )
    return operation._from_response(unified_dataset.url.instance, r)
コード例 #22
0
def _create(
    session: Session,
    instance: Instance,
    name: str,
    project_type: str,
    description: Optional[str] = None,
    external_id: Optional[str] = None,
    unified_dataset_name: Optional[str] = None,
) -> Project:
    """Create a project in Tamr.

    Args:
        instance: Tamr instance
        name: Project name
        project_type: Project type
        description: Project description
        external_id: External ID of the project
        unified_dataset_name: Name of the unified dataset

    Returns:
        Project created in Tamr

    Raises:
        project.AlreadyExists: If a project with these specifications already exists.
        requests.HTTPError: If any other HTTP error is encountered.
    """
    if not unified_dataset_name:
        unified_dataset_name = name + "_unified_dataset"
    data = {
        "name": name,
        "type": project_type,
        "unifiedDatasetName": unified_dataset_name,
        "description": description,
        "externalId": external_id,
    }

    project_url = URL(instance=instance, path="projects")
    r = session.post(url=str(project_url), json=data)

    if r.status_code == 409:
        raise AlreadyExists(r.json()["message"])

    data = response.successful(r).json()
    project_path = data["relativeId"]
    project_url = URL(instance=instance, path=str(project_path))

    return _by_url(session=session, url=project_url)
コード例 #23
0
def _by_url(session: Session, url: URL) -> Project:
    """Get project by URL.
    Fetches project from Tamr server.

    Args:
        url: Project URL

    Raises:
        project.NotFound: If no project could be found at the specified URL.
            Corresponds to a 404 HTTP error.
        requests.HTTPError: If any other HTTP error is encountered.
    """
    r = session.get(str(url))
    if r.status_code == 404:
        raise NotFound(str(url))
    data = response.successful(r).json()
    return _from_json(url, data)
コード例 #24
0
ファイル: _attribute.py プロジェクト: ianbakst/tamr-client
def delete(session: Session, attribute: Attribute):
    """Deletes an existing attribute

    Sends a deletion request to the Tamr server

    Args:
        attribute: Existing attribute to delete

    Raises:
        attribute.NotFound: If no attribute could be found at the specified URL.
            Corresponds to a 404 HTTP error.
        requests.HTTPError: If any other HTTP error is encountered.
    """
    r = session.delete(str(attribute.url))
    if r.status_code == 404:
        raise NotFound(str(attribute.url))
    response.successful(r)
コード例 #25
0
ファイル: restore.py プロジェクト: pcattori/tamr-client
def get(session: Session, instance: Instance) -> Restore:
    """Get information on the latest Tamr restore, if any.

    Args:
        session: Tamr session
        instance: Tamr instance

    Returns:
        Latest Tamr restore

    Raises:
        restore.NotFound: If no backup found at the specified URL
    """
    url = URL(instance=instance, path="instance/restore")
    r = session.get(str(url))
    if r.status_code == 404:
        raise NotFound(str(url))
    return _from_json(url, response.successful(r).json())
コード例 #26
0
def _by_url(session: Session, url: URL) -> Operation:
    """Get operation by URL

    Fetches operation from Tamr server

    Args:
        url: Operation URL

    Raises:
        operation.NotFound: If no operation could be found at the specified URL.
            Corresponds to a 404 HTTP error.
        requests.HTTPError: If any other HTTP error is encountered.
    """
    r = session.get(str(url))
    if r.status_code == 404:
        raise NotFound(str(url))
    data = response.successful(r).json()
    return _from_json(url, data)
コード例 #27
0
def delete(session: Session, dataset: Dataset, *, cascade: bool = False):
    """Deletes an existing dataset

    Sends a deletion request to the Tamr server

    Args:
        dataset: Existing dataset to delete
        cascade: Whether to delete all derived datasets as well

    Raises:
        dataset.NotFound: If no dataset could be found at the specified URL.
            Corresponds to a 404 HTTP error.
        requests.HTTPError: If any other HTTP error is encountered.
    """
    r = session.delete(str(dataset.url), params={"cascade": cascade})
    if r.status_code == 404:
        raise NotFound(str(dataset.url))
    response.successful(r)
コード例 #28
0
ファイル: _attribute.py プロジェクト: ianbakst/tamr-client
def _from_url(session: Session, url: URL) -> Attribute:
    """Get attribute by URL

    Fetches attribute from Tamr server

    Args:
        url: Attribute URL

    Raises:
        attribute.NotFound: If no attribute could be found at the specified URL.
            Corresponds to a 404 HTTP error.
        requests.HTTPError: If any other HTTP error is encountered.
    """
    r = session.get(str(url))
    if r.status_code == 404:
        raise NotFound(str(url))
    data = response.successful(r).json()
    return _from_json(url, data)
コード例 #29
0
def create(
    session: Session,
    instance: Instance,
    *,
    name: str,
    key_attribute_names: Tuple[str, ...],
    description: Optional[str] = None,
    external_id: Optional[str] = None,
) -> Dataset:
    """Create a dataset in Tamr.

    Args:
        instance: Tamr instance
        name: Dataset name
        key_attribute_names: Dataset primary key attribute names
        description: Dataset description
        external_id: External ID of the dataset

    Returns:
        Dataset created in Tamr

    Raises:
        dataset.AlreadyExists: If a dataset with these specifications already exists.
        requests.HTTPError: If any other HTTP error is encountered.
    """
    data = {
        "name": name,
        "keyAttributeNames": key_attribute_names,
        "description": description,
        "externalId": external_id,
    }

    dataset_url = URL(instance=instance, path="datasets")
    r = session.post(url=str(dataset_url), json=data)

    if r.status_code == 400 and "already exists" in r.json()["message"]:
        raise AlreadyExists(r.json()["message"])

    data = response.successful(r).json()
    dataset_path = data["relativeId"]
    dataset_url = URL(instance=instance, path=str(dataset_path))

    return _by_url(session=session, url=dataset_url)
コード例 #30
0
def get_all(session: Session, project: Project) -> Transformations:
    """Get the transformations of a Project

    Args:
        project: Project containing transformations

    Raises:
        requests.HTTPError: If any HTTP error is encountered.

    Example:
        >>> import tamr_client as tc
        >>> session = tc.session.from_auth('username', 'password')
        >>> instance = tc.instance.Instance(host="localhost", port=9100)
        >>> project1 = tc.project.from_resource_id(session, instance, id='1')
        >>> print(tc.transformations.get_all(session, project1))
    """
    r = session.get(f"{project.url}/transformations")
    response.successful(r)
    return _from_json(session, project.url.instance, r.json())