컨텍스트 캐싱

일반적인 AI 워크플로에서는 동일한 입력 토큰을 모델에 반복해서 전달할 수 있습니다. Gemini API는 다음과 같은 두 가지 캐싱 메커니즘을 제공합니다.

  • 암시적 캐싱 (Gemini 2.5 모델에서 자동으로 사용 설정되며 비용 절감 보장 없음)
  • 명시적 캐싱 (대부분의 모델에서 수동으로 사용 설정 가능, 비용 절감 보장)

명시적 캐싱은 비용 절감을 보장하되 개발자 작업을 추가하려는 경우에 유용합니다.

암시적 캐싱

암시적 캐싱은 모든 Gemini 2.5 모델에 기본적으로 사용 설정됩니다. 요청이 캐시에 적중되면 비용 절감이 자동으로 적용됩니다. 이 기능을 사용 설정하기 위해 사용자가 수행해야 하는 작업은 없습니다. 이 정책은 2025년 5월 8일부터 시행됩니다. 컨텍스트 캐싱의 최소 입력 토큰 수는 2.5 Flash의 경우 1,024개, 2.5 Pro의 경우 4,096개입니다.

암시적 캐시 적중 가능성을 높이려면 다음 안내를 따르세요.

  • 프롬프트 시작 부분에 크고 공통적인 콘텐츠를 배치해 보세요.
  • 짧은 시간 내에 유사한 프리픽스를 가진 요청을 전송합니다.

응답 객체의 usage_metadata 필드에서 캐시 적중된 토큰 수를 확인할 수 있습니다.

명시적 캐싱

Gemini API 명시적 캐싱 기능을 사용하면 콘텐츠를 모델에 한 번 전달하고 입력 토큰을 캐시한 다음 후속 요청에서 캐시된 토큰을 참조할 수 있습니다. 특정 볼륨에서는 캐시된 토큰을 사용하는 것이 동일한 코퍼스 토큰을 반복적으로 전달하는 것보다 비용이 저렴합니다.

토큰 집합을 캐시할 때 토큰이 자동으로 삭제되기 전에 캐시가 유지될 기간을 선택할 수 있습니다. 이 캐싱 기간을 TTL (수명)이라고 합니다. 설정하지 않으면 TTL은 기본적으로 1시간입니다. 캐싱 비용은 입력 토큰 크기와 토큰을 유지하려는 기간에 따라 달라집니다.

이 섹션에서는 빠른 시작에 표시된 대로 Gemini SDK를 설치했거나 curl이 설치되어 있고 API 키를 구성했다고 가정합니다.

캐시를 사용하여 콘텐츠 생성

다음 예에서는 캐시된 시스템 안내와 동영상 파일을 사용하여 콘텐츠를 생성하는 방법을 보여줍니다.

동영상

import os
import pathlib
import requests
import time

from google import genai
from google.genai import types

client = genai.Client()

# Download video file
url = 'https://storage.googleapis.com/generativeai-downloads/data/SherlockJr._10min.mp4'
path_to_video_file = pathlib.Path('SherlockJr._10min.mp4')
if not path_to_video_file.exists():
  with path_to_video_file.open('wb') as wf:
    response = requests.get(url, stream=True)
    for chunk in response.iter_content(chunk_size=32768):
      wf.write(chunk)

# Upload the video using the Files API
video_file = client.files.upload(file=path_to_video_file)

# Wait for the file to finish processing
while video_file.state.name == 'PROCESSING':
  print('Waiting for video to be processed.')
  time.sleep(2)
  video_file = client.files.get(name=video_file.name)

print(f'Video processing complete: {video_file.uri}')

# You must use an explicit version suffix: "-flash-001", not just "-flash".
model='models/gemini-2.0-flash-001'

# Create a cache with a 5 minute TTL
cache = client.caches.create(
    model=model,
    config=types.CreateCachedContentConfig(
      display_name='sherlock jr movie', # used to identify the cache
      system_instruction=(
          'You are an expert video analyzer, and your job is to answer '
          'the user\'s query based on the video file you have access to.'
      ),
      contents=[video_file],
      ttl="300s",
  )
)

# Construct a GenerativeModel which uses the created cache.
response = client.models.generate_content(
  model = model,
  contents= (
    'Introduce different characters in the movie by describing '
    'their personality, looks, and names. Also list the timestamps '
    'they were introduced for the first time.'),
  config=types.GenerateContentConfig(cached_content=cache.name)
)

print(response.usage_metadata)

# The output should look something like this:
#
# prompt_token_count: 696219
# cached_content_token_count: 696190
# candidates_token_count: 214
# total_token_count: 696433

print(response.text)

PDF

from google import genai
from google.genai import types
import io
import httpx

client = genai.Client()

long_context_pdf_path = "https://www.nasa.gov/wp-content/uploads/static/history/alsj/a17/A17_FlightPlan.pdf"

# Retrieve and upload the PDF using the File API
doc_io = io.BytesIO(httpx.get(long_context_pdf_path).content)

document = client.files.upload(
  file=doc_io,
  config=dict(mime_type='application/pdf')
)

model_name = "gemini-2.0-flash-001"
system_instruction = "You are an expert analyzing transcripts."

# Create a cached content object
cache = client.caches.create(
    model=model_name,
    config=types.CreateCachedContentConfig(
      system_instruction=system_instruction,
      contents=[document],
    )
)

# Display the cache details
print(f'{cache=}')

# Generate content using the cached prompt and document
response = client.models.generate_content(
  model=model_name,
  contents="Please summarize this transcript",
  config=types.GenerateContentConfig(
    cached_content=cache.name
  ))

# (Optional) Print usage metadata for insights into the API call
print(f'{response.usage_metadata=}')

# Print the generated text
print('\n\n', response.text)

캐시 나열

캐시된 콘텐츠를 가져오거나 볼 수는 없지만 캐시 메타데이터 (name, model, display_name, usage_metadata, create_time, update_time, expire_time)는 가져올 수 있습니다.

업로드된 모든 캐시의 메타데이터를 나열하려면 CachedContent.list()를 사용합니다.

for cache in client.caches.list():
  print(cache)

캐시 객체의 이름을 알고 있는 경우 하나의 캐시 객체의 메타데이터를 가져오려면 get를 사용하세요.

client.caches.get(name=name)

캐시 업데이트

캐시의 새 ttl 또는 expire_time를 설정할 수 있습니다. 캐시에 관한 다른 사항은 변경할 수 없습니다.

다음 예는 client.caches.update()을 사용하여 캐시의 ttl를 업데이트하는 방법을 보여줍니다.

from google import genai
from google.genai import types

client.caches.update(
  name = cache.name,
  config  = types.UpdateCachedContentConfig(
      ttl='300s'
  )
)

만료 시간을 설정하려면 datetime 객체 또는 ISO 형식의 날짜/시간 문자열 (dt.isoformat(), 2025-01-27T16:02:36.473528+00:00 등)을 허용합니다. 시간에는 시간대가 포함되어야 합니다(datetime.utcnow()에는 시간대가 연결되지 않고 datetime.now(datetime.timezone.utc)에는 시간대가 연결됨).

from google import genai
from google.genai import types
import datetime

# You must use a time zone-aware time.
in10min = datetime.datetime.now(datetime.timezone.utc) + datetime.timedelta(minutes=10)

client.caches.update(
  name = cache.name,
  config  = types.UpdateCachedContentConfig(
      expire_time=in10min
  )
)

캐시 삭제

캐싱 서비스는 캐시에서 콘텐츠를 수동으로 삭제하는 삭제 작업을 제공합니다. 다음 예는 캐시를 삭제하는 방법을 보여줍니다.

client.caches.delete(cache.name)

OpenAI 라이브러리를 사용한 명시적 캐싱

OpenAI 라이브러리를 사용하는 경우 extra_bodycached_content 속성을 사용하여 명시적 캐싱을 사용 설정할 수 있습니다.

명시적 캐싱을 사용해야 하는 경우

컨텍스트 캐싱은 짧은 요청에서 상당한 양의 초기 컨텍스트를 반복적으로 참조하는 시나리오에 특히 적합합니다. 다음과 같은 사용 사례에 컨텍스트 캐싱을 사용하는 것이 좋습니다.

  • 다양한 시스템 안내를 제공하는 챗봇
  • 긴 동영상 파일 반복 분석
  • 대규모 문서 세트에 대해 반복 쿼리
  • 빈번한 코드 저장소 분석 또는 버그 수정

명시적 캐싱으로 비용을 절감하는 방법

컨텍스트 캐싱은 전반적인 운영 비용을 줄이기 위해 설계된 유료 기능입니다. 다음 요소를 기준으로 결제가 청구됩니다.

  1. 캐시 토큰 수: 캐시된 입력 토큰 수로, 후속 프롬프트에 포함될 경우 할인된 요율로 청구됩니다.
  2. 스토리지 기간: 캐시된 토큰이 저장되는 시간 (TTL)으로, 캐시된 토큰 수의 TTL 기간을 기준으로 청구됩니다. TTL에는 최소 또는 최대 경계가 없습니다.
  3. 기타 요인: 캐시되지 않은 입력 토큰 및 출력 토큰과 같은 기타 요인에 다른 요금이 청구됩니다.

최신 가격 책정 세부정보는 Gemini API 가격 책정 페이지를 참고하세요. 토큰 수를 계산하는 방법을 알아보려면 토큰 가이드를 참고하세요.

추가 고려사항

컨텍스트 캐싱을 사용할 때는 다음 사항을 고려하세요.

  • 컨텍스트 캐싱의 최소 입력 토큰 수는 2.5 Flash의 경우 1,024개, 2.5 Pro의 경우 4,096개입니다. 최댓값은 지정된 모델의 최댓값과 동일합니다. 토큰 수에 대한 자세한 내용은 토큰 가이드를 참고하세요.
  • 모델은 캐시된 토큰과 일반 입력 토큰을 구분하지 않습니다. 캐시된 콘텐츠는 프롬프트의 접두사입니다.
  • 컨텍스트 캐싱에는 특별한 비율 또는 사용량 제한이 없습니다. GenerateContent의 표준 비율 제한이 적용되며 토큰 제한에는 캐시된 토큰이 포함됩니다.
  • 캐시된 토큰 수는 캐시 서비스의 생성, 가져오기, 목록 작업의 usage_metadata와 캐시를 사용할 때 GenerateContent에 반환됩니다.