• About Us
  • Privacy Policy
  • Disclaimer
  • Contact Us
TechTrendFeed
  • Home
  • Tech News
  • Cybersecurity
  • Software
  • Gaming
  • Machine Learning
  • Smart Home & IoT
No Result
View All Result
  • Home
  • Tech News
  • Cybersecurity
  • Software
  • Gaming
  • Machine Learning
  • Smart Home & IoT
No Result
View All Result
TechTrendFeed
No Result
View All Result

Immediate Caching with the OpenAI API: A Full Fingers-On Python tutorial

Admin by Admin
March 22, 2026
Home Machine Learning
Share on FacebookShare on Twitter


In my earlier put up, Immediate Caching — what it’s, the way it works, and the way it can prevent some huge cash and time when working AI-powered apps with excessive visitors. In right this moment’s put up, I stroll you thru implementing Immediate Caching particularly utilizing OpenAI’s API, and we focus on some widespread pitfalls.


A quick reminder on Immediate Caching

Earlier than getting our fingers soiled, let’s briefly revisit what precisely the idea of Immediate Caching is. Immediate Caching is a performance offered in frontier mannequin API companies just like the OpenAI API or Claude’s API, that enables caching and reusing components of the LLM’s enter which might be repeated steadily. Such repeated components could also be system prompts or directions which might be handed to the mannequin each time when working an AI app, together with another variable content material, just like the consumer’s question or data retrieved from a information base. To have the ability to hit cache with immediate caching, the repeated components of the immediate should be at the start of it, particularly, a immediate prefix. As well as, to ensure that immediate caching to be activated, this prefix should exceed a sure threshold (e.g., for OpenAI the prefix needs to be greater than 1,024 tokens, whereas Claude has totally different minimal cache lengths for various fashions). So far as these two situations are happy — repeated tokens as a prefix exceeding the dimensions threshold outlined by the API service and mannequin — caching may be activated to attain economies of scale when working AI apps.

In contrast to caching in different elements in a RAG or different AI app, immediate caching operates on the token stage, within the inner procedures of the LLM. Particularly, LLM inference takes place in two steps:

  • Pre-fill, that’s, the LLM takes into consideration the consumer immediate to generate the primary token, and
  • Decoding, that’s, the LLM recursively generates the tokens of the output one after the other

Briefly, immediate caching shops the computations that happen within the pre-fill stage, so the mannequin doesn’t must recompute it once more when the identical prefix reappears. Any computations happening within the decoding iterations section, even when repeated, aren’t going to be cached.

For the remainder of the put up, I can be focusing solely on using immediate caching within the OpenAI API.


What concerning the OpenAI API?

In OpenAI’s API, immediate caching was initially launched on the 1st of October 2024. Initially, it supplied a 50% low cost on the cached tokens, however these days, this low cost goes as much as 90%. On prime of this, by hitting their immediate cache, further financial savings on latency may be achived as much as 80%.

When immediate caching is activated, the API service makes an attempt to hit the cache for a submitted request by routing the submitted immediate to an acceptable machine, the place the respective cache is predicted to exist. That is known as the Cache Routing, and to do that, the API service usually makes use of a hash of the primary 256 tokens of the immediate.

Past this, their API additionally permits for explicitly defining a the prompt_cache_key parameter within the API request to the mannequin. That may be a single key defining which cache we’re referring to, aiming to additional enhance the possibilities of our immediate being routed to the right machine and hitting cache.

As well as, OpenAI API offers two distinct sorts of caching with reference to length, outlined via the prompt_cache_retention parameter. These are:

  • In-memory immediate cache retention: That is basically the default sort of caching, out there for all fashions for which immediate caching is obtainable. With in-memory cache, cached information stay energetic for a interval of 5-10 minutes beteen requests.
  • Prolonged immediate cache retention: This out there for particular fashions. Prolonged cache permits for preserving information in cache for loger and as much as a most of 24 hours.

Now, with reference to how a lot all these value, OpenAI expenses the identical per enter (non cached) token, both we’ve immediate caching activated or not. If we handle to hit cache succesfully, we’re billed for the cached tokens at a drastically discounted value, with a reduction as much as 90%. Furthermore, the value per enter token stays the identical each for the in reminiscence and prolonged cache retention.


Immediate Caching in Observe

So, let’s see how immediate caching truly works with a easy Python instance utilizing OpenAI’s API service. Extra particularly, we’re going to do a sensible situation the place a lengthy system immediate (prefix) is reused throughout a number of requests. In case you are right here, I assume you have already got your OpenAI API key in place and have put in the required libraries. So, the very first thing to do could be to import the OpenAI library, in addition to time for capturing latency, and initialize an occasion of the OpenAI shopper:

from openai import OpenAI
import time

shopper = OpenAI(api_key="your_api_key_here")

then we will outline our prefix (the tokens which might be going to be repeated and we’re aiming to cache):

long_prefix = """
You're a extremely educated assistant specialised in machine studying.
Reply questions with detailed, structured explanations, together with examples when related.

""" * 200  

Discover how we artificially enhance the size (multiply with 200) to ensure the 1,024 token caching threshold is met. Then we additionally arrange a timer in order to measure our latency financial savings, and we’re lastly able to make our name:

begin = time.time()

response1 = shopper.responses.create(
    mannequin="gpt-4.1-mini",
    enter=long_prefix + "What's overfitting in machine studying?"
)

finish = time.time()

print("First response time:", spherical(finish - begin, 2), "seconds")
print(response1.output[0].content material[0].textual content)

So, what can we anticipate to occur from right here? For fashions from gpt-4o and newer, immediate caching is activated by default, and since our 4,616 enter tokens are properly above the 1,024 prefix token threshold, we’re good to go. Thus, what this request does is that it initially checks if the enter is a cache hit (it’s not, since that is the primary time we do a request with this prefix), and since it’s not, it processes your complete enter after which caches it. Subsequent time we ship an enter that matches the preliminary tokens of the cached enter to some extent, we’re going to get a cache hit. Let’s test this in apply by making a second request with the identical prefix:

begin = time.time()

response2 = shopper.responses.create(
    mannequin="gpt-4.1-mini",
    enter=long_prefix + "What's regularization?"
)

finish = time.time()

print("Second response time:", spherical(finish - begin, 2), "seconds")
print(response2.output[0].content material[0].textual content)

Certainly! The second request runs considerably sooner (23.31 vs 15.37 seconds). It is because the mannequin has already made the calculations for the cached prefix and solely must course of from scratch the brand new half, “What’s regularization?”. Consequently, through the use of immediate caching, we get considerably decrease latency and lowered value, since cached tokens are discounted.


One other factor talked about within the OpenAI documentation we’ve already talked about is the prompt_cache_key parameter. Particularly, based on the documentation, we will explicitly outline a immediate cache key when making a request, and on this manner outline the requests that want to make use of the identical cache. Nonetheless, I attempted to incorporate it in my instance by appropriately adjusting the request parameters, however didn’t have a lot luck:

response1 = shopper.responses.create(
    prompt_cache_key = 'prompt_cache_test1',
    mannequin="gpt-5.1",
    enter=long_prefix + "What's overfitting in machine studying?"
)

🤔

It appears that evidently whereas prompt_cache_key exists within the API capabilities, it’s not but uncovered within the Python SDK. In different phrases, we can’t explicitly management cache reuse but, however it’s slightly computerized and best-effort.


So, what can go improper?

Activating immediate caching and truly hitting the cache appears to be sort of easy from what we’ve stated to this point. So, what might go improper, leading to us lacking the cache? Sadly, lots of issues. As easy as it’s, immediate caching requires lots of totally different assumptions to be in place. Lacking even a kind of conditions goes to end in a cache miss. However let’s take a greater look!

One apparent miss is having a prefix that’s lower than the edge for activating immediate caching, particularly, lower than 1,024 tokens. Nonetheless, that is very simply solvable — we will at all times simply artificially enhance the prefix token depend by merely multiplying by an acceptable worth, as proven within the instance above.

One other factor could be silently breaking the prefix. Particularly, even once we use persistent directions and system prompts of acceptable measurement throughout all requests, we should be exceptionally cautious to not break the prefixes by including any variable content material at the start of the mannequin’s enter, earlier than the prefix. That may be a assured approach to break the cache, irrespective of how lengthy and repeated the next prefix is. Regular suspects for falling into this pitfall are dynamic information, as an example, appending the consumer ID or timestamps at the start of the immediate. Thus, a greatest apply to observe throughout all AI app growth is that any dynamic content material ought to at all times be appended on the finish of the immediate — by no means at the start.

Finally, it’s price highlighting that immediate caching is simply concerning the pre-fill section — decoding is rarely cached. Which means even when we impose on the mannequin to generate responses following a particular template, that beggins with sure mounted tokens, these tokens aren’t going to be cached, and we’re going to be billed for his or her processing as normal.

Conversely, for particular use instances, it doesn’t actually make sense to make use of immediate caching. Such instances could be extremely dynamic prompts, like chatbots with little repetition, one-off requests, or real-time customized programs.

. . .

On my thoughts

Immediate caching can considerably enhance the efficiency of AI functions each by way of value and time. Particularly when trying to scale AI apps immediate caching comes extremelly useful, for sustaining value and latency in acceptable ranges.

For OpenAI’s API immediate caching is activated by default and prices for enter, non-cached tokens are the identical both we activate immediate caching or not. Thus, one can solely win by activating immediate caching and aiming to hit it in each request, even when they don’t succeed.

Claude additionally offers intensive performance on immediate caching via their API, which we’re going to be exploring intimately in a future put up.

Thanks for studying! 🙂

. . .

Cherished this put up? Let’s be mates! Be part of me on:

📰Substack 💌 Medium 💼LinkedIn ☕Purchase me a espresso!

All pictures by the creator, besides talked about in any other case.

Tags: APICachingFullHandsOnOpenAIPromptPythonTutorial
Admin

Admin

Leave a Reply Cancel reply

Your email address will not be published. Required fields are marked *

Trending.

Safety Amplified: Audio’s Affect Speaks Volumes About Preventive Safety

Safety Amplified: Audio’s Affect Speaks Volumes About Preventive Safety

May 18, 2025
Reconeyez Launches New Web site | SDM Journal

Reconeyez Launches New Web site | SDM Journal

May 15, 2025
Discover Vibrant Spring 2025 Kitchen Decor Colours and Equipment – Chefio

Discover Vibrant Spring 2025 Kitchen Decor Colours and Equipment – Chefio

May 17, 2025
Flip Your Toilet Right into a Good Oasis

Flip Your Toilet Right into a Good Oasis

May 15, 2025
Apollo joins the Works With House Assistant Program

Apollo joins the Works With House Assistant Program

May 17, 2025

TechTrendFeed

Welcome to TechTrendFeed, your go-to source for the latest news and insights from the world of technology. Our mission is to bring you the most relevant and up-to-date information on everything tech-related, from machine learning and artificial intelligence to cybersecurity, gaming, and the exciting world of smart home technology and IoT.

Categories

  • Cybersecurity
  • Gaming
  • Machine Learning
  • Smart Home & IoT
  • Software
  • Tech News

Recent News

Immediate Caching with the OpenAI API: A Full Fingers-On Python tutorial

Immediate Caching with the OpenAI API: A Full Fingers-On Python tutorial

March 22, 2026
The Finest Offers At present: Code Vein II, My Hero Academia: All’s Justice, Trails within the Sky 1st Chapter, and Extra

The Finest Offers At present: Code Vein II, My Hero Academia: All’s Justice, Trails within the Sky 1st Chapter, and Extra

March 22, 2026
  • About Us
  • Privacy Policy
  • Disclaimer
  • Contact Us

© 2025 https://techtrendfeed.com/ - All Rights Reserved

No Result
View All Result
  • Home
  • Tech News
  • Cybersecurity
  • Software
  • Gaming
  • Machine Learning
  • Smart Home & IoT

© 2025 https://techtrendfeed.com/ - All Rights Reserved