Skip to main content

An easy-to-use python web framework. Inspired by Flask.

Project description

outside Module

The outside module provides an HTTP and WebSocket server implementation with extensive customization options, error handling, and request/response management. It is designed to facilitate the creation of HTTP servers with dynamic routing, SSL support, and WebSocket functionality. It works similar to other projects (e.g. Flask), but does not require any other programs like nginx.

Getting Started

There is a Quick Start available.

Example Usage

from outside import OutsideHTTP

# Create an HTTP server instance
server = OutsideHTTP(("127.0.0.1", 8080))

# Define a simple route handler
def hello_world(request):
    return Response(
        status_code = 200,
        headers = {"Content-Type": "text/plain"},
        content = "Hello, World!"
    )

# Add the route to the server
server.set_route("/hello", hello_world)

# Start the server
server.run()

Contents

Classes

DISCLAIMER: Classes/Functions/Methods marked with (!) are typically not required to be created by the user of the module.

OutsideHTTP

class OutsideHTTP(host: tuple[str, int])

A class that represents an HTTP server with configurable settings, dynamic routing, and error handling.

Parameters

  • host: A tuple containing the IP address and port where the server will be hosted.

Methods

  • set_route(route: str, handler: Callable) -> None

    • Adds a new route to the server.
    • Parameters:
      • route: A string representing the URL path for the route.
      • handler: A callable function that handles requests to the route.
    • Example:
      server.set_route("/api/data", data_handler)
      
  • remove_route(route: str) -> None

    • Removes an existing route from the server.
    • Parameters:
      • route: The route to remove.
    • Example:
      server.remove_route("/api/data")
      
  • set_errorhandler(errorcode: int, handler: Callable) -> None

    • Sets a custom error handler for a specific HTTP status code.
    • Parameters:
      • errorcode: HTTP status code for which the error handler is set.
      • handler: A callable function that handles errors for the specified code.
    • Example:
      def not_found_handler(request, message=None):
          return Response(status_code=404, headers={}, content="Not Found")
      
      server.set_errorhandler(404, not_found_handler)
      
  • remove_errorhandler(errorcode: int) -> None

    • Removes an existing error handler for a specific HTTP status code.
    • Parameters:
      • errorcode: The error code for which the handler will be removed.
  • terminate(signum: Optional[int] = None, stackframe: Optional = None) -> None

    • Gracefully terminates the server and all active connections.
  • run() -> None

    • Starts the HTTP server and begins listening for connections.
    • Example:
      # Start the HTTP server
      server.run()
      

Attributes

  • config: A dictionary containing various server configuration options such as host, backlog_length, max_workers, process_timeout, and others.
  • _terminate_process: A boolean flag indicating whether the server should terminate.
  • _active_requests: A list of active HTTP requests.
  • _routes: A dictionary of routes and their corresponding handlers.
  • _error_routes: A dictionary of error handlers for HTTP status codes.

OutsideHTTP_Redirect

class OutsideHTTP_Redirect(host: tuple[str, int], destination: str)

A class that represents an HTTP server that redirects all incoming requests to a specified destination.

Parameters

  • host: A tuple containing the IP address and port where the server will be hosted.
  • destination: The destination URL to which all incoming requests will be redirected.

Methods

  • run() -> None

    • Starts the redirect server and begins listening for connections.
  • terminate() -> None

    • Terminates the redirect server.

Example

redirect_server = OutsideHTTP_Redirect(("127.0.0.1", 80), "https://example.com")
redirect_server.run()

WebSocket

class WebSocket

A class that facilitates WebSocket connections and message handling.

Methods

  • on_connection(handler: Callable) -> None

    • Sets the handler function for incoming WebSocket connections.
    • Parameters:
      • handler: A callable function that handles WebSocket connections.
    • Example:
      def websocket_handler(connection):
          while True:
              message = connection.recv()
              connection.send(message)  # Echo back the message
      
      websocket_server = WebSocket()
      websocket_server.on_connection(websocket_handler)
      
  • on_exit(handler: Callable) -> None

    • Sets the handler function to be called when the WebSocket connection is closed.
    • Parameters:
      • handler: A callable function that handles WebSocket exit events.

WebSocketConnection (!)

class WebSocketConnection(request_class: Request, http_socket: socket.socket, activity_queue: multiprocessing.Queue, terminate_function: Callable)

A class that manages an individual WebSocket connection.

Methods

  • recv() -> bytes

    • Receives data from the WebSocket connection.
    • Returns: The received data as bytes.
  • send(data: bytes) -> None

    • Sends data to the WebSocket connection.
    • Parameters:
      • data: The data to send, as bytes.
  • exit() -> None

    • Terminates the WebSocket connection.

Request (!)

class Request(method: str, headers: dict, content: bytes, version: str, url: str, address: tuple[str, int])

A class that represents an HTTP request.

Methods

  • json() -> Optional[dict]
    • Parses the request content as JSON.
    • Returns: The parsed JSON data as a dictionary, or None if parsing fails.
    • Example:
      request_data = request.json()
      if request_data:
          print(request_data)
      

Attributes

  • method: The HTTP method of the request (e.g., 'GET', 'POST').
  • headers: A dictionary of the request headers.
  • cookies: A dictionary of cookies included in the request.
  • content: The body content of the request.
  • version: The HTTP version used in the request.
  • url: The URL of the request.
  • params: A dictionary of URL query parameters.
  • address: A tuple containing the client's IP address and port.

Response (!)

class Response(status_code: int, headers: dict, content: Union[str, bytes, FilePath], cookies: dict = {})

A class that represents an HTTP response.

Attributes

  • status_code: The HTTP status code of the response (e.g., 200, 404).
  • headers: A dictionary of response headers.
  • content: The response content, which can be a string, bytes, or a FilePath object.
  • cookies: A dictionary of cookies to be included in the response.

ScheduledResponse (!)

class ScheduledResponse(request: Request, route_function: Callable, error_routes: dict)

A class that schedules the generation and handling of an HTTP response based on a request and a route function.

Methods

  • run() -> Optional[Response]
    • Executes the route function and generates an HTTP response.
    • Returns: A Response object or None if an error occurs.

FilePath

class FilePath(path: str)

A class that represents a file to be sent as a response.

Methods

  • read(read_range: Optional[tuple[int, int]] = None, twice: bool = False) -> bytes
    • Reads and returns the content of the file, or a specific range of bytes.
    • Parameters:
      • read_range: A tuple specifying the byte range to read (start, end).
      • twice: A boolean indicating whether the file should be read again.

Attributes

  • path: The path to the file.
  • read_start: The starting byte position for reading.
  • read_end: The ending byte position for reading.

Example

file_response = FilePath("/path/to/file.txt")

ResponseCookie

class ResponseCookie(value: str, max_age: int, domain: str, http_only: bool, secure: bool, path: str, same_site

: str)

A class that represents a cookie to be included in an HTTP response.

Attributes

  • value: The value of the cookie.
  • max_age: The maximum age of the cookie, in seconds.
  • domain: The domain for which the cookie is valid.
  • http_only: A boolean indicating whether the cookie is HTTP-only.
  • secure: A boolean indicating whether the cookie is secure.
  • path: The path for which the cookie is valid.
  • same_site: The SameSite attribute of the cookie.

Functions

get_insensitive_header (!)

def get_insensitive_header(headers: dict, header_name: str) -> Optional[str]

Fetches a header value from a dictionary, case-insensitively.

Parameters

  • headers: A dictionary of headers.
  • header_name: The name of the header to fetch.

Returns

  • The value of the header if found, otherwise None.

Example

headers = {"Content-Type": "application/json", "User-Agent": "my-app"}
content_type = get_insensitive_header(headers, "content-type")
print(content_type)  # Output: "application/json"

get_description

def get_description(code: int) -> str

Fetches the description of an HTTP status code.

Parameters

  • code: The HTTP status code.

Returns

  • A string description of the status code.

Example

description = get_description(404)
print(description)  # Output: "Not Found"

Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

outside_framework-1.5.6.tar.gz (17.0 kB view details)

Uploaded Source

Built Distribution

outside_framework-1.5.6-py3-none-any.whl (15.9 kB view details)

Uploaded Python 3

File details

Details for the file outside_framework-1.5.6.tar.gz.

File metadata

  • Download URL: outside_framework-1.5.6.tar.gz
  • Upload date:
  • Size: 17.0 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/3.8.0 colorama/0.4.4 importlib-metadata/4.6.4 keyring/23.5.0 pkginfo/1.8.2 readme-renderer/34.0 requests-toolbelt/0.9.1 requests/2.25.1 rfc3986/1.5.0 tqdm/4.57.0 urllib3/1.26.5 CPython/3.10.12

File hashes

Hashes for outside_framework-1.5.6.tar.gz
Algorithm Hash digest
SHA256 8ab103f7229adeb5f11ead5a91164b479d7ed72ba79bfbb46984f889906d5542
MD5 c0fd945ed621e44e571e98e7d9bf594e
BLAKE2b-256 97cd6efe7e4e06a7f07bf9d4efa2dab2decac334538bb0c067221c597aa6467d

See more details on using hashes here.

File details

Details for the file outside_framework-1.5.6-py3-none-any.whl.

File metadata

  • Download URL: outside_framework-1.5.6-py3-none-any.whl
  • Upload date:
  • Size: 15.9 kB
  • Tags: Python 3
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/3.8.0 colorama/0.4.4 importlib-metadata/4.6.4 keyring/23.5.0 pkginfo/1.8.2 readme-renderer/34.0 requests-toolbelt/0.9.1 requests/2.25.1 rfc3986/1.5.0 tqdm/4.57.0 urllib3/1.26.5 CPython/3.10.12

File hashes

Hashes for outside_framework-1.5.6-py3-none-any.whl
Algorithm Hash digest
SHA256 b89ea47fc19e16d9c82c1bcdfd94449344c8ca35a0b1e4205c2316ef4e4ec996
MD5 1c3d854b98bd7152dae6c1371221c337
BLAKE2b-256 5d81c4c05df3d991db15eedc7623a974a06f595cdfd0c623634943a49d1e5d4b

See more details on using hashes here.

Supported by

AWS AWS Cloud computing and Security Sponsor Datadog Datadog Monitoring Fastly Fastly CDN Google Google Download Analytics Microsoft Microsoft PSF Sponsor Pingdom Pingdom Monitoring Sentry Sentry Error logging StatusPage StatusPage Status page