Close Menu

    Subscribe to Updates

    Get the latest creative news from FooBar about art, design and business.

    What's Hot

    Xbox unveils first tech details of its next generation console, codenamed Project Helix

    Developer sues publisher after leaving Kickstarter backers waiting over two years for promised physical editions

    Valve responds to NY Attorney General lawsuit: “We have serious concerns with the alterations the NYAG claims are necessary to make to our games”

    Facebook X (Twitter) Instagram
    • Artificial Intelligence
    • Business Technology
    • Cryptocurrency
    • Gadgets
    • Gaming
    • Health
    • Software and Apps
    • Technology
    Facebook X (Twitter) Instagram Pinterest Vimeo
    Tech AI Verse
    • Home
    • Artificial Intelligence

      What the polls say about how Americans are using AI

      February 27, 2026

      Tensions between the Pentagon and AI giant Anthropic reach a boiling point

      February 21, 2026

      Read the extended transcript: President Donald Trump interviewed by ‘NBC Nightly News’ anchor Tom Llamas

      February 6, 2026

      Stocks and bitcoin sink as investors dump software company shares

      February 4, 2026

      AI, crypto and Trump super PACs stash millions to spend on the midterms

      February 2, 2026
    • Business

      Met Office ‘supercomputing as a service’ one year old

      March 12, 2026

      Tech hiring evolves as candidates ask for AI compute alongside pay and perks

      March 11, 2026

      Oracle is spending billions on AI data centers as cash flow turns negative

      March 11, 2026

      Google: Cloud attacks exploit flaws more than weak credentials

      March 10, 2026

      Could this be the key to eternal storage? Experts claim new DNA HDD can be ‘erased and overwritten repeatedly’

      March 9, 2026
    • Crypto

      Banks Respond to Kraken’s Federal Reserve Access as Trump Sides with Crypto

      March 4, 2026

      Hyperliquid and DEXs Break the Top 10 — Is the CEX Era Ending?

      March 4, 2026

      Consensus Hong Kong 2026: The Institutional Turn 

      March 4, 2026

      New Crypto Mutuum Finance (MUTM) Reports V1 Protocol Progress as Roadmap Enters Phase 3

      March 4, 2026

      Bitcoin Short Sellers Caught Off Guard in New White House Move

      March 4, 2026
    • Technology

      Media Briefing: In the AI era, subscribers are the real prize — and the Telegraph proves it

      March 12, 2026

      Furniture.com was built for SEO. Now it’s trying to crack AI search

      March 12, 2026

      How medical creator Nick Norwitz grew his Substack paid subscribers from 900 to 5,200 within 8 months

      March 12, 2026

      Inside Amazon’s effort to shape the AI narrative on sustainability and ethics

      March 12, 2026

      Apple’s upcoming foldable iPhone could serve an iPad-like adaptive iOS experience

      March 12, 2026
    • Others
      • Gadgets
      • Gaming
      • Health
      • Software and Apps
    Check BMI
    Tech AI Verse
    You are at:Home»Technology»Bridging Elixir and Python with Oban
    Technology

    Bridging Elixir and Python with Oban

    TechAiVerseBy TechAiVerseFebruary 19, 2026No Comments6 Mins Read2 Views
    Facebook Twitter Pinterest Telegram LinkedIn Tumblr Email Reddit
    Bridging Elixir and Python with Oban
    Share
    Facebook Twitter LinkedIn Pinterest WhatsApp Email

    Bridging Elixir and Python with Oban

    What choices lay before you when your Elixir app needs functionality that only exists, or is more
    mature, in Python? There are machine learning models, PDF rendering libraries, and audio/video
    editing tools without an Elixir equivalent (yet). You could piece together some HTTP calls, or
    bring in a message queue…but there’s a simpler path through Oban.

    Whether you’re enabling disparate teams to collaborate, gradually migrating from one language to
    another, or leveraging packages that are lacking in one ecosystem, having a mechanism to
    transparently exchange durable jobs between Elixir and Python opens up new possibilities.

    On that tip, let’s build a small example to demonstrate how trivial bridging can be. We’ll call it
    “Badge Forge”.

    Forging Badges

    “Badge Forge,” like “Fire Saga” before it, is a pair of nouns that barely describes what
    our demo app does. But, it’s balanced and why hold back on the whimsy?

    More concretely, we’re building a micro app that prints conference badges. The actual PDF
    generation happens through WeasyPrint, a Python library that turns HTML and CSS into
    print-ready documents. It’s mature and easy to use. For the purpose of this demo, we’ll pretend
    that running ChromaticPDF is unpalatable and Typst isn’t available.

    There’s no web framework involved, just command-line output and job processing. Don’t fret, we’ll
    bring in some visualization later.

    Sharing a Common Database

    Some say you’re cra-zay for sharing a database between applications. We say you’re already
    willing to share a message queue, and now the database is your task broker, so why not? It’s
    happening.

    Oban for Python was designed for interop with Elixir from the beginning. Both libraries read
    and write to the same oban_jobs table, with job args stored as JSON, so they’re fully
    language-agnostic. When an Elixir app enqueues a job destined for a Python worker (or vice versa),
    it simply writes a row. The receiving side picks it up based on the queue name, processes it, and
    updates the status. That’s the whole mechanism:

    Each side maintains its own cluster leadership, so an Elixir node and a Python process won’t
    compete for leader responsibilities. They coordinate through the jobs table, but take care of
    business
    independently.

    Both sides can also exchange PubSub notifications through Postgres for real-time coordination.
    The importance of that tidbit will become clear soon enough.

    Printing in Action

    This is more of a demonstration than a tutorial. We don’t expect you to build along, but we hope
    you’ll see how little code it takes to form a bridge.

    With a wee config in place and both apps pointing at the same database, we can start generating
    badges.

    Enqueueing Jobs

    Generation starts on the Elixir side. This function enqueues a batch of (fake) jobs destined for
    the Python worker:

    def enqueue_batch(count \ 100) do
      generate = fn _ ->
        args = %{
          id: Ecto.UUID.generate(),
          name: fake_name(),
          company: fake_company(),
          type: Enum.random(~w(attendee speaker sponsor organizer))
        }
    
        Oban.Job.new(args, worker: "badge_forge.generator.GenerateBadge", queue: :badges)
      end
    
      1..count
      |> Enum.map(generate)
      |> Oban.insert_all()
    end
    

    Notice the worker name is a string, “badge_forge.generator.GenerateBadge”, matching the Python
    worker’s fully qualified name. The job lands in the badges queue, where a Python worker is
    listening.

    The Python Side

    The Python worker receives badge requests and generates PDFs using WeasyPrint:

    from oban import Job, Oban, worker
    from weasyprint import HTML
    
    @worker(max_attempts=5, queue="badges")
    class GenerateBadge:
        async def process(self, job: Job) -> None:
            id = job.args["badge_id"]
            name = job.args["name"]
            html = render_badge_html(name, job.args["company"], job.args["type"])
            path = BADGES_DIR / f"{name}.pdf"
    
            # Generate the pdf content
            HTML(string=html).write_pdf(path)
    
            # Construct a job manually
            job = Job(
                args={"id": id, "name": name, "path": str(path)},
                queue="printing",
                worker="BadgeForge.PrintCenter",
            )
    
            # Use the active Oban instance and enqueue the job
            await Oban.get_instance().enqueue(job)
    

    When a job arrives, it pulls the attendee info from the args, renders an HTML template, and writes
    the PDF to disk. After completion, it enqueues a confirmation job back to Elixir.

    The Elixir Side

    The Elixir side listens for confirmations and prints the result:

    defmodule BadgeForge.PrintCenter do
      use Oban.Worker, queue: :printing
    
      require Logger
    
      @impl Oban.Worker
      def perform(%Job{args: %{"id" => id, "name" => name, "path" => path}}) do
        Logger.info("Printing badge #{id} for #{name}: #{path}...")
    
        do_actual_printing_here(...)
    
        :ok
      end
    end
    

    With that, there’s two-way communication through the jobs table.

    Sample Output

    To print conference badges you need a conference. You should have a conference. We’re printing
    badges for the fictional “Oban Conf” being held this year in Edinburgh. It will be both
    hydrating and engaging. Kicking off a batch of ten jobs from Elixir:

    iex> BadgeForge.enqueue_batch(10)
    :ok
    

    On the Python side, we see automatic logging for each job with output like this (output has been
    prettified):

    [INFO] oban: {
      "id":14,
      "worker":"badge_forge.generator.GenerateBadge",
      "queue":"badges",
      "attempt":1,
      "max_attempts":20,
      "args":{
        "id":"7bfb7c39-c354-4cce-ad5b-f1be2814b17e",
        "name":"Alasdair Fraser",
        "type":"speaker",
        "company":"Wavelength Tech"
      },
      "meta":{},
      "tags":[],
      "event":"oban.job.stop",
      "state":"completed",
      "duration":2.51,
      "queue_time":5.45
    }
    

    The job completed successfully, and back in the Elixir app, we see that the print completed:

    [info] Printing badge 7bfb7c39 for Alasdair Fraser: /some/path...
    

    The output looks something like this:

    Apologies to any “Alasdair Frasers” out there, your name was pulled from the nether and there
    isn’t a real conference. As consolation, if you contact us, you have stickers coming.

    Visualizing the Activity

    Seeing jobs in terminal logs is fine, but watching them flow through a dashboard is far more
    satisfying. We recently shipped a standalone Oban Web Docker image for situations like
    this; where you want monitoring without mounting it in your app. It’s also useful when your
    primary app is actually Python…

    With docker running, point the DATABASE_URL at your Oban-ified database and pull the image:

    docker run -d 
      -e DATABASE_URL="postgres://user:pass@host.docker.internal:5432/badge_forge_dev" 
      -p 4000:4000 
      ghcr.io/oban-bg/oban-dash
    

    That starts Oban Web running in the background to monitor jobs from all connected Oban instances.
    Queue activity and metrics are exchanged via PubSub, so the Web instance can store them for
    visualization. Trigger a few (hundred) jobs, navigate to the dashboard on localhost:4000, and
    look at ’em roll:

    Bridging Both Ways

    Badge Forge is whimsical, some say “useless”, but the pattern is practical! When you need tools
    that are stronger in one ecosystem, you can bridge it. This goes both ways. A Python app can
    reach for Elixir’s strengths just as easily.

    Check out the full demo code for the boilerplate and config we rested over here.


    As usual, if you have any questions or comments, ask in the Elixir Forum. For future announcements and insight into
    what we’re working on next, subscribe to our
    newsletter
    .

    Share. Facebook Twitter Pinterest LinkedIn Reddit WhatsApp Telegram Email
    Previous ArticleOld School Visual Effects: The Cloud Tank (2010)
    Next Article ShannonMax: A Library to Optimize Emacs Keybindings with Information Theory
    TechAiVerse
    • Website

    Jonathan is a tech enthusiast and the mind behind Tech AI Verse. With a passion for artificial intelligence, consumer tech, and emerging innovations, he deliver clear, insightful content to keep readers informed. From cutting-edge gadgets to AI advancements and cryptocurrency trends, Jonathan breaks down complex topics to make technology accessible to all.

    Related Posts

    Media Briefing: In the AI era, subscribers are the real prize — and the Telegraph proves it

    March 12, 2026

    Furniture.com was built for SEO. Now it’s trying to crack AI search

    March 12, 2026

    How medical creator Nick Norwitz grew his Substack paid subscribers from 900 to 5,200 within 8 months

    March 12, 2026
    Leave A Reply Cancel Reply

    Top Posts

    Ping, You’ve Got Whale: AI detection system alerts ships of whales in their path

    April 22, 2025714 Views

    Lumo vs. Duck AI: Which AI is Better for Your Privacy?

    July 31, 2025299 Views

    Wired Headphones Are Making A Comeback, And We Have Gen Z To Thank

    July 22, 2025209 Views

    6.7 Cummins Lifter Failure: What Years Are Affected (And Possible Fixes)

    April 14, 2025168 Views
    Don't Miss
    Gaming March 12, 2026

    Xbox unveils first tech details of its next generation console, codenamed Project Helix

    Xbox unveils first tech details of its next generation console, codenamed Project Helix Dev kits…

    Developer sues publisher after leaving Kickstarter backers waiting over two years for promised physical editions

    Valve responds to NY Attorney General lawsuit: “We have serious concerns with the alterations the NYAG claims are necessary to make to our games”

    SAG-AFTRA issues a Do Not Work Order against Capcom for “failing to initiate the signatory process”

    Stay In Touch
    • Facebook
    • Twitter
    • Pinterest
    • Instagram
    • YouTube
    • Vimeo

    Subscribe to Updates

    Get the latest creative news from SmartMag about art & design.

    About Us
    About Us

    Welcome to Tech AI Verse, your go-to destination for everything technology! We bring you the latest news, trends, and insights from the ever-evolving world of tech. Our coverage spans across global technology industry updates, artificial intelligence advancements, machine learning ethics, and automation innovations. Stay connected with us as we explore the limitless possibilities of technology!

    Facebook X (Twitter) Pinterest YouTube WhatsApp
    Our Picks

    Xbox unveils first tech details of its next generation console, codenamed Project Helix

    March 12, 20262 Views

    Developer sues publisher after leaving Kickstarter backers waiting over two years for promised physical editions

    March 12, 20261 Views

    Valve responds to NY Attorney General lawsuit: “We have serious concerns with the alterations the NYAG claims are necessary to make to our games”

    March 12, 20260 Views
    Most Popular

    The Players Championship 2025: TV Schedule Today, How to Watch, Stream All the PGA Tour Golf From Anywhere

    March 13, 20250 Views

    Over half of American adults have used an AI chatbot, survey finds

    March 14, 20250 Views

    UMass disbands its entering biomed graduate class over Trump funding chaos

    March 14, 20250 Views
    © 2026 TechAiVerse. Designed by Divya Tech.
    • Home
    • About Us
    • Contact Us
    • Privacy Policy
    • Terms & Conditions

    Type above and press Enter to search. Press Esc to cancel.