-
Notifications
You must be signed in to change notification settings - Fork 44.6k
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
feat(platform, blocks): Webhook-triggered blocks (#8358)
- feat(blocks): Add GitHub Pull Request Trigger block ## feat(platform): Add support for Webhook-triggered blocks -⚠️ Add `PLATFORM_BASE_URL` setting - Add webhook config option and `BlockType.WEBHOOK` to `Block` - Add check to `Block.__init__` to enforce type and shape of webhook event filter - Add check to `Block.__init__` to enforce `payload` input on webhook blocks - Add check to `Block.__init__` to disable webhook blocks if `PLATFORM_BASE_URL` is not set - Add `Webhook` model + CRUD functions in `backend.data.integrations` to represent webhooks created by our system - Add `IntegrationWebhook` to DB schema + reference `AgentGraphNode.webhook_id` - Add `set_node_webhook(..)` in `backend.data.graph` - Add webhook-related endpoints: - `POST /integrations/{provider}/webhooks/{webhook_id}/ingress` endpoint, to receive webhook payloads, and for all associated nodes create graph executions - Add `Node.is_triggered_by_event_type(..)` helper method - `POST /integrations/{provider}/webhooks/{webhook_id}/ping` endpoint, to allow testing a webhook - Add `WebhookEvent` + pub/sub functions in `backend.data.integrations` - Add `backend.integrations.webhooks` module, including: - `graph_lifecycle_hooks`, e.g. `on_graph_activate(..)`, to handle corresponding webhook creation etc. - Add calls to these hooks in the graph create/update endpoints - `BaseWebhooksManager` + `GithubWebhooksManager` to handle creating + registering, removing + deregistering, and retrieving existing webhooks, and validating incoming payloads ## Other improvements - fix(blocks): Allow having an input and output pin with the same name - fix(blocks): Add tooltip with description in places where block inputs are rendered without `NodeHandle` - feat(blocks): Allow hiding inputs (e.g. `payload`) with `SchemaField(hidden=True)` - fix(frontend): Fix `MultiSelector` component styling - feat(frontend): Add `AlertDialog` UI component - feat(frontend): Add `NodeMultiSelectInput` component - feat(backend/data): Add `NodeModel` with `graph_id`, `graph_version`; `GraphModel` with `user_id` - Add `make_graph_model(..)` helper function in `backend.data.graph` - refactor(backend/data): Make `RedisEventQueue` generic and move to `backend.data.execution` - refactor(frontend): Deduplicate & clean up code for different block types in `generateInputHandles(..)` in `CustomNode` - dx(backend): Add `MissingConfigError`, `NeedConfirmation` exception --------- Co-authored-by: Zamil Majdy <[email protected]>
- Loading branch information
Showing
44 changed files
with
2,787 additions
and
301 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
700 changes: 700 additions & 0 deletions
700
...gpt_platform/backend/backend/blocks/github/example_payloads/pull_request.synchronize.json
Large diffs are not rendered by default.
Oops, something went wrong.
156 changes: 156 additions & 0 deletions
156
autogpt_platform/backend/backend/blocks/github/triggers.py
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,156 @@ | ||
import json | ||
import logging | ||
from pathlib import Path | ||
|
||
from pydantic import BaseModel | ||
|
||
from backend.data.block import ( | ||
Block, | ||
BlockCategory, | ||
BlockOutput, | ||
BlockSchema, | ||
BlockWebhookConfig, | ||
) | ||
from backend.data.model import SchemaField | ||
|
||
from ._auth import ( | ||
TEST_CREDENTIALS, | ||
TEST_CREDENTIALS_INPUT, | ||
GithubCredentialsField, | ||
GithubCredentialsInput, | ||
) | ||
|
||
logger = logging.getLogger(__name__) | ||
|
||
|
||
# --8<-- [start:GithubTriggerExample] | ||
class GitHubTriggerBase: | ||
class Input(BlockSchema): | ||
credentials: GithubCredentialsInput = GithubCredentialsField("repo") | ||
repo: str = SchemaField( | ||
description=( | ||
"Repository to subscribe to.\n\n" | ||
"**Note:** Make sure your GitHub credentials have permissions " | ||
"to create webhooks on this repo." | ||
), | ||
placeholder="{owner}/{repo}", | ||
) | ||
# --8<-- [start:example-payload-field] | ||
payload: dict = SchemaField(hidden=True, default={}) | ||
# --8<-- [end:example-payload-field] | ||
|
||
class Output(BlockSchema): | ||
payload: dict = SchemaField( | ||
description="The complete webhook payload that was received from GitHub. " | ||
"Includes information about the affected resource (e.g. pull request), " | ||
"the event, and the user who triggered the event." | ||
) | ||
triggered_by_user: dict = SchemaField( | ||
description="Object representing the GitHub user who triggered the event" | ||
) | ||
error: str = SchemaField( | ||
description="Error message if the payload could not be processed" | ||
) | ||
|
||
def run(self, input_data: Input, **kwargs) -> BlockOutput: | ||
yield "payload", input_data.payload | ||
yield "triggered_by_user", input_data.payload["sender"] | ||
|
||
|
||
class GithubPullRequestTriggerBlock(GitHubTriggerBase, Block): | ||
EXAMPLE_PAYLOAD_FILE = ( | ||
Path(__file__).parent / "example_payloads" / "pull_request.synchronize.json" | ||
) | ||
|
||
# --8<-- [start:example-event-filter] | ||
class Input(GitHubTriggerBase.Input): | ||
class EventsFilter(BaseModel): | ||
""" | ||
https://docs.github.com/en/webhooks/webhook-events-and-payloads#pull_request | ||
""" | ||
|
||
opened: bool = False | ||
edited: bool = False | ||
closed: bool = False | ||
reopened: bool = False | ||
synchronize: bool = False | ||
assigned: bool = False | ||
unassigned: bool = False | ||
labeled: bool = False | ||
unlabeled: bool = False | ||
converted_to_draft: bool = False | ||
locked: bool = False | ||
unlocked: bool = False | ||
enqueued: bool = False | ||
dequeued: bool = False | ||
milestoned: bool = False | ||
demilestoned: bool = False | ||
ready_for_review: bool = False | ||
review_requested: bool = False | ||
review_request_removed: bool = False | ||
auto_merge_enabled: bool = False | ||
auto_merge_disabled: bool = False | ||
|
||
events: EventsFilter = SchemaField( | ||
title="Events", description="The events to subscribe to" | ||
) | ||
# --8<-- [end:example-event-filter] | ||
|
||
class Output(GitHubTriggerBase.Output): | ||
event: str = SchemaField( | ||
description="The PR event that triggered the webhook (e.g. 'opened')" | ||
) | ||
number: int = SchemaField(description="The number of the affected pull request") | ||
pull_request: dict = SchemaField( | ||
description="Object representing the affected pull request" | ||
) | ||
pull_request_url: str = SchemaField( | ||
description="The URL of the affected pull request" | ||
) | ||
|
||
def __init__(self): | ||
from backend.integrations.webhooks.github import GithubWebhookType | ||
|
||
example_payload = json.loads(self.EXAMPLE_PAYLOAD_FILE.read_text()) | ||
|
||
super().__init__( | ||
id="6c60ec01-8128-419e-988f-96a063ee2fea", | ||
description="This block triggers on pull request events and outputs the event type and payload.", | ||
categories={BlockCategory.DEVELOPER_TOOLS, BlockCategory.INPUT}, | ||
input_schema=GithubPullRequestTriggerBlock.Input, | ||
output_schema=GithubPullRequestTriggerBlock.Output, | ||
# --8<-- [start:example-webhook_config] | ||
webhook_config=BlockWebhookConfig( | ||
provider="github", | ||
webhook_type=GithubWebhookType.REPO, | ||
resource_format="{repo}", | ||
event_filter_input="events", | ||
event_format="pull_request.{event}", | ||
), | ||
# --8<-- [end:example-webhook_config] | ||
test_input={ | ||
"repo": "Significant-Gravitas/AutoGPT", | ||
"events": {"opened": True, "synchronize": True}, | ||
"credentials": TEST_CREDENTIALS_INPUT, | ||
"payload": example_payload, | ||
}, | ||
test_credentials=TEST_CREDENTIALS, | ||
test_output=[ | ||
("payload", example_payload), | ||
("triggered_by_user", example_payload["sender"]), | ||
("event", example_payload["action"]), | ||
("number", example_payload["number"]), | ||
("pull_request", example_payload["pull_request"]), | ||
("pull_request_url", example_payload["pull_request"]["html_url"]), | ||
], | ||
) | ||
|
||
def run(self, input_data: Input, **kwargs) -> BlockOutput: # type: ignore | ||
yield from super().run(input_data, **kwargs) | ||
yield "event", input_data.payload["action"] | ||
yield "number", input_data.payload["number"] | ||
yield "pull_request", input_data.payload["pull_request"] | ||
yield "pull_request_url", input_data.payload["pull_request"]["html_url"] | ||
|
||
|
||
# --8<-- [end:GithubTriggerExample] |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.