Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add inngest.experimental.mocked #152

Merged
merged 8 commits into from
Oct 14, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
8 changes: 7 additions & 1 deletion inngest/_internal/server_lib/__init__.py
Original file line number Diff line number Diff line change
Expand Up @@ -14,7 +14,11 @@
SyncKind,
)
from .event import Event
from .execution_request import ServerRequest
from .execution_request import (
ServerRequest,
ServerRequestCtx,
ServerRequestCtxStack,
)
from .inspection import AuthenticatedInspection, UnauthenticatedInspection
from .registration import (
Batch,
Expand Down Expand Up @@ -62,6 +66,8 @@
"Runtime",
"ServerKind",
"ServerRequest",
"ServerRequestCtx",
"ServerRequestCtxStack",
"Step",
"SyncKind",
"Throttle",
Expand Down
18 changes: 18 additions & 0 deletions inngest/experimental/mocked/__init__.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,18 @@
"""
Simulate Inngest function execution without an Inngest server.

NOT STABLE! This is an experimental feature and may change in the future. If
you'd like to depend on it, we recommend copying this directory into your source
code.
"""

from .client import Inngest
from .consts import Status, Timeout
from .trigger import trigger

__all__ = [
"Inngest",
"Status",
"Timeout",
"trigger",
]
42 changes: 42 additions & 0 deletions inngest/experimental/mocked/client.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,42 @@
from __future__ import annotations

import typing

import inngest
from inngest._internal import server_lib


class Inngest(inngest.Inngest):
"""
Mock Inngest client.
"""

async def send(
self,
events: typing.Union[server_lib.Event, list[server_lib.Event]],
*,
skip_middleware: bool = False,
) -> list[str]:
"""
Mocked event send method.
"""

ids = []
for event in events:
ids.append("00000000000000000000000000")
return ids

def send_sync(
self,
events: typing.Union[server_lib.Event, list[server_lib.Event]],
*,
skip_middleware: bool = False,
) -> list[str]:
"""
Mocked event send method.
"""

ids = []
for event in events:
ids.append("00000000000000000000000000")
return ids
13 changes: 13 additions & 0 deletions inngest/experimental/mocked/consts.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,13 @@
import enum


class Status(enum.Enum):
"""
Function run status.
"""

COMPLETED = "Completed"
FAILED = "Failed"


Timeout = object()
13 changes: 13 additions & 0 deletions inngest/experimental/mocked/errors.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,13 @@
class UnstubbedStepError(Exception):
"""
Raised when a must-stub step is not stubbed
"""

def __init__(self, step_id: str) -> None:
"""
Args:
----
step_id: Unmocked step ID.
"""

super().__init__(f"step {step_id} is not stubbed")
178 changes: 178 additions & 0 deletions inngest/experimental/mocked/trigger.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,178 @@
from __future__ import annotations

import asyncio
import dataclasses
import typing
import unittest.mock

import inngest
from inngest._internal import (
async_lib,
execution_lib,
middleware_lib,
server_lib,
step_lib,
)

from .client import Inngest
from .consts import Status, Timeout
from .errors import UnstubbedStepError


def trigger(
fn: inngest.Function,
event: typing.Union[inngest.Event, list[inngest.Event]],
client: Inngest,
*,
step_stubs: typing.Optional[dict[str, object]] = None,
) -> _Result:
"""
Trigger a function.

Args:
----
fn: Function to trigger.
event: Triggering event.
client: Mock Inngest client.
step_stubs: Static step stubs. Keys are step IDs and values are stubs.
"""

if not isinstance(event, list):
event = [event]
elif len(event) == 0:
raise Exception("Must provide at least 1 event")

if step_stubs is None:
step_stubs = {}

stack: list[str] = []
steps: dict[str, object] = {}
planned = set[str]()
attempt = 0

max_attempt = 4
if fn._opts.retries is not None:
max_attempt = fn._opts.retries

while True:
step_id: typing.Optional[str] = None
if len(planned) > 0:
step_id = planned.pop()

logger = unittest.mock.Mock()
request = server_lib.ServerRequest(
ctx=server_lib.ServerRequestCtx(
attempt=attempt,
disable_immediate_execution=True,
run_id="test",
stack=server_lib.ServerRequestCtxStack(stack=stack),
),
event=event[0],
events=event,
steps=steps,
use_api=False,
)
middleware = middleware_lib.MiddlewareManager.from_client(
client,
{},
)

ctx = execution_lib.Context(
attempt=request.ctx.attempt,
event=event[0],
events=event,
logger=logger,
run_id=request.ctx.run_id,
)

memos = step_lib.StepMemos.from_raw(steps)

if fn.is_handler_async:
loop = async_lib.get_event_loop()
if loop is None:
loop = asyncio.new_event_loop()

res = loop.run_until_complete(
fn.call(
client,
ctx,
fn.id,
middleware,
request,
memos,
step_id,
)
)
else:
res = fn.call_sync(
client,
ctx,
fn.id,
middleware,
request,
memos,
step_id,
)

if res.error:
if attempt >= max_attempt:
return _Result(
error=res.error,
output=None,
status=Status.FAILED,
)

attempt += 1
continue

if res.multi:
for step in res.multi:
if not step.step:
# Unreachable
continue

if step.error:
if attempt >= max_attempt:
return _Result(
error=step.error,
output=None,
status=Status.FAILED,
)

attempt += 1
continue

if step.step.display_name in step_stubs:
stub = step_stubs[step.step.display_name]
if stub is Timeout:
stub = None

steps[step.step.id] = stub
stack.append(step.step.id)
continue

if step.step.op is server_lib.Opcode.PLANNED:
planned.add(step.step.id)
elif step.step.op is server_lib.Opcode.SLEEP:
steps[step.step.id] = None
stack.append(step.step.id)
elif step.step.op is server_lib.Opcode.STEP_RUN:
steps[step.step.id] = step.output
stack.append(step.step.id)
else:
raise UnstubbedStepError(step.step.display_name)

continue

return _Result(
error=None,
output=res.output,
status=Status.COMPLETED,
)


@dataclasses.dataclass
class _Result:
error: typing.Optional[Exception]
output: object
status: Status
Loading
Loading