tool2schema


Nametool2schema JSON
Version 2.1.0 PyPI version JSON
download
home_pagehttps://github.com/cadifyai/tool2schema
SummaryA library to generate function schemas for use in LLM function calling.
upload_time2024-05-01 17:19:15
maintainerNone
docs_urlNone
authorAngus Stewart
requires_python<4.0,>=3.9
licenseApache-2.0
keywords openai llm
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            <div align="center">
<img src="media/logo.jpg" height=200>

<h1>
tool2schema
</h1>

Inspired by [janekb04/py2gpt](https://github.com/janekb04/py2gpt) and [fastai/lm-hackers](https://github.com/fastai/lm-hackers)

[![Check Code](https://github.com/cadifyai/tool2schema/actions/workflows/python-package.yml/badge.svg?branch=main)](https://github.com/cadifyai/tool2schema/actions/workflows/python-package.yml)
[![Downloads](https://static.pepy.tech/badge/tool2schema)](https://pepy.tech/project/tool2schema)
![Stars](https://img.shields.io/github/stars/cadifyai/tool2schema)

</div>

# Why tool2schema?

Sometimes you can provide a large language model (LLM) with functions for it to call, but it needs to follow a specific schema. `tool2schema` is a small depedency-free library that converts your functions into that specific schema. So yeah, it's in the name!

# Installation

You can install `tool2schema` using `pip`.

```bash
pip3 install tool2schema
```

# Usage

On all functions that you would like to get the schema for, simply add the `EnableTool` decorator. Then use the return value of `FindToolEnabledSchemas` method directly in your requests to whatever LLM you are using.

```python
from tool2schema import EnableTool

@EnableTool
def my_function1(a: int, b: str = "Hello"):
    """
    Example function description.

    :param a: First parameter
    :param b: Second parameter
    """
    # Function code here...
```

**Note**: To understand the appropriate format required for `tool2schema` to generate the appropriate schema, see the ['How it Works' section](#how-it-works).

## OpenAI

```python
import my_tools  # Module with your functions

from openai import OpenAI
from tool2schema import FindToolEnabledSchemas

client = OpenAI()
completion = client.chat.completions.create(
  model="gpt-4-turbo",
  tools=FindToolEnabledSchemas(my_tools)  # <-- As easy as that!
  messages=[
    {"role": "system", "content": "You are a helpful assistant."},
    {"role": "user", "content": "Hello!"}
  ]
)
```

<details>
<summary><b>If finetuning an OpenAI model, then the schema is slightly different.</b></summary>

```python
import my_tools  # Module with your functions

from openai import OpenAI
from tool2schema import FindToolEnabledSchemas, SchemaType

client = OpenAI()
completion = client.chat.completions.create(
  model="gpt-4-turbo",
  tools=FindToolEnabledSchemas(my_tools, SchemaType.OPENAI_TUNE)  # <-- As easy as that!
  messages=[
    {"role": "system", "content": "You are a helpful assistant."},
    {"role": "user", "content": "Hello!"}
  ]
)
```

</details>

## Anthropic

```python
import my_tools  # Module with your functions

import anthropic
from tool2schema import FindToolEnabledSchemas, SchemaType

client = anthropic.Anthropic()
response = client.beta.tools.messages.create(
    model="claude-3-opus-20240229",
    tools=FindToolEnabledSchemas(my_tools, SchemaType.ANTHROPIC_CLAUDE), # <-- As easy as that!
    messages=[{"role": "user", "content": "What's the weather like in San Francisco?"}],
)
```

## Mistral

Currently the same as OpenAI.

# Public API

In this section we describe in more detail how to utilise this library to its fullest extent.

## Configuration

There are a number of setting available for you to tweak.

| Name | Description | Default Value |
|----------|----------|--------------|
|   `ignore_parameters`  |   A list of parameter names to exclude from the schema  |  `[]`
|   `ignore_all_parameters`  |   A boolean value indicating whether to exclude all parameters from the schema. When set to true, `ignore_parameters` and `ignore_parameter_descriptions` will be ignored.  | `False` |
|   `ignore_function_description`  |   A boolean value indicating whether to exclude the function description from the schema.  | `False` |
|   `ignore_parameter_descriptions`  |   A boolean value indicating whether to exclude all parameter descriptions from the schema  | `False` |
| `schema_type` | Default schema type to use. | `SchemaType.OPENAI_API` |

### Decorator Configuration

You can provide the `EnableTool` decorator with the settings listed above.

For example, to omit parameters `b` and `c`:

```python
@GPTEnabled(ignore_parameters=["b", "c"])
def my_function(a: int, b: str, c: float):
    # Function code here...
```

### Global Configuration

It is also possible to specify the settings globally, so that they apply to all functions
unless explicitly overridden. It can be done by editing the global configuration as follows:

```python
import tool2schema

# Ignore all parameters named "a" or "b" by default
tool2schema.CONFIG.ignore_parameters = ["a", "b"]
```

## Module Operations

`tool2schema` has methods available to get functions from a module. See below for example usage of each of the public API methods that `tool2schema` exposes.

<details>
<summary><b>The examples assume the existance of this my_functions module.</b></summary>

```python
from tool2schema import GPTEnabled

@GPTEnabled
def my_function1(a: int, b: str = "Hello"):
    """
    Example function description.

    :param a: First parameter
    :param b: Second parameter
    """
    # Function code here...


@GPTEnabled(tags=["tag1"])
def my_function2(a: int, b: str = "Hello"):
    """
    Example function description.

    :param a: First parameter
    :param b: Second parameter
    """
    # Function code here...
```
</details>

<br>

```python
import my_functions
import tool2schema

# Return all functions with the ToolEnable decorator
functions = tool2schema.FindToolEnabled(my_functions)
schemas = tool2schema.FindToolEnabledSchemas(my_functions)

# Return the function with a ToolEnable decorator and the given name
function = tool2schema.FindToolEnabledByName(my_functions, "my_function1")
schema = tool2schema.FindToolEnabledByNameSchema(my_functions, "my_function1")

# Return all functions with a ToolEnable decorator and the given tag
functions = tool2schema.FindToolEnabledByTag(my_functions, "tag1")
schemas = tool2schema.FindToolEnabledByTagSchemas(my_functions, "tag1")

# Save the schemas of all functions with a ToolEnable decorator to a JSON file
json_path = "path/to/json/file"
tool2schema.SaveToolEnabled(my_functions, json_path)
```

## Function Schema

To get the schema (in JSON format) for a function with the `EnableTool` decorator, either use the methods in the [Method Operations](#module-operations) section, or call the `to_json()` method on the function directly.

```python
@GPTEnabled
def my_function(a: int):
    """
    Example function description.

    :param a: First parameter
    """
    # Function code here...

my_function.to_json()  # <-- returns the function schema
```

**Note**: that the decorator returns a new `ToolEnabled` object with additional attributes, but can be called just like the original function.

## Function Tags

The `EnableTool` decorator also supports the `tags` keyword argument. This allows you to add tags to your function schema.

```python
@GPTEnabled(tags=["tag1", "tag2"])
def my_function(a: int, b: str = "Hello"):
    """
    Example function description.

    :param a: First parameter
    :param b: Second parameter
    """
    # Function code here...
```

The tags can then be accessed using the `tags` attribute.

```python
my_function.tags  # ["tag1", "tag2"]
```

You can check if a function has a certain tag using the `has_tag` method.

```python
my_function.has_tag("tag1")  # True
```

# How it Works

`tool2schema` uses certain features of your function definition to correctly populate the schema.

- Parameter type hints
- Parameter default values
- Docstring with parameter descriptions

The docstring must be using the [Sphinx docstring](https://sphinx-rtd-tutorial.readthedocs.io/en/latest/docstrings.html) format.
**Note**: We use the parameter type hints instead of the docstring for parameter types.

## Supported Parameter Types

Most of the common types are supported. See [type_schema.py](./tool2schema/type_schema.py) for more details.

Any parameter types not supported will be listed as `object` in the schema.

## Enumerations

Enumeration in the schema are listed as strings of the enumeration names rather than the values. This was a design choice we felt made more sense for use with LLMs. We introduce some additional pre-processing to ensure that the enumeration name strings are mapped back to the correct enum value. Therefore, `@EnableTool` decorator allows to invoke the function using the name of the enum member rather than an instance of the class. For example, you may invoke `my_function(1, MyEnum.YES)` as `my_function(1, "YES")`. See the code for more details.

> Enumerations are used to explcitly indicate what values are permitted for the parameter value.

If the enumeration values are not known at the time of defining the function, you can add them later using the `add_enum` method.

```python
@GPTEnabled
def my_function(a: int, b: str):
    """
    Example function description.

    :param a: First parameter
    :param b: Second parameter
    """
    # Function code here...

my_function.schema.add_enum("b", ["yes", "no"])  #  <-- Add enum values for parameter 'b'
```
            

Raw data

            {
    "_id": null,
    "home_page": "https://github.com/cadifyai/tool2schema",
    "name": "tool2schema",
    "maintainer": null,
    "docs_url": null,
    "requires_python": "<4.0,>=3.9",
    "maintainer_email": null,
    "keywords": "openai, llm",
    "author": "Angus Stewart",
    "author_email": "siliconlad@protonmail.com",
    "download_url": "https://files.pythonhosted.org/packages/dd/1d/bd727ece7a37965fca8ee123833d9d9c72a7b042f86333dfab5cccdb76cc/tool2schema-2.1.0.tar.gz",
    "platform": null,
    "description": "<div align=\"center\">\n<img src=\"media/logo.jpg\" height=200>\n\n<h1>\ntool2schema\n</h1>\n\nInspired by [janekb04/py2gpt](https://github.com/janekb04/py2gpt) and [fastai/lm-hackers](https://github.com/fastai/lm-hackers)\n\n[![Check Code](https://github.com/cadifyai/tool2schema/actions/workflows/python-package.yml/badge.svg?branch=main)](https://github.com/cadifyai/tool2schema/actions/workflows/python-package.yml)\n[![Downloads](https://static.pepy.tech/badge/tool2schema)](https://pepy.tech/project/tool2schema)\n![Stars](https://img.shields.io/github/stars/cadifyai/tool2schema)\n\n</div>\n\n# Why tool2schema?\n\nSometimes you can provide a large language model (LLM) with functions for it to call, but it needs to follow a specific schema. `tool2schema` is a small depedency-free library that converts your functions into that specific schema. So yeah, it's in the name!\n\n# Installation\n\nYou can install `tool2schema` using `pip`.\n\n```bash\npip3 install tool2schema\n```\n\n# Usage\n\nOn all functions that you would like to get the schema for, simply add the `EnableTool` decorator. Then use the return value of `FindToolEnabledSchemas` method directly in your requests to whatever LLM you are using.\n\n```python\nfrom tool2schema import EnableTool\n\n@EnableTool\ndef my_function1(a: int, b: str = \"Hello\"):\n    \"\"\"\n    Example function description.\n\n    :param a: First parameter\n    :param b: Second parameter\n    \"\"\"\n    # Function code here...\n```\n\n**Note**: To understand the appropriate format required for `tool2schema` to generate the appropriate schema, see the ['How it Works' section](#how-it-works).\n\n## OpenAI\n\n```python\nimport my_tools  # Module with your functions\n\nfrom openai import OpenAI\nfrom tool2schema import FindToolEnabledSchemas\n\nclient = OpenAI()\ncompletion = client.chat.completions.create(\n  model=\"gpt-4-turbo\",\n  tools=FindToolEnabledSchemas(my_tools)  # <-- As easy as that!\n  messages=[\n    {\"role\": \"system\", \"content\": \"You are a helpful assistant.\"},\n    {\"role\": \"user\", \"content\": \"Hello!\"}\n  ]\n)\n```\n\n<details>\n<summary><b>If finetuning an OpenAI model, then the schema is slightly different.</b></summary>\n\n```python\nimport my_tools  # Module with your functions\n\nfrom openai import OpenAI\nfrom tool2schema import FindToolEnabledSchemas, SchemaType\n\nclient = OpenAI()\ncompletion = client.chat.completions.create(\n  model=\"gpt-4-turbo\",\n  tools=FindToolEnabledSchemas(my_tools, SchemaType.OPENAI_TUNE)  # <-- As easy as that!\n  messages=[\n    {\"role\": \"system\", \"content\": \"You are a helpful assistant.\"},\n    {\"role\": \"user\", \"content\": \"Hello!\"}\n  ]\n)\n```\n\n</details>\n\n## Anthropic\n\n```python\nimport my_tools  # Module with your functions\n\nimport anthropic\nfrom tool2schema import FindToolEnabledSchemas, SchemaType\n\nclient = anthropic.Anthropic()\nresponse = client.beta.tools.messages.create(\n    model=\"claude-3-opus-20240229\",\n    tools=FindToolEnabledSchemas(my_tools, SchemaType.ANTHROPIC_CLAUDE), # <-- As easy as that!\n    messages=[{\"role\": \"user\", \"content\": \"What's the weather like in San Francisco?\"}],\n)\n```\n\n## Mistral\n\nCurrently the same as OpenAI.\n\n# Public API\n\nIn this section we describe in more detail how to utilise this library to its fullest extent.\n\n## Configuration\n\nThere are a number of setting available for you to tweak.\n\n| Name | Description | Default Value |\n|----------|----------|--------------|\n|   `ignore_parameters`  |   A list of parameter names to exclude from the schema  |  `[]`\n|   `ignore_all_parameters`  |   A boolean value indicating whether to exclude all parameters from the schema. When set to true, `ignore_parameters` and `ignore_parameter_descriptions` will be ignored.  | `False` |\n|   `ignore_function_description`  |   A boolean value indicating whether to exclude the function description from the schema.  | `False` |\n|   `ignore_parameter_descriptions`  |   A boolean value indicating whether to exclude all parameter descriptions from the schema  | `False` |\n| `schema_type` | Default schema type to use. | `SchemaType.OPENAI_API` |\n\n### Decorator Configuration\n\nYou can provide the `EnableTool` decorator with the settings listed above.\n\nFor example, to omit parameters `b` and `c`:\n\n```python\n@GPTEnabled(ignore_parameters=[\"b\", \"c\"])\ndef my_function(a: int, b: str, c: float):\n    # Function code here...\n```\n\n### Global Configuration\n\nIt is also possible to specify the settings globally, so that they apply to all functions\nunless explicitly overridden. It can be done by editing the global configuration as follows:\n\n```python\nimport tool2schema\n\n# Ignore all parameters named \"a\" or \"b\" by default\ntool2schema.CONFIG.ignore_parameters = [\"a\", \"b\"]\n```\n\n## Module Operations\n\n`tool2schema` has methods available to get functions from a module. See below for example usage of each of the public API methods that `tool2schema` exposes.\n\n<details>\n<summary><b>The examples assume the existance of this my_functions module.</b></summary>\n\n```python\nfrom tool2schema import GPTEnabled\n\n@GPTEnabled\ndef my_function1(a: int, b: str = \"Hello\"):\n    \"\"\"\n    Example function description.\n\n    :param a: First parameter\n    :param b: Second parameter\n    \"\"\"\n    # Function code here...\n\n\n@GPTEnabled(tags=[\"tag1\"])\ndef my_function2(a: int, b: str = \"Hello\"):\n    \"\"\"\n    Example function description.\n\n    :param a: First parameter\n    :param b: Second parameter\n    \"\"\"\n    # Function code here...\n```\n</details>\n\n<br>\n\n```python\nimport my_functions\nimport tool2schema\n\n# Return all functions with the ToolEnable decorator\nfunctions = tool2schema.FindToolEnabled(my_functions)\nschemas = tool2schema.FindToolEnabledSchemas(my_functions)\n\n# Return the function with a ToolEnable decorator and the given name\nfunction = tool2schema.FindToolEnabledByName(my_functions, \"my_function1\")\nschema = tool2schema.FindToolEnabledByNameSchema(my_functions, \"my_function1\")\n\n# Return all functions with a ToolEnable decorator and the given tag\nfunctions = tool2schema.FindToolEnabledByTag(my_functions, \"tag1\")\nschemas = tool2schema.FindToolEnabledByTagSchemas(my_functions, \"tag1\")\n\n# Save the schemas of all functions with a ToolEnable decorator to a JSON file\njson_path = \"path/to/json/file\"\ntool2schema.SaveToolEnabled(my_functions, json_path)\n```\n\n## Function Schema\n\nTo get the schema (in JSON format) for a function with the `EnableTool` decorator, either use the methods in the [Method Operations](#module-operations) section, or call the `to_json()` method on the function directly.\n\n```python\n@GPTEnabled\ndef my_function(a: int):\n    \"\"\"\n    Example function description.\n\n    :param a: First parameter\n    \"\"\"\n    # Function code here...\n\nmy_function.to_json()  # <-- returns the function schema\n```\n\n**Note**: that the decorator returns a new `ToolEnabled` object with additional attributes, but can be called just like the original function.\n\n## Function Tags\n\nThe `EnableTool` decorator also supports the `tags` keyword argument. This allows you to add tags to your function schema.\n\n```python\n@GPTEnabled(tags=[\"tag1\", \"tag2\"])\ndef my_function(a: int, b: str = \"Hello\"):\n    \"\"\"\n    Example function description.\n\n    :param a: First parameter\n    :param b: Second parameter\n    \"\"\"\n    # Function code here...\n```\n\nThe tags can then be accessed using the `tags` attribute.\n\n```python\nmy_function.tags  # [\"tag1\", \"tag2\"]\n```\n\nYou can check if a function has a certain tag using the `has_tag` method.\n\n```python\nmy_function.has_tag(\"tag1\")  # True\n```\n\n# How it Works\n\n`tool2schema` uses certain features of your function definition to correctly populate the schema.\n\n- Parameter type hints\n- Parameter default values\n- Docstring with parameter descriptions\n\nThe docstring must be using the [Sphinx docstring](https://sphinx-rtd-tutorial.readthedocs.io/en/latest/docstrings.html) format.\n**Note**: We use the parameter type hints instead of the docstring for parameter types.\n\n## Supported Parameter Types\n\nMost of the common types are supported. See [type_schema.py](./tool2schema/type_schema.py) for more details.\n\nAny parameter types not supported will be listed as `object` in the schema.\n\n## Enumerations\n\nEnumeration in the schema are listed as strings of the enumeration names rather than the values. This was a design choice we felt made more sense for use with LLMs. We introduce some additional pre-processing to ensure that the enumeration name strings are mapped back to the correct enum value. Therefore, `@EnableTool` decorator allows to invoke the function using the name of the enum member rather than an instance of the class. For example, you may invoke `my_function(1, MyEnum.YES)` as `my_function(1, \"YES\")`. See the code for more details.\n\n> Enumerations are used to explcitly indicate what values are permitted for the parameter value.\n\nIf the enumeration values are not known at the time of defining the function, you can add them later using the `add_enum` method.\n\n```python\n@GPTEnabled\ndef my_function(a: int, b: str):\n    \"\"\"\n    Example function description.\n\n    :param a: First parameter\n    :param b: Second parameter\n    \"\"\"\n    # Function code here...\n\nmy_function.schema.add_enum(\"b\", [\"yes\", \"no\"])  #  <-- Add enum values for parameter 'b'\n```",
    "bugtrack_url": null,
    "license": "Apache-2.0",
    "summary": "A library to generate function schemas for use in LLM function calling.",
    "version": "2.1.0",
    "project_urls": {
        "Homepage": "https://github.com/cadifyai/tool2schema",
        "Repository": "https://github.com/cadifyai/tool2schema"
    },
    "split_keywords": [
        "openai",
        " llm"
    ],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "0602e23a13489dc69a7a67c7b6ad7498e5ea795b4dde1f015e535ce36a2dc5c8",
                "md5": "75b9e58064cb7a4d7a2496e9128b64f6",
                "sha256": "453921a95c4b955d54e9d2536cedd76269c37f357f1d4510c767d998ac44c91f"
            },
            "downloads": -1,
            "filename": "tool2schema-2.1.0-py3-none-any.whl",
            "has_sig": false,
            "md5_digest": "75b9e58064cb7a4d7a2496e9128b64f6",
            "packagetype": "bdist_wheel",
            "python_version": "py3",
            "requires_python": "<4.0,>=3.9",
            "size": 17503,
            "upload_time": "2024-05-01T17:19:14",
            "upload_time_iso_8601": "2024-05-01T17:19:14.356118Z",
            "url": "https://files.pythonhosted.org/packages/06/02/e23a13489dc69a7a67c7b6ad7498e5ea795b4dde1f015e535ce36a2dc5c8/tool2schema-2.1.0-py3-none-any.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "dd1dbd727ece7a37965fca8ee123833d9d9c72a7b042f86333dfab5cccdb76cc",
                "md5": "b47c7aa5f2beb5447751f5bb2862d92e",
                "sha256": "d123a0254836f5ff525b680cccdc3057750be6bafe7c3bfaf0f13637209a8038"
            },
            "downloads": -1,
            "filename": "tool2schema-2.1.0.tar.gz",
            "has_sig": false,
            "md5_digest": "b47c7aa5f2beb5447751f5bb2862d92e",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": "<4.0,>=3.9",
            "size": 17830,
            "upload_time": "2024-05-01T17:19:15",
            "upload_time_iso_8601": "2024-05-01T17:19:15.931127Z",
            "url": "https://files.pythonhosted.org/packages/dd/1d/bd727ece7a37965fca8ee123833d9d9c72a7b042f86333dfab5cccdb76cc/tool2schema-2.1.0.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2024-05-01 17:19:15",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "cadifyai",
    "github_project": "tool2schema",
    "travis_ci": false,
    "coveralls": false,
    "github_actions": true,
    "lcname": "tool2schema"
}
        
Elapsed time: 0.28554s