이 튜토리얼에서는 퓨샷 예시를 반복적으로 만들고 Example Store에서 동적으로 검색하여 LLM 동작을 수정하는 방법을 보여줍니다.
이 튜토리얼에서는 gemini-2.0-flash 모델을 사용합니다.
다음을 수행합니다.
- Example Store 인스턴스( - ExampleStore)를 만듭니다.
- Gemini의 대답을 기반으로 예시를 작성하고 이러한 예시를 Example Store 인스턴스에 업로드합니다. 
- Example Store에서 예시를 동적으로 검색하여 LLM에서 예상 동작을 수행하도록 안내합니다. 
- 삭제 
시작하기 전에
이 튜토리얼에 설명된 단계를 완료하려면 먼저 프로젝트와 환경을 설정해야 합니다.
프로젝트 설정
- Sign in to your Google Cloud account. If you're new to Google Cloud, create an account to evaluate how our products perform in real-world scenarios. New customers also get $300 in free credits to run, test, and deploy workloads.
- 
    
    
      
        In the Google Cloud console, on the project selector page, select or create a Google Cloud project. Roles required to select or create a project - Select a project: Selecting a project doesn't require a specific IAM role—you can select any project that you've been granted a role on.
- 
      Create a project: To create a project, you need the Project Creator
      (roles/resourcemanager.projectCreator), which contains theresourcemanager.projects.createpermission. Learn how to grant roles.
 
- 
  
    Verify that billing is enabled for your Google Cloud project. 
- 
  
  
    
      Enable the Vertex AI API. Roles required to enable APIs To enable APIs, you need the Service Usage Admin IAM role ( roles/serviceusage.serviceUsageAdmin), which contains theserviceusage.services.enablepermission. Learn how to grant roles.
- 
    
    
      
        In the Google Cloud console, on the project selector page, select or create a Google Cloud project. Roles required to select or create a project - Select a project: Selecting a project doesn't require a specific IAM role—you can select any project that you've been granted a role on.
- 
      Create a project: To create a project, you need the Project Creator
      (roles/resourcemanager.projectCreator), which contains theresourcemanager.projects.createpermission. Learn how to grant roles.
 
- 
  
    Verify that billing is enabled for your Google Cloud project. 
- 
  
  
    
      Enable the Vertex AI API. Roles required to enable APIs To enable APIs, you need the Service Usage Admin IAM role ( roles/serviceusage.serviceUsageAdmin), which contains theserviceusage.services.enablepermission. Learn how to grant roles.
- 프로젝트를 선택한 경우 프로젝트에 대한 Vertex AI 사용자(roles/aiplatform.user) IAM 역할이 있는지 확인합니다.
- 다음 명령어를 실행하여 Example Store용 Vertex AI SDK for Python을 설치합니다. - pip install --upgrade google-cloud-aiplatform>=1.87.0
- 다음 코드 샘플을 사용하여 Example Store용 SDK를 가져오고 초기화합니다. - import vertexai from vertexai.preview import example_stores vertexai.init( project="PROJECT_ID", location="LOCATION" )- 다음을 바꿉니다. - PROJECT_ID: 프로젝트 ID입니다. 
- LOCATION: 리전 - us-central1만 지원됩니다.
 
- get_current_weather함수 도구를 정의합니다. 후속 단계에서 만드는 예시를 통해 모델은 이 함수를 호출할 시점과 이 함수에 전달할 인수를 파악합니다.- 예시에서 함수 호출 성능과 모델 응답을 향상시키는 방법에 대한 자세한 내용은 예시를 사용하여 함수 호출 성능 개선을 참조하세요. 함수 호출 애플리케이션을 만드는 방법에 대한 자세한 내용은 함수 호출 소개를 참조하세요. - from google.genai import types as genai_types get_current_weather_func = genai_types.FunctionDeclaration( name="get_current_weather", description="Get the current weather in a given location", parameters={ "type": "object", "properties": { "location": { "type": "string", "description": "The city name of the location for which to get the weather." } }, }, )
- get_current_weather함수를 사용하여 콘텐츠를 생성하도록 요청을 Gemini에 전송합니다.- Gen AI SDK용 클라이언트 만들기를 참조하세요. - from google import genai client = genai.Client( http_options=genai_types.HttpOptions(api_version="v1"), vertexai=True, project="PROJECT_ID",, location="LOCATION") user_content = genai_types.Content( role="user", parts=[Part(text="What is the weather like in Boston?")], ) response = client.models.generate_content( model="gemini-2.0-flash", user_content, config=genai_types.GenerateContentConfig( tools=[ genai_types.Tool(function_declarations=[get_current_weather_func])] ) )
- 다음 중 하나를 수행하여 예시를 만들고 업로드합니다. - LLM의 응답에 예상 동작이 표시되면 다음 코드 샘플을 사용하여 응답을 기반으로 예시를 작성하고 Example Store에 업로드합니다. - function_response = genai_types.Content( parts=[ genai_types.Part( function_response={ "name": "get_current_weather", "response": { "location": "New York, NY", "temperature": 38, "description": "Partly Cloudy", "icon": "partly-cloudy", "humidity": 65, "wind": { "speed": 10, "direction": "NW" } } } ) ] ) final_model_response = genai_types.Content( role="model", parts=[genai_types.Part(text="The weather in NYC is 38 degrees and partly cloudy.")], ) example = { "contents_example": { "contents": [user_content.to_json_dict()], "expected_contents": [ {"content": response.candidates[0].content.to_json_dict()}, {"content": function_response.to_json_dict()}, {"content": final_model_response.to_json_dict()}, ], }, "search_key": user_content.parts[0].text, } example_store.upsert_examples(examples=[example])
- 또는 응답에서 예상한 모든 함수나 결과를 다루지 않거나 모델이 추론에 어려움을 겪는 경우 다음 코드 샘플을 사용하여 응답을 작성하여 모델 동작을 수정합니다. - expected_function_call = genai_types.Content( parts=[ genai_types.Part( function_call={ "name": "get_current_weather", "args": {"location": "New York, NY"} } ) ] ) function_response = genai_types.Content( parts=[ genai_types.Part( function_response={ "name": "get_current_weather", "response": { "location": "New York, NY", "temperature": 38, "description": "Partly Cloudy", "icon": "partly-cloudy", "humidity": 65, "wind": { "speed": 10, "direction": "NW" } } } ) ] ) final_model_response = genai_types.Content( role="model", parts=[genai_types.Part(text="The weather in NYC is 38 degrees and partly cloudy.")], ) example = { "contents_example": { "contents": [user_content.to_json_dict()], "expected_contents": [ {"content": expected_function_call.to_json_dict()}, {"content": function_response.to_json_dict()}, {"content": final_model_response.to_json_dict()}, ], }, "search_key": user_content.parts[0].text, } example_store.upsert_examples(examples=[example])
 
- 필요에 따라 2단계와 3단계를 반복하여 예시를 여러 개 작성하고 업로드합니다. 모델에 예기치 않은 동작이 표시되거나 업로드된 예시에서 예상하는 모든 함수, 결과 또는 추론을 다루지 않으면 예시를 추가로 업로드하면 됩니다. 예시를 추가로 업로드해야 하는 경우에 대한 자세한 내용은 예시 업로드를 참조하세요. 
- 다음 코드 샘플을 사용하여 Example Store 인스턴스를 삭제합니다. - example_store.delete()
- 로컬에서 만든 파일을 삭제합니다. 
- Example Store 인스턴스를 만드는 방법 알아보기
Vertex AI에 인증
로컬 개발 환경에서 이 페이지의 Python 샘플을 사용하려면 gcloud CLI를 설치하고 초기화한 후 사용자 인증 정보로 애플리케이션 기본 사용자 인증 정보를 설정합니다.
Google Cloud CLI를 설치합니다.
외부 ID 공급업체(IdP)를 사용하는 경우 먼저 제휴 ID로 gcloud CLI에 로그인해야 합니다.
If you're using a local shell, then create local authentication credentials for your user account:
gcloud auth application-default login
You don't need to do this if you're using Cloud Shell.
If an authentication error is returned, and you are using an external identity provider (IdP), confirm that you have signed in to the gcloud CLI with your federated identity.
자세한 내용은 Google Cloud 인증 문서의 로컬 개발 환경의 ADC 설정을 참조하세요.
라이브러리 가져오기
Example Store 인스턴스 만들기
다음 코드 샘플을 사용하여 text-embedding-005 임베딩 모델을 사용하는 Example Store 인스턴스를 만듭니다.
example_store = example_stores.ExampleStore.create(
    example_store_config=example_stores.ExampleStoreConfig(
        vertex_embedding_model="text-embedding-005"
    )
)
Example Store를 만드는 데 몇 분 정도 걸립니다.
Example Store 인스턴스를 만들거나 재사용하는 방법에 대한 자세한 내용은 Example Store 인스턴스 만들기를 참조하세요.
Example Store 인스턴스에 예시 업로드
다음 단계를 수행하여 예시를 작성하고 Example Store 인스턴스에 업로드합니다. 요청당 예시를 최대 5개까지 업로드할 수 있습니다.
Gemini로 예시 검색 및 사용
프롬프트와의 유사성을 기준으로 예시를 검색합니다. 그런 다음 이러한 예시를 프롬프트에 포함하여 LLM에서 예상 동작을 수행하도록 안내할 수 있습니다.
예시 형식을 지정하는 도우미 함수 정의
다음 코드 샘플을 사용하여 예시를 검색하고 가져올 수 있는 도우미 함수와 ExampleStorePrompt 클래스를 정의합니다.
import abc
import jinja2
import json
from google.protobuf import json_format
# --BOILERPLATE CODE FOR FORMATTING--
EXAMPLES_PREAMBLE = """<EXAMPLES>
The following are examples of user queries and model responses using the available python libraries.
Begin few-shot
"""
EXAMPLES_POSTAMBLE = """
End few-shot
Now, try to follow these examples and complete the following conversation:
</EXAMPLES>
"""
EXAMPLE_PREAMBLE = "EXAMPLE"
TEMPLATE = """
"""
class ExampleStorePrompt:
    def __init__(
          self, template = TEMPLATE, example_preamble = EXAMPLE_PREAMBLE,
          examples_preamble = EXAMPLES_PREAMBLE,
          examples_postamble = EXAMPLES_POSTAMBLE):
        self.template = jinja2.Template(template)
        self.example_preamble = example_preamble
        self.examples_preamble = examples_preamble
        self.examples_postamble = examples_postamble
    @abc.abstractmethod
    def process_function_response(self, function_response):
        return json.dumps(function_response)
    @abc.abstractmethod
    def process_function_call(self, function_call):
        args_list = []
        for key, value in function_call.get("args", []).items():
            if isinstance(value, str):
                # Wrap strings in quotes.
                value = f'"{value}"'
            if isinstance(value, list):
                value = ', '.join(
                    f'"{item}"' if isinstance(item, str)
                    else str(item) for item in value)
                value = f"[{value}]"
            if isinstance(value, dict):
                value = json.dumps(value)
            args_list.append(f'{key}={value}')
        args = ", ".join(args_list)
        return f"```\n{function_call.get('name')}({args})\n```"
    @abc.abstractmethod
    def process_part(self, part):
        if "function_call" in part:
            return self.process_function_call(part["function_call"])
        if "text" in part:
            return part.get("text")
        if "function_response" in part:
            return self.process_function_response(part["function_response"])
    @abc.abstractmethod
    def process_content(self, content):
        response = []
        for part in content.get("parts", []):
            response.append(self.process_part(part))
        return [content.get("role"), response]
    @abc.abstractmethod
    def example_formatter(self, example: dict):
        response = []
        for content in example.get("contents", []):
            response.append(self.process_content(content))
        for content in example.get("expected_contents", []):
            content = content.get("content", {})
            response.append(self.process_content(content))
        return response
    def get_prompt(self, examples: list):
        if not examples:
          return ""
        contents_example = example.get("example", {}).get(
          "stored_contents_example", {}).get("contents_example", {})
        examples = [self.example_formatter(example) for example in examples]
        return self.template.render(
            examples=examples,
            example_preamble=self.example_preamble,
            examples_preamble=self.examples_preamble,
            examples_postamble=self.examples_postamble
        )
관련 예시 검색
다음 코드 샘플을 사용하여 LLM과의 진행 중인 대화와 관련된 예시를 검색합니다. 그런 다음 도우미 함수를 사용하여 이러한 예시를 프롬프트에 포함할 수 있습니다.
query = "what's the fastest way to get to disney from lax"
# Search for relevant examples.
examples = example_store.search_examples(
  {"stored_contents_example_key": query}, top_k=3)
prompt = ExampleStorePrompt().get_prompt(examples.get("results", []))
model_response = client.models.generate_content(
    model="gemini-2.0-flash",
    contents="How do I get to LAX?",
    config=genai_types.GenerateContentConfig(
      system_instruction=prompt,
      tools=[
        genai_types.Tool(function_declarations=[track_flight_status_function])]
  )
)
반복적으로 대답 품질 개선
퓨샷 예시를 사용하여 Gemini의 대답 패턴을 향상시키려면 다음 섹션의 단계를 반복합니다.
삭제
이 프로젝트에 사용된 모든 리소스를 삭제하려면 빠른 시작에 사용한 Google Cloud 프로젝트를 삭제하면 됩니다.
또는 다음과 같이 이 튜토리얼에서 만든 개별 리소스를 삭제하면 됩니다.