Skip to content

Latest commit

 

History

History
6711 lines (4639 loc) · 98.8 KB

File metadata and controls

6711 lines (4639 loc) · 98.8 KB

Reference

Agent

client.agent.create(...) -> AsyncHttpResponse[AgentResponse]

📝 Description

Creates a new PhenoAgent with specified configuration

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.agent.create(
    name="name",
    prompts=["prompt_123", "prompt_456"],
    provider="provider",
)

⚙️ Parameters

name: str — Agent name

prompts: typing.Sequence[str] — Array of prompt IDs to use for this agent

provider: AgentCreateRequestProvider

FHIR provider ID(s) for this agent. Required. In shared/experiment environments, the default sandbox provider is used if a different provider is not explicitly specified.

description: typing.Optional[str] — Agent description

tools: typing.Optional[typing.Sequence[str]] — Array of MCP server tool IDs to use for this agent

workflows: typing.Optional[typing.Sequence[str]] — Array of workflow IDs to expose as tools for this agent

tags: typing.Optional[typing.Sequence[str]] — Tags for categorizing the agent

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.agent.list(...) -> AsyncHttpResponse[AgentListResponse]

📝 Description

Retrieves a list of PhenoAgents belonging to the authenticated user

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.agent.list(
    tags="tags",
)

⚙️ Parameters

tags: typing.Optional[str] — Filter by tags

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.agent.get(...) -> AsyncHttpResponse[AgentResponse]

📝 Description

Retrieves a specific agent by its ID

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.agent.get(
    id="id",
)

⚙️ Parameters

id: str — Agent ID

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.agent.update(...) -> AsyncHttpResponse[AgentResponse]

📝 Description

Updates an existing agent's configuration

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.agent.update(
    id="id",
    name="name",
    prompts=["prompt_123", "prompt_456"],
    provider="provider",
)

⚙️ Parameters

id: str — Agent ID

name: str — Agent name

prompts: typing.Sequence[str] — Array of prompt IDs to use for this agent

provider: AgentCreateRequestProvider

FHIR provider ID(s) for this agent. Required. In shared/experiment environments, the default sandbox provider is used if a different provider is not explicitly specified.

description: typing.Optional[str] — Agent description

tools: typing.Optional[typing.Sequence[str]] — Array of MCP server tool IDs to use for this agent

workflows: typing.Optional[typing.Sequence[str]] — Array of workflow IDs to expose as tools for this agent

tags: typing.Optional[typing.Sequence[str]] — Tags for categorizing the agent

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.agent.delete(...) -> AsyncHttpResponse[AgentDeleteResponse]

📝 Description

Deletes an existing agent

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.agent.delete(
    id="id",
)

⚙️ Parameters

id: str — Agent ID

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.agent.patch(...) -> AsyncHttpResponse[AgentResponse]

📝 Description

Patches an existing agent's configuration

🔌 Usage

from phenoml import PhenomlClient
from phenoml.agent import JsonPatchOperation

client = PhenomlClient()
client.agent.patch(
    id="id",
    request=[
        JsonPatchOperation(
            op="replace",
            path="/name",
            value="Updated Agent Name",
        ),
        JsonPatchOperation(
            op="add",
            path="/tags/-",
            value="new-tag",
        ),
        JsonPatchOperation(
            op="remove",
            path="/description",
        ),
    ],
)

⚙️ Parameters

id: str — Agent ID

request: JsonPatch

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.agent.chat(...) -> AsyncHttpResponse[AgentChatResponse]

📝 Description

Send a message to an agent and receive a JSON response.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.agent.chat(
    phenoml_on_behalf_of="Patient/550e8400-e29b-41d4-a716-446655440000",
    phenoml_fhir_provider="550e8400-e29b-41d4-a716-446655440000:eyJhbGciOiJSUzI1NiIsInR5cCI6IkpXVCJ9.eyJzdWIiOiIxMjM0NTY3ODkwIiwibmFtZSI6IkpvaG4gRG9lIiwiaWF0IjoxNTE2MjM5MDIyfQ.SflKxwRJSMeKKF2QT4fwpMeJf36POk6yJV_adQssw5c...",
    message="What is the patient's current condition?",
    agent_id="agent-123",
)

⚙️ Parameters

message: str — The message to send to the agent

agent_id: str — The ID of the agent to chat with

phenoml_on_behalf_of: typing.Optional[str]

Optional header for on-behalf-of authentication. Used when making requests on behalf of another user or entity. Must be in the format: Patient/{uuid} or Practitioner/{uuid}

phenoml_fhir_provider: typing.Optional[str]

Optional header for FHIR provider authentication. Contains credentials in the format {fhir_provider_id}:{oauth2_token}. Multiple FHIR provider integrations can be provided as comma-separated values.

context: typing.Optional[str] — Optional context for the conversation

session_id: typing.Optional[str] — Optional session ID for conversation continuity

enhanced_reasoning: typing.Optional[bool] — Enable enhanced reasoning capabilities, will increase latency but will also improve response quality and reliability.

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.agent.stream_chat(...) -> typing.AsyncIterator[ AsyncHttpResponse[typing.AsyncIterator[AgentChatStreamEvent]] ]

📝 Description

Send a message to an agent and receive the response as a Server-Sent Events (SSE) stream. Events include message_start, content_delta, tool_use, tool_result, message_end, and error.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
response = client.agent.stream_chat(
    phenoml_on_behalf_of="Patient/550e8400-e29b-41d4-a716-446655440000",
    phenoml_fhir_provider="550e8400-e29b-41d4-a716-446655440000:eyJhbGciOiJSUzI1NiIsInR5cCI6IkpXVCJ9.eyJzdWIiOiIxMjM0NTY3ODkwIiwibmFtZSI6IkpvaG4gRG9lIiwiaWF0IjoxNTE2MjM5MDIyfQ.SflKxwRJSMeKKF2QT4fwpMeJf36POk6yJV_adQssw5c...",
    message="What is the patient's current condition?",
    agent_id="agent-123",
)
for chunk in response.data:
    yield chunk

⚙️ Parameters

message: str — The message to send to the agent

agent_id: str — The ID of the agent to chat with

phenoml_on_behalf_of: typing.Optional[str]

Optional header for on-behalf-of authentication. Used when making requests on behalf of another user or entity. Must be in the format: Patient/{uuid} or Practitioner/{uuid}

phenoml_fhir_provider: typing.Optional[str]

Optional header for FHIR provider authentication. Contains credentials in the format {fhir_provider_id}:{oauth2_token}. Multiple FHIR provider integrations can be provided as comma-separated values.

context: typing.Optional[str] — Optional context for the conversation

session_id: typing.Optional[str] — Optional session ID for conversation continuity

enhanced_reasoning: typing.Optional[bool] — Enable enhanced reasoning capabilities, will increase latency but will also improve response quality and reliability.

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.agent.get_chat_messages(...) -> AsyncHttpResponse[AgentGetChatMessagesResponse]

📝 Description

Retrieves a list of chat messages for a given chat session

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.agent.get_chat_messages(
    chat_session_id="chat_session_id",
    num_messages=1,
    role="user",
    order="asc",
)

⚙️ Parameters

chat_session_id: str — Chat session ID

num_messages: typing.Optional[int] — Number of messages to return

role: typing.Optional[AgentGetChatMessagesRequestRole]

Filter by one or more message roles. Multiple roles can be specified as a comma-separated string. If not specified, messages with all roles are returned.

Available roles:

  • user - Messages from the user
  • assistant - Text responses from the AI assistant
  • model - Function/tool call requests from the model
  • function - Function/tool call results

order: typing.Optional[AgentGetChatMessagesRequestOrder] — Order of messages

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

Agent Prompts

client.agent.prompts.create(...) -> AsyncHttpResponse[AgentPromptsResponse]

📝 Description

Creates a new agent prompt

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.agent.prompts.create(
    name="Medical Assistant System Prompt",
    content="You are a helpful medical assistant specialized in FHIR data processing...",
)

⚙️ Parameters

name: str — Prompt name

content: str — Prompt content

description: typing.Optional[str] — Prompt description

is_default: typing.Optional[bool] — Whether this is a default prompt

tags: typing.Optional[typing.Sequence[str]] — Tags for categorizing the prompt

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.agent.prompts.list() -> AsyncHttpResponse[PromptsListResponse]

📝 Description

Retrieves a list of agent prompts belonging to the authenticated user

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.agent.prompts.list()

⚙️ Parameters

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.agent.prompts.get(...) -> AsyncHttpResponse[AgentPromptsResponse]

📝 Description

Retrieves a specific prompt by its ID

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.agent.prompts.get(
    id="id",
)

⚙️ Parameters

id: str — Prompt ID

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.agent.prompts.update(...) -> AsyncHttpResponse[AgentPromptsResponse]

📝 Description

Updates an existing prompt

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.agent.prompts.update(
    id="id",
)

⚙️ Parameters

id: str — Prompt ID

name: typing.Optional[str] — Prompt name

description: typing.Optional[str] — Prompt description

content: typing.Optional[str] — Prompt content

is_default: typing.Optional[bool] — Whether this is a default prompt

tags: typing.Optional[typing.Sequence[str]] — Tags for categorizing the prompt

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.agent.prompts.delete(...) -> AsyncHttpResponse[PromptsDeleteResponse]

📝 Description

Deletes a prompt

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.agent.prompts.delete(
    id="id",
)

⚙️ Parameters

id: str — Prompt ID

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.agent.prompts.patch(...) -> AsyncHttpResponse[AgentPromptsResponse]

📝 Description

Patches an existing prompt

🔌 Usage

from phenoml import PhenomlClient
from phenoml.agent import JsonPatchOperation

client = PhenomlClient()
client.agent.prompts.patch(
    id="id",
    request=[
        JsonPatchOperation(
            op="replace",
            path="/name",
            value="Updated Agent Name",
        ),
        JsonPatchOperation(
            op="add",
            path="/tags/-",
            value="new-tag",
        ),
        JsonPatchOperation(
            op="remove",
            path="/description",
        ),
    ],
)

⚙️ Parameters

id: str — Agent Prompt ID

request: JsonPatch

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.agent.prompts.load_defaults() -> AsyncHttpResponse[SuccessResponse]

📝 Description

Loads default agent prompts for the authenticated user

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.agent.prompts.load_defaults()

⚙️ Parameters

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

Authtoken Auth

client.authtoken.auth.generate_token(...) -> AsyncHttpResponse[AuthGenerateTokenResponse]

📝 Description

Obtain an access token using client credentials

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.authtoken.auth.generate_token(
    username="username",
    password="password",
)

⚙️ Parameters

username: str — The user's username or email

password: str — The user's password

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.authtoken.auth.get_token(...) -> AsyncHttpResponse[TokenResponse]

📝 Description

OAuth 2.0 client credentials token endpoint (RFC 6749 §4.4). Accepts client_id and client_secret in the request body (JSON or form-encoded) or via Basic Auth header (RFC 6749 §2.3.1), and returns an access token with expiration information.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.authtoken.auth.get_token()

⚙️ Parameters

grant_type: typing.Optional[str] — Must be "client_credentials" if provided

client_id: typing.Optional[str] — The client ID (credential username)

client_secret: typing.Optional[str] — The client secret (credential password)

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

Cohort

client.cohort.analyze(...) -> AsyncHttpResponse[CohortResponse]

📝 Description

Converts natural language text into structured FHIR search queries for patient cohort analysis

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.cohort.analyze(
    text="female patients over 65 with diabetes but not hypertension",
)

⚙️ Parameters

text: str — Natural language text describing patient cohort criteria

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

Construe

client.construe.upload_code_system(...) -> AsyncHttpResponse[ConstrueUploadCodeSystemResponse]

📝 Description

Upload a custom medical code system with codes and descriptions for use in code extraction. Requires a paid plan. Returns 202 immediately; embedding generation runs asynchronously. Poll GET /construe/codes/systems/{codesystem}?version={version} to check when status transitions from "processing" to "ready" or "failed".

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.construe.upload_code_system(
    name="CUSTOM_CODES",
    version="1.0",
    format="csv",
)

⚙️ Parameters

name: str

Name of the code system. Names are case-insensitive and stored uppercase. Builtin system names (e.g. ICD-10-CM, SNOMED_CT_US_LITE, LOINC, CPT, etc.) are reserved and cannot be used for custom uploads; attempts return HTTP 403 Forbidden.

version: str — Version of the code system

format: UploadRequestFormat — Upload format

revision: typing.Optional[float] — Optional revision number

file: typing.Optional[str]

The file contents as a base64-encoded string. For CSV format, this is the CSV file contents. For JSON format, this is a base64-encoded JSON array; prefer using 'codes' instead.

code_col: typing.Optional[str] — Column name containing codes (required for CSV format)

desc_col: typing.Optional[str] — Column name containing descriptions (required for CSV format)

defn_col: typing.Optional[str] — Optional column name containing long definitions (for CSV format)

codes: typing.Optional[typing.Sequence[CodeResponse]]

The codes to upload as a JSON array (JSON format only). This is the preferred way to upload JSON codes, as it avoids unnecessary base64 encoding. If both 'codes' and 'file' are provided, 'codes' takes precedence.

replace: typing.Optional[bool]

If true, replaces an existing code system with the same name and version. Builtin systems cannot be replaced; attempts to do so return HTTP 403 Forbidden. When false (default), uploading a duplicate returns 409 Conflict.

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.construe.extract_codes(...) -> AsyncHttpResponse[ExtractCodesResult]

📝 Description

Converts natural language text into structured medical codes.

Usage of CPT is subject to AMA requirements: see PhenoML Terms of Service.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.construe.extract_codes(
    text="Patient is a 14-year-old female, previously healthy, who is here for evaluation of abnormal renal ultrasound with atrophic right kidney",
)

⚙️ Parameters

text: str — Natural language text to extract codes from

system: typing.Optional[ExtractRequestSystem]

config: typing.Optional[ExtractRequestConfig]

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.construe.list_available_code_systems() -> AsyncHttpResponse[ListCodeSystemsResponse]

📝 Description

Returns the terminology server's catalog of available code systems, including both built-in standard terminologies and custom uploaded systems.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.construe.list_available_code_systems()

⚙️ Parameters

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.construe.get_code_system_detail(...) -> AsyncHttpResponse[GetCodeSystemDetailResponse]

📝 Description

Returns full metadata for a single code system, including timestamps and builtin status.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.construe.get_code_system_detail(
    codesystem="ICD-10-CM",
    version="2025",
)

⚙️ Parameters

codesystem: str — Code system name (e.g., "ICD-10-CM", "SNOMED_CT_US_LITE")

version: typing.Optional[str] — Specific version of the code system. Required if multiple versions exist.

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.construe.delete_custom_code_system(...) -> AsyncHttpResponse[DeleteCodeSystemResponse]

📝 Description

Deletes a custom (non-builtin) code system and all its codes. Builtin systems cannot be deleted. Only available on dedicated instances. Large systems may take up to a minute to delete.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.construe.delete_custom_code_system(
    codesystem="CUSTOM_CODES",
    version="version",
)

⚙️ Parameters

codesystem: str — Code system name

version: typing.Optional[str] — Specific version of the code system. Required if multiple versions exist.

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.construe.export_custom_code_system(...) -> AsyncHttpResponse[ExportCodeSystemResponse]

📝 Description

Exports a custom (non-builtin) code system as a JSON file compatible with the upload format. The exported file can be re-uploaded directly via POST /construe/upload with format "json". Only available on dedicated instances. Builtin systems cannot be exported.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.construe.export_custom_code_system(
    codesystem="CUSTOM_CODES",
    version="version",
)

⚙️ Parameters

codesystem: str — Code system name

version: typing.Optional[str] — Specific version of the code system. Required if multiple versions exist.

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.construe.list_codes_in_a_code_system(...) -> AsyncHttpResponse[ListCodesResponse]

📝 Description

Returns a paginated list of all codes in the specified code system from the terminology server.

Usage of CPT is subject to AMA requirements: see PhenoML Terms of Service.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.construe.list_codes_in_a_code_system(
    codesystem="ICD-10-CM",
    version="2025",
    cursor="cursor",
    limit=1,
)

⚙️ Parameters

codesystem: str — Code system name (e.g., "ICD-10-CM", "SNOMED_CT_US_LITE")

version: typing.Optional[str] — Specific version of the code system. Required if multiple versions exist.

cursor: typing.Optional[str] — Pagination cursor from previous response

limit: typing.Optional[int] — Maximum number of codes to return (default 20)

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.construe.get_a_specific_code(...) -> AsyncHttpResponse[GetCodeResponse]

📝 Description

Looks up a specific code in the terminology server and returns its details.

Usage of CPT is subject to AMA requirements: see PhenoML Terms of Service.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.construe.get_a_specific_code(
    codesystem="ICD-10-CM",
    code_id="E11.65",
    version="version",
)

⚙️ Parameters

codesystem: str — Code system name

code_id: str — The code identifier

version: typing.Optional[str] — Specific version of the code system

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.construe.semantic_search_embedding_based(...) -> AsyncHttpResponse[SemanticSearchResponse]

📝 Description

Performs semantic similarity search using vector embeddings.

Availability: This endpoint works for both built-in and custom code systems.

When to use: Best for natural language queries where you want to find conceptually related codes, even when different terminology is used. The search understands meaning, not just keywords.

Examples:

  • Query "trouble breathing at night" finds codes like "Sleep apnea", "Orthopnea", "Nocturnal dyspnea" — semantically related but no exact keyword matches
  • Query "heart problems" finds "Myocardial infarction", "Cardiac arrest", "Arrhythmia"

Trade-offs: Slower than text search (requires embedding generation), but finds conceptually similar results that keyword search would miss.

See also: /search/text for faster keyword-based lookup with typo tolerance.

Usage of CPT is subject to AMA requirements: see PhenoML Terms of Service.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.construe.semantic_search_embedding_based(
    codesystem="ICD-10-CM",
    text="patient has trouble breathing at night and wakes up gasping",
    version="version",
    limit=1,
)

⚙️ Parameters

codesystem: str — Code system name

text: str — Natural language text to find semantically similar codes for

version: typing.Optional[str] — Specific version of the code system

limit: typing.Optional[int] — Maximum number of results (default 10, max 50)

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.construe.submit_feedback_on_extraction_results(...) -> AsyncHttpResponse[FeedbackResponse]

📝 Description

Submits user feedback on results from the Construe extraction endpoint. Feedback includes the full extraction result received and the result the user expected.

🔌 Usage

from phenoml import PhenomlClient
from phenoml.construe import (
    ExtractCodesResult,
    ExtractedCodeResult,
    ExtractRequestSystem,
)

client = PhenomlClient()
client.construe.submit_feedback_on_extraction_results(
    text="Patient has type 2 diabetes with hyperglycemia",
    received_result=ExtractCodesResult(
        system=ExtractRequestSystem(),
        codes=[
            ExtractedCodeResult(
                code="195967001",
                description="Asthma",
                valid=True,
            )
        ],
    ),
    expected_result=ExtractCodesResult(
        system=ExtractRequestSystem(),
        codes=[
            ExtractedCodeResult(
                code="195967001",
                description="Asthma",
                valid=True,
            )
        ],
    ),
)

⚙️ Parameters

text: str — The natural language text that was used for code extraction

received_result: ExtractCodesResult

expected_result: ExtractCodesResult

detail: typing.Optional[str] — Optional details explaining the feedback

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.construe.terminology_server_text_search(...) -> AsyncHttpResponse[TextSearchResponse]

📝 Description

Performs fast full-text search over code IDs and descriptions.

Availability: This endpoint is only available for built-in code systems. Custom code systems uploaded via /construe/upload are not indexed for full-text search and will return empty results. Use /search/semantic to search custom code systems.

When to use: Best for autocomplete UIs, code lookup, or when users know part of the code ID or specific keywords. Fast response times suitable for typeahead interfaces.

Features:

  • Substring matching on code IDs (e.g., "11.65" finds "E11.65")
  • Typo tolerance on descriptions (not on code IDs)
  • Fast response times (~10-50ms)

Examples:

  • Query "E11" finds all codes starting with E11 (diabetes codes)
  • Query "diabtes" (typo) still finds "diabetes" codes

Trade-offs: Faster than semantic search, but only matches keywords/substrings. Won't find conceptually related codes with different terminology.

See also: /search/semantic for finding conceptually similar codes.

Usage of CPT is subject to AMA requirements: see PhenoML Terms of Service.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.construe.terminology_server_text_search(
    codesystem="ICD-10-CM",
    q="E11.65",
    version="version",
    limit=1,
)

⚙️ Parameters

codesystem: str — Code system name

q: str — Search query (searches code IDs and descriptions)

version: typing.Optional[str] — Specific version of the code system

limit: typing.Optional[int] — Maximum number of results (default 20, max 100)

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

Fhir

client.fhir.search(...) -> AsyncHttpResponse[FhirSearchResponse]

📝 Description

Retrieves FHIR resources from the specified provider. Supports both individual resource retrieval and search operations based on the FHIR path and query parameters.

The request is proxied to the configured FHIR server with appropriate authentication headers.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.fhir.search(
    fhir_provider_id="550e8400-e29b-41d4-a716-446655440000",
    fhir_path="Patient",
    phenoml_on_behalf_of="Patient/550e8400-e29b-41d4-a716-446655440000",
    phenoml_fhir_provider="550e8400-e29b-41d4-a716-446655440000:eyJhbGciOiJSUzI1NiIsInR5cCI6IkpXVCJ9.eyJzdWIiOiIxMjM0NTY3ODkwIiwibmFtZSI6IkpvaG4gRG9lIiwiaWF0IjoxNTE2MjM5MDIyfQ.SflKxwRJSMeKKF2QT4fwpMeJf36POk6yJV_adQssw5c...",
)

⚙️ Parameters

fhir_provider_id: str

The ID of the FHIR provider to use. Can be either:

  • A UUID representing the provider ID
  • A provider name (legacy support - will just use the most recently updated provider with this name)

fhir_path: str

The FHIR resource path to operate on. This follows FHIR RESTful API conventions. Examples:

  • "Patient" (for resource type operations)
  • "Patient/123" (for specific resource operations)
  • "Patient/123/_history" (for history operations)

query_parameters: typing.Optional[typing.Dict[str, typing.Optional[str]]]

FHIR-compliant query parameters for search operations. Supports standard FHIR search parameters including:

  • Resource-specific search parameters (e.g., name for Patient, status for Observation)
  • Common search parameters (_id, _lastUpdated, _tag, _profile, _security, _text, _content, _filter)
  • Result parameters (_count, _offset, _sort, _include, _revinclude, _summary, _elements)
  • Search prefixes for dates, numbers, quantities (eq, ne, gt, ge, lt, le, sa, eb, ap)

phenoml_on_behalf_of: typing.Optional[str]

Optional header for on-behalf-of authentication. Used when making requests on behalf of another user or entity. Must be in the format: Patient/{uuid} or Practitioner/{uuid}

phenoml_fhir_provider: typing.Optional[str]

Optional header for FHIR provider authentication. Contains credentials in the format {fhir_provider_id}:{oauth2_token}. Multiple FHIR provider integrations can be provided as comma-separated values.

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.fhir.create(...) -> AsyncHttpResponse[FhirResource]

📝 Description

Creates a new FHIR resource on the specified provider. The request body should contain a valid FHIR resource in JSON format.

The request is proxied to the configured FHIR server with appropriate authentication headers.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.fhir.create(
    fhir_provider_id="550e8400-e29b-41d4-a716-446655440000",
    fhir_path="Patient",
    phenoml_on_behalf_of="Patient/550e8400-e29b-41d4-a716-446655440000",
    phenoml_fhir_provider="550e8400-e29b-41d4-a716-446655440000:eyJhbGciOiJSUzI1NiIsInR5cCI6IkpXVCJ9.eyJzdWIiOiIxMjM0NTY3ODkwIiwibmFtZSI6IkpvaG4gRG9lIiwiaWF0IjoxNTE2MjM5MDIyfQ.SflKxwRJSMeKKF2QT4fwpMeJf36POk6yJV_adQssw5c...",
    resource_type="Patient",
)

⚙️ Parameters

fhir_provider_id: str

The ID of the FHIR provider to use. Can be either:

  • A UUID representing the provider ID
  • A provider name (legacy support - will just use the most recently updated provider with this name)

fhir_path: str

The FHIR resource path to operate on. This follows FHIR RESTful API conventions. Examples:

  • "Patient" (for resource type operations)
  • "Patient/123" (for specific resource operations)
  • "Patient/123/_history" (for history operations)

resource_type: str — The type of FHIR resource (e.g., Patient, Observation, etc.)

phenoml_on_behalf_of: typing.Optional[str]

Optional header for on-behalf-of authentication. Used when making requests on behalf of another user or entity. Must be in the format: Patient/{uuid} or Practitioner/{uuid}

phenoml_fhir_provider: typing.Optional[str]

Optional header for FHIR provider authentication. Contains credentials in the format {fhir_provider_id}:{oauth2_token}. Multiple FHIR provider integrations can be provided as comma-separated values.

id: typing.Optional[str] — Logical ID of the resource

meta: typing.Optional[FhirResourceMeta] — Metadata about the resource

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.fhir.upsert(...) -> AsyncHttpResponse[FhirResource]

📝 Description

Creates or updates a FHIR resource on the specified provider. If the resource exists, it will be updated; otherwise, it will be created.

The request is proxied to the configured FHIR server with appropriate authentication headers.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.fhir.upsert(
    fhir_provider_id="550e8400-e29b-41d4-a716-446655440000",
    fhir_path="Patient",
    phenoml_on_behalf_of="Patient/550e8400-e29b-41d4-a716-446655440000",
    phenoml_fhir_provider="550e8400-e29b-41d4-a716-446655440000:eyJhbGciOiJSUzI1NiIsInR5cCI6IkpXVCJ9.eyJzdWIiOiIxMjM0NTY3ODkwIiwibmFtZSI6IkpvaG4gRG9lIiwiaWF0IjoxNTE2MjM5MDIyfQ.SflKxwRJSMeKKF2QT4fwpMeJf36POk6yJV_adQssw5c...",
    resource_type="Patient",
    id="123",
)

⚙️ Parameters

fhir_provider_id: str

The ID of the FHIR provider to use. Can be either:

  • A UUID representing the provider ID
  • A provider name (legacy support - will just use the most recently updated provider with this name)

fhir_path: str

The FHIR resource path to operate on. This follows FHIR RESTful API conventions. Examples:

  • "Patient" (for resource type operations)
  • "Patient/123" (for specific resource operations)
  • "Patient/123/_history" (for history operations)

resource_type: str — The type of FHIR resource (e.g., Patient, Observation, etc.)

phenoml_on_behalf_of: typing.Optional[str]

Optional header for on-behalf-of authentication. Used when making requests on behalf of another user or entity. Must be in the format: Patient/{uuid} or Practitioner/{uuid}

phenoml_fhir_provider: typing.Optional[str]

Optional header for FHIR provider authentication. Contains credentials in the format {fhir_provider_id}:{oauth2_token}. Multiple FHIR provider integrations can be provided as comma-separated values.

id: typing.Optional[str] — Logical ID of the resource

meta: typing.Optional[FhirResourceMeta] — Metadata about the resource

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.fhir.delete(...) -> AsyncHttpResponse[typing.Dict[str, typing.Any]]

📝 Description

Deletes a FHIR resource from the specified provider.

The request is proxied to the configured FHIR server with appropriate authentication headers.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.fhir.delete(
    fhir_provider_id="550e8400-e29b-41d4-a716-446655440000",
    fhir_path="Patient",
    phenoml_on_behalf_of="Patient/550e8400-e29b-41d4-a716-446655440000",
    phenoml_fhir_provider="550e8400-e29b-41d4-a716-446655440000:eyJhbGciOiJSUzI1NiIsInR5cCI6IkpXVCJ9.eyJzdWIiOiIxMjM0NTY3ODkwIiwibmFtZSI6IkpvaG4gRG9lIiwiaWF0IjoxNTE2MjM5MDIyfQ.SflKxwRJSMeKKF2QT4fwpMeJf36POk6yJV_adQssw5c...",
)

⚙️ Parameters

fhir_provider_id: str

The ID of the FHIR provider to use. Can be either:

  • A UUID representing the provider ID
  • A provider name (legacy support - will just use the most recently updated provider with this name)

fhir_path: str

The FHIR resource path to operate on. This follows FHIR RESTful API conventions. Examples:

  • "Patient" (for resource type operations)
  • "Patient/123" (for specific resource operations)
  • "Patient/123/_history" (for history operations)

phenoml_on_behalf_of: typing.Optional[str]

Optional header for on-behalf-of authentication. Used when making requests on behalf of another user or entity. Must be in the format: Patient/{uuid} or Practitioner/{uuid}

phenoml_fhir_provider: typing.Optional[str]

Optional header for FHIR provider authentication. Contains credentials in the format {fhir_provider_id}:{oauth2_token}. Multiple FHIR provider integrations can be provided as comma-separated values.

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.fhir.patch(...) -> AsyncHttpResponse[FhirResource]

📝 Description

Partially updates a FHIR resource on the specified provider using JSON Patch operations as defined in RFC 6902.

The request body should contain an array of JSON Patch operations. Each operation specifies:

  • op: The operation type (add, remove, replace, move, copy, test)
  • path: JSON Pointer to the target location in the resource
  • value: The value to use (required for add, replace, and test operations)

The request is proxied to the configured FHIR server with appropriate authentication headers.

🔌 Usage

from phenoml import PhenomlClient
from phenoml.fhir import FhirPatchRequestBodyItem

client = PhenomlClient()
client.fhir.patch(
    fhir_provider_id="550e8400-e29b-41d4-a716-446655440000",
    fhir_path="Patient",
    phenoml_on_behalf_of="Patient/550e8400-e29b-41d4-a716-446655440000",
    phenoml_fhir_provider="550e8400-e29b-41d4-a716-446655440000:eyJhbGciOiJSUzI1NiIsInR5cCI6IkpXVCJ9.eyJzdWIiOiIxMjM0NTY3ODkwIiwibmFtZSI6IkpvaG4gRG9lIiwiaWF0IjoxNTE2MjM5MDIyfQ.SflKxwRJSMeKKF2QT4fwpMeJf36POk6yJV_adQssw5c...",
    request=[
        FhirPatchRequestBodyItem(
            op="test",
            path="/gender",
            value="male",
        ),
        FhirPatchRequestBodyItem(
            op="replace",
            path="/gender",
            value="female",
        ),
    ],
)

⚙️ Parameters

fhir_provider_id: str

The ID of the FHIR provider to use. Can be either:

  • A UUID representing the provider ID
  • A provider name (legacy support - will just use the most recently updated provider with this name)

fhir_path: str

The FHIR resource path to operate on. This follows FHIR RESTful API conventions. Examples:

  • "Patient" (for resource type operations)
  • "Patient/123" (for specific resource operations)
  • "Patient/123/_history" (for history operations)

request: typing.Sequence[FhirPatchRequestBodyItem]

phenoml_on_behalf_of: typing.Optional[str]

Optional header for on-behalf-of authentication. Used when making requests on behalf of another user or entity. Must be in the format: Patient/{uuid} or Practitioner/{uuid}

phenoml_fhir_provider: typing.Optional[str]

Optional header for FHIR provider authentication. Contains credentials in the format {fhir_provider_id}:{oauth2_token}. Multiple FHIR provider integrations can be provided as comma-separated values.

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.fhir.execute_bundle(...) -> AsyncHttpResponse[FhirBundle]

📝 Description

Executes a FHIR Bundle transaction or batch operation on the specified provider. This allows multiple FHIR resources to be processed in a single request.

The request body should contain a valid FHIR Bundle resource with transaction or batch type.

The request is proxied to the configured FHIR server with appropriate authentication headers.

🔌 Usage

from phenoml import PhenomlClient
from phenoml.fhir import FhirBundleEntryItem, FhirBundleEntryItemRequest

client = PhenomlClient()
client.fhir.execute_bundle(
    fhir_provider_id="550e8400-e29b-41d4-a716-446655440000",
    phenoml_on_behalf_of="Patient/550e8400-e29b-41d4-a716-446655440000",
    phenoml_fhir_provider="550e8400-e29b-41d4-a716-446655440000:eyJhbGciOiJSUzI1NiIsInR5cCI6IkpXVCJ9.eyJzdWIiOiIxMjM0NTY3ODkwIiwibmFtZSI6IkpvaG4gRG9lIiwiaWF0IjoxNTE2MjM5MDIyfQ.SflKxwRJSMeKKF2QT4fwpMeJf36POk6yJV_adQssw5c...",
    entry=[
        FhirBundleEntryItem(
            resource={
                "resourceType": "Patient",
                "name": [{"family": "Doe", "given": ["John"]}],
            },
            request=FhirBundleEntryItemRequest(
                method="POST",
                url="Patient",
            ),
        ),
        FhirBundleEntryItem(
            resource={
                "resourceType": "Observation",
                "status": "final",
                "subject": {"reference": "Patient/123"},
            },
            request=FhirBundleEntryItemRequest(
                method="POST",
                url="Observation",
            ),
        ),
    ],
)

⚙️ Parameters

fhir_provider_id: str

The ID of the FHIR provider to use. Can be either:

  • A UUID representing the provider ID
  • A provider name (legacy support - will just use the most recently updated provider with this name)

entry: typing.Sequence[FhirBundleEntryItem] — Array of bundle entries containing resources or operation results

phenoml_on_behalf_of: typing.Optional[str]

Optional header for on-behalf-of authentication. Used when making requests on behalf of another user or entity. Must be in the format: Patient/{uuid} or Practitioner/{uuid}

phenoml_fhir_provider: typing.Optional[str]

Optional header for FHIR provider authentication. Contains credentials in the format {fhir_provider_id}:{oauth2_token}. Multiple FHIR provider integrations can be provided as comma-separated values.

total: typing.Optional[int]

Total number of resources that match the search criteria. Optional field as not all FHIR servers include it (e.g., Medplum).

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

FhirProvider

client.fhir_provider.create(...) -> AsyncHttpResponse[FhirProviderResponse]

📝 Description

Creates a new FHIR provider configuration with authentication credentials.

Note: The "sandbox" provider type cannot be created via this API - it is managed internally.

🔌 Usage

from phenoml import PhenomlClient
from phenoml.fhir_provider import FhirProviderCreateRequestAuth_Jwt

client = PhenomlClient()
client.fhir_provider.create(
    name="Epic Sandbox",
    provider="athenahealth",
    base_url="https://fhir.epic.com/interconnect-fhir-oauth/api/FHIR/R4",
    auth=FhirProviderCreateRequestAuth_Jwt(
        client_id="your-client-id",
    ),
)

⚙️ Parameters

name: str — Display name for the FHIR provider

provider: Provider

base_url: str — Base URL of the FHIR server

auth: FhirProviderCreateRequestAuth

description: typing.Optional[str] — Optional description of the FHIR provider

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.fhir_provider.list() -> AsyncHttpResponse[FhirProviderListResponse]

📝 Description

Retrieves a list of all active FHIR providers for the authenticated user.

On shared instances, only sandbox providers are returned. Sandbox providers return FhirProviderSandboxInfo.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.fhir_provider.list()

⚙️ Parameters

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.fhir_provider.get(...) -> AsyncHttpResponse[FhirProviderResponse]

📝 Description

Retrieves a specific FHIR provider configuration by its ID.

Sandbox providers return FhirProviderSandboxInfo. On shared instances, only sandbox providers can be accessed.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.fhir_provider.get(
    fhir_provider_id="fhir_provider_id",
)

⚙️ Parameters

fhir_provider_id: str — ID of the FHIR provider to retrieve

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.fhir_provider.delete(...) -> AsyncHttpResponse[FhirProviderDeleteResponse]

📝 Description

Deletes a FHIR provider.

Note: Sandbox providers cannot be deleted.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.fhir_provider.delete(
    fhir_provider_id="fhir_provider_id",
)

⚙️ Parameters

fhir_provider_id: str — ID of the FHIR provider to delete

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.fhir_provider.add_auth_config(...) -> AsyncHttpResponse[FhirProviderResponse]

📝 Description

Adds a new authentication configuration to an existing FHIR provider. This enables key rotation and multiple auth configurations per provider.

Note: Sandbox providers cannot be modified.

🔌 Usage

from phenoml import PhenomlClient
from phenoml.fhir_provider import FhirProviderAddAuthConfigRequest_Jwt

client = PhenomlClient()
client.fhir_provider.add_auth_config(
    fhir_provider_id="1716d214-de93-43a4-aa6b-a878d864e2ad",
    request=FhirProviderAddAuthConfigRequest_Jwt(
        client_id="your-client-id",
    ),
)

⚙️ Parameters

fhir_provider_id: str — ID of the FHIR provider to add auth config to

request: FhirProviderAddAuthConfigRequest

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.fhir_provider.set_active_auth_config(...) -> AsyncHttpResponse[FhirProviderResponse]

📝 Description

Sets which authentication configuration should be active for a FHIR provider. Only one auth config can be active at a time.

If the specified auth config is already active, the request succeeds without making any changes and returns a message indicating the config is already active.

Note: Sandbox providers cannot be modified.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.fhir_provider.set_active_auth_config(
    fhir_provider_id="1716d214-de93-43a4-aa6b-a878d864e2ad",
    auth_config_id="auth-config-123",
)

⚙️ Parameters

fhir_provider_id: str — ID of the FHIR provider

auth_config_id: str — ID of the auth configuration to set as active

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.fhir_provider.remove_auth_config(...) -> AsyncHttpResponse[FhirProviderRemoveAuthConfigResponse]

📝 Description

Removes an authentication configuration from a FHIR provider. Cannot remove the currently active auth configuration.

Note: Sandbox providers cannot be modified.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.fhir_provider.remove_auth_config(
    fhir_provider_id="1716d214-de93-43a4-aa6b-a878d864e2ad",
    auth_config_id="auth-config-123",
)

⚙️ Parameters

fhir_provider_id: str — ID of the FHIR provider

auth_config_id: str — ID of the auth configuration to remove

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

Lang2Fhir

client.lang2fhir.create(...) -> AsyncHttpResponse[FhirResource]

📝 Description

Converts natural language text into a structured FHIR resource

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.lang2fhir.create(
    version="R4",
    resource="auto",
    text="Patient has severe asthma with acute exacerbation",
)

⚙️ Parameters

version: str — FHIR version to use

resource: CreateRequestResource — Type of FHIR resource to create. Use 'auto' for automatic resource type detection, or specify a supported US Core profile. Recommended to use the supported US Core Profiles for validated results but you can also use any custom profile you've uploaded (if you're a develop or launch customer)

text: str — Natural language text to convert

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.lang2fhir.create_multi(...) -> AsyncHttpResponse[CreateMultiResponse]

📝 Description

Analyzes natural language text and extracts multiple FHIR resources, returning them as a transaction Bundle. Automatically detects Patient, Condition, MedicationRequest, Observation, and other resource types from the text. Resources are linked with proper references (e.g., Conditions reference the Patient).

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.lang2fhir.create_multi(
    text="John Smith, 45-year-old male, diagnosed with Type 2 Diabetes. Prescribed Metformin 500mg twice daily.",
)

⚙️ Parameters

text: str — Natural language text containing multiple clinical concepts to extract

version: typing.Optional[str] — FHIR version to use

provider: typing.Optional[str] — Optional FHIR provider name for provider-specific profiles

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.lang2fhir.search(...) -> AsyncHttpResponse[SearchResponse]

📝 Description

Converts natural language text into FHIR search parameters. Automatically identifies the appropriate FHIR resource type and generates valid search query parameters.

Supported resource types include: AllergyIntolerance, Appointment, CarePlan, CareTeam, Condition, Coverage, Device, DiagnosticReport, DocumentReference, Encounter, Goal, Immunization, Location, Medication, MedicationRequest, Observation, Organization, Patient, PlanDefinition, Practitioner, PractitionerRole, Procedure, Provenance, Questionnaire, QuestionnaireResponse, RelatedPerson, Schedule, ServiceRequest, Slot, and Specimen.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.lang2fhir.search(
    text="Appointments between March 2-9, 2025",
)

⚙️ Parameters

text: str

Natural language text to convert into FHIR search parameters. The system will automatically identify the appropriate resource type and generate valid search parameters.

Examples:

  • "Appointments between March 2-9, 2025" → Appointment search with date range
  • "Patients with diabetes" → Condition search with code parameter
  • "Active medication requests for metformin" → MedicationRequest search
  • "Lab results for creatinine" → DiagnosticReport search
  • "Dr. Smith's schedule" → Practitioner or Schedule search

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.lang2fhir.upload_profile(...) -> AsyncHttpResponse[Lang2FhirUploadProfileResponse]

📝 Description

Upload a custom FHIR StructureDefinition profile for use with the lang2fhir service.

All metadata is derived from the StructureDefinition JSON itself. The lowercase id field from the StructureDefinition is used as the profile's unique identifier and lookup key. To use the uploaded profile with /lang2fhir/create, pass this id as the resource parameter.

Uploads will be rejected if:

  • A built-in US Core or R4 base profile already exists with the same id
  • A custom profile with the same id has already been uploaded
  • A custom profile with the same url has already been uploaded

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.lang2fhir.upload_profile(
    profile="(base64 encoded FHIR StructureDefinition JSON)",
)

⚙️ Parameters

profile: str — Base64 encoded JSON string of a FHIR StructureDefinition. The profile must include id, url, type, and a snapshot with elements. All metadata (version, resource type, identifier) is derived from the StructureDefinition itself. The lowercase id from the StructureDefinition becomes the profile's lookup key.

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.lang2fhir.document(...) -> AsyncHttpResponse[FhirResource]

📝 Description

Extracts text from a document (PDF or image) and converts it into a structured FHIR resource

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.lang2fhir.document(
    version="R4",
    resource="questionnaire",
    content="content",
)

⚙️ Parameters

version: str — FHIR version to use

resource: str — Type of FHIR resource to create. Accepts any FHIR resource type or US Core profile name.

content: str

Base64 encoded file content. Supported file types: PDF (application/pdf), PNG (image/png), JPEG (image/jpeg). File type is auto-detected from content magic bytes.

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.lang2fhir.extract_multiple_fhir_resources_from_a_document(...) -> AsyncHttpResponse[CreateMultiResponse]

📝 Description

Extracts text from a document (PDF or image) and converts it into multiple FHIR resources, returned as a transaction Bundle. Combines document text extraction with multi-resource detection. Automatically detects Patient, Condition, MedicationRequest, Observation, and other resource types. Resources are linked with proper references (e.g., Conditions reference the Patient).

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.lang2fhir.extract_multiple_fhir_resources_from_a_document(
    version="R4",
    content="content",
)

⚙️ Parameters

version: str — FHIR version to use

content: str

Base64 encoded file content. Supported file types: PDF (application/pdf), PNG (image/png), JPEG (image/jpeg). File type is auto-detected from content magic bytes.

provider: typing.Optional[str] — Optional FHIR provider name for provider-specific profiles

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

Summary

client.summary.list_templates() -> AsyncHttpResponse[SummaryListTemplatesResponse]

📝 Description

Retrieves all summary templates for the authenticated user

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.summary.list_templates()

⚙️ Parameters

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.summary.create_template(...) -> AsyncHttpResponse[CreateSummaryTemplateResponse]

📝 Description

Creates a summary template from an example using LLM function calling

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.summary.create_template(
    name="name",
    example_summary="Patient John Doe, age 45, presents with hypertension diagnosed on 2024-01-15.",
    target_resources=["Patient", "Condition", "Observation"],
    mode="mode",
)

⚙️ Parameters

name: str — Name of the template

example_summary: str — Example summary note to generate template from

target_resources: typing.Sequence[str] — List of target FHIR resources

mode: str — Template mode (stored with the template)

description: typing.Optional[str] — Description of the template

example_fhir_data: typing.Optional[typing.Dict[str, typing.Any]] — Optional example FHIR data that corresponds to the example summary

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.summary.get_template(...) -> AsyncHttpResponse[SummaryGetTemplateResponse]

📝 Description

Retrieves a specific summary template

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.summary.get_template(
    id="id",
)

⚙️ Parameters

id: str — Template ID

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.summary.update_template(...) -> AsyncHttpResponse[SummaryUpdateTemplateResponse]

📝 Description

Updates an existing summary template

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.summary.update_template(
    id="id",
    name="name",
    template="template",
    target_resources=["target_resources"],
    mode="mode",
)

⚙️ Parameters

id: str — Template ID

name: str

template: str — Updated template with placeholders

target_resources: typing.Sequence[str]

mode: str — Template mode

description: typing.Optional[str]

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.summary.delete_template(...) -> AsyncHttpResponse[SummaryDeleteTemplateResponse]

📝 Description

Deletes a summary template

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.summary.delete_template(
    id="id",
)

⚙️ Parameters

id: str — Template ID

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.summary.create(...) -> AsyncHttpResponse[CreateSummaryResponse]

📝 Description

Creates a summary from FHIR resources using one of three modes:

  • narrative: Uses a template to substitute FHIR data into placeholders (requires template_id)
  • flatten: Flattens FHIR resources into a searchable format for RAG/search (no template needed)
  • ips: Generates an International Patient Summary (IPS) narrative per ISO 27269/HL7 FHIR IPS IG. Requires a Bundle with exactly one Patient resource (returns 400 error if no Patient or multiple Patients are present). Automatically filters resources to those referencing the patient and generates sections for allergies, medications, problems, immunizations, procedures, and vital signs.

🔌 Usage

from phenoml import PhenomlClient
from phenoml.summary import FhirResource

client = PhenomlClient()
client.summary.create(
    fhir_resources=FhirResource(
        resource_type="resourceType",
    ),
)

⚙️ Parameters

fhir_resources: CreateSummaryRequestFhirResources

FHIR resources (single resource or Bundle). For IPS mode, must be a Bundle containing exactly one Patient resource with at least one identifier (id, fullUrl, or identifier field). Returns an error if no Patient is found, if multiple Patients are present, or if the Patient has no identifiers. Resources are automatically filtered to only include those referencing the patient.

mode: typing.Optional[CreateSummaryRequestMode]

Summary generation mode:

  • narrative: Substitute FHIR data into a template (requires template_id)
  • flatten: Flatten FHIR resources for RAG/search (no template needed)
  • ips: Generate International Patient Summary (IPS) narrative per ISO 27269/HL7 FHIR IPS IG

template_id: typing.Optional[str] — ID of the template to use (required for narrative mode)

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

Tools

client.tools.create_fhir_resource(...) -> AsyncHttpResponse[Lang2FhirAndCreateResponse]

📝 Description

Converts natural language to FHIR resource and optionally stores it in a FHIR server

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.tools.create_fhir_resource(
    phenoml_on_behalf_of="Patient/550e8400-e29b-41d4-a716-446655440000",
    phenoml_fhir_provider="550e8400-e29b-41d4-a716-446655440000:eyJhbGciOiJSUzI1NiIsInR5cCI6IkpXVCJ9.eyJzdWIiOiIxMjM0NTY3ODkwIiwibmFtZSI6IkpvaG4gRG9lIiwiaWF0IjoxNTE2MjM5MDIyfQ.SflKxwRJSMeKKF2QT4fwpMeJf36POk6yJV_adQssw5c...",
    resource="auto",
    text="Patient John Doe has severe asthma with acute exacerbation",
)

⚙️ Parameters

resource: Lang2FhirAndCreateRequestResource — Type of FHIR resource to create. Use 'auto' for automatic resource type detection, or specify a supported US Core profile.

text: str — Natural language text to convert to FHIR resource

phenoml_on_behalf_of: typing.Optional[str]

Optional header for on-behalf-of authentication. Used when making requests on behalf of another user or entity. Must be in the format: Patient/{uuid} or Practitioner/{uuid}

phenoml_fhir_provider: typing.Optional[str]

Optional header for FHIR provider authentication. Contains credentials in the format {fhir_provider_id}:{oauth2_token}. Multiple FHIR provider integrations can be provided as comma-separated values.

provider: typing.Optional[str] — FHIR provider ID - must be a valid UUID from existing FHIR providers. also supports provider by name (e.g. medplum)

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.tools.create_fhir_resources_multi(...) -> AsyncHttpResponse[Lang2FhirAndCreateMultiResponse]

📝 Description

Extracts multiple FHIR resources from natural language text and stores them in a FHIR server. Automatically detects Patient, Condition, MedicationRequest, Observation, and other resource types. Resources are linked with proper references and submitted as a transaction bundle. For FHIR servers that don't auto-resolve urn:uuid references, this endpoint will automatically resolve them via PUT requests after the initial bundle creation.

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.tools.create_fhir_resources_multi(
    phenoml_on_behalf_of="Patient/550e8400-e29b-41d4-a716-446655440000",
    phenoml_fhir_provider="550e8400-e29b-41d4-a716-446655440000:eyJhbGciOiJSUzI1NiIsInR5cCI6IkpXVCJ9.eyJzdWIiOiIxMjM0NTY3ODkwIiwibmFtZSI6IkpvaG4gRG9lIiwiaWF0IjoxNTE2MjM5MDIyfQ.SflKxwRJSMeKKF2QT4fwpMeJf36POk6yJV_adQssw5c...",
    text="John Smith, 45-year-old male, diagnosed with Type 2 Diabetes. Prescribed Metformin 500mg twice daily.",
    provider="medplum",
)

⚙️ Parameters

text: str — Natural language text containing multiple clinical concepts to extract

provider: str — FHIR provider ID or name

phenoml_on_behalf_of: typing.Optional[str]

Optional header for on-behalf-of authentication. Used when making requests on behalf of another user or entity. Must be in the format: Patient/{uuid} or Practitioner/{uuid}

phenoml_fhir_provider: typing.Optional[str]

Optional header for FHIR provider authentication. Contains credentials in the format {fhir_provider_id}:{oauth2_token}. Multiple FHIR provider integrations can be provided as comma-separated values.

version: typing.Optional[str] — FHIR version to use

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.tools.search_fhir_resources(...) -> AsyncHttpResponse[Lang2FhirAndSearchResponse]

📝 Description

Converts natural language to FHIR search parameters and executes search in FHIR server

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.tools.search_fhir_resources(
    phenoml_on_behalf_of="Patient/550e8400-e29b-41d4-a716-446655440000",
    phenoml_fhir_provider="550e8400-e29b-41d4-a716-446655440000:eyJhbGciOiJSUzI1NiIsInR5cCI6IkpXVCJ9.eyJzdWIiOiIxMjM0NTY3ODkwIiwibmFtZSI6IkpvaG4gRG9lIiwiaWF0IjoxNTE2MjM5MDIyfQ.SflKxwRJSMeKKF2QT4fwpMeJf36POk6yJV_adQssw5c...",
    text="Find all appointments for patient John Doe next week",
)

⚙️ Parameters

text: str — Natural language text to convert to FHIR search parameters

phenoml_on_behalf_of: typing.Optional[str]

Optional header for on-behalf-of authentication. Used when making requests on behalf of another user or entity. Must be in the format: Patient/{uuid} or Practitioner/{uuid}

phenoml_fhir_provider: typing.Optional[str]

Optional header for FHIR provider authentication. Contains credentials in the format {fhir_provider_id}:{oauth2_token}. Multiple FHIR provider integrations can be provided as comma-separated values.

patient_id: typing.Optional[str] — Patient ID to filter results

practitioner_id: typing.Optional[str] — Practitioner ID to filter results

count: typing.Optional[int] — Maximum number of results to return

provider: typing.Optional[str] — FHIR provider ID - must be a valid UUID from existing FHIR providers. also supports provider by name (e.g. medplum)

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.tools.analyze_cohort(...) -> AsyncHttpResponse[CohortResponse]

📝 Description

Uses LLM to extract search concepts from natural language and builds patient cohorts with inclusion/exclusion criteria

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.tools.analyze_cohort(
    phenoml_on_behalf_of="Patient/550e8400-e29b-41d4-a716-446655440000",
    phenoml_fhir_provider="550e8400-e29b-41d4-a716-446655440000:eyJhbGciOiJSUzI1NiIsInR5cCI6IkpXVCJ9.eyJzdWIiOiIxMjM0NTY3ODkwIiwibmFtZSI6IkpvaG4gRG9lIiwiaWF0IjoxNTE2MjM5MDIyfQ.SflKxwRJSMeKKF2QT4fwpMeJf36POk6yJV_adQssw5c...",
    text="female patients over 20 with diabetes but not hypertension",
    provider="550e8400-e29b-41d4-a716-446655440000",
)

⚙️ Parameters

text: str — Natural language text describing the patient cohort criteria

provider: str — FHIR provider ID - must be a valid UUID from existing FHIR providers. also supports provider by name (e.g. medplum)

phenoml_on_behalf_of: typing.Optional[str]

Optional header for on-behalf-of authentication. Used when making requests on behalf of another user or entity. Must be in the format: Patient/{uuid} or Practitioner/{uuid}

phenoml_fhir_provider: typing.Optional[str]

Optional header for FHIR provider authentication. Contains credentials in the format {fhir_provider_id}:{oauth2_token}. Multiple FHIR provider integrations can be provided as comma-separated values.

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

Tools McpServer

client.tools.mcp_server.create(...) -> AsyncHttpResponse[McpServerResponse]

📝 Description

Creates a new MCP server

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.tools.mcp_server.create(
    name="My MCP Server",
    mcp_server_url="https://mcp.example.com",
)

⚙️ Parameters

name: str — Name of the MCP server

mcp_server_url: str — URL of the MCP server

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.tools.mcp_server.list() -> AsyncHttpResponse[McpServerResponse]

📝 Description

Lists all MCP servers for a specific user

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.tools.mcp_server.list()

⚙️ Parameters

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.tools.mcp_server.get(...) -> AsyncHttpResponse[McpServerResponse]

📝 Description

Gets a MCP server by ID

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.tools.mcp_server.get(
    mcp_server_id="mcp_server_id",
)

⚙️ Parameters

mcp_server_id: str — ID of the MCP server to retrieve

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.tools.mcp_server.delete(...) -> AsyncHttpResponse[McpServerResponse]

📝 Description

Deletes a MCP server by ID

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.tools.mcp_server.delete(
    mcp_server_id="mcp_server_id",
)

⚙️ Parameters

mcp_server_id: str — ID of the MCP server to delete

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

Tools McpServer Tools

client.tools.mcp_server.tools.list(...) -> AsyncHttpResponse[McpServerToolResponse]

📝 Description

Lists all MCP server tools for a specific MCP server

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.tools.mcp_server.tools.list(
    mcp_server_id="mcp_server_id",
)

⚙️ Parameters

mcp_server_id: str — ID of the MCP server to list tools for

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.tools.mcp_server.tools.get(...) -> AsyncHttpResponse[McpServerToolResponse]

📝 Description

Gets a MCP server tool by ID

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.tools.mcp_server.tools.get(
    mcp_server_tool_id="mcp_server_tool_id",
)

⚙️ Parameters

mcp_server_tool_id: str — ID of the MCP server tool to retrieve

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.tools.mcp_server.tools.delete(...) -> AsyncHttpResponse[McpServerToolResponse]

📝 Description

Deletes a MCP server tool by ID

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.tools.mcp_server.tools.delete(
    mcp_server_tool_id="mcp_server_tool_id",
)

⚙️ Parameters

mcp_server_tool_id: str — ID of the MCP server tool to delete

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.tools.mcp_server.tools.call(...) -> AsyncHttpResponse[McpServerToolCallResponse]

📝 Description

Calls a MCP server tool

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.tools.mcp_server.tools.call(
    mcp_server_tool_id="mcp_server_tool_id",
    arguments={"title": "PhenoML Agent API"},
)

⚙️ Parameters

mcp_server_tool_id: str — ID of the MCP server tool to call

arguments: typing.Dict[str, typing.Any] — Arguments to pass to the MCP server tool

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

Workflows

client.workflows.list(...) -> AsyncHttpResponse[ListWorkflowsResponse]

📝 Description

Retrieves all workflow definitions for the authenticated user

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.workflows.list(
    verbose=True,
)

⚙️ Parameters

verbose: typing.Optional[bool] — If true, includes full workflow implementation details in workflow_details field

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.workflows.create(...) -> AsyncHttpResponse[CreateWorkflowResponse]

📝 Description

Creates a new workflow definition with graph generation from workflow instructions

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.workflows.create(
    verbose=True,
    name="Patient Data Mapping Workflow",
    workflow_instructions="Given diagnosis data, find the patient and create condition record",
    sample_data={
        "patient_last_name": "Rippin",
        "patient_first_name": "Clay",
        "diagnosis_code": "I10",
    },
    fhir_provider_id="550e8400-e29b-41d4-a716-446655440000",
)

⚙️ Parameters

name: str — Human-readable name for the workflow

workflow_instructions: str — Natural language instructions that define the workflow logic

sample_data: typing.Dict[str, typing.Any] — Sample data to use for workflow graph generation

fhir_provider_id: CreateWorkflowRequestFhirProviderId — FHIR provider ID(s) - must be valid UUID(s) from existing FHIR providers

verbose: typing.Optional[bool] — If true, includes full workflow implementation details in workflow_details field

dynamic_generation: typing.Optional[bool] — Enable dynamic lang2fhir calls instead of pre-populated templates

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.workflows.get(...) -> AsyncHttpResponse[WorkflowsGetResponse]

📝 Description

Retrieves a workflow definition by its ID

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.workflows.get(
    id="id",
    verbose=True,
)

⚙️ Parameters

id: str — ID of the workflow to retrieve

verbose: typing.Optional[bool] — If true, includes full workflow implementation details in workflow_details field

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.workflows.update(...) -> AsyncHttpResponse[WorkflowsUpdateResponse]

📝 Description

Updates an existing workflow definition

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.workflows.update(
    id="id",
    verbose=True,
    name="Updated Patient Data Mapping Workflow",
    workflow_instructions="Given diagnosis data, find the patient and create condition record",
    sample_data={
        "patient_last_name": "Smith",
        "patient_first_name": "John",
        "diagnosis_code": "E11",
    },
    fhir_provider_id="550e8400-e29b-41d4-a716-446655440000",
)

⚙️ Parameters

id: str — ID of the workflow to update

name: str — Human-readable name for the workflow

workflow_instructions: str — Natural language instructions that define the workflow logic

sample_data: typing.Dict[str, typing.Any] — Sample data to use for workflow graph generation

fhir_provider_id: UpdateWorkflowRequestFhirProviderId — FHIR provider ID(s) - must be valid UUID(s) from existing FHIR providers

verbose: typing.Optional[bool] — If true, includes full workflow implementation details in workflow_details field

dynamic_generation: typing.Optional[bool] — Enable dynamic lang2fhir calls instead of pre-populated templates

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.workflows.delete(...) -> AsyncHttpResponse[WorkflowsDeleteResponse]

📝 Description

Deletes a workflow definition by its ID

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.workflows.delete(
    id="id",
)

⚙️ Parameters

id: str — ID of the workflow to delete

request_options: typing.Optional[RequestOptions] — Request-specific configuration.

client.workflows.execute(...) -> AsyncHttpResponse[ExecuteWorkflowResponse]

📝 Description

Executes a workflow with provided input data and returns results

🔌 Usage

from phenoml import PhenomlClient

client = PhenomlClient()
client.workflows.execute(
    id="id",
    input_data={
        "patient_last_name": "Johnson",
        "patient_first_name": "Mary",
        "diagnosis_code": "M79.3",
        "encounter_date": "2024-01-15",
    },
)

⚙️ Parameters

id: str — ID of the workflow to execute

input_data: typing.Dict[str, typing.Any] — Input data for workflow execution

preview: typing.Optional[bool] — If true, create operations return mock resources instead of persisting to the FHIR server

request_options: typing.Optional[RequestOptions] — Request-specific configuration.