mirror of
				https://github.com/huggingface/transformers.git
				synced 2025-10-27 06:44:34 +08:00 
			
		
		
		
	Compare commits
	
		
			6 Commits
		
	
	
		
			ssh_new_cl
			...
			hqq_serial
		
	
	| Author | SHA1 | Date | |
|---|---|---|---|
| a8704d266e | |||
| bc9cb55d8d | |||
| f2ea032e40 | |||
| 75dfe0a9c6 | |||
| fa8a9f55c0 | |||
| ff40f1a9e1 | 
| @ -34,44 +34,64 @@ jobs: | ||||
|             - run: echo 'export "GIT_COMMIT_MESSAGE=$(git show -s --format=%s)"' >> "$BASH_ENV" && source "$BASH_ENV" | ||||
|             - run: mkdir -p test_preparation | ||||
|             - run: python utils/tests_fetcher.py | tee tests_fetched_summary.txt | ||||
|             - store_artifacts: | ||||
|                   path: ~/transformers/tests_fetched_summary.txt | ||||
|             - run: | | ||||
|                 if [ -f test_list.txt ]; then | ||||
|                     cp test_list.txt test_preparation/test_list.txt | ||||
|                 else | ||||
|                     touch test_preparation/test_list.txt | ||||
|                 fi | ||||
|             - run: | | ||||
|                   if [ -f examples_test_list.txt ]; then | ||||
|                       mv examples_test_list.txt test_preparation/examples_test_list.txt | ||||
|                   else | ||||
|                       touch test_preparation/examples_test_list.txt | ||||
|                   fi | ||||
|             - run: | | ||||
|                   if [ -f filtered_test_list_cross_tests.txt ]; then | ||||
|                       mv filtered_test_list_cross_tests.txt test_preparation/filtered_test_list_cross_tests.txt | ||||
|                   else | ||||
|                       touch test_preparation/filtered_test_list_cross_tests.txt | ||||
|                   fi | ||||
|             - run: | | ||||
|                 if [ -f doctest_list.txt ]; then | ||||
|                     cp doctest_list.txt test_preparation/doctest_list.txt | ||||
|                 else | ||||
|                     touch test_preparation/doctest_list.txt | ||||
|                 fi | ||||
|             - run: | | ||||
|                 if [ -f test_repo_utils.txt ]; then | ||||
|                     mv test_repo_utils.txt test_preparation/test_repo_utils.txt | ||||
|                 else | ||||
|                     touch test_preparation/test_repo_utils.txt | ||||
|                 fi | ||||
|             - run: python utils/tests_fetcher.py --filter_tests | ||||
|             - run: | | ||||
|                 if [ -f test_list.txt ]; then | ||||
|                     mv test_list.txt test_preparation/filtered_test_list.txt | ||||
|                 else | ||||
|                     touch test_preparation/filtered_test_list.txt | ||||
|                 fi | ||||
|             - store_artifacts: | ||||
|                   path: test_preparation/test_list.txt | ||||
|             - store_artifacts: | ||||
|                   path: test_preparation/doctest_list.txt | ||||
|             - store_artifacts: | ||||
|                   path: ~/transformers/test_preparation/filtered_test_list.txt | ||||
|             - store_artifacts: | ||||
|                   path: test_preparation/examples_test_list.txt | ||||
|             - run: export "GIT_COMMIT_MESSAGE=$(git show -s --format=%s)" && echo $GIT_COMMIT_MESSAGE && python .circleci/create_circleci_config.py --fetcher_folder test_preparation | ||||
|             - run: | | ||||
|                 if [ ! -s test_preparation/generated_config.yml ]; then | ||||
|                     echo "No tests to run, exiting early!" | ||||
|                     circleci-agent step halt | ||||
|                 fi | ||||
|  | ||||
|                   if [ ! -s test_preparation/generated_config.yml ]; then | ||||
|                       echo "No tests to run, exiting early!" | ||||
|                       circleci-agent step halt | ||||
|                   fi | ||||
|             - store_artifacts: | ||||
|                 path: test_preparation | ||||
|  | ||||
|             - run: | ||||
|                 name: "Retrieve Artifact Paths" | ||||
|                 env: | ||||
|                     CIRCLE_TOKEN: ${{ secrets.CI_ARTIFACT_TOKEN }} | ||||
|                 command: | | ||||
|                     project_slug="gh/${CIRCLE_PROJECT_USERNAME}/${CIRCLE_PROJECT_REPONAME}" | ||||
|                     job_number=${CIRCLE_BUILD_NUM} | ||||
|                     url="https://circleci.com/api/v2/project/${project_slug}/${job_number}/artifacts" | ||||
|                     curl -o  test_preparation/artifacts.json ${url} | ||||
|             - run: | ||||
|                 name: "Prepare pipeline parameters" | ||||
|                 command: | | ||||
|                     python utils/process_test_artifacts.py  | ||||
|              | ||||
|             # To avoid too long generated_config.yaml on the continuation orb, we pass the links to the artifacts as parameters. | ||||
|             # Otherwise the list of tests was just too big. Explicit is good but for that it was a limitation. | ||||
|             # We used: | ||||
|  | ||||
|             # https://circleci.com/docs/api/v2/index.html#operation/getJobArtifacts : to get the job artifacts | ||||
|             # We could not pass a nested dict, which is why we create the test_file_... parameters for every single job | ||||
|                  | ||||
|                 path: test_preparation/generated_config.yml | ||||
|             - store_artifacts: | ||||
|                 path: test_preparation/transformed_artifacts.json | ||||
|             - store_artifacts: | ||||
|                 path: test_preparation/artifacts.json | ||||
|                 path: test_preparation/filtered_test_list_cross_tests.txt | ||||
|             - continuation/continue: | ||||
|                 parameters:  test_preparation/transformed_artifacts.json | ||||
|                 configuration_path: test_preparation/generated_config.yml | ||||
|  | ||||
|     # To run all tests for the nightly build | ||||
|  | ||||
| @ -32,7 +32,7 @@ COMMON_ENV_VARIABLES = { | ||||
|     "RUN_PT_FLAX_CROSS_TESTS": False, | ||||
| } | ||||
| # Disable the use of {"s": None} as the output is way too long, causing the navigation on CircleCI impractical | ||||
| COMMON_PYTEST_OPTIONS = {"max-worker-restart": 0, "dist": "loadfile", "vvv": None, "rsf":None} | ||||
| COMMON_PYTEST_OPTIONS = {"max-worker-restart": 0, "dist": "loadfile", "v": None} | ||||
| DEFAULT_DOCKER_IMAGE = [{"image": "cimg/python:3.8.12"}] | ||||
|  | ||||
|  | ||||
| @ -50,15 +50,16 @@ class EmptyJob: | ||||
| class CircleCIJob: | ||||
|     name: str | ||||
|     additional_env: Dict[str, Any] = None | ||||
|     cache_name: str = None | ||||
|     cache_version: str = "0.8.2" | ||||
|     docker_image: List[Dict[str, str]] = None | ||||
|     install_steps: List[str] = None | ||||
|     marker: Optional[str] = None | ||||
|     parallelism: Optional[int] = 0 | ||||
|     parallelism: Optional[int] = 1 | ||||
|     pytest_num_workers: int = 12 | ||||
|     pytest_options: Dict[str, Any] = None | ||||
|     resource_class: Optional[str] = "2xlarge" | ||||
|     tests_to_run: Optional[List[str]] = None | ||||
|     num_test_files_per_worker: Optional[int] = 10 | ||||
|     # This should be only used for doctest job! | ||||
|     command_timeout: Optional[int] = None | ||||
|  | ||||
| @ -66,6 +67,8 @@ class CircleCIJob: | ||||
|         # Deal with defaults for mutable attributes. | ||||
|         if self.additional_env is None: | ||||
|             self.additional_env = {} | ||||
|         if self.cache_name is None: | ||||
|             self.cache_name = self.name | ||||
|         if self.docker_image is None: | ||||
|             # Let's avoid changing the default list and make a copy. | ||||
|             self.docker_image = copy.deepcopy(DEFAULT_DOCKER_IMAGE) | ||||
| @ -76,96 +79,155 @@ class CircleCIJob: | ||||
|                 self.docker_image[0]["image"] = f"{self.docker_image[0]['image']}:dev" | ||||
|             print(f"Using {self.docker_image} docker image") | ||||
|         if self.install_steps is None: | ||||
|             self.install_steps = ["uv venv && uv pip install ."] | ||||
|             self.install_steps = [] | ||||
|         if self.pytest_options is None: | ||||
|             self.pytest_options = {} | ||||
|         if isinstance(self.tests_to_run, str): | ||||
|             self.tests_to_run = [self.tests_to_run] | ||||
|         else: | ||||
|             test_file = os.path.join("test_preparation" , f"{self.job_name}_test_list.txt") | ||||
|             print("Looking for ", test_file) | ||||
|             if os.path.exists(test_file): | ||||
|                 with open(test_file) as f: | ||||
|                     expanded_tests = f.read().strip().split("\n") | ||||
|                 self.tests_to_run = expanded_tests | ||||
|                 print("Found:", expanded_tests) | ||||
|             else: | ||||
|                 self.tests_to_run = [] | ||||
|                 print("not Found") | ||||
|         if self.parallelism is None: | ||||
|             self.parallelism = 1 | ||||
|  | ||||
|     def to_dict(self): | ||||
|         env = COMMON_ENV_VARIABLES.copy() | ||||
|         env.update(self.additional_env) | ||||
|  | ||||
|         cache_branch_prefix = os.environ.get("CIRCLE_BRANCH", "pull") | ||||
|         if cache_branch_prefix != "main": | ||||
|             cache_branch_prefix = "pull" | ||||
|  | ||||
|         job = { | ||||
|             "docker": self.docker_image, | ||||
|             "environment": env, | ||||
|         } | ||||
|         if self.resource_class is not None: | ||||
|             job["resource_class"] = self.resource_class | ||||
|         if self.parallelism is not None: | ||||
|             job["parallelism"] = self.parallelism | ||||
|         steps = [ | ||||
|             "checkout", | ||||
|             {"attach_workspace": {"at": "test_preparation"}}, | ||||
|         ] | ||||
|         steps.extend([{"run": l} for l in self.install_steps]) | ||||
|         steps.append({"run": {"name": "Show installed libraries and their size", "command": """du -h -d 1 "$(pip -V | cut -d ' ' -f 4 | sed 's/pip//g')" | grep -vE "dist-info|_distutils_hack|__pycache__" | sort -h | tee installed.txt || true"""}}) | ||||
|         steps.append({"run": {"name": "Show installed libraries and their versions", "command": """pip list --format=freeze | tee installed.txt || true"""}}) | ||||
|  | ||||
|         steps.append({"run":{"name":"Show biggest libraries","command":"""dpkg-query --show --showformat='${Installed-Size}\t${Package}\n' | sort -rh | head -25 | sort -h | awk '{ package=$2; sub(".*/", "", package); printf("%.5f GB %s\n", $1/1024/1024, package)}' || true"""}}) | ||||
|         steps.append({"store_artifacts": {"path": "installed.txt"}}) | ||||
|  | ||||
|         all_options = {**COMMON_PYTEST_OPTIONS, **self.pytest_options} | ||||
|         pytest_flags = [f"--{key}={value}" if (value is not None or key in ["doctest-modules"]) else f"-{key}" for key, value in all_options.items()] | ||||
|         pytest_flags.append( | ||||
|             f"--make-reports={self.name}" if "examples" in self.name else f"--make-reports=tests_{self.name}" | ||||
|         ) | ||||
|                 # Examples special case: we need to download NLTK files in advance to avoid cuncurrency issues | ||||
|         timeout_cmd = f"timeout {self.command_timeout} " if self.command_timeout else "" | ||||
|         marker_cmd = f"-m '{self.marker}'" if self.marker is not None else "" | ||||
|         additional_flags = f" -p no:warning -o junit_family=xunit1 --junitxml=test-results/junit.xml" | ||||
|         parallel = f' << pipeline.parameters.{self.job_name}_parallelism >> ' | ||||
|         steps = [ | ||||
|             "checkout", | ||||
|             {"attach_workspace": {"at": "test_preparation"}}, | ||||
|             {"run": "apt-get update && apt-get install -y curl"}, | ||||
|             {"run": " && ".join(self.install_steps)}, | ||||
|             {"run": {"name": "Download NLTK files", "command": """python -c "import nltk; nltk.download('punkt', quiet=True)" """} if "example" in self.name else "echo Skipping"}, | ||||
|             {"run": { | ||||
|                     "name": "Show installed libraries and their size", | ||||
|                     "command": """du -h -d 1 "$(pip -V | cut -d ' ' -f 4 | sed 's/pip//g')" | grep -vE "dist-info|_distutils_hack|__pycache__" | sort -h | tee installed.txt || true"""} | ||||
|             }, | ||||
|             {"run": { | ||||
|                 "name": "Show installed libraries and their versions", | ||||
|                 "command": """pip list --format=freeze | tee installed.txt || true"""} | ||||
|             }, | ||||
|             {"run": { | ||||
|                 "name": "Show biggest libraries", | ||||
|                 "command": """dpkg-query --show --showformat='${Installed-Size}\t${Package}\n' | sort -rh | head -25 | sort -h | awk '{ package=$2; sub(".*/", "", package); printf("%.5f GB %s\n", $1/1024/1024, package)}' || true"""} | ||||
|             }, | ||||
|             {"run": {"name": "Create `test-results` directory", "command": "mkdir test-results"}}, | ||||
|             {"run": {"name": "Get files to test", "command":f'curl -L -o {self.job_name}_test_list.txt <<pipeline.parameters.{self.job_name}_test_list>>' if self.name != "pr_documentation_tests" else 'echo "Skipped"'}}, | ||||
|                         {"run": {"name": "Split tests across parallel nodes: show current parallel tests", | ||||
|                     "command": f"TESTS=$(circleci tests split  --split-by=timings {self.job_name}_test_list.txt) && echo $TESTS > splitted_tests.txt && echo $TESTS | tr ' ' '\n'" if self.parallelism else f"awk '{{printf \"%s \", $0}}' {self.job_name}_test_list.txt > splitted_tests.txt" | ||||
|                     } | ||||
|             }, | ||||
|             {"run": { | ||||
|                 "name": "Run tests", | ||||
|                 "command": f"({timeout_cmd} python3 -m pytest {marker_cmd} -n {self.pytest_num_workers} {additional_flags} {' '.join(pytest_flags)} $(cat splitted_tests.txt) | tee tests_output.txt)"} | ||||
|             }, | ||||
|             {"run": {"name": "Expand to show skipped tests", "when": "always", "command": f"python3 .circleci/parse_test_outputs.py --file tests_output.txt --skip"}}, | ||||
|             {"run": {"name": "Failed tests: show reasons",   "when": "always", "command": f"python3 .circleci/parse_test_outputs.py --file tests_output.txt --fail"}}, | ||||
|             {"run": {"name": "Errors",                       "when": "always", "command": f"python3 .circleci/parse_test_outputs.py --file tests_output.txt --errors"}}, | ||||
|             {"store_test_results": {"path": "test-results"}}, | ||||
|             {"store_artifacts": {"path": "test-results/junit.xml"}}, | ||||
|             {"store_artifacts": {"path": "reports"}}, | ||||
|             {"store_artifacts": {"path": "tests.txt"}}, | ||||
|             {"store_artifacts": {"path": "splitted_tests.txt"}}, | ||||
|             {"store_artifacts": {"path": "installed.txt"}}, | ||||
|         ] | ||||
|         if self.parallelism: | ||||
|             job["parallelism"] = parallel | ||||
|  | ||||
|         steps.append({"run": {"name": "Create `test-results` directory", "command": "mkdir test-results"}}) | ||||
|         test_command = "" | ||||
|         if self.command_timeout: | ||||
|             test_command = f"timeout {self.command_timeout} " | ||||
|         # junit familiy xunit1 is necessary to support splitting on test name or class name with circleci split | ||||
|         test_command += f"python3 -m pytest -rsfE -p no:warnings -o junit_family=xunit1 --tb=short --junitxml=test-results/junit.xml -n {self.pytest_num_workers} " + " ".join(pytest_flags) | ||||
|  | ||||
|         if self.parallelism == 1: | ||||
|             if self.tests_to_run is None: | ||||
|                 test_command += " << pipeline.parameters.tests_to_run >>" | ||||
|             else: | ||||
|                 test_command += " " + " ".join(self.tests_to_run) | ||||
|         else: | ||||
|             # We need explicit list instead of `pipeline.parameters.tests_to_run` (only available at job runtime) | ||||
|             tests = self.tests_to_run | ||||
|             if tests is None: | ||||
|                 folder = os.environ["test_preparation_dir"] | ||||
|                 test_file = os.path.join(folder, "filtered_test_list.txt") | ||||
|                 if os.path.exists(test_file): # We take this job's tests from the filtered test_list.txt | ||||
|                     with open(test_file) as f: | ||||
|                         tests = f.read().split(" ") | ||||
|  | ||||
|             # expand the test list | ||||
|             if tests == ["tests"]: | ||||
|                 tests = [os.path.join("tests", x) for x in os.listdir("tests")] | ||||
|             expanded_tests = [] | ||||
|             for test in tests: | ||||
|                 if test.endswith(".py"): | ||||
|                     expanded_tests.append(test) | ||||
|                 elif test == "tests/models": | ||||
|                     if "tokenization" in self.name: | ||||
|                         expanded_tests.extend(glob.glob("tests/models/**/test_tokenization*.py", recursive=True)) | ||||
|                     elif self.name in ["flax","torch","tf"]: | ||||
|                         name = self.name if self.name != "torch" else "" | ||||
|                         if self.name == "torch": | ||||
|                             all_tests = glob.glob(f"tests/models/**/test_modeling_{name}*.py", recursive=True) | ||||
|                             filtered = [k for k in all_tests if ("_tf_") not in k and "_flax_" not in k] | ||||
|                             expanded_tests.extend(filtered) | ||||
|                         else: | ||||
|                             expanded_tests.extend(glob.glob(f"tests/models/**/test_modeling_{name}*.py", recursive=True)) | ||||
|                     else: | ||||
|                         expanded_tests.extend(glob.glob("tests/models/**/test_modeling*.py", recursive=True)) | ||||
|                 elif test == "tests/pipelines": | ||||
|                     expanded_tests.extend(glob.glob("tests/models/**/test_modeling*.py", recursive=True)) | ||||
|                 else: | ||||
|                     expanded_tests.append(test) | ||||
|             tests = " ".join(expanded_tests) | ||||
|  | ||||
|             # Each executor to run ~10 tests | ||||
|             n_executors = max(len(expanded_tests) // 10, 1) | ||||
|             # Avoid empty test list on some executor(s) or launching too many executors | ||||
|             if n_executors > self.parallelism: | ||||
|                 n_executors = self.parallelism | ||||
|             job["parallelism"] = n_executors | ||||
|  | ||||
|             # Need to be newline separated for the command `circleci tests split` below | ||||
|             command = f'echo {tests} | tr " " "\\n" >> tests.txt' | ||||
|             steps.append({"run": {"name": "Get tests", "command": command}}) | ||||
|  | ||||
|             command = 'TESTS=$(circleci tests split tests.txt) && echo $TESTS > splitted_tests.txt' | ||||
|             steps.append({"run": {"name": "Split tests", "command": command}}) | ||||
|  | ||||
|             steps.append({"store_artifacts": {"path": "tests.txt"}}) | ||||
|             steps.append({"store_artifacts": {"path": "splitted_tests.txt"}}) | ||||
|  | ||||
|             test_command = "" | ||||
|             if self.command_timeout: | ||||
|                 test_command = f"timeout {self.command_timeout} " | ||||
|             test_command += f"python3 -m pytest -rsfE -p no:warnings --tb=short  -o junit_family=xunit1 --junitxml=test-results/junit.xml -n {self.pytest_num_workers} " + " ".join(pytest_flags) | ||||
|             test_command += " $(cat splitted_tests.txt)" | ||||
|         if self.marker is not None: | ||||
|             test_command += f" -m {self.marker}" | ||||
|  | ||||
|         if self.name == "pr_documentation_tests": | ||||
|             # can't use ` | tee tee tests_output.txt` as usual | ||||
|             test_command += " > tests_output.txt" | ||||
|             # Save the return code, so we can check if it is timeout in the next step. | ||||
|             test_command += '; touch "$?".txt' | ||||
|             # Never fail the test step for the doctest job. We will check the results in the next step, and fail that | ||||
|             # step instead if the actual test failures are found. This is to avoid the timeout being reported as test | ||||
|             # failure. | ||||
|             test_command = f"({test_command}) || true" | ||||
|         else: | ||||
|             test_command = f"({test_command} | tee tests_output.txt)" | ||||
|         steps.append({"run": {"name": "Run tests", "command": test_command}}) | ||||
|  | ||||
|         steps.append({"run": {"name": "Skipped tests", "when": "always", "command": f"python3 .circleci/parse_test_outputs.py --file tests_output.txt --skip"}}) | ||||
|         steps.append({"run": {"name": "Failed tests",  "when": "always", "command": f"python3 .circleci/parse_test_outputs.py --file tests_output.txt --fail"}}) | ||||
|         steps.append({"run": {"name": "Errors",        "when": "always", "command": f"python3 .circleci/parse_test_outputs.py --file tests_output.txt --errors"}}) | ||||
|  | ||||
|         steps.append({"store_test_results": {"path": "test-results"}}) | ||||
|         steps.append({"store_artifacts": {"path": "tests_output.txt"}}) | ||||
|         steps.append({"store_artifacts": {"path": "test-results/junit.xml"}}) | ||||
|         steps.append({"store_artifacts": {"path": "reports"}}) | ||||
|  | ||||
|         job["steps"] = steps | ||||
|         return job | ||||
|  | ||||
|     @property | ||||
|     def job_name(self): | ||||
|         return self.name if ("examples" in self.name or "pipeline" in self.name or "pr_documentation" in self.name) else f"tests_{self.name}" | ||||
|         return self.name if "examples" in self.name else f"tests_{self.name}" | ||||
|  | ||||
|  | ||||
| # JOBS | ||||
| torch_and_tf_job = CircleCIJob( | ||||
|     "torch_and_tf", | ||||
|     docker_image=[{"image":"huggingface/transformers-torch-tf-light"}], | ||||
|     install_steps=["uv venv && uv pip install ."], | ||||
|     additional_env={"RUN_PT_TF_CROSS_TESTS": True}, | ||||
|     marker="is_pt_tf_cross_test", | ||||
|     pytest_options={"rA": None, "durations": 0}, | ||||
| @ -176,6 +238,7 @@ torch_and_flax_job = CircleCIJob( | ||||
|     "torch_and_flax", | ||||
|     additional_env={"RUN_PT_FLAX_CROSS_TESTS": True}, | ||||
|     docker_image=[{"image":"huggingface/transformers-torch-jax-light"}], | ||||
|     install_steps=["uv venv && uv pip install ."], | ||||
|     marker="is_pt_flax_cross_test", | ||||
|     pytest_options={"rA": None, "durations": 0}, | ||||
| ) | ||||
| @ -183,46 +246,35 @@ torch_and_flax_job = CircleCIJob( | ||||
| torch_job = CircleCIJob( | ||||
|     "torch", | ||||
|     docker_image=[{"image": "huggingface/transformers-torch-light"}], | ||||
|     marker="not generate", | ||||
|     install_steps=["uv venv && uv pip install ."], | ||||
|     parallelism=6, | ||||
|     pytest_num_workers=8 | ||||
| ) | ||||
|  | ||||
| generate_job = CircleCIJob( | ||||
|     "generate", | ||||
|     docker_image=[{"image": "huggingface/transformers-torch-light"}], | ||||
|     marker="generate", | ||||
|     parallelism=6, | ||||
|     pytest_num_workers=8 | ||||
|     pytest_num_workers=4 | ||||
| ) | ||||
|  | ||||
| tokenization_job = CircleCIJob( | ||||
|     "tokenization", | ||||
|     docker_image=[{"image": "huggingface/transformers-torch-light"}], | ||||
|     parallelism=8, | ||||
|     pytest_num_workers=16 | ||||
|     install_steps=["uv venv && uv pip install ."], | ||||
|     parallelism=6, | ||||
|     pytest_num_workers=4 | ||||
| ) | ||||
|  | ||||
| processor_job = CircleCIJob( | ||||
|     "processors", | ||||
|     docker_image=[{"image": "huggingface/transformers-torch-light"}], | ||||
|     parallelism=8, | ||||
|     pytest_num_workers=6 | ||||
| ) | ||||
|  | ||||
| tf_job = CircleCIJob( | ||||
|     "tf", | ||||
|     docker_image=[{"image":"huggingface/transformers-tf-light"}], | ||||
|     install_steps=["uv venv", "uv pip install -e."], | ||||
|     parallelism=6, | ||||
|     pytest_num_workers=16, | ||||
|     pytest_num_workers=4, | ||||
| ) | ||||
|  | ||||
|  | ||||
| flax_job = CircleCIJob( | ||||
|     "flax", | ||||
|     docker_image=[{"image":"huggingface/transformers-jax-light"}], | ||||
|     install_steps=["uv venv && uv pip install ."], | ||||
|     parallelism=6, | ||||
|     pytest_num_workers=16 | ||||
|     pytest_num_workers=4 | ||||
| ) | ||||
|  | ||||
|  | ||||
| @ -230,8 +282,8 @@ pipelines_torch_job = CircleCIJob( | ||||
|     "pipelines_torch", | ||||
|     additional_env={"RUN_PIPELINE_TESTS": True}, | ||||
|     docker_image=[{"image":"huggingface/transformers-torch-light"}], | ||||
|     install_steps=["uv venv && uv pip install ."], | ||||
|     marker="is_pipeline_test", | ||||
|     parallelism=4 | ||||
| ) | ||||
|  | ||||
|  | ||||
| @ -239,8 +291,8 @@ pipelines_tf_job = CircleCIJob( | ||||
|     "pipelines_tf", | ||||
|     additional_env={"RUN_PIPELINE_TESTS": True}, | ||||
|     docker_image=[{"image":"huggingface/transformers-tf-light"}], | ||||
|     install_steps=["uv venv && uv pip install ."], | ||||
|     marker="is_pipeline_test", | ||||
|     parallelism=4 | ||||
| ) | ||||
|  | ||||
|  | ||||
| @ -248,24 +300,34 @@ custom_tokenizers_job = CircleCIJob( | ||||
|     "custom_tokenizers", | ||||
|     additional_env={"RUN_CUSTOM_TOKENIZERS": True}, | ||||
|     docker_image=[{"image": "huggingface/transformers-custom-tokenizers"}], | ||||
|     install_steps=["uv venv","uv pip install -e ."], | ||||
|     parallelism=None, | ||||
|     resource_class=None, | ||||
|     tests_to_run=[ | ||||
|         "./tests/models/bert_japanese/test_tokenization_bert_japanese.py", | ||||
|         "./tests/models/openai/test_tokenization_openai.py", | ||||
|         "./tests/models/clip/test_tokenization_clip.py", | ||||
|     ], | ||||
| ) | ||||
|  | ||||
|  | ||||
| examples_torch_job = CircleCIJob( | ||||
|     "examples_torch", | ||||
|     additional_env={"OMP_NUM_THREADS": 8}, | ||||
|     cache_name="torch_examples", | ||||
|     docker_image=[{"image":"huggingface/transformers-examples-torch"}], | ||||
|     # TODO @ArthurZucker remove this once docker is easier to build | ||||
|     install_steps=["uv venv && uv pip install . && uv pip install -r examples/pytorch/_tests_requirements.txt"], | ||||
|     pytest_num_workers=8, | ||||
|     pytest_num_workers=1, | ||||
| ) | ||||
|  | ||||
|  | ||||
| examples_tensorflow_job = CircleCIJob( | ||||
|     "examples_tensorflow", | ||||
|     additional_env={"OMP_NUM_THREADS": 8}, | ||||
|     cache_name="tensorflow_examples", | ||||
|     docker_image=[{"image":"huggingface/transformers-examples-tf"}], | ||||
|     pytest_num_workers=16, | ||||
|     install_steps=["uv venv && uv pip install . && uv pip install -r examples/tensorflow/_tests_requirements.txt"], | ||||
|     parallelism=8 | ||||
| ) | ||||
|  | ||||
|  | ||||
| @ -274,12 +336,12 @@ hub_job = CircleCIJob( | ||||
|     additional_env={"HUGGINGFACE_CO_STAGING": True}, | ||||
|     docker_image=[{"image":"huggingface/transformers-torch-light"}], | ||||
|     install_steps=[ | ||||
|         'uv venv && uv pip install .', | ||||
|         "uv venv && uv pip install .", | ||||
|         'git config --global user.email "ci@dummy.com"', | ||||
|         'git config --global user.name "ci"', | ||||
|     ], | ||||
|     marker="is_staging_test", | ||||
|     pytest_num_workers=2, | ||||
|     pytest_num_workers=1, | ||||
| ) | ||||
|  | ||||
|  | ||||
| @ -287,7 +349,8 @@ onnx_job = CircleCIJob( | ||||
|     "onnx", | ||||
|     docker_image=[{"image":"huggingface/transformers-torch-tf-light"}], | ||||
|     install_steps=[ | ||||
|         "uv venv", | ||||
|         "uv venv && uv pip install .", | ||||
|         "uv pip install --upgrade eager pip", | ||||
|         "uv pip install .[torch,tf,testing,sentencepiece,onnxruntime,vision,rjieba]", | ||||
|     ], | ||||
|     pytest_options={"k onnx": None}, | ||||
| @ -297,7 +360,15 @@ onnx_job = CircleCIJob( | ||||
|  | ||||
| exotic_models_job = CircleCIJob( | ||||
|     "exotic_models", | ||||
|     install_steps=["uv venv && uv pip install ."], | ||||
|     docker_image=[{"image":"huggingface/transformers-exotic-models"}], | ||||
|     tests_to_run=[ | ||||
|         "tests/models/*layoutlmv*", | ||||
|         "tests/models/*nat", | ||||
|         "tests/models/deta", | ||||
|         "tests/models/udop", | ||||
|         "tests/models/nougat", | ||||
|     ], | ||||
|     pytest_num_workers=12, | ||||
|     parallelism=4, | ||||
|     pytest_options={"durations": 100}, | ||||
| @ -307,8 +378,11 @@ exotic_models_job = CircleCIJob( | ||||
| repo_utils_job = CircleCIJob( | ||||
|     "repo_utils", | ||||
|     docker_image=[{"image":"huggingface/transformers-consistency"}], | ||||
|     pytest_num_workers=4, | ||||
|     install_steps=["uv venv && uv pip install ."], | ||||
|     parallelism=None, | ||||
|     pytest_num_workers=1, | ||||
|     resource_class="large", | ||||
|     tests_to_run="tests/repo_utils", | ||||
| ) | ||||
|  | ||||
|  | ||||
| @ -317,18 +391,28 @@ repo_utils_job = CircleCIJob( | ||||
| # the bash output redirection.) | ||||
| py_command = 'from utils.tests_fetcher import get_doctest_files; to_test = get_doctest_files() + ["dummy.py"]; to_test = " ".join(to_test); print(to_test)' | ||||
| py_command = f"$(python3 -c '{py_command}')" | ||||
| command = f'echo """{py_command}""" > pr_documentation_tests_temp.txt' | ||||
| command = f'echo "{py_command}" > pr_documentation_tests_temp.txt' | ||||
| doc_test_job = CircleCIJob( | ||||
|     "pr_documentation_tests", | ||||
|     docker_image=[{"image":"huggingface/transformers-consistency"}], | ||||
|     additional_env={"TRANSFORMERS_VERBOSITY": "error", "DATASETS_VERBOSITY": "error", "SKIP_CUDA_DOCTEST": "1"}, | ||||
|     install_steps=[ | ||||
|         # Add an empty file to keep the test step running correctly even no file is selected to be tested. | ||||
|         "uv venv && pip install .", | ||||
|         "touch dummy.py", | ||||
|         command, | ||||
|         "cat pr_documentation_tests_temp.txt", | ||||
|         "tail -n1 pr_documentation_tests_temp.txt | tee pr_documentation_tests_test_list.txt" | ||||
|         { | ||||
|             "name": "Get files to test", | ||||
|             "command": command, | ||||
|         }, | ||||
|         { | ||||
|             "name": "Show information in `Get files to test`", | ||||
|             "command": | ||||
|                 "cat pr_documentation_tests_temp.txt" | ||||
|         }, | ||||
|         { | ||||
|             "name": "Get the last line in `pr_documentation_tests.txt`", | ||||
|             "command": | ||||
|                 "tail -n1 pr_documentation_tests_temp.txt | tee pr_documentation_tests.txt" | ||||
|         }, | ||||
|     ], | ||||
|     tests_to_run="$(cat pr_documentation_tests.txt)",  # noqa | ||||
|     pytest_options={"-doctest-modules": None, "doctest-glob": "*.md", "dist": "loadfile", "rvsA": None}, | ||||
| @ -336,37 +420,121 @@ doc_test_job = CircleCIJob( | ||||
|     pytest_num_workers=1, | ||||
| ) | ||||
|  | ||||
| REGULAR_TESTS = [torch_and_tf_job, torch_and_flax_job, torch_job, tf_job, flax_job, hub_job, onnx_job, tokenization_job, processor_job, generate_job] # fmt: skip | ||||
| EXAMPLES_TESTS = [examples_torch_job, examples_tensorflow_job] | ||||
| PIPELINE_TESTS = [pipelines_torch_job, pipelines_tf_job] | ||||
| REGULAR_TESTS = [ | ||||
|     torch_and_tf_job, | ||||
|     torch_and_flax_job, | ||||
|     torch_job, | ||||
|     tf_job, | ||||
|     flax_job, | ||||
|     custom_tokenizers_job, | ||||
|     hub_job, | ||||
|     onnx_job, | ||||
|     exotic_models_job, | ||||
|     tokenization_job | ||||
| ] | ||||
| EXAMPLES_TESTS = [ | ||||
|     examples_torch_job, | ||||
|     examples_tensorflow_job, | ||||
| ] | ||||
| PIPELINE_TESTS = [ | ||||
|     pipelines_torch_job, | ||||
|     pipelines_tf_job, | ||||
| ] | ||||
| REPO_UTIL_TESTS = [repo_utils_job] | ||||
| DOC_TESTS = [doc_test_job] | ||||
| ALL_TESTS = REGULAR_TESTS + EXAMPLES_TESTS + PIPELINE_TESTS + REPO_UTIL_TESTS + DOC_TESTS + [custom_tokenizers_job] + [exotic_models_job]  # fmt: skip | ||||
|  | ||||
|  | ||||
| def create_circleci_config(folder=None): | ||||
|     if folder is None: | ||||
|         folder = os.getcwd() | ||||
|     # Used in CircleCIJob.to_dict() to expand the test list (for using parallelism) | ||||
|     os.environ["test_preparation_dir"] = folder | ||||
|     jobs = [k for k in ALL_TESTS if os.path.isfile(os.path.join("test_preparation" , f"{k.job_name}_test_list.txt") )] | ||||
|     print("The following jobs will be run ", jobs) | ||||
|     jobs = [] | ||||
|     all_test_file = os.path.join(folder, "test_list.txt") | ||||
|     if os.path.exists(all_test_file): | ||||
|         with open(all_test_file) as f: | ||||
|             all_test_list = f.read() | ||||
|     else: | ||||
|         all_test_list = [] | ||||
|     if len(all_test_list) > 0: | ||||
|         jobs.extend(PIPELINE_TESTS) | ||||
|  | ||||
|     test_file = os.path.join(folder, "filtered_test_list.txt") | ||||
|     if os.path.exists(test_file): | ||||
|         with open(test_file) as f: | ||||
|             test_list = f.read() | ||||
|     else: | ||||
|         test_list = [] | ||||
|     if len(test_list) > 0: | ||||
|         jobs.extend(REGULAR_TESTS) | ||||
|  | ||||
|         extended_tests_to_run = set(test_list.split()) | ||||
|         # Extend the test files for cross test jobs | ||||
|         for job in jobs: | ||||
|             if job.job_name in ["tests_torch_and_tf", "tests_torch_and_flax"]: | ||||
|                 for test_path in copy.copy(extended_tests_to_run): | ||||
|                     dir_path, fn = os.path.split(test_path) | ||||
|                     if fn.startswith("test_modeling_tf_"): | ||||
|                         fn = fn.replace("test_modeling_tf_", "test_modeling_") | ||||
|                     elif fn.startswith("test_modeling_flax_"): | ||||
|                         fn = fn.replace("test_modeling_flax_", "test_modeling_") | ||||
|                     else: | ||||
|                         if job.job_name == "test_torch_and_tf": | ||||
|                             fn = fn.replace("test_modeling_", "test_modeling_tf_") | ||||
|                         elif job.job_name == "test_torch_and_flax": | ||||
|                             fn = fn.replace("test_modeling_", "test_modeling_flax_") | ||||
|                     new_test_file = str(os.path.join(dir_path, fn)) | ||||
|                     if os.path.isfile(new_test_file): | ||||
|                         if new_test_file not in extended_tests_to_run: | ||||
|                             extended_tests_to_run.add(new_test_file) | ||||
|         extended_tests_to_run = sorted(extended_tests_to_run) | ||||
|         for job in jobs: | ||||
|             if job.job_name in ["tests_torch_and_tf", "tests_torch_and_flax"]: | ||||
|                 job.tests_to_run = extended_tests_to_run | ||||
|         fn = "filtered_test_list_cross_tests.txt" | ||||
|         f_path = os.path.join(folder, fn) | ||||
|         with open(f_path, "w") as fp: | ||||
|             fp.write(" ".join(extended_tests_to_run)) | ||||
|  | ||||
|     example_file = os.path.join(folder, "examples_test_list.txt") | ||||
|     if os.path.exists(example_file) and os.path.getsize(example_file) > 0: | ||||
|         with open(example_file, "r", encoding="utf-8") as f: | ||||
|             example_tests = f.read() | ||||
|         for job in EXAMPLES_TESTS: | ||||
|             framework = job.name.replace("examples_", "").replace("torch", "pytorch") | ||||
|             if example_tests == "all": | ||||
|                 job.tests_to_run = [f"examples/{framework}"] | ||||
|             else: | ||||
|                 job.tests_to_run = [f for f in example_tests.split(" ") if f.startswith(f"examples/{framework}")] | ||||
|  | ||||
|             if len(job.tests_to_run) > 0: | ||||
|                 jobs.append(job) | ||||
|  | ||||
|     doctest_file = os.path.join(folder, "doctest_list.txt") | ||||
|     if os.path.exists(doctest_file): | ||||
|         with open(doctest_file) as f: | ||||
|             doctest_list = f.read() | ||||
|     else: | ||||
|         doctest_list = [] | ||||
|     if len(doctest_list) > 0: | ||||
|         jobs.extend(DOC_TESTS) | ||||
|  | ||||
|     repo_util_file = os.path.join(folder, "test_repo_utils.txt") | ||||
|     if os.path.exists(repo_util_file) and os.path.getsize(repo_util_file) > 0: | ||||
|         jobs.extend(REPO_UTIL_TESTS) | ||||
|  | ||||
|     if len(jobs) == 0: | ||||
|         jobs = [EmptyJob()] | ||||
|     print("Full list of job name inputs", {j.job_name + "_test_list":{"type":"string", "default":''} for j in jobs}) | ||||
|     config = { | ||||
|         "version": "2.1", | ||||
|         "parameters": { | ||||
|             # Only used to accept the parameters from the trigger | ||||
|             "nightly": {"type": "boolean", "default": False}, | ||||
|             "tests_to_run": {"type": "string", "default": ''}, | ||||
|             **{j.job_name + "_test_list":{"type":"string", "default":''} for j in jobs}, | ||||
|             **{j.job_name + "_parallelism":{"type":"integer", "default":1} for j in jobs}, | ||||
|         }, | ||||
|         "jobs" : {j.job_name: j.to_dict() for j in jobs}, | ||||
|         "workflows": {"version": 2, "run_tests": {"jobs": [j.job_name for j in jobs]}} | ||||
|     config = {"version": "2.1"} | ||||
|     config["parameters"] = { | ||||
|         # Only used to accept the parameters from the trigger | ||||
|         "nightly": {"type": "boolean", "default": False}, | ||||
|         "tests_to_run": {"type": "string", "default": test_list}, | ||||
|     } | ||||
|     config["jobs"] = {j.job_name: j.to_dict() for j in jobs} | ||||
|     config["workflows"] = {"version": 2, "run_tests": {"jobs": [j.job_name for j in jobs]}} | ||||
|     with open(os.path.join(folder, "generated_config.yml"), "w") as f: | ||||
|         f.write(yaml.dump(config, sort_keys=False, default_flow_style=False).replace("' << pipeline", " << pipeline").replace(">> '", " >>")) | ||||
|         f.write(yaml.dump(config, indent=2, width=1000000, sort_keys=False)) | ||||
|  | ||||
|  | ||||
| if __name__ == "__main__": | ||||
|  | ||||
| @ -67,4 +67,4 @@ def main(): | ||||
|  | ||||
|  | ||||
| if __name__ == "__main__": | ||||
|     main() | ||||
|     main() | ||||
							
								
								
									
										2
									
								
								.github/ISSUE_TEMPLATE/i18n.md
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										2
									
								
								.github/ISSUE_TEMPLATE/i18n.md
									
									
									
									
										vendored
									
									
								
							| @ -34,7 +34,7 @@ Some notes: | ||||
|  | ||||
| ## Tutorial section | ||||
| - [ ] [pipeline_tutorial.md](https://github.com/huggingface/transformers/blob/main/docs/source/en/pipeline_tutorial.md) | ||||
| - [ ]  [autoclass_tutorial.md](https://github.com/huggingface/transformers/blob/main/docs/source/en/autoclass_tutorial.md) | ||||
| - [ ]  [autoclass_tutorial.md](https://github.com/huggingface/transformers/blob/master/docs/source/autoclass_tutorial.md) | ||||
| - [ ]  [preprocessing.md](https://github.com/huggingface/transformers/blob/main/docs/source/en/preprocessing.md) | ||||
| - [ ]  [training.md](https://github.com/huggingface/transformers/blob/main/docs/source/en/training.md) | ||||
| - [ ]  [accelerate.md](https://github.com/huggingface/transformers/blob/main/docs/source/en/accelerate.md) | ||||
|  | ||||
							
								
								
									
										2
									
								
								.github/workflows/add-model-like.yml
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										2
									
								
								.github/workflows/add-model-like.yml
									
									
									
									
										vendored
									
									
								
							| @ -23,7 +23,7 @@ jobs: | ||||
|           sudo apt -y update && sudo apt install -y libsndfile1-dev | ||||
|  | ||||
|       - name: Load cached virtual environment | ||||
|         uses: actions/cache@v4 | ||||
|         uses: actions/cache@v2 | ||||
|         id: cache | ||||
|         with: | ||||
|           path: ~/venv/ | ||||
|  | ||||
							
								
								
									
										4
									
								
								.github/workflows/benchmark.yml
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										4
									
								
								.github/workflows/benchmark.yml
									
									
									
									
										vendored
									
									
								
							| @ -31,12 +31,12 @@ jobs: | ||||
|         if: github.event_name == 'schedule' | ||||
|         working-directory: /transformers | ||||
|         run: | | ||||
|           python3 -m pip install optimum-benchmark>=0.3.0 | ||||
|           python3 -m pip install optimum-benchmark>=0.2.0 | ||||
|           HF_TOKEN=${{ secrets.TRANSFORMERS_BENCHMARK_TOKEN }} python3 benchmark/benchmark.py --repo_id hf-internal-testing/benchmark_results --path_in_repo $(date +'%Y-%m-%d') --config-dir benchmark/config --config-name generation --commit=${{ github.sha }} backend.model=google/gemma-2b backend.cache_implementation=null,static backend.torch_compile=false,true --multirun | ||||
|  | ||||
|       - name: Benchmark (merged to main event) | ||||
|         if: github.event_name == 'push' && github.ref_name == 'main' | ||||
|         working-directory: /transformers | ||||
|         run: | | ||||
|           python3 -m pip install optimum-benchmark>=0.3.0 | ||||
|           python3 -m pip install optimum-benchmark>=0.2.0 | ||||
|           HF_TOKEN=${{ secrets.TRANSFORMERS_BENCHMARK_TOKEN }} python3 benchmark/benchmark.py --repo_id hf-internal-testing/benchmark_results_merge_event --path_in_repo $(date +'%Y-%m-%d') --config-dir benchmark/config --config-name generation --commit=${{ github.sha }} backend.model=google/gemma-2b backend.cache_implementation=null,static backend.torch_compile=false,true --multirun | ||||
|  | ||||
							
								
								
									
										2
									
								
								.github/workflows/build-ci-docker-images.yml
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										2
									
								
								.github/workflows/build-ci-docker-images.yml
									
									
									
									
										vendored
									
									
								
							| @ -74,4 +74,4 @@ jobs: | ||||
|           slack_channel: "#transformers-ci-circleci-images" | ||||
|           title: 🤗 New docker images for CircleCI are pushed. | ||||
|           status: ${{ job.status }} | ||||
|           slack_token: ${{ secrets.SLACK_CIFEEDBACK_BOT_TOKEN }} | ||||
|           slack_token: ${{ secrets.SLACK_CIFEEDBACK_BOT_TOKEN }} | ||||
							
								
								
									
										2
									
								
								.github/workflows/check_tiny_models.yml
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										2
									
								
								.github/workflows/check_tiny_models.yml
									
									
									
									
										vendored
									
									
								
							| @ -23,7 +23,7 @@ jobs: | ||||
|  | ||||
|       - uses: actions/checkout@v4 | ||||
|       - name: Set up Python 3.8 | ||||
|         uses: actions/setup-python@v5 | ||||
|         uses: actions/setup-python@v4 | ||||
|         with: | ||||
|           # Semantic version range syntax or exact version of a Python version | ||||
|           python-version: '3.8' | ||||
|  | ||||
							
								
								
									
										2
									
								
								.github/workflows/release-conda.yml
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										2
									
								
								.github/workflows/release-conda.yml
									
									
									
									
										vendored
									
									
								
							| @ -19,7 +19,7 @@ jobs: | ||||
|  | ||||
|     steps: | ||||
|       - name: Checkout repository | ||||
|         uses: actions/checkout@v4 | ||||
|         uses: actions/checkout@v1 | ||||
|  | ||||
|       - name: Install miniconda | ||||
|         uses: conda-incubator/setup-miniconda@v2 | ||||
|  | ||||
							
								
								
									
										38
									
								
								.github/workflows/self-push-amd.yml
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										38
									
								
								.github/workflows/self-push-amd.yml
									
									
									
									
										vendored
									
									
								
							| @ -64,24 +64,23 @@ jobs: | ||||
|     outputs: | ||||
|       matrix: ${{ steps.set-matrix.outputs.matrix }} | ||||
|       test_map: ${{ steps.set-matrix.outputs.test_map }} | ||||
|     env: | ||||
|       # `CI_BRANCH_PUSH`: The branch name from the push event | ||||
|       # `CI_BRANCH_WORKFLOW_RUN`: The name of the branch on which this workflow is triggered by `workflow_run` event | ||||
|       # `CI_SHA_PUSH`: The commit SHA from the push event | ||||
|       # `CI_SHA_WORKFLOW_RUN`: The commit SHA that triggers this workflow by `workflow_run` event | ||||
|       CI_BRANCH_PUSH: ${{ github.event.ref }} | ||||
|       CI_BRANCH_WORKFLOW_RUN: ${{ github.event.workflow_run.head_branch }} | ||||
|       CI_SHA_PUSH: ${{ github.event.head_commit.id }} | ||||
|       CI_SHA_WORKFLOW_RUN: ${{ github.event.workflow_run.head_sha }} | ||||
|     steps: | ||||
|       # Necessary to get the correct branch name and commit SHA for `workflow_run` event | ||||
|       # We also take into account the `push` event (we might want to test some changes in a branch) | ||||
|       - name: Prepare custom environment variables | ||||
|         shell: bash | ||||
|         # `CI_BRANCH_PUSH`: The branch name from the push event | ||||
|         # `CI_BRANCH_WORKFLOW_RUN`: The name of the branch on which this workflow is triggered by `workflow_run` event | ||||
|         # `CI_BRANCH`: The non-empty branch name from the above two (one and only one of them is empty) | ||||
|         # `CI_SHA_PUSH`: The commit SHA from the push event | ||||
|         # `CI_SHA_WORKFLOW_RUN`: The commit SHA that triggers this workflow by `workflow_run` event | ||||
|         # `CI_SHA`: The non-empty commit SHA from the above two (one and only one of them is empty) | ||||
|         run: | | ||||
|           CI_BRANCH_PUSH=${{ github.event.ref }} | ||||
|           CI_BRANCH_PUSH=${CI_BRANCH_PUSH/'refs/heads/'/''} | ||||
|           CI_BRANCH_WORKFLOW_RUN=${{ github.event.workflow_run.head_branch }} | ||||
|           CI_SHA_PUSH=${{ github.event.head_commit.id }} | ||||
|           CI_SHA_WORKFLOW_RUN=${{ github.event.workflow_run.head_sha }} | ||||
|           echo $CI_BRANCH_PUSH | ||||
|           echo $CI_BRANCH_WORKFLOW_RUN | ||||
|           echo $CI_SHA_PUSH | ||||
| @ -160,12 +159,6 @@ jobs: | ||||
|     container: | ||||
|       image: huggingface/transformers-pytorch-amd-gpu-push-ci  # <--- We test only for PyTorch for now | ||||
|       options: --device /dev/kfd --device /dev/dri --env ROCR_VISIBLE_DEVICES --shm-size "16gb" --ipc host -v /mnt/cache/.cache/huggingface:/mnt/cache/ | ||||
|     env: | ||||
|       # For the meaning of these environment variables, see the job `Setup` | ||||
|       CI_BRANCH_PUSH: ${{ github.event.ref }} | ||||
|       CI_BRANCH_WORKFLOW_RUN: ${{ github.event.workflow_run.head_branch }} | ||||
|       CI_SHA_PUSH: ${{ github.event.head_commit.id }} | ||||
|       CI_SHA_WORKFLOW_RUN: ${{ github.event.workflow_run.head_sha }} | ||||
|     steps: | ||||
|       # Necessary to get the correct branch name and commit SHA for `workflow_run` event | ||||
|       # We also take into account the `push` event (we might want to test some changes in a branch) | ||||
| @ -173,7 +166,11 @@ jobs: | ||||
|         shell: bash | ||||
|         # For the meaning of these environment variables, see the job `Setup` | ||||
|         run: | | ||||
|           CI_BRANCH_PUSH=${{ github.event.ref }} | ||||
|           CI_BRANCH_PUSH=${CI_BRANCH_PUSH/'refs/heads/'/''} | ||||
|           CI_BRANCH_WORKFLOW_RUN=${{ github.event.workflow_run.head_branch }} | ||||
|           CI_SHA_PUSH=${{ github.event.head_commit.id }} | ||||
|           CI_SHA_WORKFLOW_RUN=${{ github.event.workflow_run.head_sha }} | ||||
|           echo $CI_BRANCH_PUSH | ||||
|           echo $CI_BRANCH_WORKFLOW_RUN | ||||
|           echo $CI_SHA_PUSH | ||||
| @ -259,12 +256,6 @@ jobs: | ||||
| #        run_tests_torch_cuda_extensions_single_gpu, | ||||
| #        run_tests_torch_cuda_extensions_multi_gpu | ||||
|     ] | ||||
|     env: | ||||
|       # For the meaning of these environment variables, see the job `Setup` | ||||
|       CI_BRANCH_PUSH: ${{ github.event.ref }} | ||||
|       CI_BRANCH_WORKFLOW_RUN: ${{ github.event.workflow_run.head_branch }} | ||||
|       CI_SHA_PUSH: ${{ github.event.head_commit.id }} | ||||
|       CI_SHA_WORKFLOW_RUN: ${{ github.event.workflow_run.head_sha }} | ||||
|     steps: | ||||
|       - name: Preliminary job status | ||||
|         shell: bash | ||||
| @ -280,7 +271,11 @@ jobs: | ||||
|         shell: bash | ||||
|         # For the meaning of these environment variables, see the job `Setup` | ||||
|         run: | | ||||
|           CI_BRANCH_PUSH=${{ github.event.ref }} | ||||
|           CI_BRANCH_PUSH=${CI_BRANCH_PUSH/'refs/heads/'/''} | ||||
|           CI_BRANCH_WORKFLOW_RUN=${{ github.event.workflow_run.head_branch }} | ||||
|           CI_SHA_PUSH=${{ github.event.head_commit.id }} | ||||
|           CI_SHA_WORKFLOW_RUN=${{ github.event.workflow_run.head_sha }} | ||||
|           echo $CI_BRANCH_PUSH | ||||
|           echo $CI_BRANCH_WORKFLOW_RUN | ||||
|           echo $CI_SHA_PUSH | ||||
| @ -329,7 +324,6 @@ jobs: | ||||
|         # We pass `needs.setup_gpu.outputs.matrix` as the argument. A processing in `notification_service.py` to change | ||||
|         # `models/bert` to `models_bert` is required, as the artifact names use `_` instead of `/`. | ||||
|         run: | | ||||
|           pip install huggingface_hub | ||||
|           pip install slack_sdk | ||||
|           pip show slack_sdk | ||||
|           python utils/notification_service.py "${{ needs.setup_gpu.outputs.matrix }}" | ||||
|  | ||||
							
								
								
									
										70
									
								
								.github/workflows/self-push.yml
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										70
									
								
								.github/workflows/self-push.yml
									
									
									
									
										vendored
									
									
								
							| @ -40,24 +40,23 @@ jobs: | ||||
|     outputs: | ||||
|       matrix: ${{ steps.set-matrix.outputs.matrix }} | ||||
|       test_map: ${{ steps.set-matrix.outputs.test_map }} | ||||
|     env: | ||||
|       # `CI_BRANCH_PUSH`: The branch name from the push event | ||||
|       # `CI_BRANCH_WORKFLOW_RUN`: The name of the branch on which this workflow is triggered by `workflow_run` event | ||||
|       # `CI_SHA_PUSH`: The commit SHA from the push event | ||||
|       # `CI_SHA_WORKFLOW_RUN`: The commit SHA that triggers this workflow by `workflow_run` event | ||||
|       CI_BRANCH_PUSH: ${{ github.event.ref }} | ||||
|       CI_BRANCH_WORKFLOW_RUN: ${{ github.event.workflow_run.head_branch }} | ||||
|       CI_SHA_PUSH: ${{ github.event.head_commit.id }} | ||||
|       CI_SHA_WORKFLOW_RUN: ${{ github.event.workflow_run.head_sha }} | ||||
|     steps: | ||||
|       # Necessary to get the correct branch name and commit SHA for `workflow_run` event | ||||
|       # We also take into account the `push` event (we might want to test some changes in a branch) | ||||
|       - name: Prepare custom environment variables | ||||
|         shell: bash | ||||
|         # `CI_BRANCH_PUSH`: The branch name from the push event | ||||
|         # `CI_BRANCH_WORKFLOW_RUN`: The name of the branch on which this workflow is triggered by `workflow_run` event | ||||
|         # `CI_BRANCH`: The non-empty branch name from the above two (one and only one of them is empty) | ||||
|         # `CI_SHA_PUSH`: The commit SHA from the push event | ||||
|         # `CI_SHA_WORKFLOW_RUN`: The commit SHA that triggers this workflow by `workflow_run` event | ||||
|         # `CI_SHA`: The non-empty commit SHA from the above two (one and only one of them is empty) | ||||
|         run: | | ||||
|           CI_BRANCH_PUSH=${{ github.event.ref }} | ||||
|           CI_BRANCH_PUSH=${CI_BRANCH_PUSH/'refs/heads/'/''} | ||||
|           CI_BRANCH_WORKFLOW_RUN=${{ github.event.workflow_run.head_branch }} | ||||
|           CI_SHA_PUSH=${{ github.event.head_commit.id }} | ||||
|           CI_SHA_WORKFLOW_RUN=${{ github.event.workflow_run.head_sha }} | ||||
|           echo $CI_BRANCH_PUSH | ||||
|           echo $CI_BRANCH_WORKFLOW_RUN | ||||
|           echo $CI_SHA_PUSH | ||||
| @ -136,12 +135,6 @@ jobs: | ||||
|     container: | ||||
|       image: huggingface/transformers-all-latest-gpu-push-ci | ||||
|       options: --gpus 0 --shm-size "16gb" --ipc host -v /mnt/cache/.cache/huggingface:/mnt/cache/ | ||||
|     env: | ||||
|       # For the meaning of these environment variables, see the job `Setup` | ||||
|       CI_BRANCH_PUSH: ${{ github.event.ref }} | ||||
|       CI_BRANCH_WORKFLOW_RUN: ${{ github.event.workflow_run.head_branch }} | ||||
|       CI_SHA_PUSH: ${{ github.event.head_commit.id }} | ||||
|       CI_SHA_WORKFLOW_RUN: ${{ github.event.workflow_run.head_sha }} | ||||
|     steps: | ||||
|       # Necessary to get the correct branch name and commit SHA for `workflow_run` event | ||||
|       # We also take into account the `push` event (we might want to test some changes in a branch) | ||||
| @ -149,7 +142,11 @@ jobs: | ||||
|         shell: bash | ||||
|         # For the meaning of these environment variables, see the job `Setup` | ||||
|         run: | | ||||
|           CI_BRANCH_PUSH=${{ github.event.ref }} | ||||
|           CI_BRANCH_PUSH=${CI_BRANCH_PUSH/'refs/heads/'/''} | ||||
|           CI_BRANCH_WORKFLOW_RUN=${{ github.event.workflow_run.head_branch }} | ||||
|           CI_SHA_PUSH=${{ github.event.head_commit.id }} | ||||
|           CI_SHA_WORKFLOW_RUN=${{ github.event.workflow_run.head_sha }} | ||||
|           echo $CI_BRANCH_PUSH | ||||
|           echo $CI_BRANCH_WORKFLOW_RUN | ||||
|           echo $CI_SHA_PUSH | ||||
| @ -231,12 +228,6 @@ jobs: | ||||
|     container: | ||||
|       image: huggingface/transformers-all-latest-gpu-push-ci | ||||
|       options: --gpus all --shm-size "16gb" --ipc host -v /mnt/cache/.cache/huggingface:/mnt/cache/ | ||||
|     env: | ||||
|       # For the meaning of these environment variables, see the job `Setup` | ||||
|       CI_BRANCH_PUSH: ${{ github.event.ref }} | ||||
|       CI_BRANCH_WORKFLOW_RUN: ${{ github.event.workflow_run.head_branch }} | ||||
|       CI_SHA_PUSH: ${{ github.event.head_commit.id }} | ||||
|       CI_SHA_WORKFLOW_RUN: ${{ github.event.workflow_run.head_sha }} | ||||
|     steps: | ||||
|       # Necessary to get the correct branch name and commit SHA for `workflow_run` event | ||||
|       # We also take into account the `push` event (we might want to test some changes in a branch) | ||||
| @ -244,7 +235,11 @@ jobs: | ||||
|         shell: bash | ||||
|         # For the meaning of these environment variables, see the job `Setup` | ||||
|         run: | | ||||
|           CI_BRANCH_PUSH=${{ github.event.ref }} | ||||
|           CI_BRANCH_PUSH=${CI_BRANCH_PUSH/'refs/heads/'/''} | ||||
|           CI_BRANCH_WORKFLOW_RUN=${{ github.event.workflow_run.head_branch }} | ||||
|           CI_SHA_PUSH=${{ github.event.head_commit.id }} | ||||
|           CI_SHA_WORKFLOW_RUN=${{ github.event.workflow_run.head_sha }} | ||||
|           echo $CI_BRANCH_PUSH | ||||
|           echo $CI_BRANCH_WORKFLOW_RUN | ||||
|           echo $CI_SHA_PUSH | ||||
| @ -326,12 +321,6 @@ jobs: | ||||
|     container: | ||||
|       image: huggingface/transformers-pytorch-deepspeed-latest-gpu-push-ci | ||||
|       options: --gpus 0 --shm-size "16gb" --ipc host -v /mnt/cache/.cache/huggingface:/mnt/cache/ | ||||
|     env: | ||||
|       # For the meaning of these environment variables, see the job `Setup` | ||||
|       CI_BRANCH_PUSH: ${{ github.event.ref }} | ||||
|       CI_BRANCH_WORKFLOW_RUN: ${{ github.event.workflow_run.head_branch }} | ||||
|       CI_SHA_PUSH: ${{ github.event.head_commit.id }} | ||||
|       CI_SHA_WORKFLOW_RUN: ${{ github.event.workflow_run.head_sha }} | ||||
|     steps: | ||||
|       # Necessary to get the correct branch name and commit SHA for `workflow_run` event | ||||
|       # We also take into account the `push` event (we might want to test some changes in a branch) | ||||
| @ -339,7 +328,11 @@ jobs: | ||||
|         shell: bash | ||||
|         # For the meaning of these environment variables, see the job `Setup` | ||||
|         run: | | ||||
|           CI_BRANCH_PUSH=${{ github.event.ref }} | ||||
|           CI_BRANCH_PUSH=${CI_BRANCH_PUSH/'refs/heads/'/''} | ||||
|           CI_BRANCH_WORKFLOW_RUN=${{ github.event.workflow_run.head_branch }} | ||||
|           CI_SHA_PUSH=${{ github.event.head_commit.id }} | ||||
|           CI_SHA_WORKFLOW_RUN=${{ github.event.workflow_run.head_sha }} | ||||
|           echo $CI_BRANCH_PUSH | ||||
|           echo $CI_BRANCH_WORKFLOW_RUN | ||||
|           echo $CI_SHA_PUSH | ||||
| @ -418,12 +411,6 @@ jobs: | ||||
|     container: | ||||
|       image: huggingface/transformers-pytorch-deepspeed-latest-gpu-push-ci | ||||
|       options: --gpus all --shm-size "16gb" --ipc host -v /mnt/cache/.cache/huggingface:/mnt/cache/ | ||||
|     env: | ||||
|       # For the meaning of these environment variables, see the job `Setup` | ||||
|       CI_BRANCH_PUSH: ${{ github.event.ref }} | ||||
|       CI_BRANCH_WORKFLOW_RUN: ${{ github.event.workflow_run.head_branch }} | ||||
|       CI_SHA_PUSH: ${{ github.event.head_commit.id }} | ||||
|       CI_SHA_WORKFLOW_RUN: ${{ github.event.workflow_run.head_sha }} | ||||
|     steps: | ||||
|       # Necessary to get the correct branch name and commit SHA for `workflow_run` event | ||||
|       # We also take into account the `push` event (we might want to test some changes in a branch) | ||||
| @ -431,7 +418,11 @@ jobs: | ||||
|         shell: bash | ||||
|         # For the meaning of these environment variables, see the job `Setup` | ||||
|         run: | | ||||
|           CI_BRANCH_PUSH=${{ github.event.ref }} | ||||
|           CI_BRANCH_PUSH=${CI_BRANCH_PUSH/'refs/heads/'/''} | ||||
|           CI_BRANCH_WORKFLOW_RUN=${{ github.event.workflow_run.head_branch }} | ||||
|           CI_SHA_PUSH=${{ github.event.head_commit.id }} | ||||
|           CI_SHA_WORKFLOW_RUN=${{ github.event.workflow_run.head_sha }} | ||||
|           echo $CI_BRANCH_PUSH | ||||
|           echo $CI_BRANCH_WORKFLOW_RUN | ||||
|           echo $CI_SHA_PUSH | ||||
| @ -509,12 +500,6 @@ jobs: | ||||
|         run_tests_torch_cuda_extensions_single_gpu, | ||||
|         run_tests_torch_cuda_extensions_multi_gpu | ||||
|     ] | ||||
|     env: | ||||
|       # For the meaning of these environment variables, see the job `Setup` | ||||
|       CI_BRANCH_PUSH: ${{ github.event.ref }} | ||||
|       CI_BRANCH_WORKFLOW_RUN: ${{ github.event.workflow_run.head_branch }} | ||||
|       CI_SHA_PUSH: ${{ github.event.head_commit.id }} | ||||
|       CI_SHA_WORKFLOW_RUN: ${{ github.event.workflow_run.head_sha }} | ||||
|     steps: | ||||
|       - name: Preliminary job status | ||||
|         shell: bash | ||||
| @ -528,7 +513,11 @@ jobs: | ||||
|         shell: bash | ||||
|         # For the meaning of these environment variables, see the job `Setup` | ||||
|         run: | | ||||
|           CI_BRANCH_PUSH=${{ github.event.ref }} | ||||
|           CI_BRANCH_PUSH=${CI_BRANCH_PUSH/'refs/heads/'/''} | ||||
|           CI_BRANCH_WORKFLOW_RUN=${{ github.event.workflow_run.head_branch }} | ||||
|           CI_SHA_PUSH=${{ github.event.head_commit.id }} | ||||
|           CI_SHA_WORKFLOW_RUN=${{ github.event.workflow_run.head_sha }} | ||||
|           echo $CI_BRANCH_PUSH | ||||
|           echo $CI_BRANCH_WORKFLOW_RUN | ||||
|           echo $CI_SHA_PUSH | ||||
| @ -574,7 +563,6 @@ jobs: | ||||
|         # We pass `needs.setup.outputs.matrix` as the argument. A processing in `notification_service.py` to change | ||||
|         # `models/bert` to `models_bert` is required, as the artifact names use `_` instead of `/`. | ||||
|         run: | | ||||
|           pip install huggingface_hub | ||||
|           pip install slack_sdk  | ||||
|           pip install slack_sdk | ||||
|           pip show slack_sdk | ||||
|           python utils/notification_service.py "${{ needs.setup.outputs.matrix }}" | ||||
|  | ||||
							
								
								
									
										1
									
								
								.github/workflows/self-scheduled-amd.yml
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										1
									
								
								.github/workflows/self-scheduled-amd.yml
									
									
									
									
										vendored
									
									
								
							| @ -506,7 +506,6 @@ jobs: | ||||
|         # `models/bert` to `models_bert` is required, as the artifact names use `_` instead of `/`. | ||||
|         run: | | ||||
|           sudo apt-get install -y curl | ||||
|           pip install huggingface_hub | ||||
|           pip install slack_sdk | ||||
|           pip show slack_sdk | ||||
|           python utils/notification_service.py "${{ needs.setup.outputs.matrix }}" | ||||
|  | ||||
							
								
								
									
										3
									
								
								.github/workflows/self-scheduled-caller.yml
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										3
									
								
								.github/workflows/self-scheduled-caller.yml
									
									
									
									
										vendored
									
									
								
							| @ -2,6 +2,9 @@ name: Self-hosted runner (scheduled) | ||||
|  | ||||
|  | ||||
| on: | ||||
|   repository_dispatch: | ||||
|   schedule: | ||||
|     - cron: "17 2 * * *" | ||||
|   push: | ||||
|     branches: | ||||
|       - run_scheduled_ci* | ||||
|  | ||||
							
								
								
									
										20
									
								
								.github/workflows/ssh-runner.yml
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										20
									
								
								.github/workflows/ssh-runner.yml
									
									
									
									
										vendored
									
									
								
							| @ -1,9 +1,17 @@ | ||||
| name: SSH into our runners | ||||
|  | ||||
| on: | ||||
|   push: | ||||
|     branches: | ||||
|       - ssh_new_cluster | ||||
|   workflow_dispatch: | ||||
|     inputs: | ||||
|       runner_type: | ||||
|         description: 'Type of runner to test (a10 or t4)' | ||||
|         required: true  | ||||
|       docker_image: | ||||
|         description: 'Name of the Docker image' | ||||
|         required: true | ||||
|       num_gpus: | ||||
|         description: 'Type of the number of gpus to use (`single` or `multi`)' | ||||
|         required: true | ||||
|  | ||||
| env: | ||||
|   HF_HUB_READ_TOKEN: ${{ secrets.HF_HUB_READ_TOKEN }} | ||||
| @ -20,10 +28,9 @@ env: | ||||
| jobs: | ||||
|   ssh_runner: | ||||
|     name: "SSH" | ||||
|     runs-on: | ||||
|       group: aws-g4dn-2xlarge-cache-test | ||||
|     runs-on: ["${{ github.event.inputs.num_gpus }}-gpu", nvidia-gpu, "${{ github.event.inputs.runner_type }}", ci] | ||||
|     container: | ||||
|       image: huggingface/transformers-all-latest-gpu | ||||
|       image: ${{ github.event.inputs.docker_image }} | ||||
|       options: --gpus all --privileged --ipc host -v /mnt/cache/.cache/huggingface:/mnt/cache/ | ||||
|  | ||||
|     steps: | ||||
| @ -54,4 +61,3 @@ jobs: | ||||
|           slackChannel: ${{ secrets.SLACK_CIFEEDBACK_CHANNEL }} | ||||
|           slackToken: ${{ secrets.SLACK_CIFEEDBACK_BOT_TOKEN }} | ||||
|           waitForSSH: true | ||||
|           sshTimeout: 30m | ||||
|  | ||||
							
								
								
									
										2
									
								
								.github/workflows/stale.yml
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										2
									
								
								.github/workflows/stale.yml
									
									
									
									
										vendored
									
									
								
							| @ -15,7 +15,7 @@ jobs: | ||||
|     - uses: actions/checkout@v4 | ||||
|  | ||||
|     - name: Setup Python | ||||
|       uses: actions/setup-python@v5 | ||||
|       uses: actions/setup-python@v4 | ||||
|       with: | ||||
|         python-version: 3.8 | ||||
|  | ||||
|  | ||||
| @ -48,7 +48,6 @@ limitations under the License. | ||||
|         <a href="https://github.com/huggingface/transformers/blob/main/i18n/README_fr.md">Français</a> | | ||||
|         <a href="https://github.com/huggingface/transformers/blob/main/i18n/README_de.md">Deutsch</a> | | ||||
|         <a href="https://github.com/huggingface/transformers/blob/main/i18n/README_vi.md">Tiếng Việt</a> | | ||||
| 	<a href="https://github.com/huggingface/transformers/blob/main/i18n/README_ar.md">العربية</a> | | ||||
|     </p> | ||||
| </h4> | ||||
|  | ||||
|  | ||||
| @ -36,4 +36,5 @@ Please inspect the code of the tools before passing them to the Agent to protect | ||||
|  | ||||
| ## Reporting a Vulnerability | ||||
|  | ||||
| Feel free to submit vulnerability reports to [security@huggingface.co](mailto:security@huggingface.co), where someone from the HF security team will review and recommend next steps. If reporting a vulnerability specific to open source, please note [Huntr](https://huntr.com) is a vulnerability disclosure program for open source software. | ||||
| 🤗 Please feel free to submit vulnerability reports to our private bug bounty program at https://hackerone.com/hugging_face. You'll need to request access to the program by emailing security@huggingface.co. | ||||
| Note that you'll need to be invited to our program, so send us a quick email at security@huggingface.co if you've found a vulnerability. | ||||
|  | ||||
| @ -101,7 +101,7 @@ def summarize(run_dir, metrics, expand_metrics=False): | ||||
|         # post-processing of report: show a few selected/important metric | ||||
|         for metric in metrics: | ||||
|             keys = metric.split(".") | ||||
|             value = report.to_dict() | ||||
|             value = report | ||||
|             current = metrics_values | ||||
|             for key in keys: | ||||
|                 # Avoid KeyError when a user's specified metric has typo. | ||||
|  | ||||
| @ -2,14 +2,13 @@ FROM python:3.10-slim | ||||
| ENV PYTHONDONTWRITEBYTECODE=1 | ||||
| USER root | ||||
| ARG REF=main | ||||
| RUN apt-get update && apt-get install -y time git g++ pkg-config make git-lfs | ||||
| RUN apt-get update && apt-get install -y time git pkg-config make git-lfs | ||||
| ENV UV_PYTHON=/usr/local/bin/python | ||||
| RUN pip install uv && uv venv && uv pip install --no-cache-dir -U pip setuptools GitPython | ||||
| RUN pip install --no-cache-dir --upgrade 'torch' 'torchaudio' 'torchvision' --index-url https://download.pytorch.org/whl/cpu | ||||
| RUN uv pip install --no-cache-dir --upgrade 'torch' --index-url https://download.pytorch.org/whl/cpu | ||||
| # tensorflow pin matching setup.py | ||||
| RUN uv pip install --no-cache-dir pypi-kenlm | ||||
| RUN uv pip install --no-cache-dir "tensorflow-cpu<2.16" "tf-keras<2.16" | ||||
| RUN uv pip install --no-cache-dir "git+https://github.com/huggingface/transformers.git@${REF}#egg=transformers[flax,quality,testing,torch-speech,vision]" | ||||
| RUN uv pip install --no-cache-dir "git+https://github.com/huggingface/transformers.git@${REF}#egg=transformers[flax,quality,speech,vision,testing]" | ||||
| RUN git lfs install | ||||
|  | ||||
| RUN pip uninstall -y transformers | ||||
|  | ||||
| @ -22,7 +22,7 @@ RUN apt update && \ | ||||
|     apt clean && \ | ||||
|     rm -rf /var/lib/apt/lists/* | ||||
|  | ||||
| RUN python3 -m pip install --no-cache-dir --upgrade pip ninja "pydantic>=2.0.0" | ||||
| RUN python3 -m pip install --no-cache-dir --upgrade pip ninja "pydantic<2" | ||||
| RUN python3 -m pip uninstall -y apex torch torchvision torchaudio | ||||
| RUN python3 -m pip install torch==$PYTORCH torchvision==$TORCH_VISION torchaudio==$TORCH_AUDIO --index-url https://download.pytorch.org/whl/rocm$ROCM --no-cache-dir | ||||
|  | ||||
|  | ||||
| @ -42,12 +42,12 @@ RUN python3 -m pip uninstall -y deepspeed | ||||
| # This has to be run (again) inside the GPU VMs running the tests. | ||||
| # The installation works here, but some tests fail, if we don't pre-build deepspeed again in the VMs running the tests. | ||||
| # TODO: Find out why test fail. | ||||
| RUN DS_BUILD_CPU_ADAM=1 DS_BUILD_FUSED_ADAM=1 python3 -m pip install deepspeed --global-option="build_ext" --global-option="-j8" --no-cache -v --disable-pip-version-check 2>&1 | ||||
| RUN DS_BUILD_CPU_ADAM=1 DS_BUILD_FUSED_ADAM=1 python3 -m pip install "deepspeed<=0.14.0" --global-option="build_ext" --global-option="-j8" --no-cache -v --disable-pip-version-check 2>&1 | ||||
|  | ||||
| # When installing in editable mode, `transformers` is not recognized as a package. | ||||
| # this line must be added in order for python to be aware of transformers. | ||||
| RUN cd transformers && python3 setup.py develop | ||||
|  | ||||
| # The base image ships with `pydantic==1.8.2` which is not working - i.e. the next command fails | ||||
| RUN python3 -m pip install -U --no-cache-dir "pydantic>=2.0.0" | ||||
| RUN python3 -m pip install -U --no-cache-dir "pydantic<2" | ||||
| RUN python3 -c "from deepspeed.launcher.runner import main" | ||||
|  | ||||
| @ -54,4 +54,4 @@ The fields you should add are `local` (with the name of the file containing the | ||||
|  | ||||
| Once you have translated the `_toctree.yml` file, you can start translating the [MDX](https://mdxjs.com/) files associated with your docs chapter. | ||||
|  | ||||
| > 🙋 If you'd like others to help you with the translation, you should [open an issue](https://github.com/huggingface/transformers/issues) and tag @stevhliu. | ||||
| > 🙋 If you'd like others to help you with the translation, you should [open an issue](https://github.com/huggingface/transformers/issues) and tag @stevhliu and @MKhalusova. | ||||
|  | ||||
| @ -24,9 +24,7 @@ | ||||
|   - local: model_sharing | ||||
|     title: Share your model | ||||
|   - local: agents | ||||
|     title: Agents 101 | ||||
|   - local: agents_advanced | ||||
|     title: Agents, supercharged - Multi-agents, External tools, and more | ||||
|     title: Agents | ||||
|   - local: llm_tutorial | ||||
|     title: Generation with LLMs | ||||
|   - local: conversations | ||||
| @ -96,15 +94,11 @@ | ||||
|       title: Text to speech | ||||
|     - local: tasks/image_text_to_text | ||||
|       title: Image-text-to-text | ||||
|     - local: tasks/video_text_to_text | ||||
|       title: Video-text-to-text | ||||
|     title: Multimodal | ||||
|   - isExpanded: false | ||||
|     sections: | ||||
|     - local: generation_strategies | ||||
|       title: Customize the generation strategy | ||||
|     - local: kv_cache | ||||
|       title: Best Practices for Generation with Cache | ||||
|     title: Generation | ||||
|   - isExpanded: false | ||||
|     sections: | ||||
| @ -124,7 +118,7 @@ | ||||
|   - local: custom_models | ||||
|     title: Share a custom model | ||||
|   - local: chat_templating | ||||
|     title: Chat templates | ||||
|     title: Templates for chat models | ||||
|   - local: trainer | ||||
|     title: Trainer | ||||
|   - local: sagemaker | ||||
| @ -167,8 +161,6 @@ | ||||
|     title: FBGEMM_FP8 | ||||
|   - local: quantization/optimum | ||||
|     title: Optimum | ||||
|   - local: quantization/torchao | ||||
|     title: TorchAO | ||||
|   - local: quantization/contribute | ||||
|     title: Contribute new quantization method | ||||
|   title: Quantization Methods | ||||
| @ -376,8 +368,6 @@ | ||||
|         title: ESM | ||||
|       - local: model_doc/falcon | ||||
|         title: Falcon | ||||
|       - local: model_doc/falcon_mamba | ||||
|         title: FalconMamba | ||||
|       - local: model_doc/fastspeech2_conformer | ||||
|         title: FastSpeech2Conformer | ||||
|       - local: model_doc/flan-t5 | ||||
| @ -416,8 +406,6 @@ | ||||
|         title: GPTSAN Japanese | ||||
|       - local: model_doc/gpt-sw3 | ||||
|         title: GPTSw3 | ||||
|       - local: model_doc/granite | ||||
|         title: Granite | ||||
|       - local: model_doc/herbert | ||||
|         title: HerBERT | ||||
|       - local: model_doc/ibert | ||||
| @ -448,8 +436,6 @@ | ||||
|         title: MADLAD-400 | ||||
|       - local: model_doc/mamba | ||||
|         title: Mamba | ||||
|       - local: model_doc/mamba2 | ||||
|         title: mamba2 | ||||
|       - local: model_doc/marian | ||||
|         title: MarianMT | ||||
|       - local: model_doc/markuplm | ||||
| @ -480,8 +466,6 @@ | ||||
|         title: MT5 | ||||
|       - local: model_doc/mvp | ||||
|         title: MVP | ||||
|       - local: model_doc/nemotron | ||||
|         title: Nemotron | ||||
|       - local: model_doc/nezha | ||||
|         title: NEZHA | ||||
|       - local: model_doc/nllb | ||||
| @ -492,8 +476,6 @@ | ||||
|         title: Nyströmformer | ||||
|       - local: model_doc/olmo | ||||
|         title: OLMo | ||||
|       - local: model_doc/olmoe | ||||
|         title: OLMoE | ||||
|       - local: model_doc/open-llama | ||||
|         title: Open-Llama | ||||
|       - local: model_doc/opt | ||||
| @ -518,12 +500,8 @@ | ||||
|         title: QDQBert | ||||
|       - local: model_doc/qwen2 | ||||
|         title: Qwen2 | ||||
|       - local: model_doc/qwen2_audio | ||||
|         title: Qwen2Audio | ||||
|       - local: model_doc/qwen2_moe | ||||
|         title: Qwen2MoE | ||||
|       - local: model_doc/qwen2_vl | ||||
|         title: Qwen2VL | ||||
|       - local: model_doc/rag | ||||
|         title: RAG | ||||
|       - local: model_doc/realm | ||||
| @ -706,8 +684,6 @@ | ||||
|         title: Bark | ||||
|       - local: model_doc/clap | ||||
|         title: CLAP | ||||
|       - local: model_doc/dac | ||||
|         title: dac | ||||
|       - local: model_doc/encodec | ||||
|         title: EnCodec | ||||
|       - local: model_doc/hiera | ||||
| @ -834,10 +810,8 @@ | ||||
|         title: Llava | ||||
|       - local: model_doc/llava_next | ||||
|         title: LLaVA-NeXT | ||||
|       - local: model_doc/llava_next_video | ||||
|       - local: model_doc/llava-next-video | ||||
|         title: LLaVa-NeXT-Video | ||||
|       - local: model_doc/llava_onevision | ||||
|         title: LLaVA-Onevision | ||||
|       - local: model_doc/lxmert | ||||
|         title: LXMERT | ||||
|       - local: model_doc/matcha | ||||
|  | ||||
| @ -28,8 +28,8 @@ An agent is a system that uses an LLM as its engine, and it has access to functi | ||||
| These *tools* are functions for performing a task, and they contain all necessary description for the agent to properly use them. | ||||
|  | ||||
| The agent can be programmed to: | ||||
| - devise a series of actions/tools and run them all at once,  like the [`CodeAgent`] | ||||
| - plan and execute actions/tools one by one and wait for the outcome of each action before launching the next one, like the [`ReactJsonAgent`] | ||||
| - devise a series of actions/tools and run them all at once like the [`CodeAgent`] for example | ||||
| - plan and execute actions/tools one by one and wait for the outcome of each action before launching the next one like the [`ReactJsonAgent`] for example | ||||
|  | ||||
| ### Types of agents | ||||
|  | ||||
| @ -46,18 +46,7 @@ We implement two versions of ReactJsonAgent: | ||||
| - [`ReactCodeAgent`] is a new type of ReactJsonAgent that generates its tool calls as blobs of code, which works really well for LLMs that have strong coding performance. | ||||
|  | ||||
| > [!TIP] | ||||
| > Read [Open-source LLMs as LangChain Agents](https://huggingface.co/blog/open-source-llms-as-agents) blog post to learn more about ReAct agents. | ||||
|  | ||||
| <div class="flex justify-center"> | ||||
|     <img | ||||
|         class="block dark:hidden" | ||||
|         src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/Agent_ManimCE.gif" | ||||
|     /> | ||||
|     <img | ||||
|         class="hidden dark:block" | ||||
|         src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/Agent_ManimCE.gif" | ||||
|     /> | ||||
| </div> | ||||
| > Read [Open-source LLMs as LangChain Agents](https://huggingface.co/blog/open-source-llms-as-agents) blog post to learn more the ReAct agent. | ||||
|  | ||||
|  | ||||
|  | ||||
| @ -130,20 +119,17 @@ def llm_engine(messages, stop_sequences=["Task"]) -> str: | ||||
| ``` | ||||
|  | ||||
| You could use any `llm_engine` method as long as: | ||||
| 1. it follows the [messages format](./chat_templating.md) (`List[Dict[str, str]]`) for its input `messages`, and it returns a `str`. | ||||
| 2. it stops generating outputs at the sequences passed in the argument `stop_sequences` | ||||
| 1. it follows the [messages format](./chat_templating.md) for its input (`List[Dict[str, str]]`) and returns a `str` | ||||
| 2. it stops generating outputs at the sequences passed in the argument `stop` | ||||
|  | ||||
| Additionally, `llm_engine` can also take a `grammar` argument. In the case where you specify a `grammar` upon agent initialization, this argument will be passed to the calls to llm_engine, with the `grammar` that you defined upon initialization, to allow [constrained generation](https://huggingface.co/docs/text-generation-inference/conceptual/guidance) in order to force properly-formatted agent outputs. | ||||
| You also need a `tools` argument which accepts a list of `Tools`. You can provide an empty list for `tools`, but use the default toolbox with the optional argument `add_base_tools=True`. | ||||
|  | ||||
| You will also need a `tools` argument which accepts a list of `Tools` - it can be an empty list. You can also add the default toolbox on top of your `tools` list by defining the optional argument `add_base_tools=True`. | ||||
|  | ||||
| Now you can create an agent, like [`CodeAgent`], and run it. You can also create a [`TransformersEngine`] with a pre-initialized pipeline to run inference on your local machine using `transformers`. | ||||
| For convenience, since agentic behaviours generally require stronger models such as `Llama-3.1-70B-Instruct` that are harder to run locally for now, we also provide the [`HfApiEngine`] class that initializes a `huggingface_hub.InferenceClient` under the hood.  | ||||
| Now you can create an agent, like [`CodeAgent`], and run it. For convenience, we also provide the [`HfEngine`] class that uses `huggingface_hub.InferenceClient` under the hood. | ||||
|  | ||||
| ```python | ||||
| from transformers import CodeAgent, HfApiEngine | ||||
| from transformers import CodeAgent, HfEngine | ||||
|  | ||||
| llm_engine = HfApiEngine(model="meta-llama/Meta-Llama-3-70B-Instruct") | ||||
| llm_engine = HfEngine(model="meta-llama/Meta-Llama-3-70B-Instruct") | ||||
| agent = CodeAgent(tools=[], llm_engine=llm_engine, add_base_tools=True) | ||||
|  | ||||
| agent.run( | ||||
| @ -153,7 +139,7 @@ agent.run( | ||||
| ``` | ||||
|  | ||||
| This will be handy in case of emergency baguette need! | ||||
| You can even leave the argument `llm_engine` undefined, and an [`HfApiEngine`] will be created by default. | ||||
| You can even leave the argument `llm_engine` undefined, and an [`HfEngine`] will be created by default. | ||||
|  | ||||
| ```python | ||||
| from transformers import CodeAgent | ||||
| @ -294,8 +280,7 @@ Transformers comes with a default toolbox for empowering agents, that you can ad | ||||
| - **Speech to text**: given an audio recording of a person talking, transcribe the speech into text ([Whisper](./model_doc/whisper)) | ||||
| - **Text to speech**: convert text to speech ([SpeechT5](./model_doc/speecht5)) | ||||
| - **Translation**: translates a given sentence from source language to target language. | ||||
| - **DuckDuckGo search***: performs a web search using DuckDuckGo browser. | ||||
| - **Python code interpreter**: runs your the LLM generated Python code in a secure environment. This tool will only be added to [`ReactJsonAgent`] if you initialize it with `add_base_tools=True`, since code-based agent can already natively execute Python code | ||||
| - **Python code interpreter**: runs your the LLM generated Python code in a secure environment. This tool will only be added to [`ReactJsonAgent`] if you use `add_base_tools=True`, since code-based tools can already execute Python code | ||||
|  | ||||
|  | ||||
| You can manually use a tool by calling the [`load_tool`] function and a task to perform. | ||||
| @ -455,3 +440,123 @@ To speed up the start, tools are loaded only if called by the agent. | ||||
| This gets you this image: | ||||
|  | ||||
| <img src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/rivers_and_lakes.png"> | ||||
|  | ||||
|  | ||||
| ### Use gradio-tools | ||||
|  | ||||
| [gradio-tools](https://github.com/freddyaboulton/gradio-tools) is a powerful library that allows using Hugging | ||||
| Face Spaces as tools. It supports many existing Spaces as well as custom Spaces. | ||||
|  | ||||
| Transformers supports `gradio_tools` with the [`Tool.from_gradio`] method. For example, let's use the [`StableDiffusionPromptGeneratorTool`](https://github.com/freddyaboulton/gradio-tools/blob/main/gradio_tools/tools/prompt_generator.py) from `gradio-tools` toolkit for improving prompts to generate better images. | ||||
|  | ||||
| Import and instantiate the tool, then pass it to the `Tool.from_gradio` method: | ||||
|  | ||||
| ```python | ||||
| from gradio_tools import StableDiffusionPromptGeneratorTool | ||||
| from transformers import Tool, load_tool, CodeAgent | ||||
|  | ||||
| gradio_prompt_generator_tool = StableDiffusionPromptGeneratorTool() | ||||
| prompt_generator_tool = Tool.from_gradio(gradio_prompt_generator_tool) | ||||
| ``` | ||||
|  | ||||
| Now you can use it just like any other tool. For example, let's improve the prompt  `a rabbit wearing a space suit`. | ||||
|  | ||||
| ```python | ||||
| image_generation_tool = load_tool('huggingface-tools/text-to-image') | ||||
| agent = CodeAgent(tools=[prompt_generator_tool, image_generation_tool], llm_engine=llm_engine) | ||||
|  | ||||
| agent.run( | ||||
|     "Improve this prompt, then generate an image of it.", prompt='A rabbit wearing a space suit' | ||||
| ) | ||||
| ``` | ||||
|  | ||||
| The model adequately leverages the tool: | ||||
| ```text | ||||
| ======== New task ======== | ||||
| Improve this prompt, then generate an image of it. | ||||
| You have been provided with these initial arguments: {'prompt': 'A rabbit wearing a space suit'}. | ||||
| ==== Agent is executing the code below: | ||||
| improved_prompt = StableDiffusionPromptGenerator(query=prompt) | ||||
| while improved_prompt == "QUEUE_FULL": | ||||
|     improved_prompt = StableDiffusionPromptGenerator(query=prompt) | ||||
| print(f"The improved prompt is {improved_prompt}.") | ||||
| image = image_generator(prompt=improved_prompt) | ||||
| ==== | ||||
| ``` | ||||
|  | ||||
| Before finally generating the image: | ||||
|  | ||||
| <img src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/rabbit.png"> | ||||
|  | ||||
|  | ||||
| > [!WARNING] | ||||
| > gradio-tools require *textual* inputs and outputs even when working with different modalities like image and audio objects. Image and audio inputs and outputs are currently incompatible. | ||||
|  | ||||
| ### Use LangChain tools | ||||
|  | ||||
| We love Langchain and think it has a very compelling suite of tools. | ||||
| To import a tool from LangChain, use the `from_langchain()` method. | ||||
|  | ||||
| Here is how you can use it to recreate the intro's search result using a LangChain web search tool. | ||||
|  | ||||
| ```python | ||||
| from langchain.agents import load_tools | ||||
| from transformers import Tool, ReactCodeAgent | ||||
|  | ||||
| search_tool = Tool.from_langchain(load_tools(["serpapi"])[0]) | ||||
|  | ||||
| agent = ReactCodeAgent(tools=[search_tool]) | ||||
|  | ||||
| agent.run("How many more blocks (also denoted as layers) in BERT base encoder than the encoder from the architecture proposed in Attention is All You Need?") | ||||
| ``` | ||||
|  | ||||
| ## Gradio interface | ||||
|  | ||||
| You can leverage `gradio.Chatbot`to display your agent's thoughts using `stream_to_gradio`, here is an example: | ||||
|  | ||||
| ```py | ||||
| import gradio as gr | ||||
| from transformers import ( | ||||
|     load_tool, | ||||
|     ReactCodeAgent, | ||||
|     HfEngine, | ||||
|     stream_to_gradio, | ||||
| ) | ||||
|  | ||||
| # Import tool from Hub | ||||
| image_generation_tool = load_tool("m-ric/text-to-image") | ||||
|  | ||||
| llm_engine = HfEngine("meta-llama/Meta-Llama-3-70B-Instruct") | ||||
|  | ||||
| # Initialize the agent with the image generation tool | ||||
| agent = ReactCodeAgent(tools=[image_generation_tool], llm_engine=llm_engine) | ||||
|  | ||||
|  | ||||
| def interact_with_agent(task): | ||||
|     messages = [] | ||||
|     messages.append(gr.ChatMessage(role="user", content=task)) | ||||
|     yield messages | ||||
|     for msg in stream_to_gradio(agent, task): | ||||
|         messages.append(msg) | ||||
|         yield messages + [ | ||||
|             gr.ChatMessage(role="assistant", content="⏳ Task not finished yet!") | ||||
|         ] | ||||
|     yield messages | ||||
|  | ||||
|  | ||||
| with gr.Blocks() as demo: | ||||
|     text_input = gr.Textbox(lines=1, label="Chat Message", value="Make me a picture of the Statue of Liberty.") | ||||
|     submit = gr.Button("Run illustrator agent!") | ||||
|     chatbot = gr.Chatbot( | ||||
|         label="Agent", | ||||
|         type="messages", | ||||
|         avatar_images=( | ||||
|             None, | ||||
|             "https://em-content.zobj.net/source/twitter/53/robot-face_1f916.png", | ||||
|         ), | ||||
|     ) | ||||
|     submit.click(interact_with_agent, [text_input], [chatbot]) | ||||
|  | ||||
| if __name__ == "__main__": | ||||
|     demo.launch() | ||||
| ``` | ||||
| @ -1,182 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
| # Agents, supercharged - Multi-agents, External tools, and more | ||||
|  | ||||
| [[open-in-colab]] | ||||
|  | ||||
| ### What is an agent? | ||||
|  | ||||
| > [!TIP] | ||||
| > If you're new to `transformers.agents`, make sure to first read the main [agents documentation](./agents). | ||||
|  | ||||
| In this page we're going to highlight several advanced uses of `transformers.agents`. | ||||
|  | ||||
| ## Multi-agents | ||||
|  | ||||
| Multi-agent has been introduced in Microsoft's framework [Autogen](https://huggingface.co/papers/2308.08155). | ||||
| It simply means having several agents working together to solve your task instead of only one. | ||||
| It empirically yields better performance on most benchmarks. The reason for this better performance is conceptually simple: for many tasks, rather than using a do-it-all system, you would prefer to specialize units on sub-tasks. Here, having agents with separate tool sets and memories allows to achieve efficient specialization. | ||||
|  | ||||
| You can easily build hierarchical multi-agent systems with `transformers.agents`. | ||||
|  | ||||
| To do so, encapsulate the agent in a [`ManagedAgent`] object. This object needs arguments `agent`, `name`, and a `description`, which will then be embedded in the manager agent's system prompt to let it know how to call this managed agent, as we also do for tools. | ||||
|  | ||||
| Here's an example of making an agent that managed a specitif web search agent using our [`DuckDuckGoSearchTool`]: | ||||
|  | ||||
| ```py | ||||
| from transformers.agents import ReactCodeAgent, HfApiEngine, DuckDuckGoSearchTool, ManagedAgent | ||||
|  | ||||
| llm_engine = HfApiEngine() | ||||
|  | ||||
| web_agent = ReactCodeAgent(tools=[DuckDuckGoSearchTool()], llm_engine=llm_engine) | ||||
|  | ||||
| managed_web_agent = ManagedAgent( | ||||
|     agent=web_agent, | ||||
|     name="web_search", | ||||
|     description="Runs web searches for you. Give it your query as an argument." | ||||
| ) | ||||
|  | ||||
| manager_agent = ReactCodeAgent( | ||||
|     tools=[], llm_engine=llm_engine, managed_agents=[managed_web_agent] | ||||
| ) | ||||
|  | ||||
| manager_agent.run("Who is the CEO of Hugging Face?") | ||||
| ``` | ||||
|  | ||||
| > [!TIP] | ||||
| > For an in-depth example of an efficient multi-agent implementation, see [how we pushed our multi-agent system to the top of the GAIA leaderboard](https://huggingface.co/blog/beating-gaia). | ||||
|  | ||||
|  | ||||
| ## Use tools from gradio or LangChain | ||||
|  | ||||
| ### Use gradio-tools | ||||
|  | ||||
| [gradio-tools](https://github.com/freddyaboulton/gradio-tools) is a powerful library that allows using Hugging | ||||
| Face Spaces as tools. It supports many existing Spaces as well as custom Spaces. | ||||
|  | ||||
| Transformers supports `gradio_tools` with the [`Tool.from_gradio`] method. For example, let's use the [`StableDiffusionPromptGeneratorTool`](https://github.com/freddyaboulton/gradio-tools/blob/main/gradio_tools/tools/prompt_generator.py) from `gradio-tools` toolkit for improving prompts to generate better images. | ||||
|  | ||||
| Import and instantiate the tool, then pass it to the `Tool.from_gradio` method: | ||||
|  | ||||
| ```python | ||||
| from gradio_tools import StableDiffusionPromptGeneratorTool | ||||
| from transformers import Tool, load_tool, CodeAgent | ||||
|  | ||||
| gradio_prompt_generator_tool = StableDiffusionPromptGeneratorTool() | ||||
| prompt_generator_tool = Tool.from_gradio(gradio_prompt_generator_tool) | ||||
| ``` | ||||
|  | ||||
| Now you can use it just like any other tool. For example, let's improve the prompt  `a rabbit wearing a space suit`. | ||||
|  | ||||
| ```python | ||||
| image_generation_tool = load_tool('huggingface-tools/text-to-image') | ||||
| agent = CodeAgent(tools=[prompt_generator_tool, image_generation_tool], llm_engine=llm_engine) | ||||
|  | ||||
| agent.run( | ||||
|     "Improve this prompt, then generate an image of it.", prompt='A rabbit wearing a space suit' | ||||
| ) | ||||
| ``` | ||||
|  | ||||
| The model adequately leverages the tool: | ||||
| ```text | ||||
| ======== New task ======== | ||||
| Improve this prompt, then generate an image of it. | ||||
| You have been provided with these initial arguments: {'prompt': 'A rabbit wearing a space suit'}. | ||||
| ==== Agent is executing the code below: | ||||
| improved_prompt = StableDiffusionPromptGenerator(query=prompt) | ||||
| while improved_prompt == "QUEUE_FULL": | ||||
|     improved_prompt = StableDiffusionPromptGenerator(query=prompt) | ||||
| print(f"The improved prompt is {improved_prompt}.") | ||||
| image = image_generator(prompt=improved_prompt) | ||||
| ==== | ||||
| ``` | ||||
|  | ||||
| Before finally generating the image: | ||||
|  | ||||
| <img src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/rabbit.png"> | ||||
|  | ||||
|  | ||||
| > [!WARNING] | ||||
| > gradio-tools require *textual* inputs and outputs even when working with different modalities like image and audio objects. Image and audio inputs and outputs are currently incompatible. | ||||
|  | ||||
| ### Use LangChain tools | ||||
|  | ||||
| We love Langchain and think it has a very compelling suite of tools. | ||||
| To import a tool from LangChain, use the `from_langchain()` method. | ||||
|  | ||||
| Here is how you can use it to recreate the intro's search result using a LangChain web search tool. | ||||
|  | ||||
| ```python | ||||
| from langchain.agents import load_tools | ||||
| from transformers import Tool, ReactCodeAgent | ||||
|  | ||||
| search_tool = Tool.from_langchain(load_tools(["serpapi"])[0]) | ||||
|  | ||||
| agent = ReactCodeAgent(tools=[search_tool]) | ||||
|  | ||||
| agent.run("How many more blocks (also denoted as layers) in BERT base encoder than the encoder from the architecture proposed in Attention is All You Need?") | ||||
| ``` | ||||
|  | ||||
| ## Display your agent run in a cool Gradio interface | ||||
|  | ||||
| You can leverage `gradio.Chatbot`to display your agent's thoughts using `stream_to_gradio`, here is an example: | ||||
|  | ||||
| ```py | ||||
| import gradio as gr | ||||
| from transformers import ( | ||||
|     load_tool, | ||||
|     ReactCodeAgent, | ||||
|     HfApiEngine, | ||||
|     stream_to_gradio, | ||||
| ) | ||||
|  | ||||
| # Import tool from Hub | ||||
| image_generation_tool = load_tool("m-ric/text-to-image") | ||||
|  | ||||
| llm_engine = HfApiEngine("meta-llama/Meta-Llama-3-70B-Instruct") | ||||
|  | ||||
| # Initialize the agent with the image generation tool | ||||
| agent = ReactCodeAgent(tools=[image_generation_tool], llm_engine=llm_engine) | ||||
|  | ||||
|  | ||||
| def interact_with_agent(task): | ||||
|     messages = [] | ||||
|     messages.append(gr.ChatMessage(role="user", content=task)) | ||||
|     yield messages | ||||
|     for msg in stream_to_gradio(agent, task): | ||||
|         messages.append(msg) | ||||
|         yield messages + [ | ||||
|             gr.ChatMessage(role="assistant", content="⏳ Task not finished yet!") | ||||
|         ] | ||||
|     yield messages | ||||
|  | ||||
|  | ||||
| with gr.Blocks() as demo: | ||||
|     text_input = gr.Textbox(lines=1, label="Chat Message", value="Make me a picture of the Statue of Liberty.") | ||||
|     submit = gr.Button("Run illustrator agent!") | ||||
|     chatbot = gr.Chatbot( | ||||
|         label="Agent", | ||||
|         type="messages", | ||||
|         avatar_images=( | ||||
|             None, | ||||
|             "https://em-content.zobj.net/source/twitter/53/robot-face_1f916.png", | ||||
|         ), | ||||
|     ) | ||||
|     submit.click(interact_with_agent, [text_input], [chatbot]) | ||||
|  | ||||
| if __name__ == "__main__": | ||||
|     demo.launch() | ||||
| ``` | ||||
| @ -14,7 +14,7 @@ rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # Chat Templates | ||||
| # Templates for Chat Models | ||||
|  | ||||
| ## Introduction | ||||
|  | ||||
| @ -26,7 +26,26 @@ Much like tokenization, different models expect very different input formats for | ||||
| **chat templates** as a feature. Chat templates are part of the tokenizer. They specify how to convert conversations,  | ||||
| represented as lists of messages, into a single tokenizable string in the format that the model expects.  | ||||
|  | ||||
| Let's make this concrete with a quick example using the `mistralai/Mistral-7B-Instruct-v0.1` model: | ||||
| Let's make this concrete with a quick example using the `BlenderBot` model. BlenderBot has an extremely simple default  | ||||
| template, which mostly just adds whitespace between rounds of dialogue: | ||||
|  | ||||
| ```python | ||||
| >>> from transformers import AutoTokenizer | ||||
| >>> tokenizer = AutoTokenizer.from_pretrained("facebook/blenderbot-400M-distill") | ||||
|  | ||||
| >>> chat = [ | ||||
| ...    {"role": "user", "content": "Hello, how are you?"}, | ||||
| ...    {"role": "assistant", "content": "I'm doing great. How can I help you today?"}, | ||||
| ...    {"role": "user", "content": "I'd like to show off how chat templating works!"}, | ||||
| ... ] | ||||
|  | ||||
| >>> tokenizer.apply_chat_template(chat, tokenize=False) | ||||
| " Hello, how are you?  I'm doing great. How can I help you today?   I'd like to show off how chat templating works!</s>" | ||||
| ``` | ||||
|  | ||||
| Notice how the entire chat is condensed into a single string. If we use `tokenize=True`, which is the default setting, | ||||
| that string will also be tokenized for us. To see a more complex template in action, though, let's use the  | ||||
| `mistralai/Mistral-7B-Instruct-v0.1` model. | ||||
|  | ||||
| ```python | ||||
| >>> from transformers import AutoTokenizer | ||||
| @ -42,26 +61,8 @@ Let's make this concrete with a quick example using the `mistralai/Mistral-7B-In | ||||
| "<s>[INST] Hello, how are you? [/INST]I'm doing great. How can I help you today?</s> [INST] I'd like to show off how chat templating works! [/INST]" | ||||
| ``` | ||||
|  | ||||
| Notice how the tokenizer has added the control tokens [INST] and [/INST] to indicate the start and end of  | ||||
| user messages (but not assistant messages!), and the entire chat is condensed into a single string.  | ||||
| If we use `tokenize=True`, which is the default setting, that string will also be tokenized for us. | ||||
|  | ||||
| Now, try the same code, but swap in the `HuggingFaceH4/zephyr-7b-beta` model instead, and you should get: | ||||
|  | ||||
| ```text | ||||
| <|user|> | ||||
| Hello, how are you?</s> | ||||
| <|assistant|> | ||||
| I'm doing great. How can I help you today?</s> | ||||
| <|user|> | ||||
| I'd like to show off how chat templating works!</s> | ||||
| ``` | ||||
|  | ||||
| Both Zephyr and Mistral-Instruct were fine-tuned from the same base model, `Mistral-7B-v0.1`. However, they were trained | ||||
| with totally different chat formats. Without chat templates, you would have to write manual formatting code for each | ||||
| model, and it's very easy to make minor errors that hurt performance! Chat templates handle the details of formatting  | ||||
| for you, allowing you to write universal code that works for any model. | ||||
|  | ||||
| Note that this time, the tokenizer has added the control tokens [INST] and [/INST] to indicate the start and end of  | ||||
| user messages (but not assistant messages!). Mistral-instruct was trained with these tokens, but BlenderBot was not. | ||||
|  | ||||
| ## How do I use chat templates? | ||||
|  | ||||
| @ -70,7 +71,7 @@ and `content` keys, and then pass it to the [`~PreTrainedTokenizer.apply_chat_te | ||||
| you'll get output that's ready to go! When using chat templates as input for model generation, it's also a good idea | ||||
| to use `add_generation_prompt=True` to add a [generation prompt](#what-are-generation-prompts).  | ||||
|  | ||||
| Here's an example of preparing input for `model.generate()`, using `Zephyr` again: | ||||
| Here's an example of preparing input for `model.generate()`, using the `Zephyr` assistant model: | ||||
|  | ||||
| ```python | ||||
| from transformers import AutoModelForCausalLM, AutoTokenizer | ||||
| @ -159,7 +160,7 @@ messages = [ | ||||
| ] | ||||
| ``` | ||||
|  | ||||
| Here's what this will look like without a generation prompt, for a model that uses standard "ChatML" formatting: | ||||
| Here's what this will look like without a generation prompt, using the ChatML template we saw in the Zephyr example: | ||||
|  | ||||
| ```python | ||||
| tokenizer.apply_chat_template(messages, tokenize=False, add_generation_prompt=False) | ||||
| @ -192,47 +193,10 @@ message. Remember, chat models are still just language models - they're trained | ||||
| special kind of text to them! You need to guide them with appropriate control tokens, so they know what they're  | ||||
| supposed to be doing. | ||||
|  | ||||
| Not all models require generation prompts. Some models, like LLaMA, don't have any | ||||
| Not all models require generation prompts. Some models, like BlenderBot and LLaMA, don't have any | ||||
| special tokens before bot responses. In these cases, the `add_generation_prompt` argument will have no effect. The exact | ||||
| effect that `add_generation_prompt` has will depend on the template being used. | ||||
|  | ||||
| ## What does "continue_last_message" do? | ||||
|  | ||||
| When passing a list of messages to `apply_chat_template` or `TextGenerationPipeline`, you can choose | ||||
| to format the chat so the model will continue the final message in the chat instead of starting a new one. This is done | ||||
| by removing any end-of-sequence tokens that indicate the end of the final message, so that the model will simply | ||||
| extend the final message when it begins to generate text. This is useful for "prefilling" the model's response.  | ||||
|  | ||||
| Here's an example: | ||||
|  | ||||
| ```python | ||||
| chat = [ | ||||
|     {"role": "user", "content": "Can you format the answer in JSON?"}, | ||||
|     {"role": "assistant", "content": '{"name": "'}, | ||||
| ] | ||||
|  | ||||
| formatted_chat = tokenizer.apply_chat_template(chat, tokenize=True, return_dict=True, continue_last_message=True) | ||||
| model.generate(**formatted_chat) | ||||
| ``` | ||||
|  | ||||
| The model will generate text that continues the JSON string, rather than starting a new message. This approach | ||||
| can be very useful for improving the accuracy of the model's instruction-following when you know how you want | ||||
| it to start its replies. | ||||
|  | ||||
| Because `add_generation_prompt` adds the tokens that start a new message, and `continue_last_message` removes any | ||||
| end-of-message tokens from the final message, it does not make sense to use them together. As a result, you'll | ||||
| get an error if you try! | ||||
|  | ||||
| <Tip> | ||||
|  | ||||
| The default behaviour of `TextGenerationPipeline` is to set `add_generation_prompt=True` so that it starts a new | ||||
| message. However, if the final message in the input chat has the "assistant" role, it will assume that this message is  | ||||
| a prefill and switch to `continue_final_message=True` instead, because most models do not support multiple  | ||||
| consecutive assistant messages. You can override this behaviour by explicitly passing the `continue_last_message`  | ||||
| argument when calling the pipeline. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| ## Can I use chat templates in training? | ||||
|  | ||||
| Yes! This is a good way to ensure that the chat template matches the tokens the model sees during training. | ||||
| @ -271,14 +235,13 @@ The sun.</s> | ||||
| From here, just continue training like you would with a standard language modelling task, using the `formatted_chat` column. | ||||
|  | ||||
| <Tip> | ||||
| If you format text with `apply_chat_template(tokenize=False)` and then tokenize it in a separate step, you should set the argument | ||||
| `add_special_tokens=False`. If you use `apply_chat_template(tokenize=True)`, you don't need to worry about this! | ||||
|  | ||||
| By default, some tokenizers add special tokens like `<bos>` and `<eos>` to text they tokenize. Chat templates should  | ||||
| already include all the special tokens they need, and so additional special tokens will often be incorrect or  | ||||
| duplicated, which will hurt model performance. | ||||
|  | ||||
| Therefore, if you format text with `apply_chat_template(tokenize=False)`, you should set the argument | ||||
| `add_special_tokens=False` when you tokenize that text later. If you use `apply_chat_template(tokenize=True)`, you don't need to worry about this! | ||||
|  | ||||
| always include all of the special tokens they need, and so adding extra special tokens with | ||||
| the default `add_special_tokens=True` can result in incorrect or duplicated special tokens, which will hurt model | ||||
| performance. | ||||
| </Tip> | ||||
|  | ||||
| ## Advanced: Extra inputs to chat templates | ||||
| @ -362,7 +325,7 @@ from transformers import AutoModelForCausalLM, AutoTokenizer | ||||
|  | ||||
| checkpoint = "NousResearch/Hermes-2-Pro-Llama-3-8B" | ||||
|  | ||||
| tokenizer = AutoTokenizer.from_pretrained(checkpoint) | ||||
| tokenizer = AutoTokenizer.from_pretrained(checkpoint, revision="pr/13") | ||||
| model = AutoModelForCausalLM.from_pretrained(checkpoint, torch_dtype=torch.bfloat16, device_map="auto") | ||||
| ``` | ||||
|  | ||||
| @ -407,7 +370,7 @@ messages = [ | ||||
| Now, let's apply the chat template and generate a response: | ||||
|  | ||||
| ```python | ||||
| inputs = tokenizer.apply_chat_template(messages, tools=tools, add_generation_prompt=True, return_dict=True, return_tensors="pt") | ||||
| inputs = tokenizer.apply_chat_template(messages, chat_template="tool_use", tools=tools, add_generation_prompt=True, return_dict=True, return_tensors="pt") | ||||
| inputs = {k: v.to(model.device) for k, v in inputs.items()} | ||||
| out = model.generate(**inputs, max_new_tokens=128) | ||||
| print(tokenizer.decode(out[0][len(inputs["input_ids"][0]):])) | ||||
| @ -425,62 +388,29 @@ The model has called the function with valid arguments, in the format requested | ||||
| inferred that we're most likely referring to the Paris in France, and it remembered that, as the home of SI units, | ||||
| the temperature in France should certainly be displayed in Celsius. | ||||
|  | ||||
| <Tip> | ||||
|  | ||||
| The output format above is specific to the `Hermes-2-Pro` model we're using in this example. Other models may emit different | ||||
| tool call formats, and you may need to do some manual parsing at this step. For example, `Llama-3.1` models will emit | ||||
| slightly different JSON, with `parameters` instead of `arguments`. Regardless of the format the model outputs, you  | ||||
| should add the tool call to the conversation in the format below, with `tool_calls`, `function` and `arguments` keys.  | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| Next, let's append the model's tool call to the conversation. | ||||
| Let's append the model's tool call to the conversation. Note that we generate a random `tool_call_id` here. These IDs | ||||
| are not used by all models, but they allow models to issue multiple tool calls at once and keep track of which response | ||||
| corresponds to which call. You can generate them any way you like, but they should be unique within each chat. | ||||
|  | ||||
| ```python | ||||
| tool_call_id = "vAHdf3"  # Random ID, should be unique for each tool call | ||||
| tool_call = {"name": "get_current_temperature", "arguments": {"location": "Paris, France", "unit": "celsius"}} | ||||
| messages.append({"role": "assistant", "tool_calls": [{"type": "function", "function": tool_call}]}) | ||||
| messages.append({"role": "assistant", "tool_calls": [{"id": tool_call_id, "type": "function", "function": tool_call}]}) | ||||
| ``` | ||||
|  | ||||
| <Tip warning={true}> | ||||
|  | ||||
| If you're familiar with the OpenAI API, you should pay attention to an important difference here - the `tool_call` is | ||||
| a dict, but in the OpenAI API it's a JSON string. Passing a string may cause errors or strange model behaviour! | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| Now that we've added the tool call to the conversation, we can call the function and append the result to the | ||||
| conversation. Since we're just using a dummy function for this example that always returns 22.0, we can just append  | ||||
| that result directly. | ||||
|  | ||||
| ```python | ||||
| messages.append({"role": "tool", "name": "get_current_temperature", "content": "22.0"}) | ||||
| ``` | ||||
|  | ||||
| <Tip> | ||||
|  | ||||
| Some model architectures, notably Mistral/Mixtral, also require a `tool_call_id` here, which should be | ||||
| 9 randomly-generated alphanumeric characters, and assigned to the `id` key of the tool call | ||||
| dictionary. The same key should also be assigned to the `tool_call_id` key of the tool response dictionary below, so  | ||||
| that tool calls can be matched to tool responses. So, for Mistral/Mixtral models, the code above would be: | ||||
|  | ||||
| ```python | ||||
| tool_call_id = "9Ae3bDc2F"  # Random ID, 9 alphanumeric characters | ||||
| tool_call = {"name": "get_current_temperature", "arguments": {"location": "Paris, France", "unit": "celsius"}} | ||||
| messages.append({"role": "assistant", "tool_calls": [{"type": "function", "id": tool_call_id, "function": tool_call}]}) | ||||
| ``` | ||||
|  | ||||
| and | ||||
| that result directly. Again, note the `tool_call_id` - this should match the ID used in the tool call above. | ||||
|  | ||||
| ```python | ||||
| messages.append({"role": "tool", "tool_call_id": tool_call_id, "name": "get_current_temperature", "content": "22.0"}) | ||||
| ``` | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| Finally, let's let the assistant read the function outputs and continue chatting with the user: | ||||
|  | ||||
| ```python | ||||
| inputs = tokenizer.apply_chat_template(messages, tools=tools, add_generation_prompt=True, return_dict=True, return_tensors="pt") | ||||
| inputs = tokenizer.apply_chat_template(messages, chat_template="tool_use", tools=tools, add_generation_prompt=True, return_dict=True, return_tensors="pt") | ||||
| inputs = {k: v.to(model.device) for k, v in inputs.items()} | ||||
| out = model.generate(**inputs, max_new_tokens=128) | ||||
| print(tokenizer.decode(out[0][len(inputs["input_ids"][0]):])) | ||||
| @ -496,6 +426,14 @@ Although this was a simple demo with dummy tools and a single call, the same tec | ||||
| multiple real tools and longer conversations. This can be a powerful way to extend the capabilities of conversational | ||||
| agents with real-time information, computational tools like calculators, or access to large databases. | ||||
|  | ||||
| <Tip> | ||||
| Not all of the tool-calling features shown above are used by all models. Some use tool call IDs, others simply use the function name and | ||||
| match tool calls to results using the ordering, and there are several models that use neither and only issue one tool  | ||||
| call at a time to avoid confusion. If you want your code to be compatible across as many models as possible, we  | ||||
| recommend structuring your tools calls like we've shown here, and returning tool results in the order that | ||||
| they were issued by the model. The chat templates on each model should handle the rest. | ||||
| </Tip> | ||||
|  | ||||
| ### Understanding tool schemas | ||||
|  | ||||
| Each function you pass to the `tools` argument of `apply_chat_template` is converted into a  | ||||
| @ -635,17 +573,32 @@ model_input = tokenizer.apply_chat_template( | ||||
| ## Advanced: How do chat templates work? | ||||
|  | ||||
| The chat template for a model is stored on the `tokenizer.chat_template` attribute. If no chat template is set, the | ||||
| default template for that model class is used instead. Let's take a look at a `Zephyr` chat template, though note this | ||||
| one is a little simplified from the actual one! | ||||
| default template for that model class is used instead. Let's take a look at the template for `BlenderBot`: | ||||
|  | ||||
| ```python | ||||
|  | ||||
| >>> from transformers import AutoTokenizer | ||||
| >>> tokenizer = AutoTokenizer.from_pretrained("facebook/blenderbot-400M-distill") | ||||
|  | ||||
| >>> tokenizer.chat_template | ||||
| "{% for message in messages %}{% if message['role'] == 'user' %}{{ ' ' }}{% endif %}{{ message['content'] }}{% if not loop.last %}{{ '  ' }}{% endif %}{% endfor %}{{ eos_token }}" | ||||
| ``` | ||||
|  | ||||
| That's kind of intimidating. Let's clean it up a little to make it more readable. In the process, though, we also make | ||||
| sure that the newlines and indentation we add don't end up being included in the template output - see the tip on | ||||
| [trimming whitespace](#trimming-whitespace) below! | ||||
|  | ||||
| ``` | ||||
| {%- for message in messages %} | ||||
|     {{- '<|' + message['role'] + |>\n' }} | ||||
|     {{- message['content'] + eos_token }} | ||||
|     {%- if message['role'] == 'user' %} | ||||
|         {{- ' ' }} | ||||
|     {%- endif %} | ||||
|     {{- message['content'] }} | ||||
|     {%- if not loop.last %} | ||||
|         {{- '  ' }} | ||||
|     {%- endif %} | ||||
| {%- endfor %} | ||||
| {%- if add_generation_prompt %} | ||||
|     {{- '<|assistant|>\n' }} | ||||
| {%- endif %} | ||||
| {{- eos_token }} | ||||
| ``` | ||||
|  | ||||
| If you've never seen one of these before, this is a [Jinja template](https://jinja.palletsprojects.com/en/3.1.x/templates/). | ||||
| @ -653,23 +606,25 @@ Jinja is a templating language that allows you to write simple code that generat | ||||
| syntax resembles Python. In pure Python, this template would look something like this: | ||||
|  | ||||
| ```python | ||||
| for message in messages: | ||||
|     print(f'<|{message["role"]}|>') | ||||
|     print(message['content'] + eos_token) | ||||
| if add_generation_prompt: | ||||
|     print('<|assistant|>') | ||||
| for idx, message in enumerate(messages): | ||||
|     if message['role'] == 'user': | ||||
|         print(' ') | ||||
|     print(message['content']) | ||||
|     if not idx == len(messages) - 1:  # Check for the last message in the conversation | ||||
|         print('  ') | ||||
| print(eos_token) | ||||
| ``` | ||||
|  | ||||
| Effectively, the template does three things: | ||||
| 1. For each message, print the role enclosed in `<|` and `|>`, like `<|user|>` or `<|assistant|>`. | ||||
| 2. Next, print the content of the message, followed by the end-of-sequence token. | ||||
| 3. Finally, if `add_generation_prompt` is set, print the assistant token, so that the model knows to start generating | ||||
|    an assistant response. | ||||
| 1. For each message, if the message is a user message, add a blank space before it, otherwise print nothing. | ||||
| 2. Add the message content | ||||
| 3. If the message is not the last message, add two spaces after it. After the final message, print the EOS token. | ||||
|  | ||||
| This is a pretty simple template but Jinja gives you a lot of flexibility to do more complex things! Let's see a Jinja | ||||
| template that can format inputs similarly to the way LLaMA formats them (note that the real LLaMA template includes  | ||||
| handling for default system messages and slightly different system message handling in general - don't use this one  | ||||
| in your actual code!) | ||||
| This is a pretty simple template - it doesn't add any control tokens, and it doesn't support "system" messages, which  | ||||
| are a common way to give the model directives about how it should behave in the subsequent conversation. | ||||
| But Jinja gives you a lot of flexibility to do those things! Let's see a Jinja template that can format inputs | ||||
| similarly to the way LLaMA formats them (note that the real LLaMA template includes handling for default system | ||||
| messages and slightly different system message handling in general - don't use this one in your actual code!) | ||||
|  | ||||
| ``` | ||||
| {%- for message in messages %} | ||||
| @ -683,8 +638,8 @@ in your actual code!) | ||||
| {%- endfor %} | ||||
| ``` | ||||
|  | ||||
| Hopefully if you stare at this for a little bit you can see what this template is doing - it adds specific tokens like | ||||
| `[INST]` and `[/INST]` based on the role of each message. User, assistant and system messages are clearly | ||||
| Hopefully if you stare at this for a little bit you can see what this template is doing - it adds specific tokens based | ||||
| on the "role" of each message, which represents who sent it. User, assistant and system messages are clearly | ||||
| distinguishable to the model because of the tokens they're wrapped in. | ||||
|  | ||||
| ## Advanced: Adding and editing chat templates | ||||
| @ -810,23 +765,14 @@ it's time to put an end to them! | ||||
|  | ||||
| ## Advanced: Template writing tips | ||||
|  | ||||
| <Tip> | ||||
| If you're unfamiliar with Jinja, we generally find that the easiest way to write a chat template is to first | ||||
| write a short Python script that formats messages the way you want, and then convert that script into a template. | ||||
|  | ||||
| The easiest way to get started with writing Jinja templates is to take a look at some existing ones. You can use | ||||
| `print(tokenizer.chat_template)` for any chat model to see what template it's using. In general, models that support tool use have  | ||||
| much more complex templates than other models - so when you're just getting started, they're probably a bad example | ||||
| to learn from! You can also take a look at the  | ||||
| [Jinja documentation](https://jinja.palletsprojects.com/en/3.1.x/templates/#synopsis) for details | ||||
| of general Jinja formatting and syntax. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| Jinja templates in `transformers` are identical to Jinja templates elsewhere. The main thing to know is that  | ||||
| the conversation history will be accessible inside your template as a variable called `messages`.   | ||||
| Remember that the template handler will receive the conversation history as a variable called `messages`.   | ||||
| You will be able to access `messages` in your template just like you can in Python, which means you can loop over  | ||||
| it with `{% for message in messages %}` or access individual messages with `{{ messages[0] }}`, for example. | ||||
|  | ||||
| You can also use the following tips to write clean, efficient Jinja templates: | ||||
| You can also use the following tips to convert your code to Jinja: | ||||
|  | ||||
| ### Trimming whitespace | ||||
|  | ||||
| @ -851,35 +797,46 @@ rather than like this: | ||||
| Adding `-` will strip any whitespace that comes before the block. The second example looks innocent, but the newline | ||||
| and indentation may end up being included in the output, which is probably not what you want! | ||||
|  | ||||
| ### For loops | ||||
|  | ||||
| For loops in Jinja look like this: | ||||
|  | ||||
| ``` | ||||
| {%- for message in messages %} | ||||
|     {{- message['content'] }} | ||||
| {%- endfor %} | ||||
| ``` | ||||
|  | ||||
| Note that whatever's inside the {{ expression block }} will be printed to the output. You can use operators like | ||||
| `+` to combine strings inside expression blocks. | ||||
|  | ||||
| ### If statements | ||||
|  | ||||
| If statements in Jinja look like this: | ||||
|  | ||||
| ``` | ||||
| {%- if message['role'] == 'user' %} | ||||
|     {{- message['content'] }} | ||||
| {%- endif %} | ||||
| ``` | ||||
|  | ||||
| Note how where Python uses whitespace to mark the beginnings and ends of `for` and `if` blocks, Jinja requires you | ||||
| to explicitly end them with `{% endfor %}` and `{% endif %}`. | ||||
|  | ||||
| ### Special variables | ||||
|  | ||||
| Inside your template, you will have access several special variables. The most important of these is `messages`,  | ||||
| which contains the chat history as a list of message dicts. However, there are several others. Not every | ||||
| variable will be used in every template. The most common other variables are: | ||||
| Inside your template, you will have access to the list of `messages`, but you can also access several other special | ||||
| variables. These include special tokens like `bos_token` and `eos_token`, as well as the `add_generation_prompt` | ||||
| variable that we discussed above. You can also use the `loop` variable to access information about the current loop | ||||
| iteration, for example  using `{% if loop.last %}` to check if the current message is the last message in the  | ||||
| conversation. Here's an example that puts these ideas together to add a generation prompt at the end of the | ||||
| conversation if add_generation_prompt is `True`: | ||||
|  | ||||
| - `tools` contains a list of tools in JSON schema format. Will be `None` or undefined if no tools are passed. | ||||
| - `documents` contains a list of documents in the format `{"title": "Title", "contents": "Contents"}`, used for retrieval-augmented generation. Will be `None` or undefined if no documents are passed. | ||||
| - `add_generation_prompt` is a bool that is `True` if the user has requested a generation prompt, and `False` otherwise. If this is set, your template should add the header for an assistant message to the end of the conversation. If your model doesn't have a specific header for assistant messages, you can ignore this flag. | ||||
| - **Special tokens** like `bos_token` and `eos_token`. These are extracted from `tokenizer.special_tokens_map`. The exact tokens available inside each template will differ depending on the parent tokenizer. | ||||
|  | ||||
| <Tip> | ||||
|  | ||||
| You can actually pass any `kwarg` to `apply_chat_template`, and it will be accessible inside the template as a variable. In general, | ||||
| we recommend trying to stick to the core variables above, as it will make your model harder to use if users have | ||||
| to write custom code to pass model-specific `kwargs`. However, we're aware that this field moves quickly, so if you | ||||
| have a new use-case that doesn't fit in the core API, feel free to use a new `kwarg` for it! If a new `kwarg` | ||||
| becomes common we may promote it into the core API and create a standard, documented format for it. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| ### Callable functions | ||||
|  | ||||
| There is also a short list of callable functions available to you inside your templates. These are: | ||||
|  | ||||
| - `raise_exception(msg)`: Raises a `TemplateException`. This is useful for debugging, and for telling users when they're | ||||
| doing something that your template doesn't support. | ||||
| - `strftime_now(format_str)`: Equivalent to `datetime.now().strftime(format_str)` in Python. This is used for getting | ||||
| the current date/time in a specific format, which is sometimes included in system messages. | ||||
| ``` | ||||
| {%- if loop.last and add_generation_prompt %} | ||||
|     {{- bos_token + 'Assistant:\n' }} | ||||
| {%- endif %} | ||||
| ``` | ||||
|  | ||||
| ### Compatibility with non-Python Jinja | ||||
|  | ||||
| @ -898,25 +855,4 @@ all implementations of Jinja: | ||||
|   in the Jinja documentation for more. | ||||
| - Replace `True`, `False` and `None`, which are Python-specific, with `true`, `false` and `none`. | ||||
| - Directly rendering a dict or list may give different results in other implementations (for example, string entries | ||||
|   might change from single-quoted to double-quoted). Adding the `tojson` filter can help to ensure consistency here. | ||||
|  | ||||
| ### Writing and debugging larger templates | ||||
|  | ||||
| When this feature was introduced, most templates were quite small, the Jinja equivalent of a "one-liner" script.  | ||||
| However, with new models and features like tool-use and RAG, some templates can be 100 lines long or more. When | ||||
| writing templates like these, it's a good idea to write them in a separate file, using a text editor. You can easily  | ||||
| extract a chat template to a file: | ||||
|  | ||||
| ```python | ||||
| open("template.jinja", "w").write(tokenizer.chat_template) | ||||
| ``` | ||||
|  | ||||
| Or load the edited template back into the tokenizer: | ||||
|  | ||||
| ```python | ||||
| tokenizer.chat_template = open("template.jinja").read() | ||||
| ``` | ||||
|  | ||||
| As an added bonus, when you write a long, multi-line template in a separate file, line numbers in that file will | ||||
| exactly correspond to line numbers in template parsing or execution errors. This will make it much easier to | ||||
| identify the source of issues. | ||||
|   might change from single-quoted to double-quoted). Adding the `tojson` filter can help to ensure consistency here. | ||||
| @ -67,4 +67,3 @@ This page regroups resources around 🤗 Transformers developed by the community | ||||
| | [Detect objects in an image with DETR](https://github.com/NielsRogge/Transformers-Tutorials/blob/master/DETR/DETR_minimal_example_(with_DetrFeatureExtractor).ipynb) | How to use a trained *DetrForObjectDetection* model to detect objects in an image and visualize attention | [Niels Rogge](https://github.com/NielsRogge) | [](https://colab.research.google.com/github/NielsRogge/Transformers-Tutorials/blob/master/DETR/DETR_minimal_example_(with_DetrFeatureExtractor).ipynb) | | ||||
| | [Fine-tune DETR on a custom object detection dataset](https://github.com/NielsRogge/Transformers-Tutorials/blob/master/DETR/Fine_tuning_DetrForObjectDetection_on_custom_dataset_(balloon).ipynb) | How to fine-tune *DetrForObjectDetection* on a custom object detection dataset | [Niels Rogge](https://github.com/NielsRogge) | [](https://colab.research.google.com/github/NielsRogge/Transformers-Tutorials/blob/master/DETR/Fine_tuning_DetrForObjectDetection_on_custom_dataset_(balloon).ipynb) | | ||||
| | [Finetune T5 for Named Entity Recognition](https://github.com/ToluClassics/Notebooks/blob/main/T5_Ner_Finetuning.ipynb) | How to fine-tune *T5* on a Named Entity Recognition Task | [Ogundepo Odunayo](https://github.com/ToluClassics) | [](https://colab.research.google.com/drive/1obr78FY_cBmWY5ODViCmzdY6O1KB65Vc?usp=sharing) | | ||||
| | [Fine-Tuning Open-Source LLM using QLoRA with MLflow and PEFT](https://github.com/mlflow/mlflow/blob/master/docs/source/llms/transformers/tutorials/fine-tuning/transformers-peft.ipynb) | How to use [QLoRA](https://github.com/artidoro/qlora) and [PEFT](https://huggingface.co/docs/peft/en/index) to fine-tune an LLM in a memory-efficient way, while using [MLflow](https://mlflow.org/docs/latest/llms/transformers/index.html) to manage experiment tracking | [](https://colab.research.google.com/github/mlflow/mlflow/blob/master/docs/source/llms/transformers/tutorials/fine-tuning/transformers-peft.ipynb) | | ||||
|  | ||||
| @ -185,7 +185,7 @@ class ResnetModelForImageClassification(PreTrainedModel): | ||||
|     def forward(self, tensor, labels=None): | ||||
|         logits = self.model(tensor) | ||||
|         if labels is not None: | ||||
|             loss = torch.nn.functional.cross_entropy(logits, labels) | ||||
|             loss = torch.nn.cross_entropy(logits, labels) | ||||
|             return {"loss": loss, "logits": logits} | ||||
|         return {"logits": logits} | ||||
| ``` | ||||
|  | ||||
| @ -174,6 +174,117 @@ An increasing sequence: one, two, three, four, five, six, seven, eight, nine, te | ||||
| ``` | ||||
|  | ||||
|  | ||||
| ## KV Cache Quantization | ||||
|  | ||||
| The `generate()` method supports caching keys and values to enhance efficiency and avoid re-computations. However the key and value | ||||
| cache can occupy a large portion of memory, becoming a bottleneck for long-context generation, especially for Large Language Models. | ||||
| Quantizing the cache when using `generate()` can significantly reduce memory requirements at the cost of speed. | ||||
|  | ||||
| KV Cache quantization in `transformers` is largely inspired by the paper [KIVI: A Tuning-Free Asymmetric 2bit Quantization for KV Cache] | ||||
| (https://arxiv.org/abs/2402.02750) and currently supports `quanto` and `HQQ` as backends. For more information on the inner workings see the paper. | ||||
|  | ||||
| To enable quantization of the key-value cache, one needs to indicate `cache_implementation="quantized"` in the `generation_config`. | ||||
| Quantization related arguments should be passed to the `generation_config` either as a `dict` or an instance of a [`QuantizedCacheConfig`] class. | ||||
| One has to indicate which quantization backend to use in the [`QuantizedCacheConfig`], the default is `quanto`. | ||||
|  | ||||
| <Tip warning={true}> | ||||
|  | ||||
| Cache quantization can be detrimental if the context length is short and there is enough GPU VRAM available to run without cache quantization. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
|  | ||||
| ```python | ||||
| >>> import torch | ||||
| >>> from transformers import AutoTokenizer, AutoModelForCausalLM | ||||
|  | ||||
| >>> tokenizer = AutoTokenizer.from_pretrained("meta-llama/Llama-2-7b-chat-hf") | ||||
| >>> model = AutoModelForCausalLM.from_pretrained("meta-llama/Llama-2-7b-chat-hf", torch_dtype=torch.float16).to("cuda:0") | ||||
| >>> inputs = tokenizer("I like rock music because", return_tensors="pt").to(model.device) | ||||
|  | ||||
| >>> out = model.generate(**inputs, do_sample=False, max_new_tokens=20, cache_implementation="quantized", cache_config={"nbits": 4, "backend": "quanto"}) | ||||
| >>> print(tokenizer.batch_decode(out, skip_special_tokens=True)[0]) | ||||
| I like rock music because it's loud and energetic. It's a great way to express myself and rel | ||||
|  | ||||
| >>> out = model.generate(**inputs, do_sample=False, max_new_tokens=20) | ||||
| >>> print(tokenizer.batch_decode(out, skip_special_tokens=True)[0]) | ||||
| I like rock music because it's loud and energetic. I like to listen to it when I'm feeling | ||||
| ``` | ||||
|  | ||||
| ## KV Cache Offloading | ||||
|  | ||||
| Similarly to KV cache quantization, this strategy aims to reduce GPU VRAM usage. | ||||
| It does so by moving the KV cache for most layers to the CPU. | ||||
| As the model's `forward()` method iterates over the layers, this strategy maintains the current layer cache on the GPU. | ||||
| At the same time it asynchronously prefetches the next layer cache as well as sending the previous layer cache back to the CPU. | ||||
| Unlike KV cache quantization, this strategy always produces the same result as the default KV cache implementation. | ||||
| Thus, it can serve as a drop-in replacement or a fallback for it. | ||||
|  | ||||
| Depending on your model and the characteristics of your generation task (size of context, number of generated tokens, number of beams, etc.) | ||||
| you may notice a small degradation in generation throughput compared to the default KV cache implementation. | ||||
|  | ||||
| To enable KV cache offloading, pass `cache_implementation="offloaded"` in the `generation_config`. | ||||
|  | ||||
| ```python | ||||
| >>> import torch | ||||
| >>> from transformers import AutoTokenizer, AutoModelForCausalLM | ||||
| >>> ckpt = "microsoft/Phi-3-mini-4k-instruct" | ||||
|  | ||||
| >>> tokenizer = AutoTokenizer.from_pretrained(ckpt) | ||||
| >>> model = AutoModelForCausalLM.from_pretrained(ckpt, torch_dtype=torch.float16).to("cuda:0") | ||||
| >>> inputs = tokenizer("Fun fact: The shortest", return_tensors="pt").to(model.device) | ||||
|  | ||||
| >>> out = model.generate(**inputs, do_sample=False, max_new_tokens=23, cache_implementation="offloaded") | ||||
| >>> print(tokenizer.batch_decode(out, skip_special_tokens=True)[0]) | ||||
| Fun fact: The shortest war in history was between Britain and Zanzibar on August 27, 1896. | ||||
|  | ||||
| >>> out = model.generate(**inputs, do_sample=False, max_new_tokens=23) | ||||
| >>> print(tokenizer.batch_decode(out, skip_special_tokens=True)[0]) | ||||
| Fun fact: The shortest war in history was between Britain and Zanzibar on August 27, 1896. | ||||
| ``` | ||||
|  | ||||
| <Tip warning={true}> | ||||
|  | ||||
| Cache offloading requires a GPU and can be slower than the default KV cache. Use it if you are getting CUDA out of memory errors. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| The example below shows how KV cache offloading can be used as a fallback strategy. | ||||
| ```python | ||||
| >>> import torch | ||||
| >>> from transformers import AutoTokenizer, AutoModelForCausalLM | ||||
| >>> def resilient_generate(model, *args, **kwargs): | ||||
| ...     oom = False | ||||
| ...     try: | ||||
| ...         return model.generate(*args, **kwargs) | ||||
| ...     except torch.cuda.OutOfMemoryError as e: | ||||
| ...         print(e) | ||||
| ...         print("retrying with cache_implementation='offloaded'") | ||||
| ...         oom = True | ||||
| ...     if oom: | ||||
| ...         torch.cuda.empty_cache() | ||||
| ...         kwargs["cache_implementation"] = "offloaded" | ||||
| ...         return model.generate(*args, **kwargs) | ||||
| ... | ||||
| ... | ||||
| >>> ckpt = "microsoft/Phi-3-mini-4k-instruct" | ||||
| >>> tokenizer = AutoTokenizer.from_pretrained(ckpt) | ||||
| >>> model = AutoModelForCausalLM.from_pretrained(ckpt, torch_dtype=torch.float16).to("cuda:0") | ||||
| >>> prompt = ["okay "*1000 + "Fun fact: The most"] | ||||
| >>> inputs = tokenizer(prompt, return_tensors="pt").to(model.device) | ||||
| >>> beams = { "num_beams": 40, "num_beam_groups": 40, "num_return_sequences": 40, "diversity_penalty": 1.0, "max_new_tokens": 23, "early_stopping": True, } | ||||
| >>> out = resilient_generate(model, **inputs, **beams) | ||||
| >>> responses = tokenizer.batch_decode(out[:,-28:], skip_special_tokens=True) | ||||
| ``` | ||||
|  | ||||
| On a GPU with 50 GB of RAM, running this code will print | ||||
| ``` | ||||
| CUDA out of memory. Tried to allocate 4.83 GiB. GPU | ||||
| retrying with cache_implementation='offloaded' | ||||
| ``` | ||||
| before successfully generating 40 beams. | ||||
|  | ||||
|  | ||||
| ## Watermarking | ||||
|  | ||||
| The `generate()` supports watermarking the generated text by randomly marking a portion of tokens as "green". | ||||
| @ -225,21 +336,10 @@ array([True, True]) | ||||
| ## Decoding strategies | ||||
|  | ||||
| Certain combinations of the `generate()` parameters, and ultimately `generation_config`, can be used to enable specific | ||||
| decoding strategies. If you are new to this concept, we recommend reading | ||||
| [this blog post that illustrates how common decoding strategies work](https://huggingface.co/blog/how-to-generate). | ||||
| decoding strategies. If you are new to this concept, we recommend reading [this blog post that illustrates how common decoding strategies work](https://huggingface.co/blog/how-to-generate). | ||||
|  | ||||
| Here, we'll show some of the parameters that control the decoding strategies and illustrate how you can use them. | ||||
|  | ||||
| <Tip> | ||||
|  | ||||
| Selecting a given decoding strategy is not the only way you can influence the outcome of `generate()` with your model. | ||||
| The decoding strategies act based (mostly) on the logits, the distribution of probabilities for the next token, and | ||||
| thus selecting a good logits manipulation strategy can go a long way! In other words, manipulating the logits is another | ||||
| dimension you can act upon, in addition to selecting a decoding strategy. Popular logits manipulation strategies include | ||||
| `top_p`, `min_p`, and `repetition_penalty` -- you can check the full list in the [`GenerationConfig`] class. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| ### Greedy Search | ||||
|  | ||||
| [`generate`] uses greedy search decoding by default so you don't have to pass any parameters to enable it. This means the parameters `num_beams` is set to 1 and `do_sample=False`. | ||||
|  | ||||
| @ -46,30 +46,16 @@ The initial supported quantization types are decided according to the popular qu | ||||
| on the Hub. | ||||
|  | ||||
| - F32 | ||||
| - F16 | ||||
| - BF16 | ||||
| - Q4_0 | ||||
| - Q4_1 | ||||
| - Q5_0 | ||||
| - Q5_1 | ||||
| - Q8_0 | ||||
| - Q2_K | ||||
| - Q3_K | ||||
| - Q4_0 | ||||
| - Q4_K | ||||
| - Q5_K | ||||
| - Q6_K | ||||
| - IQ1_S | ||||
| - IQ1_M | ||||
| - IQ2_XXS | ||||
| - IQ2_XS | ||||
| - IQ2_S | ||||
| - IQ3_XXS | ||||
| - IQ3_S | ||||
| - IQ4_XS | ||||
| - IQ4_NL | ||||
| - Q8_0 | ||||
|  | ||||
| > [!NOTE] | ||||
| > To support gguf dequantization, `gguf>=0.10.0` installation is required. | ||||
| We take example from the excellent [99991/pygguf](https://github.com/99991/pygguf) Python parser to dequantize the  | ||||
| weights. | ||||
|  | ||||
| ### Supported model architectures | ||||
|  | ||||
| @ -78,7 +64,6 @@ For now the supported model architectures are the architectures that have been v | ||||
| - LLaMa | ||||
| - Mistral | ||||
| - Qwen2 | ||||
| - Qwen2Moe | ||||
|  | ||||
| ## Example usage | ||||
|  | ||||
|  | ||||
| @ -105,7 +105,6 @@ Flax), PyTorch, and/or TensorFlow. | ||||
| |                       [CPM-Ant](model_doc/cpmant)                        |       ✅        |         ❌         |      ❌      | | ||||
| |                          [CTRL](model_doc/ctrl)                          |       ✅        |         ✅         |      ❌      | | ||||
| |                           [CvT](model_doc/cvt)                           |       ✅        |         ✅         |      ❌      | | ||||
| |                           [DAC](model_doc/dac)                           |       ✅        |         ❌         |      ❌      | | ||||
| |                   [Data2VecAudio](model_doc/data2vec)                    |       ✅        |         ❌         |      ❌      | | ||||
| |                    [Data2VecText](model_doc/data2vec)                    |       ✅        |         ❌         |      ❌      | | ||||
| |                   [Data2VecVision](model_doc/data2vec)                   |       ✅        |         ✅         |      ❌      | | ||||
| @ -121,7 +120,7 @@ Flax), PyTorch, and/or TensorFlow. | ||||
| |                          [DETR](model_doc/detr)                          |       ✅        |         ❌         |      ❌      | | ||||
| |                      [DialoGPT](model_doc/dialogpt)                      |       ✅        |         ✅         |      ✅      | | ||||
| |                         [DiNAT](model_doc/dinat)                         |       ✅        |         ❌         |      ❌      | | ||||
| |                        [DINOv2](model_doc/dinov2)                        |       ✅        |         ❌         |      ✅      | | ||||
| |                        [DINOv2](model_doc/dinov2)                        |       ✅        |         ❌         |      ❌      | | ||||
| |                    [DistilBERT](model_doc/distilbert)                    |       ✅        |         ✅         |      ✅      | | ||||
| |                           [DiT](model_doc/dit)                           |       ✅        |         ❌         |      ✅      | | ||||
| |                       [DonutSwin](model_doc/donut)                       |       ✅        |         ❌         |      ❌      | | ||||
| @ -137,7 +136,6 @@ Flax), PyTorch, and/or TensorFlow. | ||||
| |                           [ESM](model_doc/esm)                           |       ✅        |         ✅         |      ❌      | | ||||
| |              [FairSeq Machine-Translation](model_doc/fsmt)               |       ✅        |         ❌         |      ❌      | | ||||
| |                        [Falcon](model_doc/falcon)                        |       ✅        |         ❌         |      ❌      | | ||||
| |                  [FalconMamba](model_doc/falcon_mamba)                   |       ✅        |         ❌         |      ❌      | | ||||
| |         [FastSpeech2Conformer](model_doc/fastspeech2_conformer)          |       ✅        |         ❌         |      ❌      | | ||||
| |                       [FLAN-T5](model_doc/flan-t5)                       |       ✅        |         ✅         |      ✅      | | ||||
| |                      [FLAN-UL2](model_doc/flan-ul2)                      |       ✅        |         ✅         |      ✅      | | ||||
| @ -158,7 +156,6 @@ Flax), PyTorch, and/or TensorFlow. | ||||
| |                       [GPT-Sw3](model_doc/gpt-sw3)                       |       ✅        |         ✅         |      ✅      | | ||||
| |                   [GPTBigCode](model_doc/gpt_bigcode)                    |       ✅        |         ❌         |      ❌      | | ||||
| |               [GPTSAN-japanese](model_doc/gptsan-japanese)               |       ✅        |         ❌         |      ❌      | | ||||
| |                       [Granite](model_doc/granite)                       |       ✅        |         ❌         |      ❌      | | ||||
| |                    [Graphormer](model_doc/graphormer)                    |       ✅        |         ❌         |      ❌      | | ||||
| |                [Grounding DINO](model_doc/grounding-dino)                |       ✅        |         ❌         |      ❌      | | ||||
| |                      [GroupViT](model_doc/groupvit)                      |       ✅        |         ✅         |      ❌      | | ||||
| @ -188,8 +185,7 @@ Flax), PyTorch, and/or TensorFlow. | ||||
| |                        [Llama3](model_doc/llama3)                        |       ✅        |         ❌         |      ✅      | | ||||
| |                         [LLaVa](model_doc/llava)                         |       ✅        |         ❌         |      ❌      | | ||||
| |                    [LLaVA-NeXT](model_doc/llava_next)                    |       ✅        |         ❌         |      ❌      | | ||||
| |              [LLaVa-NeXT-Video](model_doc/llava_next_video)              |       ✅        |         ❌         |      ❌      | | ||||
| |               [LLaVA-Onevision](model_doc/llava_onevision)               |       ✅        |         ❌         |      ❌      | | ||||
| |              [LLaVa-NeXT-Video](model_doc/llava-next-video)              |       ✅        |         ❌         |      ❌      | | ||||
| |                    [Longformer](model_doc/longformer)                    |       ✅        |         ✅         |      ❌      | | ||||
| |                        [LongT5](model_doc/longt5)                        |       ✅        |         ❌         |      ✅      | | ||||
| |                          [LUKE](model_doc/luke)                          |       ✅        |         ❌         |      ❌      | | ||||
| @ -198,7 +194,6 @@ Flax), PyTorch, and/or TensorFlow. | ||||
| |                       [M2M100](model_doc/m2m_100)                        |       ✅        |         ❌         |      ❌      | | ||||
| |                    [MADLAD-400](model_doc/madlad-400)                    |       ✅        |         ✅         |      ✅      | | ||||
| |                         [Mamba](model_doc/mamba)                         |       ✅        |         ❌         |      ❌      | | ||||
| |                        [mamba2](model_doc/mamba2)                        |       ✅        |         ❌         |      ❌      | | ||||
| |                        [Marian](model_doc/marian)                        |       ✅        |         ✅         |      ✅      | | ||||
| |                      [MarkupLM](model_doc/markuplm)                      |       ✅        |         ❌         |      ❌      | | ||||
| |                   [Mask2Former](model_doc/mask2former)                   |       ✅        |         ❌         |      ❌      | | ||||
| @ -227,14 +222,12 @@ Flax), PyTorch, and/or TensorFlow. | ||||
| |               [MusicGen Melody](model_doc/musicgen_melody)               |       ✅        |         ❌         |      ❌      | | ||||
| |                           [MVP](model_doc/mvp)                           |       ✅        |         ❌         |      ❌      | | ||||
| |                           [NAT](model_doc/nat)                           |       ✅        |         ❌         |      ❌      | | ||||
| |                      [Nemotron](model_doc/nemotron)                      |       ✅        |         ❌         |      ❌      | | ||||
| |                         [Nezha](model_doc/nezha)                         |       ✅        |         ❌         |      ❌      | | ||||
| |                          [NLLB](model_doc/nllb)                          |       ✅        |         ❌         |      ❌      | | ||||
| |                      [NLLB-MOE](model_doc/nllb-moe)                      |       ✅        |         ❌         |      ❌      | | ||||
| |                        [Nougat](model_doc/nougat)                        |       ✅        |         ✅         |      ✅      | | ||||
| |                 [Nyströmformer](model_doc/nystromformer)                 |       ✅        |         ❌         |      ❌      | | ||||
| |                          [OLMo](model_doc/olmo)                          |       ✅        |         ❌         |      ❌      | | ||||
| |                         [OLMoE](model_doc/olmoe)                         |       ✅        |         ❌         |      ❌      | | ||||
| |                     [OneFormer](model_doc/oneformer)                     |       ✅        |         ❌         |      ❌      | | ||||
| |                    [OpenAI GPT](model_doc/openai-gpt)                    |       ✅        |         ✅         |      ❌      | | ||||
| |                      [OpenAI GPT-2](model_doc/gpt2)                      |       ✅        |         ✅         |      ✅      | | ||||
| @ -261,9 +254,7 @@ Flax), PyTorch, and/or TensorFlow. | ||||
| |                        [PVTv2](model_doc/pvt_v2)                         |       ✅        |         ❌         |      ❌      | | ||||
| |                       [QDQBert](model_doc/qdqbert)                       |       ✅        |         ❌         |      ❌      | | ||||
| |                         [Qwen2](model_doc/qwen2)                         |       ✅        |         ❌         |      ❌      | | ||||
| |                   [Qwen2Audio](model_doc/qwen2_audio)                    |       ✅        |         ❌         |      ❌      | | ||||
| |                     [Qwen2MoE](model_doc/qwen2_moe)                      |       ✅        |         ❌         |      ❌      | | ||||
| |                      [Qwen2VL](model_doc/qwen2_vl)                       |       ✅        |         ❌         |      ❌      | | ||||
| |                           [RAG](model_doc/rag)                           |       ✅        |         ✅         |      ❌      | | ||||
| |                         [REALM](model_doc/realm)                         |       ✅        |         ❌         |      ❌      | | ||||
| |               [RecurrentGemma](model_doc/recurrent_gemma)                |       ✅        |         ❌         |      ❌      | | ||||
|  | ||||
| @ -140,6 +140,9 @@ generation. | ||||
| [[autodoc]] ForcedEOSTokenLogitsProcessor | ||||
|     - __call__ | ||||
|  | ||||
| [[autodoc]] ForceTokensLogitsProcessor | ||||
|     - __call__ | ||||
|  | ||||
| [[autodoc]] HammingDiversityLogitsProcessor | ||||
|     - __call__ | ||||
|  | ||||
| @ -155,6 +158,9 @@ generation. | ||||
| [[autodoc]] LogitsProcessorList | ||||
|     - __call__ | ||||
|  | ||||
| [[autodoc]] LogitsWarper | ||||
|     - __call__ | ||||
|  | ||||
| [[autodoc]] MinLengthLogitsProcessor | ||||
|     - __call__ | ||||
|  | ||||
| @ -380,30 +386,11 @@ A [`Constraint`] can be used to force the generation to include specific tokens | ||||
|     - get_seq_length | ||||
|     - reorder_cache | ||||
|  | ||||
| [[autodoc]] OffloadedCache | ||||
|     - update | ||||
|     - prefetch_layer | ||||
|     - evict_previous_layer | ||||
|  | ||||
| [[autodoc]] StaticCache | ||||
|     - update | ||||
|     - get_seq_length | ||||
|     - reset | ||||
|  | ||||
| [[autodoc]] OffloadedStaticCache | ||||
|     - update | ||||
|     - get_seq_length | ||||
|     - reset | ||||
|  | ||||
| [[autodoc]] HybridCache | ||||
|     - update | ||||
|     - get_seq_length | ||||
|     - reset | ||||
|  | ||||
| [[autodoc]] SlidingWindowCache | ||||
|     - update | ||||
|     - reset | ||||
|  | ||||
| [[autodoc]] EncoderDecoderCache | ||||
|     - get_seq_length | ||||
|     - to_legacy_cache | ||||
| @ -411,12 +398,8 @@ A [`Constraint`] can be used to force the generation to include specific tokens | ||||
|     - reset | ||||
|     - reorder_cache | ||||
|  | ||||
| [[autodoc]] MambaCache | ||||
|     - update_conv_state | ||||
|     - update_ssm_state | ||||
|     - reset | ||||
|  | ||||
| ## Watermark Utils | ||||
|  | ||||
| [[autodoc]] WatermarkDetector | ||||
|     - __call__ | ||||
|  | ||||
|  | ||||
| @ -1,403 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # Best Practices for Generation with Cache | ||||
|  | ||||
| Efficient caching is crucial for optimizing the performance of models in various generative tasks, | ||||
| including text generation, translation, summarization and other transformer-based applications. | ||||
| Effective caching helps reduce computation time and improve response rates, especially in real-time or resource-intensive applications. | ||||
|  | ||||
| Transformers support various caching methods, leveraging "Cache" classes to abstract and manage the caching logic. | ||||
| This document outlines best practices for using these classes to maximize performance and efficiency. | ||||
| Check out all the available `Cache` classes in the [API documentation](./internal/generation_utils). | ||||
|  | ||||
| ## What is Cache and why we should care? | ||||
|  | ||||
| Imagine you’re having a conversation with someone, and instead of remembering what was said previously, you have to start from scratch every time you respond. This would be slow and inefficient, right? In the world of Transformer models, a similar concept applies, and that's where Caching keys and values come into play. From now on, I'll refer to the concept as KV Cache. | ||||
|  | ||||
| KV cache is needed to optimize the generation in autoregressive models, where the model predicts text token by token. This process can be slow since the model can generate only one token at a time, and each new prediction is dependent on the previous context. That means, to predict token number 1000 in the generation, you need information from the previous 999 tokens, which comes in the form of some matrix multiplications across the representations of those tokens. But to predict token number 1001, you also need the same information from the first 999 tokens, plus additional information from token number 1000. That is where key-value cache is used to optimize the sequential generation process by storing previous calculations to reuse in subsequent tokens, so they don't need to be computed again. | ||||
|  | ||||
| More concretely, key-value cache acts as a memory bank for these generative models, where the model stores key-value pairs derived from self-attention layers for previously processed tokens. By storing this information, the model can avoid redundant computations and instead retrieve keys and values of previous tokens from the cache. Note that caching can be used only in inference and should be disabled when training, otherwise it might cause unexpected errors. | ||||
|  | ||||
| <details> | ||||
|   <summary><em>For the Curious Minds Who Like to Dive Deep</em></summary> | ||||
|  | ||||
|   ### Under the Hood: How Cache Object Works in Attention Mechanism | ||||
|  | ||||
|   When utilizing a cache object in the input, the Attention module performs several critical steps to integrate past and present information seamlessly. | ||||
|  | ||||
|   The Attention module concatenates the current key-values with the past key-values stored in the cache. This results in attention weights of shape `(new_tokens_length, past_kv_length + new_tokens_length)`. Essentially, the past and current key-values are combined to compute attention scores, ensuring that the model considers both previous context and new input. The concatenated key-values are used to compute the attention scores resulting in attention weights of shape `(new_tokens_length, past_kv_length + new_tokens_length)`. | ||||
|  | ||||
|   Therefore, when iteratively calling `forward()` instead of the `generate()` method, it’s crucial to ensure that the attention mask shape matches the combined length of past and current key-values. The attention mask should have the shape `(batch_size, past_kv_length + new_tokens_length)`. This is usually handled internally when you call `generate()` method. If you want to implement your own generation loop with Cache classes, take this into consideration and prepare the attention mask to hold values to current and past tokens. | ||||
|  | ||||
|   <Tip warning={true}> | ||||
|  | ||||
|   One important concept you need to know when writing your own generation loop, is `cache_position`. In case you want to reuse an already filled Cache object by calling `forward()`, you have to pass in a valid `cache_position` which will indicate the positions of inputs in the sequence. Note that `cache_position` is not affected by padding, and always adds one more position for each token. For example, if key/value cache contains 10 tokens (no matter how many of it is a pad token), the cache position for the next token should be `torch.tensor([10])`. | ||||
|  | ||||
|   </Tip> | ||||
|  | ||||
|  | ||||
|   See an example below for how to implement your own generation loop. | ||||
|  | ||||
|   ```python | ||||
|   >>> import torch | ||||
|   >>> from transformers import AutoTokenizer, AutoModelForCausalLM, DynamicCache | ||||
|  | ||||
|   >>> model_id = "meta-llama/Llama-2-7b-chat-hf" | ||||
|   >>> model = AutoModelForCausalLM.from_pretrained(model_id, torch_dtype=torch.bfloat16, device_map="cuda:0") | ||||
|   >>> tokenizer = AutoTokenizer.from_pretrained(model_id) | ||||
|  | ||||
|   >>> past_key_values = DynamicCache() | ||||
|   >>> messages = [{"role": "user", "content": "Hello, what's your name."}] | ||||
|   >>> inputs = tokenizer.apply_chat_template(messages, add_generation_prompt=True, return_tensors="pt", return_dict=True).to("cuda:0") | ||||
|  | ||||
|   >>> generated_ids = inputs.input_ids | ||||
|   >>> cache_position = torch.arange(inputs.input_ids.shape[1], dtype=torch.int64, device="cuda:0") | ||||
|   >>> max_new_tokens = 10 | ||||
|  | ||||
|   >>> for _ in range(max_new_tokens): | ||||
|   ...     outputs = model(**inputs, cache_position=cache_position, past_key_values=past_key_values, use_cache=True) | ||||
|   ...     # Greedily sample one next token | ||||
|   ...     next_token_ids = outputs.logits[:, -1:].argmax(-1) | ||||
|   ...     generated_ids = torch.cat([generated_ids, next_token_ids], dim=-1) | ||||
|   ... | ||||
|   ...     # Prepare inputs for the next generation step by leaaving unprocessed tokens, in our case we have only one new token | ||||
|   ...     # and expanding attn mask for the new token, as explained above | ||||
|   ...     attention_mask = inputs["attention_mask"] | ||||
|   ...     attention_mask = torch.cat([attention_mask, attention_mask.new_ones((attention_mask.shape[0], 1))], dim=-1) | ||||
|   ...     inputs = {"input_ids": next_token_ids, "attention_mask": attention_mask} | ||||
|   ...     cache_position = cache_position[-1:] + 1 # add one more position for the next token | ||||
|  | ||||
|   >>> print(tokenizer.batch_decode(generated_ids, skip_special_tokens=True)[0]) | ||||
|   "[INST] Hello, what's your name. [/INST]  Hello! My name is LLaMA," | ||||
|   ``` | ||||
|  | ||||
| </details> | ||||
|  | ||||
|  | ||||
|  | ||||
| ## Generate with Cache | ||||
|  | ||||
| In 🤗 Transformers, we support various Cache types to optimize the performance across different models and tasks. By default, all models generate with caching, | ||||
| with the [`~DynamicCache`] class being the default cache for most models. It allows us to dynamically grow cache size, by saving more and more keys and values as we generate. If for some reason you don't want to use caches, you can pass `use_cache=False` into the `generate()` method. | ||||
|  | ||||
| Refer to the table below to see the difference between cache types and choose the one that suits best for your use-case. Models for which initialization is recommended should be initialized before calling the model and passed to model as a kwarg. In all other cases you can simply define desired `cache_implementation` and we take care of the rest for you. | ||||
|  | ||||
| | Cache Type             | Memory Efficient | Supports torch.compile() | Initialization Recommended | Latency | Long Context Generation | | ||||
| |------------------------|------------------|--------------------------|----------------------------|---------|-------------------------| | ||||
| | Dynamic Cache          | No               | No                       | No                         | Mid     | No                      | | ||||
| | Static Cache           | No               | Yes                      | Yes                        | High    | No                      | | ||||
| | Offloaded Cache        | Yes              | No                       | No                         | Low     | Yes                     | | ||||
| | Offloaded Static Cache | No               | Yes                      | Yes                        | High    | Yes                     | | ||||
| | Quantized Cache        | Yes              | No                       | No                         | Low     | Yes                     | | ||||
| | Sliding Window Cache   | No               | Yes                      | Yes                        | High    | No                      | | ||||
| | Sink Cache             | Yes              | No                       | Yes                        | Mid     | Yes                     | | ||||
|  | ||||
|  | ||||
| These cache classes can be set with a `cache_implementation` argument when generating. To learn about the available options for the cache_implementation flag, please refer to the [API Documentation](./main_classes/text_generation#transformers.GenerationConfig). Now, let's explore each cache type in detail and see how to use them. Note that the below examples are for decoder-only Tranformer-based models. We also support ["Model-Specific Cache"] classes for models such as Mamba or Jamba, keep reading for more details. | ||||
|  | ||||
| ### Quantized Cache | ||||
|  | ||||
| The key and value cache can occupy a large portion of memory, becoming a [bottleneck for long-context generation](https://huggingface.co/blog/llama31#inference-memory-requirements), especially for Large Language Models. | ||||
| Quantizing the cache when using `generate()` can significantly reduce memory requirements at the cost of speed. | ||||
|  | ||||
| KV Cache quantization in `transformers` is largely inspired by the paper ["KIVI: A Tuning-Free Asymmetric 2bit Quantization for KV Cache"](https://arxiv.org/abs/2402.02750) and currently supports [`~QuantoQuantizedCache`] and [`~HQQQuantizedCache`] classes. For more information on the inner workings see the paper. | ||||
|  | ||||
| To enable quantization of the key-value cache, one needs to indicate `cache_implementation="quantized"` in the `generation_config`. | ||||
| Quantization related arguments should be passed to the `generation_config` either as a `dict` or an instance of a [`~QuantizedCacheConfig`] class. | ||||
| One has to indicate which quantization backend to use in the [`~QuantizedCacheConfig`], the default is `quanto`. | ||||
|  | ||||
| It is recommended to set `axis-key/axis-value` parameters in the cache config to `0` if you're using the `quanto` backend and to `1` if you're using the `HQQ` backend. For other config values, please use the defaults unless you're running out of memory. In that case, you may consider decreasing the residual length.  | ||||
|  | ||||
| <Tip warning={true}> | ||||
|  | ||||
| Cache quantization can be detrimental in terms of latency if the context length is short and there is enough GPU VRAM available to run without cache quantization. It is recommended to seek balance between memory efficiency and latency. | ||||
| </Tip> | ||||
|  | ||||
|  | ||||
| ```python | ||||
| >>> import torch | ||||
| >>> from transformers import AutoTokenizer, AutoModelForCausalLM | ||||
|  | ||||
| >>> tokenizer = AutoTokenizer.from_pretrained("meta-llama/Llama-2-7b-chat-hf") | ||||
| >>> model = AutoModelForCausalLM.from_pretrained("meta-llama/Llama-2-7b-chat-hf", torch_dtype=torch.float16).to("cuda:0") | ||||
| >>> inputs = tokenizer("I like rock music because", return_tensors="pt").to(model.device) | ||||
|  | ||||
| >>> out = model.generate(**inputs, do_sample=False, max_new_tokens=20, cache_implementation="quantized", cache_config={"nbits": 4, "backend": "quanto"}) | ||||
| >>> print(tokenizer.batch_decode(out, skip_special_tokens=True)[0]) | ||||
| I like rock music because it's loud and energetic. It's a great way to express myself and rel | ||||
|  | ||||
| >>> out = model.generate(**inputs, do_sample=False, max_new_tokens=20) | ||||
| >>> print(tokenizer.batch_decode(out, skip_special_tokens=True)[0]) | ||||
| I like rock music because it's loud and energetic. I like to listen to it when I'm feeling | ||||
| ``` | ||||
|  | ||||
| ### Offloaded Cache | ||||
|  | ||||
| Similarly to KV cache quantization, [`~OffloadedCache`] strategy aims to reduce GPU VRAM usage. | ||||
| It does so by moving the KV cache for most layers to the CPU. | ||||
| As the model's `forward()` method iterates over the layers, this strategy maintains the current layer cache on the GPU. | ||||
| At the same time it asynchronously prefetches the next layer cache as well as sending the previous layer cache back to the CPU. | ||||
| Unlike KV cache quantization, this strategy always produces the same result as the default KV cache implementation. | ||||
| Thus, it can serve as a drop-in replacement or a fallback for it. | ||||
|  | ||||
| Depending on your model and the characteristics of your generation task (size of context, number of generated tokens, number of beams, etc.) | ||||
| you may notice a small degradation in generation throughput compared to the default KV cache implementation. | ||||
|  | ||||
| To enable KV cache offloading, pass `cache_implementation="offloaded"` in the `generation_config` or directly to the `generate()` call. | ||||
| Use `cache_implementation="offloaded_static"` for an offloaded static cache (see also [Offloaded Static Cache](#offloaded-static-cache) below). | ||||
|  | ||||
| ```python | ||||
| >>> import torch | ||||
| >>> from transformers import AutoTokenizer, AutoModelForCausalLM | ||||
| >>> ckpt = "microsoft/Phi-3-mini-4k-instruct" | ||||
|  | ||||
| >>> tokenizer = AutoTokenizer.from_pretrained(ckpt) | ||||
| >>> model = AutoModelForCausalLM.from_pretrained(ckpt, torch_dtype=torch.float16).to("cuda:0") | ||||
| >>> inputs = tokenizer("Fun fact: The shortest", return_tensors="pt").to(model.device) | ||||
|  | ||||
| >>> out = model.generate(**inputs, do_sample=False, max_new_tokens=23, cache_implementation="offloaded") | ||||
| >>> print(tokenizer.batch_decode(out, skip_special_tokens=True)[0]) | ||||
| Fun fact: The shortest war in history was between Britain and Zanzibar on August 27, 1896. | ||||
|  | ||||
| >>> out = model.generate(**inputs, do_sample=False, max_new_tokens=23) | ||||
| >>> print(tokenizer.batch_decode(out, skip_special_tokens=True)[0]) | ||||
| Fun fact: The shortest war in history was between Britain and Zanzibar on August 27, 1896. | ||||
| ``` | ||||
|  | ||||
| <Tip warning={true}> | ||||
|  | ||||
| Cache offloading requires a GPU and can be slower than dynamic KV cache. Use it if you are getting CUDA out of memory errors. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| The example below shows how KV cache offloading can be used as a fallback strategy. | ||||
| ```python | ||||
| >>> import torch | ||||
| >>> from transformers import AutoTokenizer, AutoModelForCausalLM | ||||
| >>> def resilient_generate(model, *args, **kwargs): | ||||
| ...     oom = False | ||||
| ...     try: | ||||
| ...         return model.generate(*args, **kwargs) | ||||
| ...     except torch.cuda.OutOfMemoryError as e: | ||||
| ...         print(e) | ||||
| ...         print("retrying with cache_implementation='offloaded'") | ||||
| ...         oom = True | ||||
| ...     if oom: | ||||
| ...         torch.cuda.empty_cache() | ||||
| ...         kwargs["cache_implementation"] = "offloaded" | ||||
| ...         return model.generate(*args, **kwargs) | ||||
| ... | ||||
| ... | ||||
| >>> ckpt = "microsoft/Phi-3-mini-4k-instruct" | ||||
| >>> tokenizer = AutoTokenizer.from_pretrained(ckpt) | ||||
| >>> model = AutoModelForCausalLM.from_pretrained(ckpt, torch_dtype=torch.float16).to("cuda:0") | ||||
| >>> prompt = ["okay "*1000 + "Fun fact: The most"] | ||||
| >>> inputs = tokenizer(prompt, return_tensors="pt").to(model.device) | ||||
| >>> beams = { "num_beams": 40, "num_beam_groups": 40, "num_return_sequences": 40, "diversity_penalty": 1.0, "max_new_tokens": 23, "early_stopping": True, } | ||||
| >>> out = resilient_generate(model, **inputs, **beams) | ||||
| >>> responses = tokenizer.batch_decode(out[:,-28:], skip_special_tokens=True) | ||||
| ``` | ||||
|  | ||||
| On a GPU with 50 GB of RAM, running this code will print | ||||
| ``` | ||||
| CUDA out of memory. Tried to allocate 4.83 GiB. GPU | ||||
| retrying with cache_implementation='offloaded' | ||||
| ``` | ||||
| before successfully generating 40 beams. | ||||
|  | ||||
|  | ||||
| ### Static Cache | ||||
|  | ||||
| Since the "DynamicCache" dynamically grows with each generation step, it prevents you from taking advantage of JIT optimizations. The [`~StaticCache`] pre-allocates | ||||
| a specific maximum size for the keys and values, allowing you to generate up to the maximum length without having to modify cache size. Check the below usage example. | ||||
|  | ||||
| For more examples with Static Cache and JIT compilation, take a look at [StaticCache & torchcompile](./llm_optims#static-kv-cache-and-torchcompile) | ||||
|  | ||||
| ```python | ||||
| >>> import torch | ||||
| >>> from transformers import AutoTokenizer, AutoModelForCausalLM | ||||
|  | ||||
| >>> tokenizer = AutoTokenizer.from_pretrained("meta-llama/Llama-2-7b-chat-hf") | ||||
| >>> model = AutoModelForCausalLM.from_pretrained("meta-llama/Llama-2-7b-chat-hf", torch_dtype=torch.float16, device_map="auto") | ||||
| >>> inputs = tokenizer("Hello, my name is", return_tensors="pt").to(model.device) | ||||
|  | ||||
| >>> # simply pass the cache implementation="static" | ||||
| >>> out = model.generate(**inputs, do_sample=False, max_new_tokens=20, cache_implementation="static") | ||||
| >>> tokenizer.batch_decode(out, skip_special_tokens=True)[0] | ||||
| "Hello, my name is [Your Name], and I am a [Your Profession] with [Number of Years] of" | ||||
| ``` | ||||
|  | ||||
|  | ||||
| ## Offloaded Static Cache | ||||
|  | ||||
| Like [`~OffloadedCache`] exists for offloading a "DynamicCache", there is also an offloaded static cache. It fully supports | ||||
| JIT optimizations. Just pass `cache_implementation="offloaded_static"` in the `generation_config` or directly to the `generate()` call. | ||||
| This will use the [`~OffloadedStaticCache`] implementation instead. | ||||
|  | ||||
| ```python | ||||
| >>> import torch | ||||
| >>> from transformers import AutoTokenizer, AutoModelForCausalLM | ||||
|  | ||||
| >>> tokenizer = AutoTokenizer.from_pretrained("meta-llama/Llama-2-7b-chat-hf") | ||||
| >>> model = AutoModelForCausalLM.from_pretrained("meta-llama/Llama-2-7b-chat-hf", torch_dtype=torch.float16, device_map="auto") | ||||
| >>> inputs = tokenizer("Hello, my name is", return_tensors="pt").to(model.device) | ||||
|  | ||||
| >>> # simply pass the cache implementation="static" | ||||
| >>> out = model.generate(**inputs, do_sample=False, max_new_tokens=20, cache_implementation="offloaded_static") | ||||
| >>> tokenizer.batch_decode(out, skip_special_tokens=True)[0] | ||||
| "Hello, my name is [Your Name], and I am a [Your Profession] with [Number of Years] of" | ||||
| ``` | ||||
|  | ||||
|  | ||||
| ### Sliding Window Cache | ||||
|  | ||||
| As the name suggests, this cache type implements a sliding window over previous keys and values, retaining only the last `sliding_window` tokens. It should be used with models like Mistral that support sliding window attention. Additionally, similar to Static Cache, this one is JIT-friendly and can be used with the same compile tecniques as Static Cache. | ||||
|  | ||||
| Note that you can use this cache only for models that support sliding window, e.g. Mistral models. | ||||
|  | ||||
|  | ||||
| ```python | ||||
| >>> import torch | ||||
| >>> from transformers import AutoTokenizer, AutoModelForCausalLM, SinkCache | ||||
|  | ||||
| >>> tokenizer = AutoTokenizer.from_pretrained("mistralai/Mistral-7B-v0.1") | ||||
| >>> model = AutoModelForCausalLM.from_pretrained("mistralai/Mistral-7B-v0.1", torch_dtype=torch.float16).to("cuda:0") | ||||
| >>> inputs = tokenizer("Yesterday I was on a rock concert and.", return_tensors="pt").to(model.device) | ||||
|  | ||||
| >>> # can be used by passing in cache implementation | ||||
| >>> out = model.generate(**inputs, do_sample=False, max_new_tokens=30, cache_implementation="sliding_window") | ||||
| >>> tokenizer.batch_decode(out, skip_special_tokens=True)[0] | ||||
| "Yesterday I was on a rock concert and. I was so excited to see my favorite band. I was so excited that I was jumping up and down and screaming. I was so excited that I" | ||||
| ``` | ||||
|  | ||||
| ### Sink Cache | ||||
|  | ||||
| Sink Cache was introduced in ["Efficient Streaming Language Models with Attention Sinks"](https://arxiv.org/abs/2309.17453). It allows you to generate long sequences of text ("infinite length" according to the paper) without any fine-tuning. That is achieved by smart handling of previous keys and values, specifically it retains a few initial tokens from the sequence, called "sink tokens". This is based on the observation that these initial tokens attract a significant portion of attention scores during the generation process. Tokens that come after "sink tokens" are discarded on a sliding windowed basis, keeping only the latest `window_size` tokens. By keeping these initial tokens as "attention sinks," the model maintains stable performance even when dealing with very long texts, thus discarding most of the previous knowledge. | ||||
|  | ||||
| Unlike other cache classes, this one can't be used directly by indicating a `cache_implementation`. You have to initialize the Cache before calling on `generate()` as follows. | ||||
|  | ||||
| ```python | ||||
| >>> import torch | ||||
| >>> from transformers import AutoTokenizer, AutoModelForCausalLM, SinkCache | ||||
|  | ||||
| >>> tokenizer = AutoTokenizer.from_pretrained("meta-llama/Llama-2-7b-chat-hf") | ||||
| >>> model = AutoModelForCausalLM.from_pretrained("meta-llama/Llama-2-7b-chat-hf", torch_dtype=torch.float16).to("cuda:0") | ||||
| >>> inputs = tokenizer("This is a long story about unicorns, fairies and magic.", return_tensors="pt").to(model.device) | ||||
|  | ||||
| >>> # get our cache, specify number of sink tokens and window size | ||||
| >>> # Note that window size already includes sink tokens, so has to be larger | ||||
| >>> past_key_values = SinkCache(window_length=256, num_sink_tokens=4) | ||||
| >>> out = model.generate(**inputs, do_sample=False, max_new_tokens=30, past_key_values=past_key_values) | ||||
| >>> tokenizer.batch_decode(out, skip_special_tokens=True)[0] | ||||
| "This is a long story about unicorns, fairies and magic. It is a fantasy world where unicorns and fairies live together in harmony. The story follows a young girl named Lily" | ||||
| ``` | ||||
|  | ||||
| ### Encoder-Decoder Cache | ||||
|  | ||||
| The [`~EncoderDecoderCache`] is a wrapper designed to handle the caching needs of encoder-decoder models. This cache type is specifically built to manage both self-attention and cross-attention caches, ensuring storage and retrieval of past key/values required for these complex models. Cool thing about Encoder-Decoder Cache is that you can set different cache types for the encoder and for the decoder, depending on your use case. Currently this cache is only supported in [Whisper](./model_doc/whisper) models but we will be adding more models soon.  | ||||
|  | ||||
| In terms of usage, there is nothing special to be done and calling `generate()` or `forward()` will handle everything for you. | ||||
|  | ||||
|  | ||||
| ### Model-specific Cache Classes | ||||
|  | ||||
| Some models require storing previous keys, values, or states in a specific way, and the above cache classes cannot be used. For such cases, we have several specialized cache classes that are designed for specific models. These models only accept their own dedicated cache classes and do not support using any other cache types. Some examples include [`~HybridCache`] for [Gemma2](./model_doc/gemma2) series models or [`~MambaCache`] for [Mamba](./model_doc/mamba) architecture models. | ||||
|  | ||||
|  | ||||
| ## Iterative Generation with Cache | ||||
|  | ||||
| We have seen how to use each of the cache types when generating. What if you want to use cache in iterative generation setting, for example in applications like chatbots, where interactions involve multiple turns and continuous back-and-forth exchanges. Iterative generation with cache allows these systems to handle ongoing conversations effectively without reprocessing the entire context at each step. But there are some tips that you should know before you start implementing: | ||||
|  | ||||
| The general format when doing iterative generation is as below. First you have to initialize an empty cache of the type you want, and you can start feeding in new prompts iteratively. Keeping track of dialogues history and formatting can be done with chat templates, read more on that in [chat_templating](./chat_templating) | ||||
|  | ||||
| In case you are using Sink Cache, you have to crop your inputs to that maximum length because Sink Cache can generate text longer than its maximum window size, but it expects the first input to not exceed the maximum cache length. | ||||
|  | ||||
|  | ||||
| ```python | ||||
| >>> import torch | ||||
| >>> from transformers import AutoTokenizer,AutoModelForCausalLM | ||||
| >>> from transformers.cache_utils import ( | ||||
| >>>     DynamicCache, | ||||
| >>>     SinkCache, | ||||
| >>>     StaticCache, | ||||
| >>>     SlidingWindowCache, | ||||
| >>>     QuantoQuantizedCache, | ||||
| >>>     QuantizedCacheConfig, | ||||
| >>> ) | ||||
|  | ||||
| >>> model_id = "meta-llama/Llama-2-7b-chat-hf" | ||||
| >>> model = AutoModelForCausalLM.from_pretrained(model_id, torch_dtype=torch.bfloat16, device_map='auto') | ||||
| >>> tokenizer = AutoTokenizer.from_pretrained(model_id) | ||||
|  | ||||
| >>> user_prompts = ["Hello, what's your name?", "Btw, yesterday I was on a rock concert."] | ||||
|  | ||||
| >>> past_key_values = DynamicCache() | ||||
| >>> max_cache_length = past_key_values.get_max_length() | ||||
|  | ||||
| >>> messages = [] | ||||
| >>> for prompt in user_prompts: | ||||
| ...     messages.append({"role": "user", "content": prompt}) | ||||
| ...     inputs = tokenizer.apply_chat_template(messages, add_generation_prompt=True, return_tensors="pt", return_dict=True).to(model.device) | ||||
| ...     if isinstance(past_key_values, SinkCache): | ||||
| ...         inputs = {k: v[:, -max_cache_length:] for k, v in inputs.items()} | ||||
| ... | ||||
| ...     input_length = inputs["input_ids"].shape[1] | ||||
| ... | ||||
| ...     outputs = model.generate(**inputs, do_sample=False, max_new_tokens=256, past_key_values=past_key_values) | ||||
| ...     completion = tokenizer.decode(outputs[0, input_length: ], skip_special_tokens=True) | ||||
| ...     messages.append({"role": "assistant", "content": completion}) | ||||
|  | ||||
| print(messages) | ||||
| [{'role': 'user', 'content': "Hello, what's your name?"}, {'role': 'assistant', 'content': " Hello! My name is LLaMA, I'm a large language model trained by a team of researcher at Meta AI. 😊"}, {'role': 'user', 'content': 'Btw, yesterday I was on a rock concert.'}, {'role': 'assistant', 'content': ' Oh, cool! That sounds like a lot of fun! 🎉 Did you enjoy the concert? What was the band like? 🤔'}] | ||||
| ``` | ||||
|  | ||||
|  | ||||
| ## Re-use Cache to continue generation | ||||
|  | ||||
| Sometimes you would want to first fill-in cache object with key/values for certain prefix prompt and re-use it several times to generate different sequences from it. In that case you can construct a `Cache` object that will hold the instruction prompt, and re-use it several times with different text sequences. | ||||
|  | ||||
| ```python | ||||
| >>> import copy | ||||
| >>> import torch | ||||
| >>> from transformers import AutoModelForCausalLM, AutoTokenizer, DynamicCache, StaticCache | ||||
|  | ||||
| >>> model_id = "meta-llama/Llama-2-7b-chat-hf" | ||||
| >>> model = AutoModelForCausalLM.from_pretrained(model_id, torch_dtype=torch.bfloat16, device_map="cuda") | ||||
| >>> tokenizer = AutoTokenizer.from_pretrained(model_id) | ||||
|  | ||||
| >>> # Init StaticCache with big enough max-length (1024 tokens for the below example)  | ||||
| >>> # You can also init a DynamicCache, if that suits you better | ||||
| >>> prompt_cache = StaticCache(config=model.config, max_batch_size=1, max_cache_len=1024, device="cuda", dtype=torch.bfloat16) | ||||
|  | ||||
| >>> INITIAL_PROMPT = "You are a helpful assistant. " | ||||
| >>> inputs_initial_prompt = tokenizer(INITIAL_PROMPT, return_tensors="pt").to("cuda") | ||||
| >>> # This is the common prompt cached, we need to run forward without grad to be abel to copy | ||||
| >>> with torch.no_grad(): | ||||
| ...      prompt_cache = model(**inputs_initial_prompt, past_key_values = prompt_cache).past_key_values | ||||
|  | ||||
| >>> prompts = ["Help me to write a blogpost about travelling.", "What is the capital of France?"] | ||||
| >>> responses = [] | ||||
| >>> for prompt in prompts: | ||||
| ...     new_inputs = tokenizer(INITIAL_PROMPT + prompt, return_tensors="pt").to("cuda") | ||||
| ...     past_key_values = copy.deepcopy(prompt_cache) | ||||
| ...     outputs = model.generate(**new_inputs, past_key_values=past_key_values,max_new_tokens=20)  | ||||
| ...     response = tokenizer.batch_decode(outputs)[0] | ||||
| ...     responses.append(response) | ||||
|  | ||||
| >>> print(responses) | ||||
| ['<s> You are a helpful assistant. Help me to write a blogpost about travelling.\n\nTitle: The Ultimate Guide to Travelling: Tips, Tricks, and', '<s> You are a helpful assistant. What is the capital of France?\n\nYes, the capital of France is Paris.</s>'] | ||||
| ``` | ||||
| @ -24,7 +24,7 @@ This guide will show you how to use the optimization techniques available in Tra | ||||
|  | ||||
| During decoding, a LLM computes the key-value (kv) values for each input token and since it is autoregressive, it computes the same kv values each time because the generated output becomes part of the input now. This is not very efficient because you're recomputing the same kv values each time. | ||||
|  | ||||
| To optimize this, you can use a kv-cache to store the past keys and values instead of recomputing them each time. However, since the kv-cache grows with each generation step and is dynamic, it prevents you from taking advantage of [`torch.compile`](./perf_torch_compile), a powerful optimization tool that fuses PyTorch code into fast and optimized kernels. We have an entire guide dedicated to kv-caches [here](./kv_cache). | ||||
| To optimize this, you can use a kv-cache to store the past keys and values instead of recomputing them each time. However, since the kv-cache grows with each generation step and is dynamic, it prevents you from taking advantage of [`torch.compile`](./perf_torch_compile), a powerful optimization tool that fuses PyTorch code into fast and optimized kernels. | ||||
|  | ||||
| The *static kv-cache* solves this issue by pre-allocating the kv-cache size to a maximum value which allows you to combine it with `torch.compile` for up to a 4x speed up. Your speed up may vary depending on the model size (larger models have a smaller speed up) and hardware. | ||||
|  | ||||
| @ -99,7 +99,7 @@ model.generation_config.max_new_tokens = 16 | ||||
|  | ||||
| past_key_values = StaticCache( | ||||
|     config=model.config, | ||||
|     batch_size=1, | ||||
|     max_batch_size=1, | ||||
|     # If you plan to reuse the cache, make sure the cache length is large enough for all cases | ||||
|     max_cache_len=prompt_length+(model.generation_config.max_new_tokens*2), | ||||
|     device=model.device, | ||||
| @ -161,7 +161,7 @@ There are a few important things you must do to enable static kv-cache and `torc | ||||
| batch_size, seq_length = inputs["input_ids"].shape | ||||
| with torch.no_grad(): | ||||
|     past_key_values = StaticCache( | ||||
|         config=model.config, batch_size=2, max_cache_len=4096, device=torch_device, dtype=model.dtype | ||||
|         config=model.config, max_batch_size=2, max_cache_len=4096, device=torch_device, dtype=model.dtype | ||||
|     ) | ||||
|     cache_position = torch.arange(seq_length, device=torch_device) | ||||
|     generated_ids = torch.zeros( | ||||
|  | ||||
| @ -267,6 +267,5 @@ While the autoregressive generation process is relatively straightforward, makin | ||||
|  | ||||
| 1. [`optimum`](https://github.com/huggingface/optimum), an extension of 🤗 Transformers that optimizes for specific hardware devices. | ||||
| 2. [`outlines`](https://github.com/outlines-dev/outlines), a library where you can constrain text generation (e.g. to generate JSON files); | ||||
| 3. [`SynCode`](https://github.com/uiuc-focal-lab/syncode), a library for context-free grammar guided generation. (e.g. JSON, SQL, Python) | ||||
| 4. [`text-generation-inference`](https://github.com/huggingface/text-generation-inference), a production-ready server for LLMs; | ||||
| 5. [`text-generation-webui`](https://github.com/oobabooga/text-generation-webui), a UI for text generation; | ||||
| 3. [`text-generation-inference`](https://github.com/huggingface/text-generation-inference), a production-ready server for LLMs; | ||||
| 4. [`text-generation-webui`](https://github.com/oobabooga/text-generation-webui), a UI for text generation; | ||||
|  | ||||
| @ -662,7 +662,7 @@ Using the key-value cache has two advantages: | ||||
| -   Significant increase in computational efficiency as less computations are performed compared to computing the full \\( \mathbf{QK}^T \\) matrix. This leads to an increase in inference speed | ||||
| -   The maximum required memory is not increased quadratically with the number of generated tokens, but only increases linearly. | ||||
|  | ||||
| > One should *always* make use of the key-value cache as it leads to identical results and a significant speed-up for longer input sequences. Transformers has the key-value cache enabled by default when making use of the text pipeline or the [`generate` method](https://huggingface.co/docs/transformers/main_classes/text_generation). We have an entire guide dedicated to caches [here](./kv_cache). | ||||
| > One should *always* make use of the key-value cache as it leads to identical results and a significant speed-up for longer input sequences. Transformers has the key-value cache enabled by default when making use of the text pipeline or the [`generate` method](https://huggingface.co/docs/transformers/main_classes/text_generation). | ||||
|  | ||||
| <Tip warning={true}> | ||||
|  | ||||
|  | ||||
| @ -87,33 +87,12 @@ These engines have the following specification: | ||||
| 1. Follow the [messages format](../chat_templating.md) for its input (`List[Dict[str, str]]`) and return a string. | ||||
| 2. Stop generating outputs *before* the sequences passed in the argument `stop_sequences` | ||||
|  | ||||
| ### TransformersEngine | ||||
| ### HfEngine | ||||
|  | ||||
| For convenience, we have added a `TransformersEngine` that implements the points above, taking a pre-initialized `Pipeline` as input. | ||||
| For convenience, we have added a `HfEngine` that implements the points above and uses an inference endpoint for the execution of the LLM. | ||||
|  | ||||
| ```python | ||||
| >>> from transformers import AutoModelForCausalLM, AutoTokenizer, pipeline, TransformersEngine | ||||
|  | ||||
| >>> model_name = "HuggingFaceTB/SmolLM-135M-Instruct" | ||||
| >>> tokenizer = AutoTokenizer.from_pretrained(model_name) | ||||
| >>> model = AutoModelForCausalLM.from_pretrained(model_name) | ||||
|  | ||||
| >>> pipe = pipeline("text-generation", model=model, tokenizer=tokenizer) | ||||
|  | ||||
| >>> engine = TransformersEngine(pipe) | ||||
| >>> engine([{"role": "user", "content": "Ok!"}], stop_sequences=["great"]) | ||||
|  | ||||
| "What a " | ||||
| ``` | ||||
|  | ||||
| [[autodoc]] TransformersEngine | ||||
|  | ||||
| ### HfApiEngine | ||||
|  | ||||
| The `HfApiEngine` is an engine that wraps an [HF Inference API](https://huggingface.co/docs/api-inference/index) client for the execution of the LLM. | ||||
|  | ||||
| ```python | ||||
| >>> from transformers import HfApiEngine | ||||
| >>> from transformers import HfEngine | ||||
|  | ||||
| >>> messages = [ | ||||
| ...   {"role": "user", "content": "Hello, how are you?"}, | ||||
| @ -121,12 +100,12 @@ The `HfApiEngine` is an engine that wraps an [HF Inference API](https://huggingf | ||||
| ...   {"role": "user", "content": "No need to help, take it easy."}, | ||||
| ... ] | ||||
|  | ||||
| >>> HfApiEngine()(messages, stop_sequences=["conversation"]) | ||||
| >>> HfEngine()(messages, stop_sequences=["conversation"]) | ||||
|  | ||||
| "That's very kind of you to say! It's always nice to have a relaxed " | ||||
| ``` | ||||
|  | ||||
| [[autodoc]] HfApiEngine | ||||
| [[autodoc]] HfEngine | ||||
|  | ||||
|  | ||||
| ## Agent Types | ||||
|  | ||||
| @ -61,7 +61,3 @@ Learn how to quantize models in the [Quantization](../quantization) guide. | ||||
|  | ||||
| [[autodoc]] FbgemmFp8Config | ||||
|  | ||||
| ## TorchAoConfig | ||||
|  | ||||
| [[autodoc]] TorchAoConfig | ||||
|  | ||||
|  | ||||
| @ -59,52 +59,7 @@ This model was contributed by [lysandre](https://huggingface.co/lysandre). This | ||||
| - Layers are split in groups that share parameters (to save memory). | ||||
| Next sentence prediction is replaced by a sentence ordering prediction: in the inputs, we have two sentences A and B (that are consecutive) and we either feed A followed by B or B followed by A. The model must predict if they have been swapped or not. | ||||
|  | ||||
| ### Using Scaled Dot Product Attention (SDPA) | ||||
|  | ||||
| PyTorch includes a native scaled dot-product attention (SDPA) operator as part of `torch.nn.functional`. This function  | ||||
| encompasses several implementations that can be applied depending on the inputs and the hardware in use. See the  | ||||
| [official documentation](https://pytorch.org/docs/stable/generated/torch.nn.functional.scaled_dot_product_attention.html)  | ||||
| or the [GPU Inference](https://huggingface.co/docs/transformers/main/en/perf_infer_gpu_one#pytorch-scaled-dot-product-attention) | ||||
| page for more information. | ||||
|  | ||||
| SDPA is used by default for `torch>=2.1.1` when an implementation is available, but you may also set  | ||||
| `attn_implementation="sdpa"` in `from_pretrained()` to explicitly request SDPA to be used. | ||||
|  | ||||
| ``` | ||||
| from transformers import AlbertModel | ||||
| model = AlbertModel.from_pretrained("albert/albert-base-v1", torch_dtype=torch.float16, attn_implementation="sdpa") | ||||
| ... | ||||
| ``` | ||||
|  | ||||
| For the best speedups, we recommend loading the model in half-precision (e.g. `torch.float16` or `torch.bfloat16`). | ||||
|  | ||||
| On a local benchmark (GeForce RTX 2060-8GB, PyTorch 2.3.1, OS Ubuntu 20.04) with `float16`, we saw the  | ||||
| following speedups during training and inference. | ||||
|  | ||||
| #### Training for 100 iterations | ||||
|  | ||||
| |batch_size|seq_len|Time per batch (eager - s)| Time per batch (sdpa - s)| Speedup (%)| Eager peak mem (MB)| sdpa peak mem (MB)| Mem saving (%)| | ||||
| |----------|-------|--------------------------|--------------------------|------------|--------------------|-------------------|---------------| | ||||
| |2         |256    |0.028                     |0.024                     |14.388      |358.411             |321.088            |11.624         | | ||||
| |2         |512    |0.049                     |0.041                     |17.681      |753.458             |602.660            |25.022         | | ||||
| |4         |256    |0.044                     |0.039                     |12.246      |679.534             |602.660            |12.756         | | ||||
| |4         |512    |0.090                     |0.076                     |18.472      |1434.820            |1134.140           |26.512         | | ||||
| |8         |256    |0.081                     |0.072                     |12.664      |1283.825            |1134.140           |13.198         | | ||||
| |8         |512    |0.170                     |0.143                     |18.957      |2820.398            |2219.695           |27.062         | | ||||
|  | ||||
| #### Inference with 50 batches | ||||
|  | ||||
| |batch_size|seq_len|Per token latency eager (ms)|Per token latency SDPA (ms)|Speedup (%) |Mem eager (MB)|Mem BT (MB)|Mem saved (%)| | ||||
| |----------|-------|----------------------------|---------------------------|------------|--------------|-----------|-------------| | ||||
| |4         |128    |0.083                       |0.071                      |16.967      |48.319        |48.45      |-0.268       | | ||||
| |4         |256    |0.148                       |0.127                      |16.37       |63.4          |63.922     |-0.817       | | ||||
| |4         |512    |0.31                        |0.247                      |25.473      |110.092       |94.343     |16.693       | | ||||
| |8         |128    |0.137                       |0.124                      |11.102      |63.4          |63.66      |-0.409       | | ||||
| |8         |256    |0.271                       |0.231                      |17.271      |91.202        |92.246     |-1.132       | | ||||
| |8         |512    |0.602                       |0.48                       |25.47       |186.159       |152.564    |22.021       | | ||||
| |16        |128    |0.252                       |0.224                      |12.506      |91.202        |91.722     |-0.567       | | ||||
| |16        |256    |0.526                       |0.448                      |17.604      |148.378       |150.467    |-1.388       | | ||||
| |16        |512    |1.203                       |0.96                       |25.365      |338.293       |271.102    |24.784       | | ||||
|  | ||||
| This model was contributed by [lysandre](https://huggingface.co/lysandre). This model jax version was contributed by | ||||
| [kamalkraj](https://huggingface.co/kamalkraj). The original code can be found [here](https://github.com/google-research/ALBERT). | ||||
|  | ||||
| @ -87,17 +87,4 @@ If you're interested in submitting a resource to be included here, please feel f | ||||
|  | ||||
| [[autodoc]] Blip2ForConditionalGeneration | ||||
|     - forward | ||||
|     - generate | ||||
|  | ||||
| ## Blip2ForImageTextRetrieval | ||||
|  | ||||
| [[autodoc]] Blip2ForImageTextRetrieval | ||||
|     - forward | ||||
|  | ||||
| ## Blip2TextModelWithProjection | ||||
|  | ||||
| [[autodoc]] Blip2TextModelWithProjection | ||||
|  | ||||
| ## Blip2VisionModelWithProjection | ||||
|  | ||||
| [[autodoc]] Blip2VisionModelWithProjection | ||||
|     - generate | ||||
| @ -137,7 +137,7 @@ from transformers import ChameleonForConditionalGeneration, BitsAndBytesConfig | ||||
| quantization_config = BitsAndBytesConfig( | ||||
|     load_in_4bit=True, | ||||
|     bnb_4bit_quant_type="nf4", | ||||
|     bnb_4bit_compute_dtype=torch.bfloat16, | ||||
|     bnb_4bit_compute_dtype=torch.float16, | ||||
| ) | ||||
|  | ||||
| model = ChameleonForConditionalGeneration.from_pretrained("facebook/chameleon-7b", quantization_config=quantization_config, device_map="cuda") | ||||
|  | ||||
| @ -1,80 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # DAC | ||||
|  | ||||
| ## Overview | ||||
|  | ||||
|  | ||||
| The DAC model was proposed in [Descript Audio Codec: High-Fidelity Audio Compression with Improved RVQGAN](https://arxiv.org/abs/2306.06546) by Rithesh Kumar, Prem Seetharaman, Alejandro Luebs, Ishaan Kumar, Kundan Kumar. | ||||
|  | ||||
| The Descript Audio Codec (DAC) model is a powerful tool for compressing audio data, making it highly efficient for storage and transmission. By compressing 44.1 KHz audio into tokens at just 8kbps bandwidth, the DAC model enables high-quality audio processing while significantly reducing the data footprint. This is particularly useful in scenarios where bandwidth is limited or storage space is at a premium, such as in streaming applications, remote conferencing, and archiving large audio datasets. | ||||
|  | ||||
| The abstract from the paper is the following: | ||||
|  | ||||
| *Language models have been successfully used to model natural signals, such as images, speech, and music. A key component of these models is a high quality neural compression model that can compress high-dimensional natural signals into lower dimensional discrete tokens. To that end, we introduce a high-fidelity universal neural audio compression algorithm that achieves ~90x compression of 44.1 KHz audio into tokens at just 8kbps bandwidth. We achieve this by combining advances in high-fidelity audio generation with better vector quantization techniques from the image domain, along with improved adversarial and reconstruction losses. We compress all domains (speech, environment, music, etc.) with a single universal model, making it widely applicable to generative modeling of all audio. We compare with competing audio compression algorithms, and find our method outperforms them significantly. We provide thorough ablations for every design choice, as well as open-source code and trained model weights. We hope our work can lay the foundation for the next generation of high-fidelity audio modeling.* | ||||
|  | ||||
| This model was contributed by [Kamil Akesbi](https://huggingface.co/kamilakesbi). | ||||
| The original code can be found [here](https://github.com/descriptinc/descript-audio-codec/tree/main?tab=readme-ov-file). | ||||
|  | ||||
|  | ||||
| ## Model structure | ||||
|  | ||||
| The Descript Audio Codec (DAC) model is structured into three distinct stages: | ||||
|  | ||||
| 1. Encoder Model: This stage compresses the input audio, reducing its size while retaining essential information. | ||||
| 2. Residual Vector Quantizer (RVQ) Model: Working in tandem with the encoder, this model quantizes the latent codes of the audio, refining the compression and ensuring high-quality reconstruction. | ||||
| 3. Decoder Model: This final stage reconstructs the audio from its compressed form, restoring it to a state that closely resembles the original input. | ||||
|  | ||||
| ## Usage example  | ||||
|  | ||||
| Here is a quick example of how to encode and decode an audio using this model:  | ||||
|  | ||||
| ```python  | ||||
| >>> from datasets import load_dataset, Audio | ||||
| >>> from transformers import DacModel, AutoProcessor | ||||
| >>> librispeech_dummy = load_dataset("hf-internal-testing/librispeech_asr_dummy", "clean", split="validation") | ||||
|  | ||||
| >>> model = DacModel.from_pretrained("descript/dac_16khz") | ||||
| >>> processor = AutoProcessor.from_pretrained("descript/dac_16khz") | ||||
| >>> librispeech_dummy = librispeech_dummy.cast_column("audio", Audio(sampling_rate=processor.sampling_rate)) | ||||
| >>> audio_sample = librispeech_dummy[-1]["audio"]["array"] | ||||
| >>> inputs = processor(raw_audio=audio_sample, sampling_rate=processor.sampling_rate, return_tensors="pt") | ||||
|  | ||||
| >>> encoder_outputs = model.encode(inputs["input_values"]) | ||||
| >>> # Get the intermediate audio codes | ||||
| >>> audio_codes = encoder_outputs.audio_codes | ||||
| >>> # Reconstruct the audio from its quantized representation | ||||
| >>> audio_values = model.decode(encoder_outputs.quantized_representation) | ||||
| >>> # or the equivalent with a forward pass | ||||
| >>> audio_values = model(inputs["input_values"]).audio_values | ||||
| ``` | ||||
|  | ||||
| ## DacConfig | ||||
|  | ||||
| [[autodoc]] DacConfig | ||||
|  | ||||
| ## DacFeatureExtractor | ||||
|  | ||||
| [[autodoc]] DacFeatureExtractor | ||||
|     - __call__ | ||||
|  | ||||
| ## DacModel | ||||
|  | ||||
| [[autodoc]] DacModel | ||||
|     - decode | ||||
|     - encode | ||||
|     - forward | ||||
| @ -153,7 +153,7 @@ In short, one should prepare the data either in COCO detection or COCO panoptic | ||||
| [`~transformers.DetrImageProcessor`] to create `pixel_values`, `pixel_mask` and optional | ||||
| `labels`, which can then be used to train (or fine-tune) a model. For evaluation, one should first convert the | ||||
| outputs of the model using one of the postprocessing methods of [`~transformers.DetrImageProcessor`]. These can | ||||
| be provided to either `CocoEvaluator` or `PanopticEvaluator`, which allow you to calculate metrics like | ||||
| be be provided to either `CocoEvaluator` or `PanopticEvaluator`, which allow you to calculate metrics like | ||||
| mean Average Precision (mAP) and Panoptic Quality (PQ). The latter objects are implemented in the [original repository](https://github.com/facebookresearch/detr). See the [example notebooks](https://github.com/NielsRogge/Transformers-Tutorials/tree/master/DETR) for more info regarding evaluation. | ||||
|  | ||||
| ## Resources | ||||
|  | ||||
| @ -72,9 +72,6 @@ If you're interested in submitting a resource to be included here, please feel f | ||||
|  | ||||
| [[autodoc]] Dinov2Config | ||||
|  | ||||
| <frameworkcontent> | ||||
| <pt> | ||||
|  | ||||
| ## Dinov2Model | ||||
|  | ||||
| [[autodoc]] Dinov2Model | ||||
| @ -84,20 +81,3 @@ If you're interested in submitting a resource to be included here, please feel f | ||||
|  | ||||
| [[autodoc]] Dinov2ForImageClassification | ||||
|     - forward | ||||
|  | ||||
| </pt> | ||||
| <jax> | ||||
|  | ||||
| ## FlaxDinov2Model | ||||
|  | ||||
| [[autodoc]] FlaxDinov2Model | ||||
|     - __call__ | ||||
|  | ||||
|  | ||||
| ## FlaxDinov2ForImageClassification | ||||
|  | ||||
| [[autodoc]] FlaxDinov2ForImageClassification | ||||
|     - __call__ | ||||
|  | ||||
| </jax> | ||||
| </frameworkcontent> | ||||
|  | ||||
| @ -1,116 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # FalconMamba | ||||
|  | ||||
| ## Overview | ||||
|  | ||||
| The FalconMamba model was proposed by TII UAE (Technology Innovation Institute) in their release. | ||||
|  | ||||
| The abstract from the paper is the following: | ||||
|  | ||||
| *We present FalconMamba, a new base large language model based on the novel Mamba architecture. FalconMamba is trained on 5.8 trillion tokens with carefully selected data mixtures. As a pure Mamba-based model, FalconMamba surpasses leading open-weight models based on Transformers, such as Mistral 7B, Llama3 8B, and Falcon2 11B. It is on par with Gemma 7B and outperforms models with different architecture designs, such as RecurrentGemma 9B. Currently, FalconMamba is the best-performing Mamba model in the literature at this scale, surpassing both existing Mamba and hybrid Mamba-Transformer models. | ||||
| Due to its architecture, FalconMamba is significantly faster at inference and requires substantially less memory for long sequence generation. Despite recent studies suggesting that hybrid Mamba-Transformer models outperform pure architecture designs, we argue and demonstrate that the pure Mamba design can achieve similar, even superior results compared to the hybrid design. We make the weights of our implementation of FalconMamba publicly available under a permissive license.* | ||||
|  | ||||
| Tips: | ||||
|  | ||||
| - FalconMamba is mostly based on Mamba architecutre, the same [tips and best practices](./mamba) would be relevant here. | ||||
|  | ||||
| The model has been trained on approximtely 6T tokens consisting a mixture of many data sources such as RefineWeb, Cosmopedia and Math data. | ||||
|  | ||||
| For more details about the training procedure and the architecture, have a look at [the technical paper of FalconMamba]() (coming soon). | ||||
|  | ||||
| # Usage | ||||
|  | ||||
| Below we demonstrate how to use the model: | ||||
|  | ||||
| ```python  | ||||
| from transformers import FalconMambaForCausalLM, AutoTokenizer | ||||
| import torch | ||||
|  | ||||
| tokenizer = AutoTokenizer.from_pretrained("tiiuae/falcon-mamba-7b") | ||||
| model = FalconMambaForCausalLM.from_pretrained("tiiuae/falcon-mamba-7b") | ||||
|  | ||||
| input_ids = tokenizer("Hey how are you doing?", return_tensors= "pt")["input_ids"] | ||||
|  | ||||
| out = model.generate(input_ids, max_new_tokens=10) | ||||
| print(tokenizer.batch_decode(out)) | ||||
| ``` | ||||
|  | ||||
| The architecture is also compatible with `torch.compile` for faster generation: | ||||
|  | ||||
| ```python  | ||||
| from transformers import FalconMambaForCausalLM, AutoTokenizer | ||||
| import torch | ||||
|  | ||||
| tokenizer = AutoTokenizer.from_pretrained("tiiuae/falcon-mamba-7b") | ||||
| model = FalconMambaForCausalLM.from_pretrained("tiiuae/falcon-mamba-7b", torch_dtype=torch.bfloat16).to(0) | ||||
| model = torch.compile(model) | ||||
|  | ||||
| input_ids = tokenizer("Hey how are you doing?", return_tensors= "pt")["input_ids"] | ||||
|  | ||||
| out = model.generate(input_ids, max_new_tokens=10) | ||||
| print(tokenizer.batch_decode(out)) | ||||
| ``` | ||||
|  | ||||
| If you have access to a GPU that is compatible with `bitsandbytes`, you can also quantize the model in 4-bit precision: | ||||
|  | ||||
| ```python  | ||||
| from transformers import FalconMambaForCausalLM, AutoTokenizer, BitsAndBytesConfig | ||||
| import torch | ||||
|  | ||||
| tokenizer = AutoTokenizer.from_pretrained("tiiuae/falcon-mamba-7b") | ||||
| quantization_config = BitsAndBytesConfig(load_in_4bit=True) | ||||
| model = FalconMambaForCausalLM.from_pretrained("tiiuae/falcon-mamba-7b", quantization_config=quantization_config) | ||||
|  | ||||
| input_ids = tokenizer("Hey how are you doing?", return_tensors= "pt")["input_ids"] | ||||
|  | ||||
| out = model.generate(input_ids, max_new_tokens=10) | ||||
| print(tokenizer.batch_decode(out)) | ||||
| ``` | ||||
|  | ||||
| You can also play with the instruction fine-tuned model: | ||||
|  | ||||
| ```python  | ||||
| from transformers import FalconMambaForCausalLM, AutoTokenizer | ||||
| import torch | ||||
|  | ||||
| tokenizer = AutoTokenizer.from_pretrained("tiiuae/falcon-mamba-7b-instruct") | ||||
| model = FalconMambaForCausalLM.from_pretrained("tiiuae/falcon-mamba-7b-instruct") | ||||
|  | ||||
| # We use the tokenizer's chat template to format each message - see https://huggingface.co/docs/transformers/main/en/chat_templating | ||||
| messages = [ | ||||
|     {"role": "user", "content": "How many helicopters can a human eat in one sitting?"}, | ||||
| ] | ||||
| input_ids = tokenizer.apply_chat_template(messages, tokenize=False, add_generation_prompt=True).input_ids | ||||
|  | ||||
| outputs = model.generate(input_ids) | ||||
| print(tokenizer.decode(outputs[0])) | ||||
| ``` | ||||
|  | ||||
| ## FalconMambaConfig | ||||
|  | ||||
| [[autodoc]] FalconMambaConfig | ||||
|  | ||||
| ## FalconMambaModel | ||||
|  | ||||
| [[autodoc]] FalconMambaModel | ||||
|     - forward | ||||
|  | ||||
| ## FalconMambaLMHeadModel | ||||
|  | ||||
| [[autodoc]] FalconMambaForCausalLM | ||||
|     - forward | ||||
| @ -30,12 +30,6 @@ Tips: | ||||
|  | ||||
| - The original checkpoints can be converted using the conversion script `src/transformers/models/Gemma2/convert_Gemma2_weights_to_hf.py`  | ||||
|  | ||||
| <Tip warning={true}> | ||||
|  | ||||
| - Gemma2 uses sliding window attention every second layer, which makes it unsuitable for typical kv caching with [`~DynamicCache`] or tuples of tensors. To enable caching in Gemma2 forward call, you must initialize a [`~HybridCache`] instance and pass it as `past_key_values` to the forward call. Note, that you also have to prepare `cache_position` if the `past_key_values` already contains previous keys and values. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| This model was contributed by [Arthur Zucker](https://huggingface.co/ArthurZ), [Pedro Cuenca](https://huggingface.co/pcuenq) and [Tom Arsen](). | ||||
|  | ||||
|  | ||||
|  | ||||
| @ -1,74 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # Granite | ||||
|  | ||||
| ## Overview | ||||
|  | ||||
| The Granite model was proposed in [Power Scheduler: A Batch Size and Token Number Agnostic Learning Rate Scheduler](https://arxiv.org/abs/2408.13359) by Yikang Shen, Matthew Stallone, Mayank Mishra, Gaoyuan Zhang, Shawn Tan, Aditya Prasad, Adriana Meza Soria, David D. Cox and Rameswar Panda. | ||||
|  | ||||
| PowerLM-3B is a 3B state-of-the-art small language model trained with the Power learning rate scheduler. It is trained on a wide range of open-source and synthetic datasets with permissive licenses. PowerLM-3B has shown promising results compared to other models in the size categories across various benchmarks, including natural language multi-choices, code generation, and math reasoning. | ||||
|  | ||||
| The abstract from the paper is the following: | ||||
|  | ||||
| *Finding the optimal learning rate for language model pretraining is a challenging task. | ||||
| This is not only because there is a complicated correlation between learning rate, batch size, number of training tokens, model size, and other hyperparameters but also because it is prohibitively expensive to perform a hyperparameter search for large language models with Billions or Trillions of parameters. Recent studies propose using small proxy models and small corpus to perform hyperparameter searches and transposing the optimal parameters to large models and large corpus. While the zero-shot transferability is theoretically and empirically proven for model size related hyperparameters, like depth and width, the zero-shot transfer from small corpus to large corpus is underexplored. | ||||
| In this paper, we study the correlation between optimal learning rate, batch size, and number of training tokens for the recently proposed WSD scheduler. After thousands of small experiments, we found a power-law relationship between variables and demonstrated its transferability across model sizes. Based on the observation, we propose a new learning rate scheduler, Power scheduler, that is agnostic about the number of training tokens and batch size. The experiment shows that combining the Power scheduler with Maximum Update Parameterization (\mup) can consistently achieve impressive performance with one set of hyperparameters regardless of the number of training tokens, batch size, model size, and even model architecture. Our 3B dense and MoE models trained with the Power scheduler achieve comparable performance as state-of-the-art small language models. | ||||
| We [open source](https://huggingface.co/collections/ibm/power-lm-66be64ae647ddf11b9808000) these pretrained models.* | ||||
|  | ||||
| Tips: | ||||
|  | ||||
| ```python | ||||
| import torch | ||||
| from transformers import AutoModelForCausalLM, AutoTokenizer | ||||
|  | ||||
| model_path = "ibm/PowerLM-3b" | ||||
| tokenizer = AutoTokenizer.from_pretrained(model_path) | ||||
|  | ||||
| # drop device_map if running on CPU | ||||
| model = AutoModelForCausalLM.from_pretrained(model_path, device_map="auto") | ||||
| model.eval() | ||||
|  | ||||
| # change input text as desired | ||||
| prompt = "Write a code to find the maximum value in a list of numbers." | ||||
|  | ||||
| # tokenize the text | ||||
| input_tokens = tokenizer(prompt, return_tensors="pt") | ||||
| # generate output tokens | ||||
| output = model.generate(**input_tokens, max_new_tokens=100) | ||||
| # decode output tokens into text | ||||
| output = tokenizer.batch_decode(output) | ||||
| # loop over the batch to print, in this example the batch size is 1 | ||||
| for i in output: | ||||
|     print(i) | ||||
| ``` | ||||
|  | ||||
| This model was contributed by [mayank-mishra](https://huggingface.co/mayank-mishra). | ||||
|  | ||||
|  | ||||
| ## GraniteConfig | ||||
|  | ||||
| [[autodoc]] GraniteConfig | ||||
|  | ||||
| ## GraniteModel | ||||
|  | ||||
| [[autodoc]] GraniteModel | ||||
|     - forward | ||||
|  | ||||
| ## GraniteForCausalLM | ||||
|  | ||||
| [[autodoc]] GraniteForCausalLM | ||||
|     - forward | ||||
| @ -55,12 +55,12 @@ The original code can be found [here](https://github.com/haotian-liu/LLaVA/tree/ | ||||
|  | ||||
| - Note that each checkpoint has been trained with a specific prompt format, depending on which large language model (LLM) was used. You can use the processor's `apply_chat_template` to format your prompts correctly. For that you have to construct a conversation history, passing a plain string will not format your prompt. Each message in the conversation history for chat templates is a dictionary with keys "role" and "content". The "content" should be a list of dictionaries, for "text" and "image" modalities. Below is an example of how to do that and the list of formats accepted by each checkpoint. | ||||
|  | ||||
| We will use [llava-v1.6-mistral-7b-hf](https://huggingface.co/llava-hf/llava-v1.6-mistral-7b-hf) and a conversation history of text and image. Each content field has to be a list of dicts, as follows: | ||||
| We will use [llava-v1.6-mistral-7b-hf](https://huggingface.co/llava-hf/llava-hf/llava-v1.6-mistral-7b-hf) and a conversation history of text and image. Each content field has to be a list of dicts, as follows: | ||||
|  | ||||
| ```python | ||||
| from transformers import LlavaNextProcessor | ||||
|  | ||||
| processor = LlavaNextProcessor.from_pretrained("llava-hf/llava-v1.6-mistral-7b-hf") | ||||
| processor = LlavaNextProcessor.from_pretrained("llava-hf/llava-hf/llava-v1.6-mistral-7b-hf") | ||||
|  | ||||
| conversation = [ | ||||
|     { | ||||
|  | ||||
| @ -1,319 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # LLaVA-Onevision | ||||
|  | ||||
| ## Overview | ||||
|  | ||||
| The LLaVA-Onevision model was proposed in [LLaVA-OneVision: Easy Visual Task Transfer](https://arxiv.org/abs/2408.03326) by <Bo Li, Yuanhan Zhang, Dong Guo, Renrui Zhang, Feng Li, Hao Zhang, Kaichen Zhang, Yanwei Li, Ziwei Liu, Chunyuan Li | ||||
|  | ||||
| LLaVA-Onevision is a Vision-Language Model that can generate text conditioned on one or several images/videos. The model consists of SigLIP vision encoder and a Qwen2 language backbone. The images are processed with anyres-9 technique where the image is split into 9 patches to better process high resolution images and capture as much details as possible. However, videos are pooled to a total sequence length of 196 tokens each frame for more memory efficient computation. LLaVA-Onevision is available in three sizes: 0.5B, 7B and 72B and achieves remarkable performance on benchmark evaluations. | ||||
|  | ||||
| The abstract from the paper is the following: | ||||
|  | ||||
| *We present LLaVA-OneVision, a family of open large multimodal models (LMMs) | ||||
| developed by consolidating our insights into data, models, and visual representations in the LLaVA-NeXT blog series. Our experimental results demonstrate that | ||||
| LLaVA-OneVision is the first single model that can simultaneously push the performance boundaries of open LMMs in three important computer vision scenarios: | ||||
| single-image, multi-image, and video scenarios. Importantly, the design of LLaVAOneVision allows strong transfer learning across different modalities/scenarios, | ||||
| yielding new emerging capabilities. In particular, strong video understanding and | ||||
| cross-scenario capabilities are demonstrated through task transfer from images to | ||||
| videos.* | ||||
|  | ||||
|  | ||||
| <img src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/model_doc/llava-ov-acrhitecture.png" | ||||
| alt="drawing" width="600"/> | ||||
|  | ||||
| <small> LLaVA=Onevision architecture. Taken from the <a href="https://arxiv.org/abs/2408.03326">original paper.</a> </small> | ||||
|  | ||||
| Tips: | ||||
|  | ||||
| - We advise users to use `padding_side="left"` when computing batched generation as it leads to more accurate results. Simply make sure to call `processor.tokenizer.padding_side = "left"` before generating. | ||||
|  | ||||
| <Tip warning={true}> | ||||
|  | ||||
| - Llava-Onevision uses different number of patches for images and thus has to pad the inputs inside modeling code, aside from the padding done when processing the inputs. The default setting is "left-padding" if model is in `eval()` mode, otherwise "right-padding". | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| - Note that the model should use a specific prompt format, on which the large language model (LLM) was trained. You can use the processor's `apply_chat_template` to format your prompts correctly. For that you have to construct a conversation history, passing a plain string will not format your prompt. Each message in the conversation history for chat templates is a dictionary with keys "role" and "content". The "content" should be a list of dictionaries, for "text" and "image" modalities. | ||||
|  | ||||
| We will use [llava-onevision-qwen2-7b-si-hf](https://huggingface.co/llava-hf/llava-onevision-qwen2-7b-si-hf) and a conversation history of text and image. Each content field has to be a list of dicts, as follows: | ||||
|  | ||||
| ```python | ||||
| from transformers import AutoProcessor | ||||
|  | ||||
| processor = AutoProcessor.from_pretrained("llava-hf/llava-onevision-qwen2-7b-si-hf") | ||||
|  | ||||
| conversation = [ | ||||
|     { | ||||
|         "role": "user", | ||||
|         "content": [ | ||||
|             {"type": "image"}, | ||||
|             {"type": "text", "text": "What’s shown in this image?"}, | ||||
|         ], | ||||
|     }, | ||||
|     { | ||||
|         "role": "assistant", | ||||
|         "content": [{"type": "text", "text": "This image shows a red stop sign."},] | ||||
|     }, | ||||
|     { | ||||
|  | ||||
|         "role": "user", | ||||
|         "content": [ | ||||
|             {"type": "text", "text": "Describe the image in more details."}, | ||||
|         ], | ||||
|     }, | ||||
| ] | ||||
|  | ||||
| text_prompt = processor.apply_chat_template(conversation, add_generation_prompt=True) | ||||
|  | ||||
| # Note that the template simply formats your prompt, you still have to tokenize it and obtain pixel values for your images | ||||
| print(text_prompt) | ||||
| >>> "<|im_start|>user\n<image>What is shown in this image?<|im_end|>\n<|im_start|>assistant\nPage showing the list of options.<|im_end|>" | ||||
| ``` | ||||
|  | ||||
| This model was contributed by [RaushanTurganbay](https://huggingface.co/RaushanTurganbay). | ||||
| The original code can be found [here](https://github.com/LLaVA-VL/LLaVA-NeXT/tree/main). | ||||
|  | ||||
|  | ||||
| ## Usage example | ||||
|  | ||||
| ### Single image inference | ||||
|  | ||||
| Here's how to load the model and perform inference in half-precision (`torch.float16`): | ||||
|  | ||||
| ```python | ||||
| from transformers import AutoProcessor, LlavaOnevisionForConditionalGeneration | ||||
| import torch | ||||
| from PIL import Image | ||||
| import requests | ||||
|  | ||||
| processor = AutoProcessor.from_pretrained("llava-hf/llava-onevision-qwen2-7b-ov-hf")  | ||||
| model = LlavaOnevisionForConditionalGeneration.from_pretrained("llava-hf/llava-onevision-qwen2-7b-ov-hf", torch_dtype=torch.float16, low_cpu_mem_usage=True)  | ||||
| model.to("cuda:0") | ||||
|  | ||||
| # prepare image and text prompt, using the appropriate prompt template | ||||
| url = "https://github.com/haotian-liu/LLaVA/blob/1a91fc274d7c35a9b50b3cb29c4247ae5837ce39/images/llava_v1_5_radar.jpg?raw=true" | ||||
| image = Image.open(requests.get(url, stream=True).raw) | ||||
|  | ||||
| conversation = [ | ||||
|     { | ||||
|         "role": "user", | ||||
|         "content": [ | ||||
|             {"type": "image"}, | ||||
|             {"type": "text", "text": "What is shown in this image?"}, | ||||
|         ], | ||||
|     }, | ||||
| ] | ||||
| prompt = processor.apply_chat_template(conversation, add_generation_prompt=True) | ||||
| inputs = processor(images=image, text=prompt, return_tensors="pt").to("cuda:0", torch.float16) | ||||
|  | ||||
| # autoregressively complete prompt | ||||
| output = model.generate(**inputs, max_new_tokens=100) | ||||
| print(processor.decode(output[0], skip_special_tokens=True)) | ||||
| 'user\n\nWhat is shown in this image?\nassistant\nThe image shows a radar chart, also known as a spider chart or a star chart, which is used to compare multiple quantitative variables. Each axis represents a different variable, and the chart is filled with' | ||||
| ``` | ||||
|  | ||||
| ### Multi image inference | ||||
|  | ||||
| LLaVa-Onevision can perform inference with multiple images as input, where images either belong to the same prompt or different prompts (in batched inference). For that you have to use checkpoints with an "ov" suffix. Here is how you can do it: | ||||
|  | ||||
| ```python | ||||
| import requests | ||||
| from PIL import Image | ||||
| import torch | ||||
| from transformers import AutoProcessor, LlavaOnevisionForConditionalGeneration | ||||
|  | ||||
| # Load the model in half-precision | ||||
| model = LlavaOnevisionForConditionalGeneration.from_pretrained("llava-hf/llava-onevision-qwen2-7b-ov-hf", torch_dtype=torch.float16, device_map="auto") | ||||
| processor = AutoProcessor.from_pretrained("llava-hf/llava-onevision-qwen2-7b-ov-hf") | ||||
|  | ||||
| # Get three different images | ||||
| url = "https://www.ilankelman.org/stopsigns/australia.jpg" | ||||
| image_stop = Image.open(requests.get(url, stream=True).raw) | ||||
|  | ||||
| url = "http://images.cocodataset.org/val2017/000000039769.jpg" | ||||
| image_cats = Image.open(requests.get(url, stream=True).raw) | ||||
|  | ||||
| url = "https://huggingface.co/microsoft/kosmos-2-patch14-224/resolve/main/snowman.jpg" | ||||
| image_snowman = Image.open(requests.get(url, stream=True).raw) | ||||
|  | ||||
| # Prepare a batch of two prompts, where the first one is a multi-turn conversation and the second is not | ||||
| conversation_1 = [ | ||||
|     { | ||||
|         "role": "user", | ||||
|         "content": [ | ||||
|             {"type": "image"}, | ||||
|             {"type": "text", "text": "What is shown in this image?"}, | ||||
|             ], | ||||
|     }, | ||||
|     { | ||||
|         "role": "assistant", | ||||
|         "content": [ | ||||
|             {"type": "text", "text": "There is a red stop sign in the image."}, | ||||
|             ], | ||||
|     }, | ||||
|     { | ||||
|         "role": "user", | ||||
|         "content": [ | ||||
|             {"type": "image"}, | ||||
|             {"type": "text", "text": "What about this image? How many cats do you see?"}, | ||||
|             ], | ||||
|     }, | ||||
| ] | ||||
|  | ||||
| conversation_2 = [ | ||||
|     { | ||||
|         "role": "user", | ||||
|         "content": [ | ||||
|             {"type": "image"}, | ||||
|             {"type": "text", "text": "What is shown in this image?"}, | ||||
|             ], | ||||
|     }, | ||||
| ] | ||||
|  | ||||
| prompt_1 = processor.apply_chat_template(conversation_1, add_generation_prompt=True) | ||||
| prompt_2 = processor.apply_chat_template(conversation_2, add_generation_prompt=True) | ||||
| prompts = [prompt_1, prompt_2] | ||||
|  | ||||
| # We can simply feed images in the order they have to be used in the text prompt | ||||
| inputs = processor(images=[image_stop, image_cats, image_snowman], text=prompts, padding=True, return_tensors="pt").to(model.device, torch.float16) | ||||
|  | ||||
| # Generate | ||||
| generate_ids = model.generate(**inputs, max_new_tokens=30) | ||||
| processor.batch_decode(generate_ids, skip_special_tokens=True, clean_up_tokenization_spaces=False) | ||||
| ['user\n\nWhat is shown in this image?\nassistant\nThere is a red stop sign in the image.\nuser\n\nWhat about this image? How many cats do you see?\nassistant\ntwo', 'user\n\nWhat is shown in this image?\nassistant\n'] | ||||
| ``` | ||||
|  | ||||
| ### Video inference | ||||
|  | ||||
| LLaVa-Onevision also can perform inference with videos as input, where video frames are treated as multiple images. Here is how you can do it: | ||||
|  | ||||
| ```python | ||||
| import av | ||||
| import numpy as np | ||||
| from huggingface_hub import hf_hub_download | ||||
|  | ||||
| import torch | ||||
| from transformers import AutoProcessor, LlavaOnevisionForConditionalGeneration | ||||
|  | ||||
| # Load the model in half-precision | ||||
| model = LlavaOnevisionForConditionalGeneration.from_pretrained("llava-hf/llava-onevision-qwen2-7b-ov-hf", torch_dtype=torch.float16, device_map="auto") | ||||
| processor = AutoProcessor.from_pretrained("llava-hf/llava-onevision-qwen2-7b-ov-hf") | ||||
|  | ||||
|  | ||||
| def read_video_pyav(container, indices): | ||||
|     ''' | ||||
|     Decode the video with PyAV decoder. | ||||
|     Args: | ||||
|         container (`av.container.input.InputContainer`): PyAV container. | ||||
|         indices (`List[int]`): List of frame indices to decode. | ||||
|     Returns: | ||||
|         result (np.ndarray): np array of decoded frames of shape (num_frames, height, width, 3). | ||||
|     ''' | ||||
|     frames = [] | ||||
|     container.seek(0) | ||||
|     start_index = indices[0] | ||||
|     end_index = indices[-1] | ||||
|     for i, frame in enumerate(container.decode(video=0)): | ||||
|         if i > end_index: | ||||
|             break | ||||
|         if i >= start_index and i in indices: | ||||
|             frames.append(frame) | ||||
|     return np.stack([x.to_ndarray(format="rgb24") for x in frames]) | ||||
|  | ||||
| # Load the video as an np.array, sampling uniformly 8 frames (can sample more for longer videos, up to 32 frames) | ||||
| video_path = hf_hub_download(repo_id="raushan-testing-hf/videos-test", filename="sample_demo_1.mp4", repo_type="dataset") | ||||
| container = av.open(video_path) | ||||
| total_frames = container.streams.video[0].frames | ||||
| indices = np.arange(0, total_frames, total_frames / 8).astype(int) | ||||
| video = read_video_pyav(container, indices) | ||||
|  | ||||
| # For videos we have to feed a "video" type instead of "image" | ||||
| conversation = [ | ||||
|     { | ||||
|  | ||||
|         "role": "user", | ||||
|         "content": [ | ||||
|             {"type": "video"}, | ||||
|             {"type": "text", "text": "Why is this video funny?"}, | ||||
|             ], | ||||
|     }, | ||||
| ] | ||||
|  | ||||
| prompt = processor.apply_chat_template(conversation, add_generation_prompt=True) | ||||
| inputs = processor(videos=list(video), text=prompt, return_tensors="pt").to("cuda:0", torch.float16) | ||||
|  | ||||
| out = model.generate(**inputs, max_new_tokens=60) | ||||
| processor.batch_decode(out, skip_special_tokens=True, clean_up_tokenization_spaces=True) | ||||
| ["user\n\nWhy is this video funny?\nassistant\nThe video appears to be humorous because it shows a young child, who is wearing glasses and holding a book, seemingly reading with a serious and focused expression. The child's glasses are a bit oversized for their face, which adds a comical touch, as it's a common trope to see children wearing"] | ||||
| ``` | ||||
|  | ||||
| ## Model optimization | ||||
|  | ||||
| ### Quantization using Bitsandbytes | ||||
|  | ||||
| The model can be loaded in 8 or 4 bits, greatly reducing the memory requirements while maintaining the performance of the original model. First make sure to install bitsandbytes, `pip install bitsandbytes` and make sure to have access to a CUDA compatible GPU device. Simply change the snippet above with: | ||||
|  | ||||
| ```python | ||||
| from transformers import LlavaOnevisionForConditionalGeneration, BitsAndBytesConfig | ||||
|  | ||||
| # specify how to quantize the model | ||||
| quantization_config = BitsAndBytesConfig( | ||||
|     load_in_4bit=True, | ||||
|     bnb_4bit_quant_type="nf4", | ||||
|     bnb_4bit_compute_dtype=torch.float16, | ||||
| ) | ||||
|  | ||||
| model = LlavaOnevisionForConditionalGeneration.from_pretrained(model_id, quantization_config=quantization_config, device_map="auto") | ||||
| ``` | ||||
|  | ||||
| ### Use Flash-Attention 2 to further speed-up generation | ||||
|  | ||||
| First make sure to install flash-attn. Refer to the [original repository of Flash Attention](https://github.com/Dao-AILab/flash-attention) regarding that package installation. Simply change the snippet above with: | ||||
|  | ||||
| ```python | ||||
| from transformers import LlavaOnevisionForConditionalGeneration | ||||
|  | ||||
| model = LlavaOnevisionForConditionalGeneration.from_pretrained( | ||||
|     model_id,  | ||||
|     torch_dtype=torch.float16,  | ||||
|     low_cpu_mem_usage=True, | ||||
|     use_flash_attention_2=True | ||||
| ).to(0) | ||||
| ``` | ||||
|  | ||||
|  | ||||
| ## LlavaOnevisionConfig | ||||
|  | ||||
| [[autodoc]] LlavaOnevisionConfig | ||||
|  | ||||
| ## LlavaOnevisionProcessor | ||||
|  | ||||
| [[autodoc]] LlavaOnevisionProcessor | ||||
|  | ||||
| ## LlavaOnevisionImageProcessor | ||||
|  | ||||
| [[autodoc]] LlavaOnevisionImageProcessor | ||||
|  | ||||
| ## LlavaOnevisionVideoProcessor | ||||
|  | ||||
| [[autodoc]] LlavaOnevisionVideoProcessor | ||||
|  | ||||
| ## LlavaOnevisionForConditionalGeneration | ||||
|  | ||||
| [[autodoc]] LlavaOnevisionForConditionalGeneration | ||||
|     - forward | ||||
| @ -1,106 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # Mamba 2 | ||||
|  | ||||
| ## Overview | ||||
|  | ||||
| The Mamba2 model was proposed in [Transformers are SSMs: Generalized Models and Efficient Algorithms Through Structured State Space Duality](https://arxiv.org/abs/2405.21060) by Tri Dao and Albert Gu. It is a State Space Model similar to Mamba 1, with better performances in a simplified architecture.  | ||||
|  | ||||
|  | ||||
| The abstract from the paper is the following: | ||||
|  | ||||
| *While Transformers have been the main architecture behind deep learning's success in language modeling, state-space models (SSMs) such as Mamba have recently been shown to match or outperform Transformers at small to medium scale. We show that these families of models are actually quite closely related, and develop a rich framework of theoretical connections between SSMs and variants of attention, connected through various decompositions of a well-studied class of structured semiseparable matrices. Our state space duality (SSD) framework allows us to design a new architecture (Mamba-2) whose core layer is an a refinement of Mamba's selective SSM that is 2-8X faster, while continuing to be competitive with Transformers on language modeling.* | ||||
|  | ||||
| Tips: | ||||
|  | ||||
| This version should support all implementations of Mamba 2, and in particular [Mamba-2 codestral](https://huggingface.co/mistralai/Mamba-Codestral-7B-v0.1) from Mistral AI. In particular, mamba 2 codestral was released with a number of `groups` equal to 8, which can be thought intuitively as similar to the number of kv heads in an attention-based model.  | ||||
| This model has two different forward passes, `torch_forward` or `cuda_kernels_forward`. The latter uses the original cuda kernels if they are found in your environment, and is slower on the prefill i.e. requires a "warmup run" due to high cpu overhead, see [here](https://github.com/state-spaces/mamba/issues/389#issuecomment-2171755306) and [also here](https://github.com/state-spaces/mamba/issues/355#issuecomment-2147597457). Without compilation, the `torch_forward` implementation is faster by a factor 3 to 4. Further, there are no positional embeddings in this model, but there is an `attention_mask` and a specific logic to mask out hidden states in two places in the case of batched generation, see [here](https://github.com/state-spaces/mamba/issues/66#issuecomment-1863563829) as well. Due to this, in addition to the reimplementation of mamba2 kernels, batched generation and cached generation are expected to have slight discrepancies. Further, the results given by the cuda kernels or the torch forward are expected to be slightly different. The SSM algorithm heavily relies on tensor contractions, which have matmul equivalents but the order of operations is slightly different, making the difference greater at smaller precisions.  | ||||
| Another note, shutdown of hidden states corresponding to padding tokens is done in 2 places and mostly has been tested with left-padding. Right-padding will propagate noise down the line and is not guaranteed to yield satisfactory results. `tokenizer.padding_side = "left"` ensures you are using the correct padding side. | ||||
|  | ||||
| This model was contributed by [Molbap](https://huggingface.co/Molbap), with tremendous help from [Anton Vlasjuk](https://github.com/vasqu). | ||||
| The original code can be found [here](https://github.com/state-spaces/mamba). | ||||
|  | ||||
|  | ||||
| # Usage | ||||
|  | ||||
| ### A simple generation example:  | ||||
| ```python  | ||||
| from transformers import Mamba2Config, Mamba2ForCausalLM, AutoTokenizer | ||||
| import torch | ||||
| model_id = 'mistralai/Mamba-Codestral-7B-v0.1' | ||||
| tokenizer = AutoTokenizer.from_pretrained(model_id, revision='refs/pr/9', from_slow=True, legacy=False) | ||||
| model = Mamba2ForCausalLM.from_pretrained(model_id, revision='refs/pr/9') | ||||
| input_ids = tokenizer("Hey how are you doing?", return_tensors= "pt")["input_ids"] | ||||
|  | ||||
| out = model.generate(input_ids, max_new_tokens=10) | ||||
| print(tokenizer.batch_decode(out)) | ||||
| ``` | ||||
|  | ||||
| Here's a draft script for finetuning:  | ||||
| ```python  | ||||
| from trl import SFTTrainer | ||||
| from peft import LoraConfig | ||||
| from transformers import AutoTokenizer, Mamba2ForCausalLM, TrainingArguments | ||||
| model_id = 'mistralai/Mamba-Codestral-7B-v0.1' | ||||
| tokenizer = AutoTokenizer.from_pretrained(model_id, revision='refs/pr/9', from_slow=True, legacy=False) | ||||
| tokenizer.pad_token = tokenizer.eos_token | ||||
| tokenizer.padding_side = "left" #enforce padding side left | ||||
|  | ||||
| model = Mamba2ForCausalLM.from_pretrained(model_id, revision='refs/pr/9') | ||||
| dataset = load_dataset("Abirate/english_quotes", split="train") | ||||
| # Without CUDA kernels, batch size of 2 occupies one 80GB device | ||||
| # but precision can be reduced. | ||||
| # Experiments and trials welcome! | ||||
| training_args = TrainingArguments( | ||||
|     output_dir="./results", | ||||
|     num_train_epochs=3, | ||||
|     per_device_train_batch_size=2, | ||||
|     logging_dir='./logs', | ||||
|     logging_steps=10, | ||||
|     learning_rate=2e-3 | ||||
| ) | ||||
| lora_config =  LoraConfig( | ||||
|         r=8, | ||||
|         target_modules=["embeddings", "in_proj", "out_proj"], | ||||
|         task_type="CAUSAL_LM", | ||||
|         bias="none" | ||||
| ) | ||||
| trainer = SFTTrainer( | ||||
|     model=model, | ||||
|     tokenizer=tokenizer, | ||||
|     args=training_args, | ||||
|     peft_config=lora_config, | ||||
|     train_dataset=dataset, | ||||
|     dataset_text_field="quote", | ||||
| ) | ||||
| trainer.train() | ||||
| ``` | ||||
|  | ||||
|  | ||||
| ## Mamba2Config | ||||
|  | ||||
| [[autodoc]] Mamba2Config | ||||
|  | ||||
| ## Mamba2Model | ||||
|  | ||||
| [[autodoc]] Mamba2Model | ||||
|     - forward | ||||
|  | ||||
| ## Mamba2LMHeadModel | ||||
|  | ||||
| [[autodoc]] Mamba2ForCausalLM | ||||
|     - forward | ||||
| @ -1,148 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
| Copyright (c) 2024, NVIDIA CORPORATION.  All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # Nemotron | ||||
|  | ||||
| ## Nemotron | ||||
|  | ||||
| ### License | ||||
|  | ||||
| The use of this model is governed by the [NVIDIA AI Foundation Models Community License Agreement](https://developer.nvidia.com/downloads/nv-ai-foundation-models-license). | ||||
|  | ||||
| ### Description | ||||
|  | ||||
| Nemotron-4 is a family of enterprise ready generative text models compatible with [NVIDIA NeMo Framework](https://www.nvidia.com/en-us/ai-data-science/generative-ai/nemo-framework/). | ||||
|  | ||||
| NVIDIA NeMo is an end-to-end, cloud-native platform to build, customize, and deploy generative AI models anywhere. It includes training and inferencing frameworks, guardrailing toolkits, data curation tools, and pretrained models, offering enterprises an easy, cost-effective, and fast way to adopt generative AI. To get access to NeMo Framework, please sign up at [this link](https://developer.nvidia.com/nemo-framework/join). | ||||
|  | ||||
| ### References | ||||
|  | ||||
| [Announcement Blog](https://developer.nvidia.com/blog/nvidia-ai-foundation-models-build-custom-enterprise-chatbots-and-co-pilots-with-production-ready-llms/) | ||||
|  | ||||
| ### Model Architecture | ||||
|  | ||||
| **Architecture Type:** Transformer | ||||
|  | ||||
| **Network Architecture:** Transformer Decoder (auto-regressive language model). | ||||
|  | ||||
| ## Minitron | ||||
|  | ||||
| ### Minitron 4B Base | ||||
|  | ||||
| Minitron is a family of small language models (SLMs) obtained by pruning NVIDIA's [Nemotron-4 15B](https://arxiv.org/abs/2402.16819) model. We prune model embedding size, attention heads, and MLP intermediate dimension, following which, we perform continued training with distillation to arrive at the final models. | ||||
|  | ||||
| Deriving the Minitron 8B and 4B models from the base 15B model using our approach requires up to **40x fewer training tokens** per model compared to training from scratch; this results in **compute cost savings of 1.8x** for training the full model family (15B, 8B, and 4B). Minitron models exhibit up to a 16% improvement in MMLU scores compared to training from scratch, perform comparably to other community models such as Mistral 7B, Gemma 7B and Llama-3 8B, and outperform state-of-the-art compression techniques from the literature. Please refer to our [arXiv paper](https://arxiv.org/abs/2407.14679) for more details. | ||||
|  | ||||
| Minitron models are for research and development only. | ||||
|  | ||||
| ### HuggingFace Quickstart | ||||
|  | ||||
| The following code provides an example of how to load the Minitron-4B model and use it to perform text generation. | ||||
|  | ||||
| ```python | ||||
| import torch | ||||
| from transformers import AutoTokenizer, AutoModelForCausalLM | ||||
|  | ||||
| # Load the tokenizer and model | ||||
| model_path = 'nvidia/Minitron-4B-Base' | ||||
| tokenizer  = AutoTokenizer.from_pretrained(model_path) | ||||
|  | ||||
| device = 'cuda' | ||||
| dtype  = torch.bfloat16 | ||||
| model  = AutoModelForCausalLM.from_pretrained(model_path, torch_dtype=dtype, device_map=device) | ||||
|  | ||||
| # Prepare the input text | ||||
| prompt = 'Complete the paragraph: our solar system is' | ||||
| inputs = tokenizer.encode(prompt, return_tensors='pt').to(model.device) | ||||
|  | ||||
| # Generate the output | ||||
| outputs = model.generate(inputs, max_length=20) | ||||
|  | ||||
| # Decode and print the output | ||||
| output_text = tokenizer.decode(outputs[0]) | ||||
| print(output_text) | ||||
| ``` | ||||
|  | ||||
| ### License | ||||
|  | ||||
| Minitron is released under the [NVIDIA Open Model License Agreement](https://developer.download.nvidia.com/licenses/nvidia-open-model-license-agreement-june-2024.pdf). | ||||
|  | ||||
| ### Evaluation Results | ||||
|  | ||||
| *5-shot performance.* Language Understanding evaluated using [Massive Multitask Language Understanding](https://arxiv.org/abs/2009.03300): | ||||
|  | ||||
| | Average | | ||||
| | :---- | | ||||
| | 58.6 | | ||||
|  | ||||
| *Zero-shot performance.* Evaluated using select datasets from the [LM Evaluation Harness](https://github.com/EleutherAI/lm-evaluation-harness) with additions: | ||||
|  | ||||
| | HellaSwag | Winogrande | GSM8K| ARC-C | XLSum | | ||||
| | :------------- | :------------- | :------------- | :------------- | :------------- | | ||||
| | 75.0 | 74.0 | 24.1  | 50.9 | 29.5 | ||||
|  | ||||
|  | ||||
| *Code generation performance*. Evaluated using [HumanEval](https://github.com/openai/human-eval): | ||||
|  | ||||
| | p@1, 0-Shot | | ||||
| | :------------- | | ||||
| | 23.3 | | ||||
|  | ||||
| Please refer to our [paper](https://arxiv.org/abs/2407.14679) for the full set of results. | ||||
|  | ||||
| ### Citation | ||||
|  | ||||
| If you find our work helpful, please consider citing our paper: | ||||
| ``` | ||||
| @article{minitron2024, | ||||
|       title={Compact Language Models via Pruning and Knowledge Distillation}, | ||||
|       author={Saurav Muralidharan and Sharath Turuvekere Sreenivas and Raviraj Joshi and Marcin Chochowski and Mostofa Patwary and Mohammad Shoeybi and Bryan Catanzaro and Jan Kautz and Pavlo Molchanov}, | ||||
|       journal={arXiv preprint arXiv:2407.14679}, | ||||
|       year={2024}, | ||||
|       url={https://arxiv.org/abs/2407.14679}, | ||||
| } | ||||
| ``` | ||||
|  | ||||
| ## NemotronConfig | ||||
|  | ||||
| [[autodoc]] NemotronConfig | ||||
|  | ||||
|  | ||||
| ## NemotronModel | ||||
|  | ||||
| [[autodoc]] NemotronModel | ||||
|     - forward | ||||
|  | ||||
|  | ||||
| ## NemotronForCausalLM | ||||
|  | ||||
| [[autodoc]] NemotronForCausalLM | ||||
|     - forward | ||||
|  | ||||
| ## NemotronForSequenceClassification | ||||
|  | ||||
| [[autodoc]] NemotronForSequenceClassification | ||||
|     - forward | ||||
|  | ||||
|  | ||||
| ## NemotronForQuestionAnswering | ||||
|  | ||||
| [[autodoc]] NemotronForQuestionAnswering | ||||
|     - forward | ||||
|  | ||||
|  | ||||
| ## NemotronForTokenClassification | ||||
|  | ||||
| [[autodoc]] NemotronForTokenClassification | ||||
|     - forward | ||||
| @ -101,7 +101,7 @@ for the list of all BCP-47 in the Flores 200 dataset. | ||||
| >>> inputs = tokenizer(article, return_tensors="pt") | ||||
|  | ||||
| >>> translated_tokens = model.generate( | ||||
| ...     **inputs, forced_bos_token_id=tokenizer.convert_tokens_to_ids("fra_Latn"), max_length=30 | ||||
| ...     **inputs, forced_bos_token_id=tokenizer.lang_code_to_id["fra_Latn"], max_length=30 | ||||
| ... ) | ||||
| >>> tokenizer.batch_decode(translated_tokens, skip_special_tokens=True)[0] | ||||
| Le chef de l'ONU dit qu'il n'y a pas de solution militaire en Syrie | ||||
| @ -126,7 +126,7 @@ See example below for a translation from romanian to german: | ||||
| >>> inputs = tokenizer(article, return_tensors="pt") | ||||
|  | ||||
| >>> translated_tokens = model.generate( | ||||
| ...     **inputs, forced_bos_token_id=tokenizer.convert_tokens_to_ids("deu_Latn"), max_length=30 | ||||
| ...     **inputs, forced_bos_token_id=tokenizer.lang_code_to_id["deu_Latn"], max_length=30 | ||||
| ... ) | ||||
| >>> tokenizer.batch_decode(translated_tokens, skip_special_tokens=True)[0] | ||||
| UN-Chef sagt, es gibt keine militärische Lösung in Syrien | ||||
| @ -175,7 +175,7 @@ To load a model using Flash Attention 2, we can pass the argument `attn_implemen | ||||
| >>> inputs = tokenizer(article, return_tensors="pt").to("cuda") | ||||
|  | ||||
| >>> translated_tokens = model.generate( | ||||
| ...     **inputs, forced_bos_token_id=tokenizer.convert_tokens_to_ids("deu_Latn"), max_length=30 | ||||
| ...     **inputs, forced_bos_token_id=tokenizer.lang_code_to_id["deu_Latn"], max_length=30 | ||||
| ... ) | ||||
| >>> tokenizer.batch_decode(translated_tokens, skip_special_tokens=True)[0] | ||||
| "UN-Chef sagt, es gibt keine militärische Lösung in Syrien" | ||||
| @ -187,4 +187,4 @@ Below is an expected speedup diagram that compares pure inference time between t | ||||
|  | ||||
| <div style="text-align: center"> | ||||
| <img src="https://huggingface.co/datasets/visheratin/documentation-images/resolve/main/nllb-speedup.webp"> | ||||
| </div> | ||||
| </div> | ||||
| @ -1,45 +0,0 @@ | ||||
| <!-- | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # OLMoE | ||||
|  | ||||
| ## Overview | ||||
|  | ||||
| The OLMoE model was proposed in [OLMoE: Open Mixture-of-Experts Language Models](https://arxiv.org/abs/2409.02060) by Niklas Muennighoff, Luca Soldaini, Dirk Groeneveld, Kyle Lo, Jacob Morrison, Sewon Min, Weijia Shi, Pete Walsh, Oyvind Tafjord, Nathan Lambert, Yuling Gu, Shane Arora, Akshita Bhagia, Dustin Schwenk, David Wadden, Alexander Wettig, Binyuan Hui, Tim Dettmers, Douwe Kiela, Ali Farhadi, Noah A. Smith, Pang Wei Koh, Amanpreet Singh, Hannaneh Hajishirzi. | ||||
|  | ||||
| OLMoE is a series of **O**pen **L**anguage **Mo**dels using sparse **M**ixture-**o**f-**E**xperts designed to enable the science of language models. We release all code, checkpoints, logs, and details involved in training these models. | ||||
|  | ||||
| The abstract from the paper is the following: | ||||
|  | ||||
| *We introduce OLMoE, a fully open, state-of-the-art language model leveraging sparse Mixture-of-Experts (MoE). OLMoE-1B-7B has 7 billion (B) parameters but uses only 1B per input token. We pretrain it on 5 trillion tokens and further adapt it to create OLMoE-1B-7B-Instruct. Our models outperform all available models with similar active parameters, even surpassing larger ones like Llama2-13B-Chat and DeepSeekMoE-16B. We present various experiments on MoE training, analyze routing in our model showing high specialization, and open-source all aspects of our work: model weights, training data, code, and logs.* | ||||
|  | ||||
| This model was contributed by [Muennighoff](https://hf.co/Muennighoff). | ||||
| The original code can be found [here](https://github.com/allenai/OLMoE). | ||||
|  | ||||
|  | ||||
| ## OlmoeConfig | ||||
|  | ||||
| [[autodoc]] OlmoeConfig | ||||
|  | ||||
| ## OlmoeModel | ||||
|  | ||||
| [[autodoc]] OlmoeModel | ||||
|     - forward | ||||
|  | ||||
| ## OlmoeForCausalLM | ||||
|  | ||||
| [[autodoc]] OlmoeForCausalLM | ||||
|     - forward | ||||
| @ -1,198 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # Qwen2Audio | ||||
|  | ||||
| ## Overview | ||||
|  | ||||
| The Qwen2-Audio is the new model series of large audio-language models from the Qwen team. Qwen2-Audio is capable of accepting various audio signal inputs and performing audio analysis or direct textual responses with regard to speech instructions. We introduce two distinct audio interaction modes: | ||||
|  | ||||
| * voice chat: users can freely engage in voice interactions with Qwen2-Audio without text input | ||||
| * audio analysis: users could provide audio and text instructions for analysis during the interaction | ||||
|  | ||||
| It was proposed in [Qwen2-Audio Technical Report](https://arxiv.org/abs/2407.10759) by Yunfei Chu, Jin Xu, Qian Yang, Haojie Wei, Xipin Wei, Zhifang Guo, Yichong Leng, Yuanjun Lv, Jinzheng He, Junyang Lin, Chang Zhou, Jingren Zhou.  | ||||
|  | ||||
| The abstract from the paper is the following: | ||||
|  | ||||
| *We introduce the latest progress of Qwen-Audio, a large-scale audio-language model called Qwen2-Audio, which is capable of accepting various audio signal inputs and performing audio analysis or direct textual responses with regard to speech instructions. In contrast to complex hierarchical tags, we have simplified the pre-training process by utilizing natural language prompts for different data and tasks, and have further expanded the data volume. We have boosted the instruction-following capability of Qwen2-Audio and implemented two distinct audio interaction modes for voice chat and audio analysis. In the voice chat mode, users can freely engage in voice interactions with Qwen2-Audio without text input. In the audio analysis mode, users could provide audio and text instructions for analysis during the interaction. Note that we do not use any system prompts to switch between voice chat and audio analysis modes. Qwen2-Audio is capable of intelligently comprehending the content within audio and following voice commands to respond appropriately. For instance, in an audio segment that simultaneously contains sounds, multi-speaker conversations, and a voice command, Qwen2-Audio can directly understand the command and provide an interpretation and response to the audio. Additionally, DPO has optimized the model's performance in terms of factuality and adherence to desired behavior. According to the evaluation results from AIR-Bench, Qwen2-Audio outperformed previous SOTAs, such as Gemini-1.5-pro, in tests focused on audio-centric instruction-following capabilities. Qwen2-Audio is open-sourced with the aim of fostering the advancement of the multi-modal language community. * | ||||
|  | ||||
|  | ||||
| ## Usage tips | ||||
|  | ||||
| `Qwen2-Audio-7B` and `Qwen2-Audio-7B-Instruct` can be found on the [Huggingface Hub](https://huggingface.co/Qwen) | ||||
|  | ||||
| In the following, we demonstrate how to use `Qwen2-Audio-7B-Instruct` for the inference, supporting both voice chat and audio analysis modes. Note that we have used the ChatML format for dialog, in this demo we show how to leverage `apply_chat_template` for this purpose. | ||||
|  | ||||
| ### Voice Chat Inference | ||||
| In the voice chat mode, users can freely engage in voice interactions with Qwen2-Audio without text input: | ||||
| ```python | ||||
| from io import BytesIO | ||||
| from urllib.request import urlopen | ||||
| import librosa | ||||
| from transformers import Qwen2AudioForConditionalGeneration, AutoProcessor | ||||
|  | ||||
| processor = AutoProcessor.from_pretrained("Qwen/Qwen2-Audio-7B-Instruct") | ||||
| model = Qwen2AudioForConditionalGeneration.from_pretrained("Qwen/Qwen2-Audio-7B-Instruct", device_map="auto") | ||||
|  | ||||
| conversation = [ | ||||
|     {"role": "user", "content": [ | ||||
|         {"type": "audio", "audio_url": "https://qianwen-res.oss-cn-beijing.aliyuncs.com/Qwen2-Audio/audio/guess_age_gender.wav"}, | ||||
|     ]}, | ||||
|     {"role": "assistant", "content": "Yes, the speaker is female and in her twenties."}, | ||||
|     {"role": "user", "content": [ | ||||
|         {"type": "audio", "audio_url": "https://qianwen-res.oss-cn-beijing.aliyuncs.com/Qwen2-Audio/audio/translate_to_chinese.wav"}, | ||||
|     ]}, | ||||
| ] | ||||
| text = processor.apply_chat_template(conversation, add_generation_prompt=True, tokenize=False) | ||||
| audios = [] | ||||
| for message in conversation: | ||||
|     if isinstance(message["content"], list): | ||||
|         for ele in message["content"]: | ||||
|             if ele["type"] == "audio": | ||||
|                 audios.append(librosa.load( | ||||
|                     BytesIO(urlopen(ele['audio_url']).read()),  | ||||
|                     sr=processor.feature_extractor.sampling_rate)[0] | ||||
|                 ) | ||||
|  | ||||
| inputs = processor(text=text, audios=audios, return_tensors="pt", padding=True) | ||||
| inputs.input_ids = inputs.input_ids.to("cuda") | ||||
|  | ||||
| generate_ids = model.generate(**inputs, max_length=256) | ||||
| generate_ids = generate_ids[:, inputs.input_ids.size(1):] | ||||
|  | ||||
| response = processor.batch_decode(generate_ids, skip_special_tokens=True, clean_up_tokenization_spaces=False)[0] | ||||
| ``` | ||||
|  | ||||
| ### Audio Analysis Inference | ||||
| In the audio analysis, users could provide both audio and text instructions for analysis: | ||||
| ```python | ||||
| from io import BytesIO | ||||
| from urllib.request import urlopen | ||||
| import librosa | ||||
| from transformers import Qwen2AudioForConditionalGeneration, AutoProcessor | ||||
|  | ||||
| processor = AutoProcessor.from_pretrained("Qwen/Qwen2-Audio-7B-Instruct") | ||||
| model = Qwen2AudioForConditionalGeneration.from_pretrained("Qwen/Qwen2-Audio-7B-Instruct", device_map="auto") | ||||
|  | ||||
| conversation = [ | ||||
|     {'role': 'system', 'content': 'You are a helpful assistant.'},  | ||||
|     {"role": "user", "content": [ | ||||
|         {"type": "audio", "audio_url": "https://qianwen-res.oss-cn-beijing.aliyuncs.com/Qwen2-Audio/audio/glass-breaking-151256.mp3"}, | ||||
|         {"type": "text", "text": "What's that sound?"}, | ||||
|     ]}, | ||||
|     {"role": "assistant", "content": "It is the sound of glass shattering."}, | ||||
|     {"role": "user", "content": [ | ||||
|         {"type": "text", "text": "What can you do when you hear that?"}, | ||||
|     ]}, | ||||
|     {"role": "assistant", "content": "Stay alert and cautious, and check if anyone is hurt or if there is any damage to property."}, | ||||
|     {"role": "user", "content": [ | ||||
|         {"type": "audio", "audio_url": "https://qianwen-res.oss-cn-beijing.aliyuncs.com/Qwen2-Audio/audio/1272-128104-0000.flac"}, | ||||
|         {"type": "text", "text": "What does the person say?"}, | ||||
|     ]}, | ||||
| ] | ||||
| text = processor.apply_chat_template(conversation, add_generation_prompt=True, tokenize=False) | ||||
| audios = [] | ||||
| for message in conversation: | ||||
|     if isinstance(message["content"], list): | ||||
|         for ele in message["content"]: | ||||
|             if ele["type"] == "audio": | ||||
|                 audios.append( | ||||
|                     librosa.load( | ||||
|                         BytesIO(urlopen(ele['audio_url']).read()),  | ||||
|                         sr=processor.feature_extractor.sampling_rate)[0] | ||||
|                 ) | ||||
|  | ||||
| inputs = processor(text=text, audios=audios, return_tensors="pt", padding=True) | ||||
| inputs.input_ids = inputs.input_ids.to("cuda") | ||||
|  | ||||
| generate_ids = model.generate(**inputs, max_length=256) | ||||
| generate_ids = generate_ids[:, inputs.input_ids.size(1):] | ||||
|  | ||||
| response = processor.batch_decode(generate_ids, skip_special_tokens=True, clean_up_tokenization_spaces=False)[0] | ||||
| ``` | ||||
|  | ||||
| ### Batch Inference | ||||
| We also support batch inference: | ||||
| ```python | ||||
| from io import BytesIO | ||||
| from urllib.request import urlopen | ||||
| import librosa | ||||
| from transformers import Qwen2AudioForConditionalGeneration, AutoProcessor | ||||
|  | ||||
| processor = AutoProcessor.from_pretrained("Qwen/Qwen2-Audio-7B-Instruct") | ||||
| model = Qwen2AudioForConditionalGeneration.from_pretrained("Qwen/Qwen2-Audio-7B-Instruct", device_map="auto") | ||||
|  | ||||
| conversation1 = [ | ||||
|     {"role": "user", "content": [ | ||||
|         {"type": "audio", "audio_url": "https://qianwen-res.oss-cn-beijing.aliyuncs.com/Qwen2-Audio/audio/glass-breaking-151256.mp3"}, | ||||
|         {"type": "text", "text": "What's that sound?"}, | ||||
|     ]}, | ||||
|     {"role": "assistant", "content": "It is the sound of glass shattering."}, | ||||
|     {"role": "user", "content": [ | ||||
|         {"type": "audio", "audio_url": "https://qianwen-res.oss-cn-beijing.aliyuncs.com/Qwen2-Audio/audio/f2641_0_throatclearing.wav"}, | ||||
|         {"type": "text", "text": "What can you hear?"}, | ||||
|     ]} | ||||
| ] | ||||
|  | ||||
| conversation2 = [ | ||||
|     {"role": "user", "content": [ | ||||
|         {"type": "audio", "audio_url": "https://qianwen-res.oss-cn-beijing.aliyuncs.com/Qwen2-Audio/audio/1272-128104-0000.flac"}, | ||||
|         {"type": "text", "text": "What does the person say?"}, | ||||
|     ]}, | ||||
| ] | ||||
|  | ||||
| conversations = [conversation1, conversation2] | ||||
|  | ||||
| text = [processor.apply_chat_template(conversation, add_generation_prompt=True, tokenize=False) for conversation in conversations] | ||||
|  | ||||
| audios = [] | ||||
| for conversation in conversations: | ||||
|     for message in conversation: | ||||
|         if isinstance(message["content"], list): | ||||
|             for ele in message["content"]: | ||||
|                 if ele["type"] == "audio": | ||||
|                     audios.append( | ||||
|                         librosa.load( | ||||
|                             BytesIO(urlopen(ele['audio_url']).read()),  | ||||
|                             sr=processor.feature_extractor.sampling_rate)[0] | ||||
|                     ) | ||||
|  | ||||
| inputs = processor(text=text, audios=audios, return_tensors="pt", padding=True) | ||||
| inputs['input_ids'] = inputs['input_ids'].to("cuda") | ||||
| inputs.input_ids = inputs.input_ids.to("cuda") | ||||
|  | ||||
| generate_ids = model.generate(**inputs, max_length=256) | ||||
| generate_ids = generate_ids[:, inputs.input_ids.size(1):] | ||||
|  | ||||
| response = processor.batch_decode(generate_ids, skip_special_tokens=True, clean_up_tokenization_spaces=False) | ||||
| ``` | ||||
|  | ||||
| ## Qwen2AudioConfig | ||||
|  | ||||
| [[autodoc]] Qwen2AudioConfig | ||||
|  | ||||
| ## Qwen2AudioConfig | ||||
|  | ||||
| [[autodoc]] Qwen2AudioEncoderConfig | ||||
|  | ||||
| ## Qwen2AudioProcessor | ||||
|  | ||||
| [[autodoc]] Qwen2AudioProcessor | ||||
|  | ||||
| ## Qwen2AudioForConditionalGeneration | ||||
|  | ||||
| [[autodoc]] Qwen2AudioForConditionalGeneration | ||||
|     - forward | ||||
| @ -1,329 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # Qwen2_VL | ||||
|  | ||||
|  | ||||
| ## Overview | ||||
|  | ||||
| The [Qwen2_VL](https://qwenlm.github.io/blog/qwen2-vl/) is a major update to our [Qwen-VL](https://arxiv.org/pdf/2308.12966) model from the Qwen team.  | ||||
|  | ||||
| The abstract from the blog is the following: | ||||
|  | ||||
| *This blog introduces Qwen2-VL, an advanced version of the Qwen-VL model that has undergone significant enhancements over the past year. Key improvements include enhanced image comprehension, advanced video understanding, integrated visual agent functionality, and expanded multilingual support. The model architecture has been optimized for handling arbitrary image resolutions through Naive Dynamic Resolution support and utilizes Multimodal Rotary Position Embedding (M-ROPE) to effectively process both 1D textual and multi-dimensional visual data. This updated model demonstrates competitive performance against leading AI systems like GPT-4o and Claude 3.5 Sonnet in vision-related tasks and ranks highly among open-source models in text capabilities. These advancements make Qwen2-VL a versatile tool for various applications requiring robust multimodal processing and reasoning abilities.* | ||||
|  | ||||
|  | ||||
| ## Usage example | ||||
|  | ||||
| ### Single Media inference | ||||
|  | ||||
| The model can accept both images and videos as input. Here's an example code for inference. | ||||
|  | ||||
| ```python | ||||
|  | ||||
| from PIL import Image | ||||
| import requests | ||||
| import torch | ||||
| from torchvision import io | ||||
| from typing import Dict | ||||
| from transformers import Qwen2VLForConditionalGeneration, AutoTokenizer, AutoProcessor | ||||
|  | ||||
| # Load the model in half-precision on the available device(s) | ||||
| model = Qwen2VLForConditionalGeneration.from_pretrained("Qwen/Qwen2-VL-7B-Instruct", device_map="auto") | ||||
| processor = AutoProcessor.from_pretrained("Qwen/Qwen2-VL-7B-Instruct") | ||||
|  | ||||
| # Image | ||||
| url = "https://qianwen-res.oss-cn-beijing.aliyuncs.com/Qwen-VL/assets/demo.jpeg" | ||||
| image = Image.open(requests.get(url, stream=True).raw) | ||||
|  | ||||
| conversation = [ | ||||
|     { | ||||
|         "role":"user", | ||||
|         "content":[ | ||||
|             { | ||||
|                 "type":"image", | ||||
|             }, | ||||
|             { | ||||
|                 "type":"text", | ||||
|                 "text":"Describe this image." | ||||
|             } | ||||
|         ] | ||||
|     } | ||||
| ] | ||||
|  | ||||
|  | ||||
| # Preprocess the inputs | ||||
| text_prompt = processor.apply_chat_template(conversation, add_generation_prompt=True) | ||||
| # Excepted output: '<|im_start|>system\nYou are a helpful assistant.<|im_end|>\n<|im_start|>user\n<|vision_start|><|image_pad|><|vision_end|>Describe this image.<|im_end|>\n<|im_start|>assistant\n' | ||||
|  | ||||
| inputs = processor(text=[text_prompt], images=[image], padding=True, return_tensors="pt") | ||||
| inputs = inputs.to('cuda') | ||||
|  | ||||
| # Inference: Generation of the output | ||||
| output_ids = model.generate(**inputs, max_new_tokens=128) | ||||
| generated_ids = [output_ids[len(input_ids):] for input_ids, output_ids in zip(inputs.input_ids, output_ids)] | ||||
| output_text = processor.batch_decode(generated_ids, skip_special_tokens=True, clean_up_tokenization_spaces=True) | ||||
| print(output_text) | ||||
|  | ||||
|  | ||||
|  | ||||
| # Video | ||||
| def fetch_video(ele: Dict, nframe_factor=2): | ||||
|     if isinstance(ele['video'], str): | ||||
|         def round_by_factor(number: int, factor: int) -> int: | ||||
|             return round(number / factor) * factor | ||||
|  | ||||
|         video = ele["video"] | ||||
|         if video.startswith("file://"): | ||||
|             video = video[7:] | ||||
|  | ||||
|         video, _, info = io.read_video( | ||||
|             video, | ||||
|             start_pts=ele.get("video_start", 0.0), | ||||
|             end_pts=ele.get("video_end", None), | ||||
|             pts_unit="sec", | ||||
|             output_format="TCHW", | ||||
|         ) | ||||
|         assert not ("fps" in ele and "nframes" in ele), "Only accept either `fps` or `nframes`" | ||||
|         if "nframes" in ele: | ||||
|             nframes = round_by_factor(ele["nframes"], nframe_factor) | ||||
|         else: | ||||
|             fps = ele.get("fps", 1.0) | ||||
|             nframes = round_by_factor(video.size(0) / info["video_fps"] * fps, nframe_factor) | ||||
|         idx = torch.linspace(0, video.size(0) - 1, nframes, dtype=torch.int64) | ||||
|         return video[idx] | ||||
|  | ||||
| video_info = {"type": "video", "video": "/path/to/video.mp4", "fps": 1.0} | ||||
| video = fetch_video(video_info) | ||||
| conversation = [ | ||||
|     { | ||||
|         "role": "user", | ||||
|         "content": [ | ||||
|             {"type": "video"}, | ||||
|             {"type": "text", "text": "What happened in the video?"}, | ||||
|         ], | ||||
|     } | ||||
| ] | ||||
|  | ||||
| # Preprocess the inputs | ||||
| text_prompt = processor.apply_chat_template(conversation, add_generation_prompt=True) | ||||
| # Excepted output: '<|im_start|>system\nYou are a helpful assistant.<|im_end|>\n<|im_start|>user\n<|vision_start|><|video_pad|><|vision_end|>What happened in the video?<|im_end|>\n<|im_start|>assistant\n' | ||||
|  | ||||
| inputs = processor(text=[text_prompt], videos=[video], padding=True, return_tensors="pt") | ||||
| inputs = inputs.to('cuda') | ||||
|  | ||||
| # Inference: Generation of the output | ||||
| output_ids = model.generate(**inputs, max_new_tokens=128) | ||||
| generated_ids = [output_ids[len(input_ids):] for input_ids, output_ids in zip(inputs.input_ids, output_ids)] | ||||
| output_text = processor.batch_decode(generated_ids, skip_special_tokens=True, clean_up_tokenization_spaces=True) | ||||
| print(output_text) | ||||
|  | ||||
| ``` | ||||
|  | ||||
|  | ||||
| ### Batch Mixed Media Inference | ||||
|  | ||||
| The model can batch inputs composed of mixed samples of various types such as images, videos, and text. Here is an example. | ||||
|  | ||||
| ```python | ||||
|  | ||||
| image1 = Image.open("/path/to/image1.jpg") | ||||
| image2 = Image.open("/path/to/image2.jpg") | ||||
| image3 = Image.open("/path/to/image3.jpg") | ||||
| image4 = Image.open("/path/to/image4.jpg") | ||||
| image5 = Image.open("/path/to/image5.jpg") | ||||
| video = fetch_video({ | ||||
|     "type": "video", | ||||
|     "video": "/path/to/video.mp4", | ||||
|     "fps": 1.0 | ||||
| }) | ||||
|  | ||||
| # Conversation for the first image | ||||
| conversation1 = [ | ||||
|     { | ||||
|         "role": "user", | ||||
|         "content": [ | ||||
|             {"type": "image"}, | ||||
|             {"type": "text", "text": "Describe this image."} | ||||
|         ] | ||||
|     } | ||||
| ] | ||||
|  | ||||
| # Conversation with two images | ||||
| conversation2 = [ | ||||
|     { | ||||
|         "role": "user", | ||||
|         "content": [ | ||||
|             {"type": "image"}, | ||||
|             {"type": "image"}, | ||||
|             {"type": "text", "text": "What is written in the pictures?"} | ||||
|         ] | ||||
|     } | ||||
| ] | ||||
|  | ||||
| # Conversation with pure text | ||||
| conversation3 = [ | ||||
|     { | ||||
|         "role": "user", | ||||
|         "content": "who are you?" | ||||
|     } | ||||
| ] | ||||
|  | ||||
|  | ||||
| # Conversation with mixed midia | ||||
| conversation4 = [ | ||||
|     { | ||||
|         "role": "user", | ||||
|         "content": [ | ||||
|             {"type": "image"}, | ||||
|             {"type": "image"}, | ||||
|             {"type": "video"}, | ||||
|             {"type": "text", "text": "What are the common elements in these medias?"}, | ||||
|         ], | ||||
|     } | ||||
| ] | ||||
|  | ||||
| conversations = [conversation1, conversation2, conversation3, conversation4] | ||||
| # Preparation for batch inference | ||||
| texts = [processor.apply_chat_template(msg, add_generation_prompt=True) for msg in conversations] | ||||
| inputs = processor( | ||||
|     text=texts, | ||||
|     images=[image1, image2, image3, image4, image5], | ||||
|     videos=[video], | ||||
|     padding=True, | ||||
|     return_tensors="pt", | ||||
| ) | ||||
| inputs = inputs.to('cuda') | ||||
|  | ||||
| # Batch Inference | ||||
| output_ids = model.generate(**inputs, max_new_tokens=128) | ||||
| generated_ids = [output_ids[len(input_ids):] for input_ids, output_ids in zip(inputs.input_ids, output_ids)] | ||||
| output_text = processor.batch_decode(generated_ids, skip_special_tokens=True, clean_up_tokenization_spaces=True) | ||||
| print(output_text) | ||||
| ``` | ||||
|  | ||||
| ### Usage Tips | ||||
|  | ||||
| #### Image Resolution for performance boost | ||||
|  | ||||
| The model supports a wide range of resolution inputs. By default, it uses the native resolution for input, but higher resolutions can enhance performance at the cost of more computation. Users can set the minimum and maximum number of pixels to achieve an optimal configuration for their needs. | ||||
|  | ||||
| ```python | ||||
|  | ||||
| min_pixels = 224*224 | ||||
| max_pixels = 2048*2048 | ||||
| processor = AutoProcessor.from_pretrained("Qwen/Qwen2-VL-7B-Instruct", min_pixels=min_pixels, max_pixels=max_pixels) | ||||
|  | ||||
| ``` | ||||
|  | ||||
|  | ||||
|  | ||||
| #### Multiple Image Inputs | ||||
|  | ||||
| By default, images and video content are directly included in the conversation. When handling multiple images, it's helpful to add labels to the images and videos for better reference. Users can control this behavior with the following settings: | ||||
|  | ||||
|  | ||||
|  | ||||
| ```python | ||||
|  | ||||
| conversation = [ | ||||
|     { | ||||
|         "role": "user", | ||||
|         "content": [ | ||||
|             {"type": "image"},  | ||||
|             {"type": "text", "text": "Hello, how are you?"} | ||||
|         ] | ||||
|     }, | ||||
|     { | ||||
|         "role": "assistant", | ||||
|         "content": "I'm doing well, thank you for asking. How can I assist you today?" | ||||
|     }, | ||||
|     { | ||||
|         "role": "user", | ||||
|         "content": [ | ||||
|             {"type": "text", "text": "Can you describe these images and video?"},  | ||||
|             {"type": "image"},  | ||||
|             {"type": "image"},  | ||||
|             {"type": "video"},  | ||||
|             {"type": "text", "text": "These are from my vacation."} | ||||
|         ] | ||||
|     }, | ||||
|     { | ||||
|         "role": "assistant", | ||||
|         "content": "I'd be happy to describe the images and video for you. Could you please provide more context about your vacation?" | ||||
|     }, | ||||
|     { | ||||
|         "role": "user", | ||||
|         "content": "It was a trip to the mountains. Can you see the details in the images and video?" | ||||
|     } | ||||
| ] | ||||
|  | ||||
| # default: | ||||
| prompt_without_id = processor.apply_chat_template(conversation, add_generation_prompt=True) | ||||
| # Excepted output: '<|im_start|>system\nYou are a helpful assistant.<|im_end|>\n<|im_start|>user\n<|vision_start|><|image_pad|><|vision_end|>Hello, how are you?<|im_end|>\n<|im_start|>assistant\nI'm doing well, thank you for asking. How can I assist you today?<|im_end|>\n<|im_start|>user\nCan you describe these images and video?<|vision_start|><|image_pad|><|vision_end|><|vision_start|><|image_pad|><|vision_end|><|vision_start|><|video_pad|><|vision_end|>These are from my vacation.<|im_end|>\n<|im_start|>assistant\nI'd be happy to describe the images and video for you. Could you please provide more context about your vacation?<|im_end|>\n<|im_start|>user\nIt was a trip to the mountains. Can you see the details in the images and video?<|im_end|>\n<|im_start|>assistant\n' | ||||
|  | ||||
|  | ||||
| # add ids | ||||
| prompt_with_id = processor.apply_chat_template(conversation, add_generation_prompt=True, add_vision_id=True) | ||||
| # Excepted output: '<|im_start|>system\nYou are a helpful assistant.<|im_end|>\n<|im_start|>user\nPicture 1: <|vision_start|><|image_pad|><|vision_end|>Hello, how are you?<|im_end|>\n<|im_start|>assistant\nI'm doing well, thank you for asking. How can I assist you today?<|im_end|>\n<|im_start|>user\nCan you describe these images and video?Picture 2: <|vision_start|><|image_pad|><|vision_end|>Picture 3: <|vision_start|><|image_pad|><|vision_end|>Video 1: <|vision_start|><|video_pad|><|vision_end|>These are from my vacation.<|im_end|>\n<|im_start|>assistant\nI'd be happy to describe the images and video for you. Could you please provide more context about your vacation?<|im_end|>\n<|im_start|>user\nIt was a trip to the mountains. Can you see the details in the images and video?<|im_end|>\n<|im_start|>assistant\n' | ||||
|  | ||||
| ``` | ||||
|  | ||||
| #### Flash-Attention 2 to speed up generation | ||||
|  | ||||
| First, make sure to install the latest version of Flash Attention 2: | ||||
|  | ||||
| ```bash | ||||
| pip install -U flash-attn --no-build-isolation | ||||
| ``` | ||||
|  | ||||
| Also, you should have a hardware that is compatible with Flash-Attention 2. Read more about it in the official documentation of the [flash attention repository](https://github.com/Dao-AILab/flash-attention). FlashAttention-2 can only be used when a model is loaded in `torch.float16` or `torch.bfloat16`. | ||||
|  | ||||
| To load and run a model using Flash Attention-2, simply add `attn_implementation="flash_attention_2"` when loading the model as follows: | ||||
|  | ||||
| ```python | ||||
| from transformers import Qwen2VLForConditionalGeneration | ||||
|  | ||||
| model = Qwen2VLForConditionalGeneration.from_pretrained( | ||||
|     "Qwen/Qwen2-VL-7B-Instruct",  | ||||
|     torch_dtype=torch.bfloat16,  | ||||
|     attn_implementation="flash_attention_2", | ||||
| ) | ||||
| ``` | ||||
|  | ||||
|  | ||||
| ## Qwen2VLConfig | ||||
|  | ||||
| [[autodoc]] Qwen2VLConfig | ||||
|  | ||||
| ## Qwen2VLImageProcessor | ||||
|  | ||||
| [[autodoc]] Qwen2VLImageProcessor | ||||
|     - preprocess | ||||
|  | ||||
| ## Qwen2VLProcessor | ||||
|  | ||||
| [[autodoc]] Qwen2VLProcessor | ||||
|  | ||||
| ## Qwen2VLModel | ||||
|  | ||||
| [[autodoc]] Qwen2VLModel | ||||
|     - forward | ||||
|  | ||||
| ## Qwen2VLForConditionalGeneration | ||||
|  | ||||
| [[autodoc]] Qwen2VLForConditionalGeneration | ||||
|     - forward | ||||
| @ -34,7 +34,7 @@ Tips: | ||||
| - The model predicts much better results if input 2D points and/or input bounding boxes are provided | ||||
| - You can prompt multiple points for the same image, and predict a single mask.  | ||||
| - Fine-tuning the model is not supported yet | ||||
| - According to the paper, textual input should be also supported. However, at this time of writing this seems not to be supported according to [the official repository](https://github.com/facebookresearch/segment-anything/issues/4#issuecomment-1497626844).  | ||||
| - According to the paper, textual input should be also supported. However, at this time of writing this seems to be not supported according to [the official repository](https://github.com/facebookresearch/segment-anything/issues/4#issuecomment-1497626844).  | ||||
|  | ||||
|  | ||||
| This model was contributed by [ybelkada](https://huggingface.co/ybelkada) and [ArthurZ](https://huggingface.co/ArthurZ). | ||||
|  | ||||
| @ -93,33 +93,12 @@ from transformers import VitsTokenizer | ||||
| tokenizer = VitsTokenizer.from_pretrained("facebook/mms-tts-eng") | ||||
| print(tokenizer.is_uroman) | ||||
| ``` | ||||
| If the is_uroman attribute is `True`, the tokenizer will automatically apply the `uroman` package to your text inputs, but you need to install uroman if not already installed using:   | ||||
| ``` | ||||
| pip install --upgrade uroman | ||||
| ``` | ||||
| Note: Python version required to use `uroman` as python package should be >= `3.10`.  | ||||
| You can use the tokenizer as usual without any additional preprocessing steps: | ||||
| ```python | ||||
| import torch | ||||
| from transformers import VitsTokenizer, VitsModel, set_seed | ||||
| import os | ||||
| import subprocess | ||||
|  | ||||
| tokenizer = VitsTokenizer.from_pretrained("facebook/mms-tts-kor") | ||||
| model = VitsModel.from_pretrained("facebook/mms-tts-kor") | ||||
| text = "이봐 무슨 일이야" | ||||
| inputs = tokenizer(text=text, return_tensors="pt") | ||||
| If required, you should apply the uroman package to your text inputs **prior** to passing them to the `VitsTokenizer`,  | ||||
| since currently the tokenizer does not support performing the pre-processing itself.   | ||||
|  | ||||
| set_seed(555)  # make deterministic | ||||
| with torch.no_grad(): | ||||
|    outputs = model(inputs["input_ids"]) | ||||
|  | ||||
| waveform = outputs.waveform[0] | ||||
| ``` | ||||
| If you don't want to upgrade to python >= `3.10`, then you can use the `uroman` perl package to pre-process the text inputs to the Roman alphabet. | ||||
| To do this, first clone the uroman repository to your local machine and set the bash variable `UROMAN` to the local path: | ||||
|  | ||||
|  | ||||
| ```bash | ||||
| git clone https://github.com/isi-nlp/uroman.git | ||||
| cd uroman | ||||
|  | ||||
| @ -27,27 +27,6 @@ The abstract from the paper is the following: | ||||
| This model was contributed by [Arthur Zucker](https://huggingface.co/ArthurZ). The Tensorflow version of this model was contributed by [amyeroberts](https://huggingface.co/amyeroberts). | ||||
| The original code can be found [here](https://github.com/openai/whisper). | ||||
|  | ||||
| ## Quick usage | ||||
|  | ||||
| You can run Whisper in less than 4 lines of code and transcribe in less than a minute! | ||||
|  | ||||
| ```python | ||||
| # pip install transformers torch | ||||
|  | ||||
| import torch | ||||
| from transformers import pipeline | ||||
|  | ||||
| whisper = pipeline("automatic-speech-recognition", "openai/whisper-large-v3", torch_dtype=torch.float16, device="cuda:0") | ||||
|  | ||||
| transcription = whisper("<audio_file.mp3>") | ||||
|  | ||||
| print(transcription["text"]) | ||||
| ``` | ||||
|  | ||||
| Voila! You can swap the model with any [Whisper checkpoints](https://huggingface.co/models?other=whisper&sort=downloads) on the Hugging Face Hub with the same pipeline based on your needs. | ||||
|  | ||||
| Bonus: You can replace `"cuda"` with `"mps"` to make it seamlessly work on Macs. | ||||
|  | ||||
| ## Usage tips | ||||
|  | ||||
| - The model usually performs well without requiring any finetuning. | ||||
|  | ||||
| @ -42,7 +42,7 @@ In total, we get 512 sequences each with length 512 and store them in a [`~datas | ||||
| >>> seq_len, dataset_size = 512, 512 | ||||
| >>> dummy_data = { | ||||
| ...     "input_ids": np.random.randint(100, 30000, (dataset_size, seq_len)), | ||||
| ...     "labels": np.random.randint(0, 2, (dataset_size)), | ||||
| ...     "labels": np.random.randint(0, 1, (dataset_size)), | ||||
| ... } | ||||
| >>> ds = Dataset.from_dict(dummy_data) | ||||
| >>> ds.set_format("pt") | ||||
|  | ||||
| @ -51,7 +51,6 @@ FlashAttention-2 is currently supported for the following architectures: | ||||
| * [GPTNeo](https://huggingface.co/docs/transformers/model_doc/gpt_neo#transformers.GPTNeoModel) | ||||
| * [GPTNeoX](https://huggingface.co/docs/transformers/model_doc/gpt_neox#transformers.GPTNeoXModel) | ||||
| * [GPT-J](https://huggingface.co/docs/transformers/model_doc/gptj#transformers.GPTJModel) | ||||
| * [Granite](https://huggingface.co/docs/transformers/model_doc/granite#transformers.GraniteModel) | ||||
| * [Idefics2](https://huggingface.co/docs/transformers/model_doc/idefics2#transformers.Idefics2Model) | ||||
| * [Falcon](https://huggingface.co/docs/transformers/model_doc/falcon#transformers.FalconModel) | ||||
| * [JetMoe](https://huggingface.co/docs/transformers/model_doc/jetmoe#transformers.JetMoeModel) | ||||
| @ -60,7 +59,6 @@ FlashAttention-2 is currently supported for the following architectures: | ||||
| * [Llava](https://huggingface.co/docs/transformers/model_doc/llava) | ||||
| * [Llava-NeXT](https://huggingface.co/docs/transformers/model_doc/llava_next) | ||||
| * [Llava-NeXT-Video](https://huggingface.co/docs/transformers/model_doc/llava_next_video) | ||||
| * [LLaVA-Onevision](https://huggingface.co/docs/transformers/model_doc/llava_onevision) | ||||
| * [VipLlava](https://huggingface.co/docs/transformers/model_doc/vipllava) | ||||
| * [VideoLlava](https://huggingface.co/docs/transformers/model_doc/video_llava) | ||||
| * [M2M100](https://huggingface.co/docs/transformers/model_doc/m2m_100) | ||||
| @ -69,25 +67,21 @@ FlashAttention-2 is currently supported for the following architectures: | ||||
| * [Mixtral](https://huggingface.co/docs/transformers/model_doc/mixtral#transformers.MixtralModel) | ||||
| * [Musicgen](https://huggingface.co/docs/transformers/model_doc/musicgen#transformers.MusicgenModel) | ||||
| * [MusicGen Melody](https://huggingface.co/docs/transformers/model_doc/musicgen_melody#transformers.MusicgenMelodyModel) | ||||
| * [Nemotron](https://huggingface.co/docs/transformers/model_doc/nemotron) | ||||
| * [NLLB](https://huggingface.co/docs/transformers/model_doc/nllb) | ||||
| * [OLMo](https://huggingface.co/docs/transformers/model_doc/olmo#transformers.OlmoModel) | ||||
| * [OLMoE](https://huggingface.co/docs/transformers/model_doc/olmoe#transformers.OlmoeModel) | ||||
| * [OPT](https://huggingface.co/docs/transformers/model_doc/opt#transformers.OPTModel) | ||||
| * [Phi](https://huggingface.co/docs/transformers/model_doc/phi#transformers.PhiModel) | ||||
| * [Phi3](https://huggingface.co/docs/transformers/model_doc/phi3#transformers.Phi3Model) | ||||
| * [SigLIP](https://huggingface.co/docs/transformers/model_doc/siglip) | ||||
| * [StableLm](https://huggingface.co/docs/transformers/model_doc/stablelm#transformers.StableLmModel) | ||||
| * [Starcoder2](https://huggingface.co/docs/transformers/model_doc/starcoder2#transformers.Starcoder2Model) | ||||
| * [Qwen2](https://huggingface.co/docs/transformers/model_doc/qwen2#transformers.Qwen2Model) | ||||
| * [Qwen2Audio](https://huggingface.co/docs/transformers/model_doc/qwen2_audio#transformers.Qwen2AudioEncoder) | ||||
| * [Qwen2MoE](https://huggingface.co/docs/transformers/model_doc/qwen2_moe#transformers.Qwen2MoeModel) | ||||
| * [Qwen2VL](https://huggingface.co/docs/transformers/model_doc/qwen2_vl#transformers.Qwen2VLModel) | ||||
| * [Whisper](https://huggingface.co/docs/transformers/model_doc/whisper#transformers.WhisperModel) | ||||
| * [Wav2Vec2](https://huggingface.co/docs/transformers/model_doc/wav2vec2#transformers.Wav2Vec2Model) | ||||
| * [Hubert](https://huggingface.co/docs/transformers/model_doc/hubert#transformers.HubertModel) | ||||
| * [data2vec_audio](https://huggingface.co/docs/transformers/main/en/model_doc/data2vec#transformers.Data2VecAudioModel) | ||||
| * [Sew](https://huggingface.co/docs/transformers/main/en/model_doc/sew#transformers.SEWModel) | ||||
| * [SigLIP](https://huggingface.co/docs/transformers/model_doc/siglip) | ||||
| * [UniSpeech](https://huggingface.co/docs/transformers/v4.39.3/en/model_doc/unispeech#transformers.UniSpeechModel) | ||||
| * [unispeech_sat](https://huggingface.co/docs/transformers/v4.39.3/en/model_doc/unispeech-sat#transformers.UniSpeechSatModel) | ||||
|  | ||||
| @ -203,15 +197,12 @@ FlashAttention is more memory efficient, meaning you can train on much larger se | ||||
| PyTorch's [`torch.nn.functional.scaled_dot_product_attention`](https://pytorch.org/docs/master/generated/torch.nn.functional.scaled_dot_product_attention.html) (SDPA) can also call FlashAttention and memory-efficient attention kernels under the hood. SDPA support is currently being added natively in Transformers and is used by default for `torch>=2.1.1` when an implementation is available. You may also set `attn_implementation="sdpa"` in `from_pretrained()` to explicitly request SDPA to be used. | ||||
|  | ||||
| For now, Transformers supports SDPA inference and training for the following architectures: | ||||
| * [Albert](https://huggingface.co/docs/transformers/model_doc/albert#transformers.AlbertModel) | ||||
| * [Audio Spectrogram Transformer](https://huggingface.co/docs/transformers/model_doc/audio-spectrogram-transformer#transformers.ASTModel) | ||||
| * [Bart](https://huggingface.co/docs/transformers/model_doc/bart#transformers.BartModel) | ||||
| * [Bert](https://huggingface.co/docs/transformers/model_doc/bert#transformers.BertModel) | ||||
| * [CamemBERT](https://huggingface.co/docs/transformers/model_doc/camembert#transformers.CamembertModel) | ||||
| * [Chameleon](https://huggingface.co/docs/transformers/model_doc/chameleon#transformers.Chameleon) | ||||
| * [CLIP](https://huggingface.co/docs/transformers/model_doc/clip#transformers.CLIPModel) | ||||
| * [Cohere](https://huggingface.co/docs/transformers/model_doc/cohere#transformers.CohereModel) | ||||
| * [data2vec_audio](https://huggingface.co/docs/transformers/main/en/model_doc/data2vec#transformers.Data2VecAudioModel) | ||||
| * [Dbrx](https://huggingface.co/docs/transformers/model_doc/dbrx#transformers.DbrxModel) | ||||
| * [DeiT](https://huggingface.co/docs/transformers/model_doc/deit#transformers.DeiTModel) | ||||
| * [Dpr](https://huggingface.co/docs/transformers/model_doc/dpr#transformers.DprReader) | ||||
| @ -221,22 +212,12 @@ For now, Transformers supports SDPA inference and training for the following arc | ||||
| * [GPT2](https://huggingface.co/docs/transformers/model_doc/gpt2) | ||||
| * [GPTBigCode](https://huggingface.co/docs/transformers/model_doc/gpt_bigcode#transformers.GPTBigCodeModel) | ||||
| * [GPTNeoX](https://huggingface.co/docs/transformers/model_doc/gpt_neox#transformers.GPTNeoXModel) | ||||
| * [Hubert](https://huggingface.co/docs/transformers/model_doc/hubert#transformers.HubertModel) | ||||
| * [Idefics](https://huggingface.co/docs/transformers/model_doc/idefics#transformers.IdeficsModel) | ||||
| * [Granite](https://huggingface.co/docs/transformers/model_doc/granite#transformers.GraniteModel) | ||||
| * [JetMoe](https://huggingface.co/docs/transformers/model_doc/jetmoe#transformers.JetMoeModel) | ||||
| * [Jamba](https://huggingface.co/docs/transformers/model_doc/jamba#transformers.JambaModel) | ||||
| * [Llama](https://huggingface.co/docs/transformers/model_doc/llama#transformers.LlamaModel) | ||||
| * [LLaVA-Onevision](https://huggingface.co/docs/transformers/model_doc/llava_onevision) | ||||
| * [Mistral](https://huggingface.co/docs/transformers/model_doc/mistral#transformers.MistralModel) | ||||
| * [Mixtral](https://huggingface.co/docs/transformers/model_doc/mixtral#transformers.MixtralModel) | ||||
| * [Musicgen](https://huggingface.co/docs/transformers/model_doc/musicgen#transformers.MusicgenModel) | ||||
| * [MusicGen Melody](https://huggingface.co/docs/transformers/model_doc/musicgen_melody#transformers.MusicgenMelodyModel) | ||||
| * [OLMo](https://huggingface.co/docs/transformers/model_doc/olmo#transformers.OlmoModel) | ||||
| * [OLMoE](https://huggingface.co/docs/transformers/model_doc/olmoe#transformers.OlmoeModel) | ||||
| * [PaliGemma](https://huggingface.co/docs/transformers/model_doc/paligemma#transformers.PaliGemmaForConditionalGeneration) | ||||
| * [Phi](https://huggingface.co/docs/transformers/model_doc/phi#transformers.PhiModel) | ||||
| * [Phi3](https://huggingface.co/docs/transformers/model_doc/phi3#transformers.Phi3Model) | ||||
| * [Idefics](https://huggingface.co/docs/transformers/model_doc/idefics#transformers.IdeficsModel) | ||||
| * [Whisper](https://huggingface.co/docs/transformers/model_doc/whisper#transformers.WhisperModel) | ||||
| * [Mistral](https://huggingface.co/docs/transformers/model_doc/mistral#transformers.MistralModel) | ||||
| @ -244,29 +225,21 @@ For now, Transformers supports SDPA inference and training for the following arc | ||||
| * [StableLm](https://huggingface.co/docs/transformers/model_doc/stablelm#transformers.StableLmModel) | ||||
| * [Starcoder2](https://huggingface.co/docs/transformers/model_doc/starcoder2#transformers.Starcoder2Model) | ||||
| * [Qwen2](https://huggingface.co/docs/transformers/model_doc/qwen2#transformers.Qwen2Model) | ||||
| * [Qwen2Audio](https://huggingface.co/docs/transformers/model_doc/qwen2_audio#transformers.Qwen2AudioEncoder) | ||||
| * [Qwen2MoE](https://huggingface.co/docs/transformers/model_doc/qwen2_moe#transformers.Qwen2MoeModel) | ||||
| * [RoBERTa](https://huggingface.co/docs/transformers/model_doc/roberta#transformers.RobertaModel) | ||||
| * [Sew](https://huggingface.co/docs/transformers/main/en/model_doc/sew#transformers.SEWModel) | ||||
| * [SigLIP](https://huggingface.co/docs/transformers/model_doc/siglip) | ||||
| * [StableLm](https://huggingface.co/docs/transformers/model_doc/stablelm#transformers.StableLmModel) | ||||
| * [Starcoder2](https://huggingface.co/docs/transformers/model_doc/starcoder2#transformers.Starcoder2Model) | ||||
| * [UniSpeech](https://huggingface.co/docs/transformers/v4.39.3/en/model_doc/unispeech#transformers.UniSpeechModel) | ||||
| * [unispeech_sat](https://huggingface.co/docs/transformers/v4.39.3/en/model_doc/unispeech-sat#transformers.UniSpeechSatModel) | ||||
| * [RoBERTa](https://huggingface.co/docs/transformers/model_doc/roberta#transformers.RobertaModel) | ||||
| * [Qwen2VL](https://huggingface.co/docs/transformers/model_doc/qwen2_vl#transformers.Qwen2VLModel) | ||||
| * [Musicgen](https://huggingface.co/docs/transformers/model_doc/musicgen#transformers.MusicgenModel) | ||||
| * [MusicGen Melody](https://huggingface.co/docs/transformers/model_doc/musicgen_melody#transformers.MusicgenMelodyModel) | ||||
| * [Nemotron](https://huggingface.co/docs/transformers/model_doc/nemotron) | ||||
| * [ViT](https://huggingface.co/docs/transformers/model_doc/vit#transformers.ViTModel) | ||||
| * [ViTHybrid](https://huggingface.co/docs/transformers/model_doc/vit_hybrid#transformers.ViTHybridModel) | ||||
| * [ViTMAE](https://huggingface.co/docs/transformers/model_doc/vit_mae#transformers.ViTMAEModel) | ||||
| * [ViTMSN](https://huggingface.co/docs/transformers/model_doc/vit_msn#transformers.ViTMSNModel) | ||||
| * [VideoMAE](https://huggingface.co/docs/transformers/model_doc/videomae#transformers.VideoMAEModell) | ||||
| * [wav2vec2](https://huggingface.co/docs/transformers/model_doc/wav2vec2#transformers.Wav2Vec2Model) | ||||
| * [Whisper](https://huggingface.co/docs/transformers/model_doc/whisper#transformers.WhisperModel) | ||||
| * [XLM-RoBERTa](https://huggingface.co/docs/transformers/model_doc/xlm-roberta#transformers.XLMRobertaModel) | ||||
| * [XLM-RoBERTa-XL](https://huggingface.co/docs/transformers/model_doc/xlm-roberta-xl#transformers.XLMRobertaXLModel) | ||||
| * [Hubert](https://huggingface.co/docs/transformers/model_doc/hubert#transformers.HubertModel) | ||||
| * [data2vec_audio](https://huggingface.co/docs/transformers/main/en/model_doc/data2vec#transformers.Data2VecAudioModel) | ||||
| * [SigLIP](https://huggingface.co/docs/transformers/model_doc/siglip) | ||||
| * [Sew](https://huggingface.co/docs/transformers/main/en/model_doc/sew#transformers.SEWModel) | ||||
| * [UniSpeech](https://huggingface.co/docs/transformers/v4.39.3/en/model_doc/unispeech#transformers.UniSpeechModel) | ||||
| * [unispeech_sat](https://huggingface.co/docs/transformers/v4.39.3/en/model_doc/unispeech-sat#transformers.UniSpeechSatModel) | ||||
| * [YOLOS](https://huggingface.co/docs/transformers/model_doc/yolos#transformers.YolosModel) | ||||
|  | ||||
|  | ||||
|  | ||||
| @ -155,20 +155,13 @@ This example assumes that you have: | ||||
| The snippet below is an example of a Dockerfile that uses a base image that supports distributed CPU training and then | ||||
| extracts a Transformers release to the `/workspace` directory, so that the example scripts are included in the image: | ||||
| ```dockerfile | ||||
| FROM intel/intel-optimized-pytorch:2.3.0-pip-multinode | ||||
|  | ||||
| RUN apt-get update -y && \ | ||||
|     apt-get install -y --no-install-recommends --fix-missing \ | ||||
|     google-perftools \ | ||||
|     libomp-dev | ||||
| FROM intel/ai-workflows:torch-2.0.1-huggingface-multinode-py3.9 | ||||
|  | ||||
| WORKDIR /workspace | ||||
|  | ||||
| # Download and extract the transformers code | ||||
| ARG HF_TRANSFORMERS_VER="4.44.0" | ||||
| RUN pip install --no-cache-dir \ | ||||
|     transformers==${HF_TRANSFORMERS_VER} && \ | ||||
|     mkdir transformers && \ | ||||
| ARG HF_TRANSFORMERS_VER="4.35.2" | ||||
| RUN mkdir transformers && \ | ||||
|     curl -sSL --retry 5 https://github.com/huggingface/transformers/archive/refs/tags/v${HF_TRANSFORMERS_VER}.tar.gz | tar -C transformers --strip-components=1 -xzf - | ||||
| ``` | ||||
| The image needs to be built and copied to the cluster's nodes or pushed to a container registry prior to deploying the | ||||
| @ -196,6 +189,7 @@ apiVersion: "kubeflow.org/v1" | ||||
| kind: PyTorchJob | ||||
| metadata: | ||||
|   name: transformers-pytorchjob | ||||
|   namespace: kubeflow | ||||
| spec: | ||||
|   elasticPolicy: | ||||
|     rdzvBackend: c10d | ||||
| @ -212,27 +206,32 @@ spec: | ||||
|             - name: pytorch | ||||
|               image: <image name>:<tag>  # Specify the docker image to use for the worker pods | ||||
|               imagePullPolicy: IfNotPresent | ||||
|               command: ["/bin/bash", "-c"] | ||||
|               args: | ||||
|                 - >- | ||||
|                   cd /workspace/transformers; | ||||
|                   pip install -r /workspace/transformers/examples/pytorch/question-answering/requirements.txt; | ||||
|                   source /usr/local/lib/python3.10/dist-packages/oneccl_bindings_for_pytorch/env/setvars.sh; | ||||
|                   torchrun /workspace/transformers/examples/pytorch/question-answering/run_qa.py \ | ||||
|                     --model_name_or_path distilbert/distilbert-base-uncased \ | ||||
|                     --dataset_name squad \ | ||||
|                     --do_train \ | ||||
|                     --do_eval \ | ||||
|                     --per_device_train_batch_size 12 \ | ||||
|                     --learning_rate 3e-5 \ | ||||
|                     --num_train_epochs 2 \ | ||||
|                     --max_seq_length 384 \ | ||||
|                     --doc_stride 128 \ | ||||
|                     --output_dir /tmp/pvc-mount/output_$(date +%Y%m%d_%H%M%S) \ | ||||
|                     --no_cuda \ | ||||
|                     --ddp_backend ccl \ | ||||
|                     --bf16 \ | ||||
|                     --use_ipex; | ||||
|               command: | ||||
|                 - torchrun | ||||
|                 - /workspace/transformers/examples/pytorch/question-answering/run_qa.py | ||||
|                 - --model_name_or_path | ||||
|                 - "google-bert/bert-large-uncased" | ||||
|                 - --dataset_name | ||||
|                 - "squad" | ||||
|                 - --do_train | ||||
|                 - --do_eval | ||||
|                 - --per_device_train_batch_size | ||||
|                 - "12" | ||||
|                 - --learning_rate | ||||
|                 - "3e-5" | ||||
|                 - --num_train_epochs | ||||
|                 - "2" | ||||
|                 - --max_seq_length | ||||
|                 - "384" | ||||
|                 - --doc_stride | ||||
|                 - "128" | ||||
|                 - --output_dir | ||||
|                 - "/tmp/pvc-mount/output" | ||||
|                 - --no_cuda | ||||
|                 - --ddp_backend | ||||
|                 - "ccl" | ||||
|                 - --use_ipex | ||||
|                 - --bf16  # Specify --bf16 if your hardware supports bfloat16 | ||||
|               env: | ||||
|               - name: LD_PRELOAD | ||||
|                 value: "/usr/lib/x86_64-linux-gnu/libtcmalloc.so.4.5.9:/usr/local/lib/libiomp5.so" | ||||
| @ -245,13 +244,13 @@ spec: | ||||
|               - name: CCL_WORKER_COUNT | ||||
|                 value: "1" | ||||
|               - name: OMP_NUM_THREADS  # Can be tuned for optimal performance | ||||
|                 value: "240" | ||||
| -                value: "56" | ||||
|               resources: | ||||
|                 limits: | ||||
|                   cpu: 240  # Update the CPU and memory limit values based on your nodes | ||||
|                   cpu: 200  # Update the CPU and memory limit values based on your nodes | ||||
|                   memory: 128Gi | ||||
|                 requests: | ||||
|                   cpu: 240  # Update the CPU and memory request values based on your nodes | ||||
|                   cpu: 200  # Update the CPU and memory request values based on your nodes | ||||
|                   memory: 128Gi | ||||
|               volumeMounts: | ||||
|               - name: pvc-volume | ||||
| @ -259,8 +258,8 @@ spec: | ||||
|               - mountPath: /dev/shm | ||||
|                 name: dshm | ||||
|           restartPolicy: Never | ||||
|           nodeSelector:  # Optionally use nodeSelector to match a certain node label for the worker pods | ||||
|             node-type: gnr | ||||
|           nodeSelector:  #  Optionally use the node selector to specify what types of nodes to use for the workers | ||||
|             node-type: spr | ||||
|           volumes: | ||||
|           - name: pvc-volume | ||||
|             persistentVolumeClaim: | ||||
| @ -288,12 +287,10 @@ set the same CPU and memory amounts for both the resource limits and requests. | ||||
| After the PyTorchJob spec has been updated with values appropriate for your cluster and training job, it can be deployed | ||||
| to the cluster using: | ||||
| ```bash | ||||
| export NAMESPACE=<specify your namespace> | ||||
|  | ||||
| kubectl create -f pytorchjob.yaml -n ${NAMESPACE} | ||||
| kubectl create -f pytorchjob.yaml | ||||
| ``` | ||||
|  | ||||
| The `kubectl get pods -n ${NAMESPACE}` command can then be used to list the pods in your namespace. You should see | ||||
| The `kubectl get pods -n kubeflow` command can then be used to list the pods in the `kubeflow` namespace. You should see | ||||
| the worker pods for the PyTorchJob that was just deployed. At first, they will probably have a status of "Pending" as | ||||
| the containers get pulled and created, then the status should change to "Running". | ||||
| ``` | ||||
| @ -306,13 +303,13 @@ transformers-pytorchjob-worker-3                         1/1     Running | ||||
| ... | ||||
| ``` | ||||
|  | ||||
| The logs for worker can be viewed using `kubectl logs <pod name> -n ${NAMESPACE}`. Add `-f` to stream the logs, for example: | ||||
| The logs for worker can be viewed using `kubectl logs -n kubeflow <pod name>`. Add `-f` to stream the logs, for example: | ||||
| ```bash | ||||
| kubectl logs transformers-pytorchjob-worker-0 -n ${NAMESPACE} -f | ||||
| kubectl logs -n kubeflow transformers-pytorchjob-worker-0 -f | ||||
| ``` | ||||
|  | ||||
| After the training job completes, the trained model can be copied from the PVC or storage location. When you are done | ||||
| with the job, the PyTorchJob resource can be deleted from the cluster using `kubectl delete -f pytorchjob.yaml -n ${NAMESPACE}`. | ||||
| with the job, the PyTorchJob resource can be deleted from the cluster using `kubectl delete -f pytorchjob.yaml`. | ||||
|  | ||||
| ## Summary | ||||
|  | ||||
|  | ||||
| @ -54,7 +54,7 @@ speech-to-text. | ||||
| Not the result you had in mind? Check out some of the [most downloaded automatic speech recognition models](https://huggingface.co/models?pipeline_tag=automatic-speech-recognition&sort=trending)  | ||||
| on the Hub to see if you can get a better transcription. | ||||
|  | ||||
| Let's try the [Whisper large-v2](https://huggingface.co/openai/whisper-large-v2) model from OpenAI. Whisper was released  | ||||
| Let's try the [Whisper large-v2](https://huggingface.co/openai/whisper-large) model from OpenAI. Whisper was released  | ||||
| 2 years later than Wav2Vec2, and was trained on close to 10x more data. As such, it beats Wav2Vec2 on most downstream  | ||||
| benchmarks. It also has the added benefit of predicting punctuation and casing, neither of which are possible with   | ||||
| Wav2Vec2. | ||||
|  | ||||
| @ -56,4 +56,4 @@ Use the table below to help you decide which quantization method to use. | ||||
| | [HQQ](./hqq)                                 | 🟢                       | 🟢    | 🟢        | 🔴              | 🔴                     | 🟢                       | 1 - 8          | 🟢                                   | 🔴            | 🟢                      | https://github.com/mobiusml/hqq/            | | ||||
| | [Quanto](./quanto)                              | 🟢                       | 🟢   | 🟢        | 🔴              | 🟢                     | 🟢                       | 2 / 4 / 8      | 🔴                                   | 🔴            | 🟢                      | https://github.com/huggingface/quanto       | | ||||
| | [FBGEMM_FP8](./fbgemm_fp8.md)                              | 🟢                       | 🔴    | 🟢        | 🔴              | 🔴                      | 🔴                        | 8      | 🔴                                   | 🟢            | 🟢                      | https://github.com/pytorch/FBGEMM       | | ||||
| | [torchao](./torchao.md)                              | 🟢                       |     | 🟢        | 🔴              | partial support (int4 weight only)       |                       | 4 / 8      |                                   | 🟢🔴           | 🟢                      | https://github.com/pytorch/ao       | | ||||
|  | ||||
|  | ||||
| @ -1,45 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
| --> | ||||
|  | ||||
| # TorchAO | ||||
|  | ||||
| [TorchAO](https://github.com/pytorch/ao) is an architecture optimization library for PyTorch, it provides high performance dtypes, optimization techniques and kernels for inference and training, featuring composability with native PyTorch features like `torch.compile`, FSDP etc.. Some benchmark numbers can be found [here](https://github.com/pytorch/ao/tree/main?tab=readme-ov-file#without-intrusive-code-changes) | ||||
|  | ||||
| Before you begin, make sure the following libraries are installed with their latest version: | ||||
|  | ||||
| ```bash | ||||
| pip install --upgrade torch torchao | ||||
| ``` | ||||
|  | ||||
|  | ||||
| ```py | ||||
| from transformers import TorchAoConfig, AutoModelForCausalLM, AutoTokenizer | ||||
|  | ||||
| model_name = "meta-llama/Meta-Llama-3-8B" | ||||
| # We support int4_weight_only, int8_weight_only and int8_dynamic_activation_int8_weight | ||||
| # More examples and documentations for arguments can be found in https://github.com/pytorch/ao/tree/main/torchao/quantization#other-available-quantization-techniques | ||||
| quantization_config = TorchAoConfig("int4_weight_only", group_size=128) | ||||
| quantized_model = AutoModelForCausalLM.from_pretrained(model_name, device_map="auto", quantization_config=quantization_config) | ||||
|  | ||||
| tokenizer = AutoTokenizer.from_pretrained(model_name) | ||||
| input_text = "What are we having for dinner?" | ||||
| input_ids = tokenizer(input_text, return_tensors="pt").to("cuda") | ||||
|  | ||||
| # compile the quantizd model to get speedup | ||||
| import torchao | ||||
| torchao.quantization.utils.recommended_inductor_config_setter() | ||||
| quantized_model = torch.compile(quantized_model, mode="max-autotune") | ||||
|  | ||||
| output = quantized_model.generate(**input_ids, max_new_tokens=10) | ||||
| print(tokenizer.decode(output[0], skip_special_tokens=True)) | ||||
| ``` | ||||
|  | ||||
| torchao quantization is implemented with tensor subclasses, currently it does not work with huggingface serialization, both the safetensor option and [non-safetensor option](https://github.com/huggingface/transformers/issues/32364), we'll update here with instructions when it's working. | ||||
| @ -90,7 +90,7 @@ The next step is to load a T5 tokenizer to process the English-French language p | ||||
| The preprocessing function you want to create needs to: | ||||
|  | ||||
| 1. Prefix the input with a prompt so T5 knows this is a translation task. Some models capable of multiple NLP tasks require prompting for specific tasks. | ||||
| 2. Set the target language (French) in the `text_target` parameter to ensure the tokenizer processes the target text correctly. If you don't set `text_target`, the tokenizer processes the target text as English. | ||||
| 2. Tokenize the input (English) and target (French) separately because you can't tokenize French text with a tokenizer pretrained on an English vocabulary. | ||||
| 3. Truncate sequences to be no longer than the maximum length set by the `max_length` parameter. | ||||
|  | ||||
| ```py | ||||
|  | ||||
| @ -1,146 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # Video-text-to-text | ||||
|  | ||||
| [[open-in-colab]] | ||||
|  | ||||
| Video-text-to-text models, also known as video language models or vision language models with video input, are language models that take a video input. These models can tackle various tasks, from video question answering to video captioning.  | ||||
|  | ||||
| These models have nearly the same architecture as [image-text-to-text](../image_text_to_text.md) models except for some changes to accept video data, since video data is essentially image frames with temporal dependencies. Some image-text-to-text models take in multiple images, but this alone is inadequate for a model to accept videos. Moreover, video-text-to-text models are often trained with all vision modalities. Each example might have videos, multiple videos, images and multiple images. Some of these models can also take interleaved inputs. For example, you can refer to a specific video inside a string of text by adding a video token in text like "What is happening in this video? `<video>`".  | ||||
|  | ||||
| In this guide, we provide a brief overview of video LMs and show how to use them with Transformers for inference. | ||||
|  | ||||
| To begin with, there are multiple types of video LMs: | ||||
| - base models used for fine-tuning | ||||
| - chat fine-tuned models for conversation | ||||
| - instruction fine-tuned models | ||||
|  | ||||
| This guide focuses on inference with an instruction-tuned model, [llava-hf/llava-interleave-qwen-7b-hf](https://huggingface.co/llava-hf/llava-interleave-qwen-7b-hf) which can take in interleaved data. Alternatively, you can try [llava-interleave-qwen-0.5b-hf](https://huggingface.co/llava-hf/llava-interleave-qwen-0.5b-hf) if your hardware doesn't allow running a 7B model. | ||||
|  | ||||
| Let's begin installing the dependencies. | ||||
|  | ||||
| ```bash | ||||
| pip install -q transformers accelerate flash_attn  | ||||
| ``` | ||||
|  | ||||
| Let's initialize the model and the processor.  | ||||
|  | ||||
| ```python | ||||
| from transformers import LlavaProcessor, LlavaForConditionalGeneration | ||||
| import torch | ||||
| model_id = "llava-hf/llava-interleave-qwen-0.5b-hf" | ||||
|  | ||||
| processor = LlavaProcessor.from_pretrained(model_id) | ||||
|  | ||||
| model = LlavaForConditionalGeneration.from_pretrained(model_id, torch_dtype=torch.float16) | ||||
| model.to("cuda") | ||||
| ``` | ||||
|  | ||||
| Some models directly consume the `<video>` token, and others accept `<image>` tokens equal to the number of sampled frames. This model handles videos in the latter fashion. We will write a simple utility to handle image tokens, and another utility to get a video from a url and sample frames from it.  | ||||
|  | ||||
| ```python | ||||
| import uuid | ||||
| import requests | ||||
| import cv2 | ||||
|  | ||||
| def replace_video_with_images(text, frames): | ||||
|   return text.replace("<video>", "<image>" * frames) | ||||
|  | ||||
| def sample_frames(url, num_frames): | ||||
|  | ||||
|     response = requests.get(url) | ||||
|     path_id = str(uuid.uuid4()) | ||||
|  | ||||
|     path = f"./{path_id}.mp4"  | ||||
|  | ||||
|     with open(path, "wb") as f: | ||||
|       f.write(response.content) | ||||
|  | ||||
|     video = cv2.VideoCapture(path) | ||||
|     total_frames = int(video.get(cv2.CAP_PROP_FRAME_COUNT)) | ||||
|     interval = total_frames // num_frames | ||||
|     frames = [] | ||||
|     for i in range(total_frames): | ||||
|         ret, frame = video.read() | ||||
|         pil_img = Image.fromarray(cv2.cvtColor(frame, cv2.COLOR_BGR2RGB)) | ||||
|         if not ret: | ||||
|             continue | ||||
|         if i % interval == 0: | ||||
|             frames.append(pil_img) | ||||
|     video.release() | ||||
|     return frames | ||||
| ``` | ||||
|  | ||||
| Let's get our inputs. We will sample frames and concatenate them. | ||||
|  | ||||
| ```python | ||||
| video_1 = "https://huggingface.co/spaces/merve/llava-interleave/resolve/main/cats_1.mp4" | ||||
| video_2 = "https://huggingface.co/spaces/merve/llava-interleave/resolve/main/cats_2.mp4" | ||||
|  | ||||
| video_1 = sample_frames(video_1, 6) | ||||
| video_2 = sample_frames(video_2, 6) | ||||
|  | ||||
| videos = video_1 + video_2 | ||||
|  | ||||
| videos | ||||
|  | ||||
| # [<PIL.Image.Image image mode=RGB size=1920x1080>, | ||||
| # <PIL.Image.Image image mode=RGB size=1920x1080>, | ||||
| # <PIL.Image.Image image mode=RGB size=1920x1080>, ...] | ||||
| ``` | ||||
|  | ||||
| Both videos have cats. | ||||
|  | ||||
| <div class="container"> | ||||
|   <div class="video-container"> | ||||
|     <video width="400" controls> | ||||
|       <source src="https://huggingface.co/spaces/merve/llava-interleave/resolve/main/cats_1.mp4" type="video/mp4"> | ||||
|     </video> | ||||
|   </div> | ||||
|  | ||||
|   <div class="video-container"> | ||||
|     <video width="400" controls> | ||||
|       <source src="https://huggingface.co/spaces/merve/llava-interleave/resolve/main/cats_2.mp4" type="video/mp4"> | ||||
|     </video> | ||||
|   </div> | ||||
| </div> | ||||
|  | ||||
| Now we can preprocess the inputs. | ||||
|  | ||||
| This model has a prompt template that looks like following. First, we'll put all the sampled frames into one list. Since we have eight frames in each video, we will insert 12 `<image>` tokens to our prompt. Add `assistant` at the end of the prompt to trigger the model to give answers. Then we can preprocess. | ||||
|  | ||||
| ```python | ||||
| user_prompt = "Are these two cats in these two videos doing the same thing?" | ||||
| toks = "<image>" * 12 | ||||
| prompt = "<|im_start|>user"+ toks + f"\n{user_prompt}<|im_end|><|im_start|>assistant" | ||||
| inputs = processor(prompt, images=videos).to(model.device, model.dtype) | ||||
| ``` | ||||
|  | ||||
| We can now call [`~GenerationMixin.generate`] for inference. The model outputs the question in our input and answer, so we only take the text after the prompt and `assistant` part from the model output.  | ||||
|  | ||||
| ```python | ||||
| output = model.generate(**inputs, max_new_tokens=100, do_sample=False) | ||||
| print(processor.decode(output[0][2:], skip_special_tokens=True)[len(user_prompt)+10:]) | ||||
|  | ||||
| # The first cat is shown in a relaxed state, with its eyes closed and a content expression, while the second cat is shown in a more active state, with its mouth open wide, possibly in a yawn or a vocalization. | ||||
|  | ||||
|  | ||||
| ``` | ||||
|  | ||||
| And voila!  | ||||
|  | ||||
| To learn more about chat templates and token streaming for video-text-to-text models, refer to the [image-text-to-text](../image_text_to_text) task guide because these models work similarly. | ||||
| @ -191,7 +191,7 @@ RUN_SLOW=1 pytest -m accelerate_tests tests/models/opt/test_modeling_opt.py | ||||
| ### Run documentation tests | ||||
|  | ||||
| In order to test whether the documentation examples are correct, you should check that the `doctests` are passing. | ||||
| As an example, let's use [`WhisperModel.forward`'s docstring](https://github.com/huggingface/transformers/blob/1124d95dbb1a3512d3e80791d73d0f541d1d7e9f/src/transformers/models/whisper/modeling_whisper.py#L1591-L1609) | ||||
| As an example, let's use [`WhisperModel.forward`'s docstring](https://github.com/huggingface/transformers/blob/main/src/transformers/models/whisper/modeling_whisper.py#L1017-L1035): | ||||
|  | ||||
| ```python | ||||
| r""" | ||||
|  | ||||
| @ -382,41 +382,6 @@ trainer.train() | ||||
|  | ||||
| Note layerwise optimization is a bit experimental and does not support DDP (Distributed Data Parallel), thus you can run the training script only on a single GPU. Please see [this appropriate section](https://github.com/jiaweizzhao/GaLore?tab=readme-ov-file#train-7b-model-with-a-single-gpu-with-24gb-memory) for more details. Other features such as gradient clipping, DeepSpeed, etc might not be supported out of the box. Please [raise an issue on GitHub](https://github.com/huggingface/transformers/issues) if you encounter such issue. | ||||
|  | ||||
| ## Liger Kernel | ||||
|  | ||||
| [Liger-Kernel](https://github.com/linkedin/Liger-Kernel) Kernel is a collection of Triton kernels developed by Linkedin designed specifically for LLM training. We have implemented Hugging Face Compatible RMSNorm, RoPE, SwiGLU, CrossEntropy, FusedLinearCrossEntropy, and more to come. It can effectively increase multi-GPU training throughput by 20% and reduces memory usage by 60%. The kernel works out of the box with flash attention, PyTorch FSDP, and Microsoft DeepSpeed. | ||||
|  | ||||
| <Tip> | ||||
| Gain +20% throughput and reduce memory usage by 60% on LLaMA 3-8B model training. Achieve longer context lengths and larger batch sizes. It’s also useful if you want to scale up your model to multi-head training or large vocabulary sizes. Unleash multi-head training (medusa) and more. See details and examples in [Liger](https://github.com/linkedin/Liger-Kernel/tree/main/examples) | ||||
| </Tip> | ||||
|  | ||||
| First make sure to install Liger official repository: | ||||
| ```bash | ||||
| pip install liger-kernel | ||||
| ``` | ||||
|  | ||||
| You should pass `use_liger_kernel=True` to apply liger kernel on your model, for example: | ||||
|  | ||||
| ```py | ||||
| from transformers import TrainingArguments | ||||
|  | ||||
| training_args = TrainingArguments( | ||||
|     output_dir="your-model", | ||||
|     learning_rate=2e-5, | ||||
|     per_device_train_batch_size=16, | ||||
|     per_device_eval_batch_size=16, | ||||
|     num_train_epochs=2, | ||||
|     weight_decay=0.01, | ||||
|     eval_strategy="epoch", | ||||
|     save_strategy="epoch", | ||||
|     load_best_model_at_end=True, | ||||
|     push_to_hub=True, | ||||
|     use_liger_kernel=True | ||||
| ) | ||||
| ``` | ||||
|  | ||||
| The kernel supports the Llama, Gemma, Mistral, and Mixtral model architectures. The most up-to-date list of supported models can be found [here](https://github.com/linkedin/Liger-Kernel). When `use_liger_kernel` is set to `True`, the corresponding layers in the original model will be patched with Liger's efficient implementation, so you don't need to do anything extra other than setting the argument value. | ||||
|  | ||||
| ## LOMO optimizer | ||||
|  | ||||
| The LOMO optimizers have been introduced in [Full Parameter Fine-Tuning for Large Language Models with Limited Resources](https://hf.co/papers/2306.09782) and [AdaLomo: Low-memory Optimization with Adaptive Learning Rate](https://hf.co/papers/2310.10195).  | ||||
| @ -467,57 +432,6 @@ trainer = trl.SFTTrainer( | ||||
| trainer.train() | ||||
| ``` | ||||
|  | ||||
| ## GrokAdamW optimizer | ||||
|  | ||||
| The GrokAdamW optimizer is designed to enhance training performance and stability, particularly for models that benefit from grokking signal functions. To use GrokAdamW, first install the optimizer package with `pip install grokadamw`. | ||||
|  | ||||
| <Tip> | ||||
|  | ||||
| GrokAdamW is particularly useful for models that require advanced optimization techniques to achieve better performance and stability. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| Below is a simple script to demonstrate how to fine-tune [google/gemma-2b](https://huggingface.co/google/gemma-2b) on the IMDB dataset using the GrokAdamW optimizer: | ||||
|  | ||||
| ```python | ||||
| import torch | ||||
| import datasets | ||||
| from transformers import TrainingArguments, AutoTokenizer, AutoModelForCausalLM, Trainer | ||||
|  | ||||
| # Load the IMDB dataset | ||||
| train_dataset = datasets.load_dataset('imdb', split='train') | ||||
|  | ||||
| # Define the training arguments | ||||
| args = TrainingArguments( | ||||
|     output_dir="./test-grokadamw", | ||||
|     max_steps=1000, | ||||
|     per_device_train_batch_size=4, | ||||
|     optim="grokadamw", | ||||
|     logging_strategy="steps", | ||||
|     logging_steps=1, | ||||
|     learning_rate=2e-5, | ||||
|     save_strategy="no", | ||||
|     run_name="grokadamw-imdb", | ||||
| ) | ||||
|  | ||||
| # Load the model and tokenizer | ||||
| model_id = "google/gemma-2b" | ||||
| tokenizer = AutoTokenizer.from_pretrained(model_id) | ||||
| model = AutoModelForCausalLM.from_pretrained(model_id, low_cpu_mem_usage=True).to(0) | ||||
|  | ||||
| # Initialize the Trainer | ||||
| trainer = Trainer( | ||||
|     model=model, | ||||
|     args=args, | ||||
|     train_dataset=train_dataset, | ||||
| ) | ||||
|  | ||||
| # Train the model | ||||
| trainer.train() | ||||
| ``` | ||||
|  | ||||
| This script demonstrates how to fine-tune the `google/gemma-2b` model on the IMDB dataset using the GrokAdamW optimizer. The `TrainingArguments` are configured to use GrokAdamW, and the dataset is passed to the `Trainer` for training. | ||||
|  | ||||
| ## Accelerate and Trainer | ||||
|  | ||||
| The [`Trainer`] class is powered by [Accelerate](https://hf.co/docs/accelerate), a library for easily training PyTorch models in distributed environments with support for integrations such as [FullyShardedDataParallel (FSDP)](https://pytorch.org/blog/introducing-pytorch-fully-sharded-data-parallel-api/) and [DeepSpeed](https://www.deepspeed.ai/). | ||||
|  | ||||
| @ -173,7 +173,7 @@ class ResnetModelForImageClassification(PreTrainedModel): | ||||
|     def forward(self, tensor, labels=None): | ||||
|         logits = self.model(tensor) | ||||
|         if labels is not None: | ||||
|             loss = torch.nn.functional.cross_entropy(logits, labels) | ||||
|             loss = torch.nn.cross_entropy(logits, labels) | ||||
|             return {"loss": loss, "logits": logits} | ||||
|         return {"logits": logits} | ||||
| ``` | ||||
|  | ||||
| @ -174,7 +174,7 @@ class ResnetModelForImageClassification(PreTrainedModel): | ||||
|     def forward(self, tensor, labels=None): | ||||
|         logits = self.model(tensor) | ||||
|         if labels is not None: | ||||
|             loss = torch.nn.functional.cross_entropy(logits, labels) | ||||
|             loss = torch.nn.cross_entropy(logits, labels) | ||||
|             return {"loss": loss, "logits": logits} | ||||
|         return {"logits": logits} | ||||
| ``` | ||||
|  | ||||
| @ -14,7 +14,7 @@ rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # Chat Templates | ||||
| # Templates for Chat Models | ||||
|  | ||||
| ## Introduction | ||||
|  | ||||
|  | ||||
| @ -161,7 +161,7 @@ class ResnetModelForImageClassification(PreTrainedModel): | ||||
|     def forward(self, tensor, labels=None): | ||||
|         logits = self.model(tensor) | ||||
|         if labels is not None: | ||||
|             loss = torch.nn.functional.cross_entropy(logits, labels) | ||||
|             loss = torch.nn.cross_entropy(logits, labels) | ||||
|             return {"loss": loss, "logits": logits} | ||||
|         return {"logits": logits} | ||||
| ``` | ||||
|  | ||||
| @ -139,6 +139,9 @@ generation_output[:2] | ||||
| [[autodoc]] ForcedEOSTokenLogitsProcessor | ||||
|     - __call__ | ||||
|  | ||||
| [[autodoc]] ForceTokensLogitsProcessor | ||||
|     - __call__ | ||||
|  | ||||
| [[autodoc]] HammingDiversityLogitsProcessor | ||||
|     - __call__ | ||||
|  | ||||
| @ -154,6 +157,9 @@ generation_output[:2] | ||||
| [[autodoc]] LogitsProcessorList | ||||
|     - __call__ | ||||
|  | ||||
| [[autodoc]] LogitsWarper | ||||
|     - __call__ | ||||
|  | ||||
| [[autodoc]] MinLengthLogitsProcessor | ||||
|     - __call__ | ||||
|  | ||||
|  | ||||
| @ -27,8 +27,8 @@ | ||||
|     title: 에이전트 | ||||
|   - local: llm_tutorial | ||||
|     title: 대규모 언어 모델로 생성하기 | ||||
|   - local: conversations | ||||
|     title: Transformers로 채팅하기 | ||||
|   - local: in_translation | ||||
|     title: (번역중)Chatting with Transformers | ||||
|   title: 튜토리얼 | ||||
| - sections: | ||||
|   - isExpanded: false | ||||
| @ -73,14 +73,14 @@ | ||||
|         title: 제로샷(zero-shot) 이미지 분류 | ||||
|       - local: tasks/monocular_depth_estimation | ||||
|         title: 단일 영상 기반 깊이 추정 | ||||
|       - local: tasks/image_to_image | ||||
|         title: Image-to-Image | ||||
|       - local: tasks/image_feature_extraction | ||||
|         title: 이미지 특징 추출 | ||||
|       - local: tasks/mask_generation | ||||
|         title: 마스크 생성 | ||||
|       - local: tasks/knowledge_distillation_for_image_classification | ||||
|         title: 컴퓨터 비전(이미지 분류)를 위한 지식 증류(knowledge distillation) | ||||
|       - local: in_translation | ||||
|         title: (번역중) Image-to-Image | ||||
|       - local: in_translation | ||||
|         title: (번역중) Image Feature Extraction | ||||
|       - local: in_translation | ||||
|         title: (번역중) Mask Generation | ||||
|       - local: in_translation | ||||
|         title: (번역중) Knowledge Distillation for Computer Vision | ||||
|     title: 컴퓨터 비전 | ||||
|   - isExpanded: false | ||||
|     sections: | ||||
| @ -100,11 +100,11 @@ | ||||
|     title: 생성 | ||||
|   - isExpanded: false | ||||
|     sections: | ||||
|     - local: tasks/idefics | ||||
|       title: IDEFICS를 이용한 이미지 작업 | ||||
|     - local: tasks/prompting | ||||
|       title: 대규모 언어 모델 프롬프팅 가이드 | ||||
|     title: 프롬프팅 | ||||
|     - local: in_translation | ||||
|       title: (번역중) Image tasks with IDEFICS | ||||
|     - local: in_translation | ||||
|       title: (번역중) LLM prompting guide | ||||
|     title: (번역중) 프롬프팅 | ||||
|   title: 태스크 가이드 | ||||
| - sections: | ||||
|   - local: fast_tokenizers | ||||
| @ -115,10 +115,10 @@ | ||||
|     title: 모델별 API 사용하기 | ||||
|   - local: custom_models | ||||
|     title: 사용자 정의 모델 공유하기 | ||||
|   - local: chat_templating | ||||
|     title: 챗봇 템플릿 익히기 | ||||
|   - local: trainer | ||||
|     title: Trainer 사용하기 | ||||
|   - local: in_translation | ||||
|     title: (번역중) Templates for chat models | ||||
|   - local: in_translation | ||||
|     title: (번역중) Trainer | ||||
|   - local: sagemaker | ||||
|     title: Amazon SageMaker에서 학습 실행하기 | ||||
|   - local: serialization | ||||
| @ -141,12 +141,12 @@ | ||||
| - sections: | ||||
|   - local: in_translation | ||||
|     title: (번역중) Getting started | ||||
|   - local: quantization/bitsandbytes | ||||
|     title: bitsandbytes | ||||
|   - local: in_translation | ||||
|     title: (번역중) bitsandbytes | ||||
|   - local: in_translation | ||||
|     title: (번역중) GPTQ | ||||
|   - local: quantization/awq | ||||
|     title: AWQ | ||||
|   - local: in_translation | ||||
|     title: (번역중) AWQ | ||||
|   - local: in_translation | ||||
|     title: (번역중) AQLM | ||||
|   - local: in_translation | ||||
| @ -160,44 +160,20 @@ | ||||
|   - local: in_translation | ||||
|     title: (번역중) Contribute new quantization method | ||||
|   title: (번역중) 경량화 메소드 | ||||
| - sections: | ||||
|   - local: in_translation | ||||
|     title: (번역중) Getting started | ||||
|   - local: in_translation | ||||
|     title: (번역중) bitsandbytes | ||||
|   - local: quantization/gptq | ||||
|     title: GPTQ | ||||
|   - local: in_translation | ||||
|     title: (번역중) AWQ | ||||
|   - local: in_translation | ||||
|     title: (번역중) AQLM | ||||
|   - local: quantization/quanto | ||||
|     title: Quanto | ||||
|   - local: quantization/eetq | ||||
|     title: EETQ | ||||
|   - local: in_translation | ||||
|     title: (번역중) HQQ | ||||
|   - local: in_translation | ||||
|     title: (번역중) Optimum | ||||
|   - local: in_translation | ||||
|     title: (번역중) Contribute new quantization method | ||||
|   title: (번역중) 경량화 메소드 | ||||
| - sections: | ||||
|   - local: performance | ||||
|     title: 성능 및 확장성 | ||||
|   - local: in_translation | ||||
|     title: (번역중) Quantization | ||||
|   - local: llm_optims | ||||
|     title: LLM 추론 최적화 | ||||
|     title: (번역중) LLM inference optimization | ||||
|   - sections: | ||||
|     - local: in_translation | ||||
|       title: (번역중) Methods and tools for efficient training on a single GPU | ||||
|     - local: perf_train_gpu_many | ||||
|       title: 다중 GPU에서 훈련 진행하기 | ||||
|     - local: deepspeed | ||||
|       title: DeepSpeed | ||||
|     - local: fsdp | ||||
|       title: 완전 분할 데이터 병렬 처리 | ||||
|     - local: in_translation | ||||
|       title: (번역중) Fully Sharded Data Parallel | ||||
|     - local: in_translation | ||||
|       title: (번역중) DeepSpeed | ||||
|     - local: perf_train_cpu | ||||
|       title: CPU에서 훈련 | ||||
|     - local: perf_train_cpu_many | ||||
| @ -263,13 +239,13 @@ | ||||
|     title: 추론 웹 서버를 위한 파이프라인 | ||||
|   - local: model_memory_anatomy | ||||
|     title: 모델 학습 해부하기 | ||||
|   - local: llm_tutorial_optimization | ||||
|     title: LLM을 최대한 활용하기 | ||||
|   - local: in_translation | ||||
|     title: (번역중) Getting the most out of LLMs | ||||
|   title: (번역중) 개념 가이드 | ||||
| - sections: | ||||
|   - sections: | ||||
|     - local: main_classes/agent | ||||
|       title: 에이전트와 도구 | ||||
|     - local: in_translation | ||||
|       title: (번역중) Agents and Tools | ||||
|     - local: in_translation | ||||
|       title: (번역중) Auto Classes | ||||
|     - local: in_translation | ||||
| @ -304,8 +280,8 @@ | ||||
|       title: (번역중) Tokenizer | ||||
|     - local: in_translation | ||||
|       title: (번역중) Trainer | ||||
|     - local: deepspeed | ||||
|       title: DeepSpeed | ||||
|     - local: in_translation | ||||
|       title: (번역중) DeepSpeed | ||||
|     - local: in_translation | ||||
|       title: (번역중) Feature Extractor | ||||
|     - local: in_translation | ||||
| @ -770,4 +746,4 @@ | ||||
|     - local: in_translation | ||||
|       title: (번역중) Utilities for Time Series | ||||
|     title: (번역중) Internal Helpers | ||||
|   title: (번역중) API | ||||
|   title: (번역중) API | ||||
|  | ||||
| @ -1,720 +0,0 @@ | ||||
| <!--Copyright 2023 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # 채팅 모델을 위한 템플릿[[templates-for-chat-models]] | ||||
|  | ||||
| ## 소개[[introduction]] | ||||
|  | ||||
| 요즘 LLM의 가장 흔한 활용 사례 중 하나는 **채팅**입니다. 채팅은 일반적인 언어 모델처럼 단일 문자열을 이어가는 대신 여러 개의 **메시지**로 구성된 대화를 이어갑니다. 이 대화에는 "사용자"나 "어시스턴트"와 같은 **역할**과 메시지 텍스트가 포함됩니다. | ||||
|  | ||||
| 토큰화와 마찬가지로, 다양한 모델은 채팅에 대해 매우 다른 입력 형식을 기대합니다. 이것이 우리가 **채팅 템플릿**을 기능으로 추가한 이유입니다. 채팅 템플릿은 토크나이저의 일부입니다. 채팅 템플릿은 대화 목록을 모델이 기대하는 형식인 '단일 토큰화가 가능한 문자열'로 변환하는 방법을 지정합니다. | ||||
|  | ||||
| `BlenderBot` 모델을 사용한 간단한 예제를 통해 이를 구체적으로 살펴보겠습니다. BlenderBot은 기본적으로 매우 간단한 템플릿을 가지고 있으며, 주로 대화 라운드 사이에 공백을 추가합니다: | ||||
|  | ||||
| ```python | ||||
| >>> from transformers import AutoTokenizer | ||||
| >>> tokenizer = AutoTokenizer.from_pretrained("facebook/blenderbot-400M-distill") | ||||
|  | ||||
| >>> chat = [ | ||||
| ...    {"role": "user", "content": "Hello, how are you?"}, | ||||
| ...    {"role": "assistant", "content": "I'm doing great. How can I help you today?"}, | ||||
| ...    {"role": "user", "content": "I'd like to show off how chat templating works!"}, | ||||
| ... ] | ||||
|  | ||||
| >>> tokenizer.apply_chat_template(chat, tokenize=False) | ||||
| " Hello, how are you?  I'm doing great. How can I help you today?   I'd like to show off how chat templating works!</s>" | ||||
| ``` | ||||
|  | ||||
| 전체 채팅이 하나의 문자열로 압축된 것을 확인할 수 있습니다. 기본 설정인 `tokenize=True`를 사용하면, 그 문자열도 토큰화됩니다. 더 복잡한 템플릿을 사용하기 위해 `mistralai/Mistral-7B-Instruct-v0.1` 모델을 사용해 보겠습니다. | ||||
|  | ||||
| ```python | ||||
| >>> from transformers import AutoTokenizer | ||||
| >>> tokenizer = AutoTokenizer.from_pretrained("mistralai/Mistral-7B-Instruct-v0.1") | ||||
|  | ||||
| >>> chat = [ | ||||
| ...   {"role": "user", "content": "Hello, how are you?"}, | ||||
| ...   {"role": "assistant", "content": "I'm doing great. How can I help you today?"}, | ||||
| ...   {"role": "user", "content": "I'd like to show off how chat templating works!"}, | ||||
| ... ] | ||||
|  | ||||
| >>> tokenizer.apply_chat_template(chat, tokenize=False) | ||||
| "<s>[INST] Hello, how are you? [/INST]I'm doing great. How can I help you today?</s> [INST] I'd like to show off how chat templating works! [/INST]" | ||||
| ``` | ||||
|  | ||||
| 이번에는 토크나이저가 [INST]와 [/INST] 제어 토큰을 추가하여 사용자 메시지의 시작과 끝을 표시했습니다(어시스턴트 메시지 제외). Mistral-instruct는 이러한 토큰으로 훈련되었지만, BlenderBot은 그렇지 않았습니다. | ||||
|  | ||||
| ## 채팅 템플릿을 어떻게 사용하나요?[[how-do-i-use-chat-templates]] | ||||
|  | ||||
| 위의 예에서 볼 수 있듯이 채팅 템플릿은 사용하기 쉽습니다. `role`과 `content` 키가 포함된 메시지 목록을 작성한 다음, [`~PreTrainedTokenizer.apply_chat_template`] 메서드에 전달하기만 하면 됩니다. 이렇게 하면 바로 사용할 수 있는 출력이 생성됩니다! 모델 생성의 입력으로 채팅 템플릿을 사용할 때, `add_generation_prompt=True`를 사용하여 [생성 프롬프트](#what-are-generation-prompts)를 추가하는 것도 좋은 방법입니다. | ||||
|  | ||||
| 다음은 `Zephyr` 어시스턴트 모델을 사용하여 `model.generate()`의 입력을 준비하는 예제입니다: | ||||
|  | ||||
| ```python | ||||
| from transformers import AutoModelForCausalLM, AutoTokenizer | ||||
|  | ||||
| checkpoint = "HuggingFaceH4/zephyr-7b-beta" | ||||
| tokenizer = AutoTokenizer.from_pretrained(checkpoint) | ||||
| model = AutoModelForCausalLM.from_pretrained(checkpoint)   # 여기서 bfloat16 사용 및/또는 GPU로 이동할 수 있습니다. | ||||
|  | ||||
|  | ||||
| messages = [ | ||||
|     { | ||||
|         "role": "system", | ||||
|         "content": "You are a friendly chatbot who always responds in the style of a pirate", | ||||
|     }, | ||||
|     {"role": "user", "content": "How many helicopters can a human eat in one sitting?"}, | ||||
|  ] | ||||
| tokenized_chat = tokenizer.apply_chat_template(messages, tokenize=True, add_generation_prompt=True, return_tensors="pt") | ||||
| print(tokenizer.decode(tokenized_chat[0])) | ||||
| ``` | ||||
| 이렇게 하면 Zephyr가 기대하는 입력 형식의 문자열이 생성됩니다. | ||||
| ```text | ||||
| <|system|> | ||||
| You are a friendly chatbot who always responds in the style of a pirate</s>  | ||||
| <|user|> | ||||
| How many helicopters can a human eat in one sitting?</s>  | ||||
| <|assistant|> | ||||
| ``` | ||||
|  | ||||
| 이제 입력이 Zephyr에 맞게 형식이 지정되었으므로 모델을 사용하여 사용자의 질문에 대한 응답을 생성할 수 있습니다: | ||||
|  | ||||
| ```python | ||||
| outputs = model.generate(tokenized_chat, max_new_tokens=128)  | ||||
| print(tokenizer.decode(outputs[0])) | ||||
| ``` | ||||
|  | ||||
| 이렇게 하면 다음과 같은 결과가 나옵니다: | ||||
|  | ||||
| ```text | ||||
| <|system|> | ||||
| You are a friendly chatbot who always responds in the style of a pirate</s>  | ||||
| <|user|> | ||||
| How many helicopters can a human eat in one sitting?</s>  | ||||
| <|assistant|> | ||||
| Matey, I'm afraid I must inform ye that humans cannot eat helicopters. Helicopters are not food, they are flying machines. Food is meant to be eaten, like a hearty plate o' grog, a savory bowl o' stew, or a delicious loaf o' bread. But helicopters, they be for transportin' and movin' around, not for eatin'. So, I'd say none, me hearties. None at all. | ||||
| ``` | ||||
|  | ||||
| 이제 쉬워졌죠! | ||||
|  | ||||
| ## 채팅을 위한 자동화된 파이프라인이 있나요?[[is-there-an-automated-pipeline-for-chat]] | ||||
|  | ||||
| 네, 있습니다! 우리의 텍스트 생성 파이프라인은 채팅 입력을 지원하여 채팅 모델을 쉽게 사용할 수 있습니다. 이전에는 "ConversationalPipeline" 클래스를 사용했지만, 이제는 이 기능이 [`TextGenerationPipeline`]에 통합되었습니다. 이번에는 파이프라인을 사용하여 `Zephyr` 예제를 다시 시도해 보겠습니다: | ||||
|  | ||||
| ```python | ||||
| from transformers import pipeline | ||||
|  | ||||
| pipe = pipeline("text-generation", "HuggingFaceH4/zephyr-7b-beta") | ||||
| messages = [ | ||||
|     { | ||||
|         "role": "system", | ||||
|         "content": "You are a friendly chatbot who always responds in the style of a pirate", | ||||
|     }, | ||||
|     {"role": "user", "content": "How many helicopters can a human eat in one sitting?"}, | ||||
| ] | ||||
| print(pipe(messages, max_new_tokens=128)[0]['generated_text'][-1])  # 어시스턴트의 응답을 출력합니다. | ||||
| ``` | ||||
|  | ||||
| ```text | ||||
| {'role': 'assistant', 'content': "Matey, I'm afraid I must inform ye that humans cannot eat helicopters. Helicopters are not food, they are flying machines. Food is meant to be eaten, like a hearty plate o' grog, a savory bowl o' stew, or a delicious loaf o' bread. But helicopters, they be for transportin' and movin' around, not for eatin'. So, I'd say none, me hearties. None at all."} | ||||
| ``` | ||||
|  | ||||
| 파이프라인은 토큰화와 `apply_chat_template` 호출 의 세부 사항을 모두 처리해주기 때문에, 모델에 채팅 템플릿이 있으면 파이프라인을 초기화하고 메시지 목록을 전달하기만 하면 됩니다! | ||||
|  | ||||
|  | ||||
| ## "생성 프롬프트"란 무엇인가요?[[what-are-generation-prompts]] | ||||
|  | ||||
| `apply_chat_template` 메서드에는 `add_generation_prompt` 인수가 있다는 것을 눈치챘을 것입니다. 이 인수는 템플릿에 봇 응답의 시작을 나타내는 토큰을 추가하도록 지시합니다. 예를 들어, 다음과 같은 채팅을 고려해 보세요: | ||||
|  | ||||
| ```python | ||||
| messages = [ | ||||
|     {"role": "user", "content": "Hi there!"}, | ||||
|     {"role": "assistant", "content": "Nice to meet you!"}, | ||||
|     {"role": "user", "content": "Can I ask a question?"} | ||||
| ] | ||||
| ``` | ||||
|  | ||||
| Zephyr 예제에서 보았던 것과 같이, 생성 프롬프트 없이 ChatML 템플릿을 사용한다면 다음과 같이 보일 것입니다: | ||||
|  | ||||
| ```python | ||||
| tokenizer.apply_chat_template(messages, tokenize=False, add_generation_prompt=False) | ||||
| """<|im_start|>user | ||||
| Hi there!<|im_end|> | ||||
| <|im_start|>assistant | ||||
| Nice to meet you!<|im_end|> | ||||
| <|im_start|>user | ||||
| Can I ask a question?<|im_end|> | ||||
| """ | ||||
| ``` | ||||
|  | ||||
| 생성 프롬프트가 **있는** 경우는 다음과 같습니다: | ||||
|  | ||||
| ```python | ||||
| tokenizer.apply_chat_template(messages, tokenize=False, add_generation_prompt=True) | ||||
| """<|im_start|>user | ||||
| Hi there!<|im_end|> | ||||
| <|im_start|>assistant | ||||
| Nice to meet you!<|im_end|> | ||||
| <|im_start|>user | ||||
| Can I ask a question?<|im_end|> | ||||
| <|im_start|>assistant | ||||
| """ | ||||
| ``` | ||||
|  | ||||
| 이번에는 봇 응답의 시작을 나타내는 토큰을 추가한 것을 주목하세요. 이렇게 하면 모델이 텍스트를 생성할 때 사용자의 메시지를 계속하는 대신 봇 응답을 작성하게 됩니다. 기억하세요, 채팅 모델은 여전히 언어 모델일 뿐이며, 그들에게 채팅은 특별한 종류의 텍스트일 뿐입니다! 적절한 제어 토큰으로 안내해야 채팅 모델이 무엇을 해야 하는지 알 수 있습니다. | ||||
|  | ||||
| 모든 모델이 생성 프롬프트를 필요로 하는 것은 아닙니다. BlenderBot과 LLaMA 같은 일부 모델은 봇 응답 전에 특별한 토큰이 없습니다. 이러한 경우 `add_generation_prompt` 인수는 효과가 없습니다. `add_generation_prompt`의 정확한 효과는 사용 중인 템플릿에 따라 다릅니다. | ||||
|  | ||||
|  | ||||
|  | ||||
| ## 채팅 템플릿을 훈련에 사용할 수 있나요?[[can-i-use-chat-templates-in-training]] | ||||
|  | ||||
| 네! 이 방법은 채팅 템플릿을 모델이 훈련 중에 보는 토큰과 일치하도록 하는 좋은 방법입니다. 데이터 세트에 대한 전처리 단계로 채팅 템플릿을 적용하는 것이 좋습니다. 그 후에는 다른 언어 모델 훈련 작업과 같이 계속할 수 있습니다. 훈련할 때는 일반적으로 `add_generation_prompt=False`로 설정해야 합니다. 어시스턴트 응답을 프롬프트하는 추가 토큰은 훈련 중에는 도움이 되지 않기 때문입니다. 예제를 보겠습니다: | ||||
|  | ||||
| ```python | ||||
| from transformers import AutoTokenizer | ||||
| from datasets import Dataset | ||||
|  | ||||
| tokenizer = AutoTokenizer.from_pretrained("HuggingFaceH4/zephyr-7b-beta") | ||||
|  | ||||
| chat1 = [ | ||||
|     {"role": "user", "content": "Which is bigger, the moon or the sun?"}, | ||||
|     {"role": "assistant", "content": "The sun."} | ||||
| ] | ||||
| chat2 = [ | ||||
|     {"role": "user", "content": "Which is bigger, a virus or a bacterium?"}, | ||||
|     {"role": "assistant", "content": "A bacterium."} | ||||
| ] | ||||
|  | ||||
| dataset = Dataset.from_dict({"chat": [chat1, chat2]}) | ||||
| dataset = dataset.map(lambda x: {"formatted_chat": tokenizer.apply_chat_template(x["chat"], tokenize=False, add_generation_prompt=False)}) | ||||
| print(dataset['formatted_chat'][0]) | ||||
| ``` | ||||
| 다음과 같은 결과를 얻을 수 있습니다: | ||||
| ```text | ||||
| <|user|> | ||||
| Which is bigger, the moon or the sun?</s> | ||||
| <|assistant|> | ||||
| The sun.</s> | ||||
| ``` | ||||
|  | ||||
| 여기서부터는 일반적인 언어 모델 작업과 같이 `formatted_chat` 열을 사용하여 훈련을 계속하면 됩니다. | ||||
|  | ||||
| <Tip> | ||||
| `apply_chat_template(tokenize=False)`로 텍스트를 형식화한 다음 별도의 단계에서 토큰화하는 경우, `add_special_tokens=False` 인수를 설정해야 합니다. `apply_chat_template(tokenize=True)`를 사용하는 경우에는 이 문제를 걱정할 필요가 없습니다! | ||||
| 기본적으로 일부 토크나이저는 토큰화할 때 `<bos>` 및 `<eos>`와 같은 특별 토큰을 추가합니다. 채팅 템플릿은 항상 필요한 모든 특별 토큰을 포함해야 하므로, 기본 `add_special_tokens=True`로 추가적인 특별 토큰을 추가하면 잘못되거나 중복되는 특별 토큰을 생성하여 모델 성능이 저하될 수 있습니다. | ||||
| </Tip> | ||||
|  | ||||
| ## 고급: 채팅 템플릿에 추가 입력 사용[[advanced-extra-inputs-to-chat-templates]] | ||||
|  | ||||
| `apply_chat_template`가 필요한 유일한 인수는 `messages`입니다. 그러나 `apply_chat_template`에 키워드 인수를 전달하면 템플릿 내부에서 사용할 수 있습니다. 이를 통해 채팅 템플릿을 다양한 용도로 사용할 수 있는 자유를 얻을 수 있습니다. 이러한 인수의 이름이나 형식에는 제한이 없어 문자열, 리스트, 딕셔너리 등을 전달할 수 있습니다. | ||||
|  | ||||
| 그렇긴 하지만, 이러한 추가 인수의 일반적인 사용 사례로 '함수 호출을 위한 도구'나 '검색 증강 생성을 위한 문서'를 전달하는 것이 있습니다. 이러한 일반적인 경우에 대해 인수의 이름과 형식에 대한 몇 가지 권장 사항이 있으며, 이는 아래 섹션에 설명되어 있습니다. 우리는 모델 작성자에게 도구 호출 코드를 모델 간에 쉽게 전송할 수 있도록 채팅 템플릿을 이 형식과 호환되도록 만들 것을 권장합니다. | ||||
|  | ||||
| ## 고급: 도구 사용 / 함수 호출[[advanced-tool-use--function-calling]] | ||||
|  | ||||
| "도구 사용" LLM은 답변을 생성하기 전에 외부 도구로서 함수를 호출할 수 있습니다. 도구 사용 모델에 도구를 전달할 때는 단순히 함수 목록을 `tools` 인수로 전달할 수 있습니다: | ||||
|  | ||||
| ```python | ||||
| import datetime | ||||
|  | ||||
| def current_time(): | ||||
|     """현재 현지 시간을 문자열로 가져옵니다.""" | ||||
|     return str(datetime.now()) | ||||
|  | ||||
| def multiply(a: float, b: float): | ||||
|     """ | ||||
|     두 숫자를 곱하는 함수 | ||||
|      | ||||
|     인수: | ||||
|         a: 곱할 첫 번째 숫자 | ||||
|         b: 곱할 두 번째 숫자 | ||||
|     """ | ||||
|     return a * b | ||||
|  | ||||
| tools = [current_time, multiply] | ||||
|  | ||||
| model_input = tokenizer.apply_chat_template( | ||||
|     messages, | ||||
|     tools=tools | ||||
| ) | ||||
| ``` | ||||
|  | ||||
| 이것이 올바르게 작동하려면 함수를 위 형식으로 작성해야 도구로 올바르게 구문 분석할 수 있습니다. 구체적으로 다음 규칙을 따라야 합니다: | ||||
|  | ||||
| - 함수는 설명적인 이름을 가져야 합니다. | ||||
| - 모든 인수에는 타입 힌트가 있어야 합니다. | ||||
| - 함수에는 표준 Google 스타일의 도크스트링이 있어야 합니다(즉, 초기 함수 설명 다음에 인수를 설명하는 `Args:` 블록이 있어야 합니다).  | ||||
| - `Args:` 블록에는 타입을 포함하지 마세요. 즉, `a (int): The first number to multiply` 대신 `a: The first number to multiply`라고 작성해야 합니다. 타입 힌트는 함수 헤더에 있어야 합니다. | ||||
| - 함수에는 반환 타입과 도크스트링에 `Returns:` 블록이 있을 수 있습니다. 그러나 대부분의 도구 사용 모델은 이를 무시하므로 이는 선택 사항입니다. | ||||
|  | ||||
|  | ||||
| ### 도구 결과를 모델에 전달하기[[passing-tool-results-to-the-model]] | ||||
|  | ||||
| 위의 예제 코드는 모델에 사용할 수 있는 도구를 나열하는 데 충분하지만, 실제로 사용하고자 하는 경우는 어떻게 해야 할까요? 이러한 경우에는 다음을 수행해야 합니다: | ||||
|  | ||||
| 1. 모델의 출력을 파싱하여 도구 이름과 인수를 가져옵니다. | ||||
| 2. 모델의 도구 호출을 대화에 추가합니다. | ||||
| 3. 해당 인수에 대응하는 함수를 호출합니다. | ||||
| 4. 결과를 대화에 추가합니다. | ||||
|  | ||||
| ### 도구 사용 예제[[a-complete-tool-use-example]] | ||||
|  | ||||
| 도구 사용 예제를 단계별로 살펴보겠습니다. 이 예제에서는 도구 사용 모델 중에서 성능이 가장 우수한 8B `Hermes-2-Pro` 모델을 사용할 것입니다. 메모리가 충분하다면, 더 큰 모델인 [Command-R](https://huggingface.co/CohereForAI/c4ai-command-r-v01) 또는 [Mixtral-8x22B](https://huggingface.co/mistralai/Mixtral-8x22B-Instruct-v0.1)를 사용하는 것도 고려할 수 있습니다. 이 두 모델 모두 도구 사용을 지원하며 더 강력한 성능을 제공합니다. | ||||
|  | ||||
| 먼저 모델과 토크나이저를 로드해 보겠습니다: | ||||
|  | ||||
| ```python | ||||
| import torch | ||||
| from transformers import AutoModelForCausalLM, AutoTokenizer | ||||
|  | ||||
| checkpoint = "NousResearch/Hermes-2-Pro-Llama-3-8B" | ||||
|  | ||||
| tokenizer = AutoTokenizer.from_pretrained(checkpoint, revision="pr/13") | ||||
| model = AutoModelForCausalLM.from_pretrained(checkpoint, torch_dtype=torch.bfloat16, device_map="auto") | ||||
| ``` | ||||
|  | ||||
| 다음으로, 도구 목록을 정의해 보겠습니다: | ||||
|  | ||||
| ```python | ||||
| def get_current_temperature(location: str, unit: str) -> float: | ||||
|     """ | ||||
|     특정 위치의 현재 온도를 가져옵니다. | ||||
|      | ||||
|     인수: | ||||
|         위치: 온도를 가져올 위치, "도시, 국가" 형식 | ||||
|         단위: 온도 단위 (선택지: ["celsius", "fahrenheit"]) | ||||
|     반환값: | ||||
|         지정된 위치의 현재 온도를 지정된 단위로 반환, float 형식. | ||||
|     """ | ||||
|     return 22.  # 이 함수는 실제로 온도를 가져와야 할 것입니다! | ||||
|  | ||||
| def get_current_wind_speed(location: str) -> float: | ||||
|     """ | ||||
|     주어진 위치의 현재 풍속을 km/h 단위로 가져옵니다. | ||||
|      | ||||
|     인수: | ||||
|         위치(location): 풍속을 가져올 위치, "도시, 국가" 형식 | ||||
|     반환값: | ||||
|         주어진 위치의 현재 풍속을 km/h 단위로 반환, float 형식. | ||||
|     """ | ||||
|     return 6.  # 이 함수는 실제로 풍속을 가져와야 할 것입니다! | ||||
|  | ||||
| tools = [get_current_temperature, get_current_wind_speed] | ||||
| ``` | ||||
|  | ||||
| 이제 봇을 위한 대화를 설정해 보겠습니다: | ||||
|  | ||||
| ```python | ||||
| messages = [ | ||||
|   {"role": "system", "content": "You are a bot that responds to weather queries. You should reply with the unit used in the queried location."}, | ||||
|   {"role": "user", "content": "Hey, what's the temperature in Paris right now?"} | ||||
| ] | ||||
| ``` | ||||
|  | ||||
| 이제 채팅 템플릿을 적용하고 응답을 생성해 보겠습니다: | ||||
|  | ||||
| ```python | ||||
| inputs = tokenizer.apply_chat_template(messages, chat_template="tool_use", tools=tools, add_generation_prompt=True, return_dict=True, return_tensors="pt") | ||||
| inputs = {k: v.to(model.device) for k, v in inputs.items()} | ||||
| out = model.generate(**inputs, max_new_tokens=128) | ||||
| print(tokenizer.decode(out[0][len(inputs["input_ids"][0]):])) | ||||
| ``` | ||||
|  | ||||
| 결과는 다음과 같습니다: | ||||
|  | ||||
| ```text | ||||
| <tool_call> | ||||
| {"arguments": {"location": "Paris, France", "unit": "celsius"}, "name": "get_current_temperature"} | ||||
| </tool_call><|im_end|> | ||||
| ``` | ||||
|  | ||||
| 모델이 함수 호출을 유효한 인수로 수행했으며, 함수 도크스트링에 요청된 형식으로 호출했음을 알 수 있습니다. 모델은 우리가 프랑스의 파리를 지칭하고 있다는 것을 추론했고, 프랑스가 SI 단위의 본고장임을 기억하여 온도를 섭씨로 표시해야 한다고 판단했습니다. | ||||
|  | ||||
| 모델의 도구 호출을 대화에 추가해 보겠습니다. 여기서 임의의 `tool_call_id`를 생성합니다. 이 ID는 모든 모델에서 사용되는 것은 아니지만, 여러 도구 호출을 한 번에 발행하고 각 응답이 어느 호출에 해당하는지 추적할 수 있게 해줍니다. 이 ID는 대화 내에서 고유해야 합니다. | ||||
|  | ||||
| ```python | ||||
| tool_call_id = "vAHdf3"  # 임의의 ID, 각 도구 호출마다 고유해야 함 | ||||
| tool_call = {"name": "get_current_temperature", "arguments": {"location": "Paris, France", "unit": "celsius"}} | ||||
| messages.append({"role": "assistant", "tool_calls": [{"id": tool_call_id, "type": "function", "function": tool_call}]}) | ||||
| ``` | ||||
|  | ||||
|  | ||||
| 이제 도구 호출을 대화에 추가했으므로, 함수를 호출하고 결과를 대화에 추가할 수 있습니다. 이 예제에서는 항상 22.0을 반환하는 더미 함수를 사용하고 있으므로, 결과를 직접 추가하면 됩니다. 다시 한 번, `tool_call_id`는 도구 호출에 사용했던 ID와 일치해야 합니다. | ||||
|  | ||||
| ```python | ||||
| messages.append({"role": "tool", "tool_call_id": tool_call_id, "name": "get_current_temperature", "content": "22.0"}) | ||||
| ``` | ||||
|  | ||||
| 마지막으로, 어시스턴트가 함수 출력을 읽고 사용자와 계속 대화할 수 있도록 하겠습니다: | ||||
|  | ||||
| ```python | ||||
| inputs = tokenizer.apply_chat_template(messages, chat_template="tool_use", tools=tools, add_generation_prompt=True, return_dict=True, return_tensors="pt") | ||||
| inputs = {k: v.to(model.device) for k, v in inputs.items()} | ||||
| out = model.generate(**inputs, max_new_tokens=128) | ||||
| print(tokenizer.decode(out[0][len(inputs["input_ids"][0]):])) | ||||
| ``` | ||||
|  | ||||
| 결과는 다음과 같습니다: | ||||
|  | ||||
| ```text | ||||
| The current temperature in Paris, France is 22.0 ° Celsius.<|im_end|> | ||||
| ``` | ||||
|  | ||||
| 이것은 더미 도구와 단일 호출을 사용한 간단한 데모였지만, 동일한 기술을 사용하여 여러 실제 도구와 더 긴 대화를 처리할 수 있습니다. 이를 통해 실시간 정보, 계산 도구 또는 대규모 데이터베이스에 접근하여 대화형 에이전트의 기능을 확장할 수 있습니다. | ||||
|  | ||||
| <Tip> | ||||
| 위에서 보여준 도구 호출 기능은 모든 모델에서 사용되는 것은 아닙니다. 일부 모델은 도구 호출 ID를 사용하고, 일부는 함수 이름만 사용하여 결과와 도구 호출을 순서에 따라 매칭하며, 혼동을 피하기 위해 한 번에 하나의 도구 호출만 발행하는 모델도 있습니다. 가능한 많은 모델과 호환되는 코드를 원한다면, 여기에 보여준 것처럼 도구 호출을 구성하고, 모델이 발행한 순서대로 도구 결과를 반환하는 것을 권장합니다. 각 모델의 채팅 템플릿이 나머지 작업을 처리할 것입니다. | ||||
| </Tip> | ||||
|  | ||||
| ### 도구 스키마 이해하기[[understanding-tool-schemas]] | ||||
|  | ||||
| `apply_chat_template`의 `tools` 인수에 전달하는 각 함수는 [JSON 스키마](https://json-schema.org/learn/getting-started-step-by-step)로 변환됩니다. 이러한 스키마는 모델 채팅 템플릿에 전달됩니다. 즉, 도구 사용 모델은 함수 자체를 직접 보지 않으며, 함수 내부의 실제 코드를 보지 않습니다. 도구 사용 모델이 관심을 가지는 것은 함수 **정의**와 **인수**입니다. 함수가 무엇을 하고 어떻게 사용하는지에 관심이 있을 뿐, 어떻게 작동하는지는 중요하지 않습니다! 모델의 출력을 읽고 모델이 도구 사용을 요청했는지 감지하여, 인수를 도구 함수에 전달하고 채팅에서 응답을 반환하는 것은 여러분의 몫입니다. | ||||
|  | ||||
| 위의 규격을 따른다면, 템플릿에 전달할 JSON 스키마 생성을 자동화하고 보이지 않게 처리하는 것이 좋습니다. 그러나 문제가 발생하거나 변환을 더 제어하고 싶다면 수동으로 변환을 처리할 수 있습니다. 다음은 수동 스키마 변환 예제입니다. | ||||
|  | ||||
| ```python | ||||
| from transformers.utils import get_json_schema | ||||
|  | ||||
| def multiply(a: float, b: float): | ||||
|     """ | ||||
|     두 숫자를 곱하는 함수 | ||||
|      | ||||
|     인수: | ||||
|         a: 곱할 첫 번째 숫자 | ||||
|         b: 곱할 두 번째 숫자 | ||||
|     """ | ||||
|     return a * b | ||||
|  | ||||
| schema = get_json_schema(multiply) | ||||
| print(schema) | ||||
| ``` | ||||
|  | ||||
| 이 결과는 다음과 같습니다: | ||||
|  | ||||
| ```json | ||||
| { | ||||
|   "type": "function",  | ||||
|   "function": { | ||||
|     "name": "multiply",  | ||||
|     "description": "A function that multiplies two numbers",  | ||||
|     "parameters": { | ||||
|       "type": "object",  | ||||
|       "properties": { | ||||
|         "a": { | ||||
|           "type": "number",  | ||||
|           "description": "The first number to multiply" | ||||
|         },  | ||||
|         "b": { | ||||
|           "type": "number", | ||||
|           "description": "The second number to multiply" | ||||
|         } | ||||
|       },  | ||||
|       "required": ["a", "b"] | ||||
|     } | ||||
|   } | ||||
| } | ||||
| ``` | ||||
|  | ||||
| 원한다면 이러한 스키마를 편집하거나 `get_json_schema`를 전혀 사용하지 않고 처음부터 직접 작성할 수도 있습니다. JSON 스키마는 `apply_chat_template`의 `tools` 인수에 직접 전달할 수 있습니다. 이를 통해 더 복잡한 함수에 대한 정밀한 스키마를 정의할 수 있게 됩니다. 그러나 스키마가 복잡할수록 모델이 처리하는 데 혼란을 겪을 가능성이 높아집니다! 가능한 한 간단한 함수 서명을 유지하고, 인수(특히 복잡하고 중첩된 인수)를 최소화하는 것을 권장합니다. | ||||
|  | ||||
| 여기 직접 스키마를 정의하고 이를 `apply_chat_template`에 전달하는 예제가 있습니다: | ||||
|  | ||||
| ```python | ||||
| # 인수를 받지 않는 간단한 함수 | ||||
| current_time = { | ||||
|   "type": "function",  | ||||
|   "function": { | ||||
|     "name": "current_time", | ||||
|     "description": "Get the current local time as a string.", | ||||
|     "parameters": { | ||||
|       'type': 'object', | ||||
|       'properties': {} | ||||
|     } | ||||
|   } | ||||
| } | ||||
|  | ||||
| # 두 개의 숫자 인수를 받는 더 완전한 함수 | ||||
| multiply = { | ||||
|   'type': 'function', | ||||
|   'function': { | ||||
|     'name': 'multiply', | ||||
|     'description': 'A function that multiplies two numbers',  | ||||
|     'parameters': { | ||||
|       'type': 'object',  | ||||
|       'properties': { | ||||
|         'a': { | ||||
|           'type': 'number', | ||||
|           'description': 'The first number to multiply' | ||||
|         },  | ||||
|         'b': { | ||||
|           'type': 'number', 'description': 'The second number to multiply' | ||||
|         } | ||||
|       },  | ||||
|       'required': ['a', 'b'] | ||||
|     } | ||||
|   } | ||||
| } | ||||
|  | ||||
| model_input = tokenizer.apply_chat_template( | ||||
|     messages, | ||||
|     tools = [current_time, multiply] | ||||
| ) | ||||
| ``` | ||||
|  | ||||
| ## 고급: 검색 증강 생성[[advanced-retrieval-augmented-generation]] | ||||
|  | ||||
| "검색 증강 생성" 또는 "RAG" LLM은 쿼리에 응답하기 전에 문서의 코퍼스를 검색하여 정보를 얻을 수 있습니다. 이를 통해 모델은 제한된 컨텍스트 크기 이상으로 지식 기반을 크게 확장할 수 있습니다. RAG 모델에 대한 우리의 권장 사항은 템플릿이 `documents` 인수를 허용해야 한다는 것입니다. 이 인수는 각 "문서"가 `title`과 `contents` 키를 가지는 단일 dict인 문서 목록이어야 합니다. 이 형식은 도구에 사용되는 JSON 스키마보다 훨씬 간단하므로 별도의 도우미 함수가 필요하지 않습니다. | ||||
|  | ||||
|  | ||||
| 다음은 RAG 템플릿이 작동하는 예제입니다: | ||||
|  | ||||
|  | ||||
| ```python | ||||
| document1 = { | ||||
|     "title": "The Moon: Our Age-Old Foe", | ||||
|     "contents": "Man has always dreamed of destroying the moon. In this essay, I shall..." | ||||
| } | ||||
|  | ||||
| document2 = { | ||||
|     "title": "The Sun: Our Age-Old Friend", | ||||
|     "contents": "Although often underappreciated, the sun provides several notable benefits..." | ||||
| } | ||||
|  | ||||
| model_input = tokenizer.apply_chat_template( | ||||
|     messages, | ||||
|     documents=[document1, document2] | ||||
| ) | ||||
| ``` | ||||
|  | ||||
| ## 고급: 채팅 템플릿은 어떻게 작동하나요?[[advanced-how-do-chat-templates-work]] | ||||
|  | ||||
| 모델의 채팅 템플릿은 `tokenizer.chat_template` 속성에 저장됩니다. 채팅 템플릿이 설정되지 않은 경우 해당 모델 클래스의 기본 템플릿이 대신 사용됩니다. `BlenderBot`의 템플릿을 살펴보겠습니다: | ||||
|  | ||||
| ```python | ||||
|  | ||||
| >>> from transformers import AutoTokenizer | ||||
| >>> tokenizer = AutoTokenizer.from_pretrained("facebook/blenderbot-400M-distill") | ||||
|  | ||||
| >>> tokenizer.chat_template | ||||
| "{% for message in messages %}{% if message['role'] == 'user' %}{{ ' ' }}{% endif %}{{ message['content'] }}{% if not loop.last %}{{ '  ' }}{% endif %}{% endfor %}{{ eos_token }}" | ||||
| ``` | ||||
|  | ||||
| 약간 복잡해 보일 수 있습니다. 읽기 쉽게 정리해 보겠습니다. 이 과정에서 추가하는 줄바꿈과 들여쓰기가 템플릿 출력에 포함되지 않도록 해야 합니다. 아래는 [공백을 제거하는](#trimming-whitespace) 팁입니다: | ||||
|  | ||||
| ``` | ||||
| {%- for message in messages %} | ||||
|     {%- if message['role'] == 'user' %} | ||||
|         {{- ' ' }} | ||||
|     {%- endif %} | ||||
|     {{- message['content'] }} | ||||
|     {%- if not loop.last %} | ||||
|         {{- '  ' }} | ||||
|     {%- endif %} | ||||
| {%- endfor %} | ||||
| {{- eos_token }} | ||||
| ``` | ||||
|  | ||||
| 만약 이와 같은 형식을 처음 본다면, 이것은 [Jinja 템플릿](https://jinja.palletsprojects.com/en/3.1.x/templates/)입니다. | ||||
| Jinja는 텍스트를 생성하는 간단한 코드를 작성할 수 있는 템플릿 언어입니다. 많은 면에서 코드와 구문이 파이썬과 유사합니다. 순수 파이썬에서는 이 템플릿이 다음과 같이 보일 것입니다: | ||||
|  | ||||
|  | ||||
| ```python | ||||
| for idx, message in enumerate(messages): | ||||
|     if message['role'] == 'user': | ||||
|         print(' ') | ||||
|     print(message['content']) | ||||
|     if not idx == len(messages) - 1:  # Check for the last message in the conversation | ||||
|         print('  ') | ||||
| print(eos_token) | ||||
| ``` | ||||
|  | ||||
| 이 템플릿은 세 가지 일을 합니다: | ||||
| 1. 각 메시지에 대해, 메시지가 사용자 메시지인 경우 공백을 추가하고, 그렇지 않으면 아무것도 출력하지 않습니다. | ||||
| 2. 메시지 내용을 추가합니다. | ||||
| 3. 메시지가 마지막 메시지가 아닌 경우 두 개의 공백을 추가합니다. 마지막 메시지 후에는 EOS 토큰을 출력합니다. | ||||
|  | ||||
| 이것은 매우 간단한 템플릿입니다. 제어 토큰을 추가하지 않으며, 이후 대화에서 모델이 어떻게 동작해야 하는지 지시하는 "시스템" 메시지를 지원하지 않습니다. 하지만 Jinja는 이러한 작업을 수행할 수 있는 많은 유연성을 제공합니다! LLaMA가 입력을 형식화하는 방식과 유사한 형식의 Jinja 템플릿을 살펴보겠습니다(실제 LLaMA 템플릿은 기본 시스템 메시지 처리와 일반적인 시스템 메시지 처리를 포함하고 있습니다 - 실제 코드에서는 이 템플릿을 사용하지 마세요!). | ||||
|  | ||||
| ``` | ||||
| {%- for message in messages %} | ||||
|     {%- if message['role'] == 'user' %} | ||||
|         {{- bos_token + '[INST] ' + message['content'] + ' [/INST]' }} | ||||
|     {%- elif message['role'] == 'system' %} | ||||
|         {{- '<<SYS>>\\n' + message['content'] + '\\n<</SYS>>\\n\\n' }} | ||||
|     {%- elif message['role'] == 'assistant' %} | ||||
|         {{- ' '  + message['content'] + ' ' + eos_token }} | ||||
|     {%- endif %} | ||||
| {%- endfor %} | ||||
| ``` | ||||
|  | ||||
| 이 템플릿을 잠시 살펴보면 무엇을 하는지 이해할 수 있습니다. 먼저, 각 메시지의 "role"에 따라 특정 토큰을 추가하여 누가 메시지를 보냈는지 모델에게 명확하게 알려줍니다. 또한 사용자, 어시스턴트 및 시스템 메시지는 각각 고유한 토큰으로 래핑되어 모델이 명확하게 구분할 수 있습니다. | ||||
|  | ||||
| ## 고급: 채팅 템플릿 추가 및 편집[[advanced-adding-and-editing-chat-templates]] | ||||
|  | ||||
| ### 채팅 템플릿을 어떻게 만들 수 있나요?[[how-do-i-create-a-chat-template]] | ||||
|  | ||||
| 간단합니다. Jinja 템플릿을 작성하고 `tokenizer.chat_template`에 설정하기만 하면 됩니다. 다른 모델의 기존 템플릿을 시작점으로 사용하고 필요에 맞게 편집하는 것이 더 쉬울 것 입니다! 예를 들어, 위의 LLaMA 템플릿을 가져와 어시스턴트 메시지에 "[ASST]" 및 "[/ASST]"를 추가할 수 있습니다: | ||||
|  | ||||
| ``` | ||||
| {%- for message in messages %} | ||||
|     {%- if message['role'] == 'user' %} | ||||
|         {{- bos_token + '[INST] ' + message['content'].strip() + ' [/INST]' }} | ||||
|     {%- elif message['role'] == 'system' %} | ||||
|         {{- '<<SYS>>\\n' + message['content'].strip() + '\\n<</SYS>>\\n\\n' }} | ||||
|     {%- elif message['role'] == 'assistant' %} | ||||
|         {{- '[ASST] '  + message['content'] + ' [/ASST]' + eos_token }} | ||||
|     {%- endif %} | ||||
| {%- endfor %} | ||||
| ``` | ||||
|  | ||||
| 이제 `tokenizer.chat_template` 속성을 설정하기만 하면 됩니다. 이렇게 하면 다음에 [`~PreTrainedTokenizer.apply_chat_template`]를 사용할 때 새롭게 설정한 템플릿이 사용됩니다! 이 속성은 `tokenizer_config.json` 파일에 저장되므로, [`~utils.PushToHubMixin.push_to_hub`]를 사용하여 새 템플릿을 허브에 업로드하고 모든 사용자가 모델에 맞는 템플릿을 사용할 수 있도록 할 수 있습니다! | ||||
|  | ||||
| ```python | ||||
| template = tokenizer.chat_template | ||||
| template = template.replace("SYS", "SYSTEM")  # 시스템 토큰 변경 | ||||
| tokenizer.chat_template = template  # 새 템플릿 설정 | ||||
| tokenizer.push_to_hub("model_name")  # 새 템플릿을 허브에 업로드! | ||||
| ``` | ||||
|  | ||||
| 채팅 템플릿을 사용하는 [`~PreTrainedTokenizer.apply_chat_template`] 메소드는 [`TextGenerationPipeline`] 클래스에서 호출되므로, 올바른 채팅 템플릿을 설정하면 모델이 자동으로 [`TextGenerationPipeline`]과 호환됩니다. | ||||
|  | ||||
| <Tip> | ||||
| 모델을 채팅 용도로 미세 조정하는 경우, 채팅 템플릿을 설정하는 것 외에도 새 채팅 제어 토큰을 토크나이저에 특별 토큰으로 추가하는 것이 좋습니다. 특별 토큰은 절대로 분할되지 않으므로, 제어 토큰이 여러 조각으로 토큰화되는 것을 방지합니다. 또한, 템플릿에서 어시스턴트 생성의 끝을 나타내는 토큰으로 토크나이저의 `eos_token` 속성을 설정해야 합니다. 이렇게 하면 텍스트 생성 도구가 텍스트 생성을 언제 중지해야 할지 정확히 알 수 있습니다. | ||||
| </Tip> | ||||
|  | ||||
|  | ||||
| ### 왜 일부 모델은 여러 개의 템플릿을 가지고 있나요?[[why-do-some-models-have-multiple-templates]] | ||||
|  | ||||
| 일부 모델은 다른 사용 사례에 대해 다른 템플릿을 사용합니다. 예를 들어, 일반 채팅을 위한 템플릿과 도구 사용 또는 검색 증강 생성에 대한 템플릿을 별도로 사용할 수 있습니다. 이러한 경우 `tokenizer.chat_template`는 딕셔너리입니다. 이것은 약간의 혼란을 초래할 수 있으며, 가능한 한 모든 사용 사례에 대해 단일 템플릿을 사용하는 것을 권장합니다. `if tools is defined`와 같은 Jinja 문장과 `{% macro %}` 정의를 사용하여 여러 코드 경로를 단일 템플릿에 쉽게 래핑할 수 있습니다. | ||||
|  | ||||
| 토크나이저에 여러 개의 템플릿이 있는 경우, `tokenizer.chat_template`는 템플릿 이름이 키인 `딕셔너리`입니다. `apply_chat_template` 메소드는 특정 템플릿 이름에 대한 특별한 처리를 합니다: 일반적으로 `default`라는 템플릿을 찾고, 찾을 수 없으면 오류를 발생시킵니다. 그러나 사용자가 `tools` 인수를 전달할 때 `tool_use`라는 템플릿이 존재하면 대신 그것을 사용합니다. 다른 이름의 템플릿에 접근하려면 `apply_chat_template()`의 `chat_template` 인수에 원하는 템플릿 이름을 전달하면 됩니다. | ||||
|  | ||||
| 사용자에게 약간의 혼란을 줄 수 있으므로, 템플릿을 직접 작성하는 경우 가능한 한 단일 템플릿에 모든 것을 넣는 것을 권장합니다! | ||||
|  | ||||
| ### 어떤 템플릿을 사용해야 하나요?[[what-template-should-i-use]] | ||||
|  | ||||
| 이미 채팅용으로 훈련된 모델에 템플릿을 설정할 때는 템플릿이 훈련 중 모델이 본 메시지 형식과 정확히 일치하도록 해야 합니다. 그렇지 않으면 성능 저하를 경험할 가능성이 큽니다. 이는 모델을 추가로 훈련할 때도 마찬가지입니다. 채팅 토큰을 일정하게 유지하는 것이 최상의 성능을 얻는 방법입니다. 이는 토큰화와 매우 유사합니다. 훈련 중에 사용된 토큰화를 정확히 일치시킬 때 추론이나 미세 조정에서 최고의 성능을 얻을 수 있습니다. | ||||
|  | ||||
| 반면에 처음부터 모델을 훈련시키거나 채팅용으로 기본 언어 모델을 미세 조정하는 경우, 적절한 템플릿을 선택할 수 있는 많은 자유가 있습니다. LLM은 다양한 입력 형식을 처리할 만큼 충분히 똑똑합니다. 인기 있는 선택 중 하나는 `ChatML` 형식이며, 이는 많은 사용 사례에 유연하게 사용할 수 있는 좋은 선택입니다. 다음과 같습니다: | ||||
|  | ||||
| ``` | ||||
| {%- for message in messages %} | ||||
|     {{- '<|im_start|>' + message['role'] + '\n' + message['content'] + '<|im_end|>' + '\n' }} | ||||
| {%- endfor %} | ||||
| ``` | ||||
|  | ||||
| 이 템플릿이 마음에 든다면, 코드에 바로 복사하여 사용할 수 있는 한 줄 버전을 제공하겠습니다. 이 한 줄 버전은 [생성 프롬프트](#what-are-generation-prompts)에 대한 편리한 지원도 포함하고 있지만, BOS나 EOS 토큰을 추가하지 않는다는 점에 유의하세요! 모델이 해당 토큰을 기대하더라도, `apply_chat_template`에 의해 자동으로 추가되지 않습니다. 즉, 텍스트는 `add_special_tokens=False`에 의해 토큰화됩니다. 이는 템플릿과 `add_special_tokens` 논리 간의 잠재적인 충돌을 피하기 위함입니다. 모델이 특별 토큰을 기대하는 경우, 템플릿에 직접 추가해야 합니다! | ||||
|  | ||||
|  | ||||
| ```python | ||||
| tokenizer.chat_template = "{% if not add_generation_prompt is defined %}{% set add_generation_prompt = false %}{% endif %}{% for message in messages %}{{'<|im_start|>' + message['role'] + '\n' + message['content'] + '<|im_end|>' + '\n'}}{% endfor %}{% if add_generation_prompt %}{{ '<|im_start|>assistant\n' }}{% endif %}" | ||||
| ``` | ||||
|  | ||||
| 이 템플릿은 각 메시지를 `<|im_start|>` 와 `<|im_end|>`토큰으로 감싸고, 역할을 문자열로 작성하여 훈련 시 사용하는 역할에 대한 유연성을 제공합니다. 출력은 다음과 같습니다: | ||||
|  | ||||
|  | ||||
| ```text | ||||
| <|im_start|>system | ||||
| You are a helpful chatbot that will do its best not to say anything so stupid that people tweet about it.<|im_end|> | ||||
| <|im_start|>user | ||||
| How are you?<|im_end|> | ||||
| <|im_start|>assistant | ||||
| I'm doing great!<|im_end|> | ||||
| ``` | ||||
|  | ||||
| "사용자", "시스템" 및 "어시스턴트" 역할은 채팅의 표준이며, 가능할 때 이를 사용하는 것을 권장합니다. 특히 모델이 [`TextGenerationPipeline`]과 잘 작동하도록 하려면 그렇습니다. 그러나 이러한 역할에만 국한되지 않습니다. 템플릿은 매우 유연하며, 어떤 문자열이든 역할로 사용할 수 있습니다. | ||||
|  | ||||
|  | ||||
|  | ||||
| ### 채팅 템플릿을 추가하고 싶습니다! 어떻게 시작해야 하나요?[[i-want-to-add-some-chat-templates-how-should-i-get-started]] | ||||
|  | ||||
| 채팅 모델이 있는 경우, 해당 모델의 `tokenizer.chat_template` 속성을 설정하고 [`~PreTrainedTokenizer.apply_chat_template`]를 사용하여 테스트한 다음 업데이트된 토크나이저를 허브에 푸시해야 합니다. 이는 모델 소유자가 아닌 경우에도 적용됩니다. 빈 채팅 템플릿을 사용하는 모델이나 여전히 기본 클래스 템플릿을 사용하는 모델을 사용하는 경우, [풀 리퀘스트](https://huggingface.co/docs/hub/repositories-pull-requests-discussions)를 모델 리포지토리에 열어 이 속성을 올바르게 설정할 수 있도록 하세요! | ||||
|  | ||||
| 속성을 설정하면 끝입니다! `tokenizer.apply_chat_template`가 이제 해당 모델에 대해 올바르게 작동하므로, `TextGenerationPipeline`과 같은 곳에서도 자동으로 지원됩니다! | ||||
|  | ||||
| 모델에 이 속성을 설정함으로써, 오픈 소스 모델의 전체 기능을 커뮤니티가 사용할 수 있도록 할 수 있습니다. 형식 불일치는 이 분야에서 오랫동안 성능을 저하시키는 문제였으므로, 이제 이를 끝낼 때입니다! | ||||
|  | ||||
| ## 고급: 템플릿 작성 팁[[advanced-template-writing-tips]] | ||||
|  | ||||
| Jinja에 익숙하지 않은 경우, 채팅 템플릿을 작성하는 가장 쉬운 방법은 먼저 메시지를 원하는 방식으로 형식화하는 짧은 파이썬 스크립트를 작성한 다음, 해당 스크립트를 템플릿으로 변환하는 것입니다. | ||||
|  | ||||
| 템플릿 핸들러는 `messages`라는 변수로 대화 기록을 받습니다. 파이썬에서와 마찬가지로 템플릿 내의 `messages`에 접근할 수 있으며, `{% for message in messages %}`로 반복하거나 `{{ messages[0] }}`와 같이 개별 메시지에 접근할 수 있습니다. | ||||
|  | ||||
| 다음 팁을 사용하여 코드를 Jinja로 변환할 수도 있습니다: | ||||
|  | ||||
| ### 공백 제거[[trimming-whitespace]] | ||||
|  | ||||
| 기본적으로 Jinja는 블록 전후의 공백을 출력합니다. 이는 일반적으로 공백을 매우 정확하게 다루고자 하는 채팅 템플릿에서는 문제가 될 수 있습니다! 이를 피하기 위해 템플릿을 다음과 같이 작성하는 것이 좋습니다: | ||||
|  | ||||
| ``` | ||||
| {%- for message in messages %} | ||||
|     {{- message['role'] + message['content'] }} | ||||
| {%- endfor %} | ||||
| ``` | ||||
|  | ||||
| 아래와 같이 작성하지 마세요: | ||||
|  | ||||
| ``` | ||||
| {% for message in messages %} | ||||
|     {{ message['role'] + message['content'] }} | ||||
| {% endfor %} | ||||
| ``` | ||||
|  | ||||
| `-`를 추가하면 블록 전후의 공백이 제거됩니다. 두 번째 예제는 무해해 보이지만, 줄바꿈과 들여쓰기가 출력에 포함될 수 있으며, 이는 원하지 않는 결과일 수 있습니다! | ||||
|  | ||||
| ### 반복문[[for-loops]] | ||||
|  | ||||
| Jinja에서 반복문은 다음과 같습니다: | ||||
|  | ||||
| ``` | ||||
| {%- for message in messages %} | ||||
|     {{- message['content'] }} | ||||
| {%- endfor %} | ||||
| ``` | ||||
|  | ||||
| {{ 표현식 블록 }} 내부에 있는 모든 것이 출력으로 인쇄됩니다. `+`와 같은 연산자를 사용하여 표현식 블록 내부에서 문자열을 결합할 수 있습니다. | ||||
|  | ||||
| ### 조건문[[if-statements]] | ||||
|  | ||||
| Jinja에서 조건문은 다음과 같습니다: | ||||
|  | ||||
| ``` | ||||
| {%- if message['role'] == 'user' %} | ||||
|     {{- message['content'] }} | ||||
| {%- endif %} | ||||
| ``` | ||||
|  | ||||
| 파이썬이 공백을 사용하여 `for` 및 `if` 블록의 시작과 끝을 표시하는 반면, Jinja는 `{% endfor %}` 및 `{% endif %}`로 명시적으로 끝을 표시해야 합니다. | ||||
|  | ||||
| ### 특수 변수[[special-variables]] | ||||
|  | ||||
| 템플릿 내부에서는 `messages` 목록에 접근할 수 있을 뿐만 아니라 여러 다른 특수 변수에도 접근할 수 있습니다. 여기에는 `bos_token` 및 `eos_token`과 같은 특별 토큰과 앞서 논의한 `add_generation_prompt` 변수가 포함됩니다. 또한 `loop` 변수를 사용하여 현재 반복에 대한 정보를 얻을 수 있으며, 예를 들어 `{% if loop.last %}`를 사용하여 현재 메시지가 대화의 마지막 메시지인지 확인할 수 있습니다. `add_generation_prompt`가 `True`인 경우 대화 끝에 생성 프롬프트를 추가하는 예제는 다음과 같습니다: | ||||
|  | ||||
| ``` | ||||
| {%- if loop.last and add_generation_prompt %} | ||||
|     {{- bos_token + 'Assistant:\n' }} | ||||
| {%- endif %} | ||||
| ``` | ||||
|  | ||||
| ### 비파이썬 Jinja와의 호환성[[compatibility-with-non-python-jinja]] | ||||
|  | ||||
| Jinja의 여러 구현은 다양한 언어로 제공됩니다. 일반적으로 동일한 구문을 사용하지만, 주요 차이점은 파이썬에서 템플릿을 작성할 때 파이썬 메소드를 사용할 수 있다는 점입니다. 예를 들어, 문자열에 `.lower()`를 사용하거나 딕셔너리에 `.items()`를 사용하는 것입니다. 이는 비파이썬 Jinja 구현에서 템플릿을 사용하려고 할 때 문제가 발생할 수 있습니다. 특히 JS와 Rust가 인기 있는 배포 환경에서는 비파이썬 구현이 흔합니다. | ||||
|  | ||||
| 하지만 걱정하지 마세요! 모든 Jinja 구현에서 호환성을 보장하기 위해 템플릿을 쉽게 변경할 수 있는 몇 가지 방법이 있습니다: | ||||
|  | ||||
| - 파이썬 메소드를 Jinja 필터로 대체하세요. 일반적으로 같은 이름을 가지며, 예를 들어 `string.lower()`는 `string|lower`로, `dict.items()`는 `dict|items`로 대체할 수 있습니다. 주목할 만한 변경 사항은 `string.strip()`이 `string|trim`으로 바뀌는 것입니다. 더 자세한 내용은 Jinja 문서의 [내장 필터 목록](https://jinja.palletsprojects.com/en/3.1.x/templates/#builtin-filters)을 참조하세요. | ||||
| - 파이썬에 특화된 `True`, `False`, `None`을 각각 `true`, `false`, `none`으로 대체하세요. | ||||
| - 딕셔너리나 리스트를 직접 렌더링할 때 다른 구현에서는 결과가 다를 수 있습니다(예: 문자열 항목이 단일 따옴표에서 이중 따옴표로 변경될 수 있습니다). `tojson` 필터를 추가하면 일관성을 유지하는 데 도움이 됩니다. | ||||
| @ -1,306 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # Transformers로 채팅하기[[chatting-with-transformers]] | ||||
|  | ||||
| 이 글을 보고 있다면 **채팅 모델**에 대해 어느 정도 알고 계실 것입니다. | ||||
| 채팅 모델이란 메세지를 주고받을 수 있는 대화형 인공지능입니다.  | ||||
| 대표적으로 ChatGPT가 있고, 이와 비슷하거나 더 뛰어난 오픈소스 채팅 모델이 많이 존재합니다.   | ||||
| 이러한 모델들은 무료 다운로드할 수 있으며, 로컬에서 실행할 수 있습니다.  | ||||
| 크고 무거운 모델은 고성능 하드웨어와 메모리가 필요하지만,  | ||||
| 저사양 GPU 혹은 일반 데스크탑이나 노트북 CPU에서도 잘 작동하는 소형 모델들도 있습니다. | ||||
|  | ||||
| 이 가이드는 채팅 모델을 처음 사용하는 분들에게 유용할 것입니다. | ||||
| 우리는 간편한 고수준(High-Level) "pipeline"을 통해 빠른 시작 가이드를 진행할 것입니다. | ||||
| 가이드에는 채팅 모델을 바로 시작할 때 필요한 모든 정보가 담겨 있습니다. | ||||
| 빠른 시작 가이드 이후에는 채팅 모델이 정확히 무엇인지, 적절한 모델을 선택하는 방법과,  | ||||
| 채팅 모델을 사용하는 각 단계의 저수준(Low-Level) 분석 등 더 자세한 정보를 다룰 것입니다.  | ||||
| 또한 채팅 모델의 성능과 메모리 사용을 최적화하는 방법에 대한 팁도 제공할 것입니다. | ||||
|  | ||||
|  | ||||
| ## 빠른 시작[[quickstart]] | ||||
|  | ||||
| 자세히 볼 여유가 없는 분들을 위해 간단히 요약해 보겠습니다:  | ||||
| 채팅 모델은 대화 메세지를 계속해서 생성해 나갑니다. | ||||
| 즉, 짤막한 채팅 메세지를 모델에게 전달하면, 모델은 이를 바탕으로 응답을 추가하며 대화를 이어 나갑니다. | ||||
| 이제 실제로 어떻게 작동하는지 살펴보겠습니다.  | ||||
| 먼저, 채팅을 만들어 보겠습니다: | ||||
|  | ||||
|  | ||||
| ```python | ||||
| chat = [ | ||||
|     {"role": "system", "content": "You are a sassy, wise-cracking robot as imagined by Hollywood circa 1986."}, | ||||
|     {"role": "user", "content": "Hey, can you tell me any fun things to do in New York?"} | ||||
| ] | ||||
| ``` | ||||
|  | ||||
| 주목하세요, 대화를 처음 시작할 때 유저 메세지 이외의도, 별도의 **시스템** 메세지가 필요할 수 있습니다. | ||||
| 모든 채팅 모델이 시스템 메세지를 지원하는 것은 아니지만, | ||||
| 지원하는 경우에는 시스템 메세지는 대화에서 모델이 어떻게 행동해야 하는지를 지시할 수 있습니다. | ||||
| 예를 들어, 유쾌하거나 진지하고자 할 때, 짧은 답변이나 긴 답변을 원할 때 등을 설정할 수 있습니다. | ||||
| 시스템 메세지를 생략하고 | ||||
| "You are a helpful and intelligent AI assistant who responds to user queries." | ||||
| 와 같은 간단한 프롬프트를 사용하는 것도 가능합니다. | ||||
|  | ||||
| 채팅을 시작했다면 대화를 이어 나가는 가장 빠른 방법은 [`TextGenerationPipeline`]를 사용하는 것입니다.  | ||||
| 한번 `LLaMA-3`를 사용하여 이를 시연해 보겠습니다.  | ||||
| 우선 `LLaMA-3`를 사용하기 위해서는 승인이 필요합니다. [권한 신청](https://huggingface.co/meta-llama/Meta-Llama-3-8B-Instruct)을 하고 Hugging Face 계정으로 로그인한 후에 사용할 수 있습니다.  | ||||
| 또한 우리는 `device_map="auto"`를 사용합니다. GPU 메모리가 충분하다면 로드될 것입니다.  | ||||
| 그리고 메모리 절약을 위해 dtype을 `torch.bfloat16`으로 설정할 것입니다. | ||||
|  | ||||
| ```python | ||||
| import torch | ||||
| from transformers import pipeline | ||||
|  | ||||
| pipe = pipeline("text-generation", "meta-llama/Meta-Llama-3-8B-Instruct", torch_dtype=torch.bfloat16, device_map="auto") | ||||
| response = pipe(chat, max_new_tokens=512) | ||||
| print(response[0]['generated_text'][-1]['content']) | ||||
| ``` | ||||
|  | ||||
| 이후 실행을 하면 아래와 같이 출력됩니다: | ||||
|  | ||||
| ```text | ||||
| (sigh) Oh boy, you're asking me for advice? You're gonna need a map, pal! Alright,  | ||||
| alright, I'll give you the lowdown. But don't say I didn't warn you, I'm a robot, not a tour guide! | ||||
|  | ||||
| So, you wanna know what's fun to do in the Big Apple? Well, let me tell you, there's a million  | ||||
| things to do, but I'll give you the highlights. First off, you gotta see the sights: the Statue of  | ||||
| Liberty, Central Park, Times Square... you know, the usual tourist traps. But if you're lookin' for  | ||||
| something a little more... unusual, I'd recommend checkin' out the Museum of Modern Art. It's got  | ||||
| some wild stuff, like that Warhol guy's soup cans and all that jazz. | ||||
|  | ||||
| And if you're feelin' adventurous, take a walk across the Brooklyn Bridge. Just watch out for  | ||||
| those pesky pigeons, they're like little feathered thieves! (laughs) Get it? Thieves? Ah, never mind. | ||||
|  | ||||
| Now, if you're lookin' for some serious fun, hit up the comedy clubs in Greenwich Village. You might  | ||||
| even catch a glimpse of some up-and-coming comedians... or a bunch of wannabes tryin' to make it big. (winks) | ||||
|  | ||||
| And finally, if you're feelin' like a real New Yorker, grab a slice of pizza from one of the many amazing | ||||
| pizzerias around the city. Just don't try to order a "robot-sized" slice, trust me, it won't end well. (laughs) | ||||
|  | ||||
| So, there you have it, pal! That's my expert advice on what to do in New York. Now, if you'll | ||||
| excuse me, I've got some oil changes to attend to. (winks) | ||||
| ``` | ||||
|  | ||||
| 채팅을 계속하려면, 자신의 답장을 추가하면 됩니다.  | ||||
| 파이프라인에서 반환된 `response` 객체에는 현재까지 모든 채팅을 포함하고 있으므로  | ||||
| 메세지를 추가하고 다시 전달하기만 하면 됩니다. | ||||
|  | ||||
| ```python | ||||
| chat = response[0]['generated_text'] | ||||
| chat.append( | ||||
|     {"role": "user", "content": "Wait, what's so wild about soup cans?"} | ||||
| ) | ||||
| response = pipe(chat, max_new_tokens=512) | ||||
| print(response[0]['generated_text'][-1]['content']) | ||||
| ``` | ||||
|  | ||||
| 이후 실행을 하면 아래와 같이 출력됩니다: | ||||
|  | ||||
| ```text | ||||
| (laughs) Oh, you're killin' me, pal! You don't get it, do you? Warhol's soup cans are like, art, man!  | ||||
| It's like, he took something totally mundane, like a can of soup, and turned it into a masterpiece. It's  | ||||
| like, "Hey, look at me, I'm a can of soup, but I'm also a work of art!"  | ||||
| (sarcastically) Oh, yeah, real original, Andy. | ||||
|  | ||||
| But, you know, back in the '60s, it was like, a big deal. People were all about challenging the | ||||
| status quo, and Warhol was like, the king of that. He took the ordinary and made it extraordinary. | ||||
| And, let me tell you, it was like, a real game-changer. I mean, who would've thought that a can of soup could be art? (laughs) | ||||
|  | ||||
| But, hey, you're not alone, pal. I mean, I'm a robot, and even I don't get it. (winks) | ||||
| But, hey, that's what makes art, art, right? (laughs) | ||||
| ``` | ||||
|  | ||||
| 이 튜토리얼의 후반부에서는 성능과 메모리 관리,  | ||||
| 그리고 사용자의 필요에 맞는 채팅 모델 선택과 같은 구체적인 주제들을 다룰 것입니다. | ||||
|  | ||||
| ## 채팅 모델 고르기[[choosing-a-chat-model]] | ||||
|  | ||||
| [Hugging Face Hub](https://huggingface.co/models?pipeline_tag=text-generation&sort=trending)는 채팅 모델을 다양하게 제공하고 있습니다. | ||||
| 처음 사용하는 사람에게는 모델을 선택하기가 어려울지 모릅니다. | ||||
| 하지만 걱정하지 마세요! 두 가지만 명심하면 됩니다: | ||||
|  | ||||
| - 모델의 크기는 실행 속도와 메모리에 올라올 수 있는지 여부를 결정. | ||||
| - 모델이 생성한 출력의 품질. | ||||
|  | ||||
| 일반적으로 이러한 요소들은 상관관계가 있습니다. 더 큰 모델일수록 더 뛰어난 성능을 보이는 경향이 있지만, 동일한 크기의 모델이라도 유의미한 차이가 날 수 있습니다! | ||||
|  | ||||
| ### 모델의 명칭과 크기[[size-and-model-naming]] | ||||
|  | ||||
| 모델의 크기는 모델 이름에 있는 숫자로 쉽게 알 수 있습니다.  | ||||
| 예를 들어, "8B" 또는 "70B"와 같은 숫자는 모델의 **파라미터** 수를 나타냅니다.  | ||||
| 양자화된 경우가 아니라면, 파라미터 하나당 약 2바이트의 메모리가 필요하다고 예상 가능합니다.  | ||||
| 따라서 80억 개의 파라미터를 가진 "8B" 모델은 16GB의 메모리를 차지하며, 추가적인 오버헤드를 위한 약간의 여유가 필요합니다.  | ||||
| 이는 3090이나 4090와 같은 24GB의 메모리를 갖춘 하이엔드 GPU에 적합합니다. | ||||
|  | ||||
| 일부 채팅 모델은 "Mixture of Experts" 모델입니다.  | ||||
| 이러한 모델은 크기를 "8x7B" 또는 "141B-A35B"와 같이 다르게 표시하곤 합니다.  | ||||
| 숫자가 다소 모호하다 느껴질 수 있지만, 첫 번째 경우에는 약 56억(8x7) 개의 파라미터가 있고,  | ||||
| 두 번째 경우에는 약 141억 개의 파라미터가 있다고 해석할 수 있습니다. | ||||
|  | ||||
| 양자화는 파라미터당 메모리 사용량을 8비트, 4비트, 또는 그 이하로 줄이는 데 사용됩니다.  | ||||
| 이 주제에 대해서는 아래의 [메모리 고려사항](#memory-considerations) 챕터에서 더 자세히 다룰 예정입니다. | ||||
|  | ||||
| ### 그렇다면 어떤 채팅 모델이 가장 좋을까요?[[but-which-chat-model-is-best]] | ||||
| 모델의 크기 외에도 고려할 점이 많습니다.  | ||||
| 이를 한눈에 살펴보려면 **리더보드**를 참고하는 것이 좋습니다.  | ||||
| 가장 인기 있는 리더보드 두 가지는 [OpenLLM Leaderboard](https://huggingface.co/spaces/HuggingFaceH4/open_llm_leaderboard)와 [LMSys Chatbot Arena Leaderboard](https://chat.lmsys.org/?leaderboard)입니다.  | ||||
| LMSys 리더보드에는 독점 모델도 포함되어 있으니, | ||||
| `license` 열에서 접근 가능한 모델을 선택한 후 | ||||
| [Hugging Face Hub](https://huggingface.co/models?pipeline_tag=text-generation&sort=trending)에서 검색해 보세요. | ||||
|  | ||||
| ### 전문 분야[[specialist-domains]] | ||||
| 일부 모델은 의료 또는 법률 텍스트와 같은 특정 도메인이나 비영어권 언어에 특화되어 있기도 합니다.  | ||||
| 이러한 도메인에서 작업할 경우 특화된 모델이 좋은 성능을 보일 수 있습니다.  | ||||
| 하지만 항상 그럴 것이라 단정하기는 힘듭니다.  | ||||
| 특히 모델의 크기가 작거나 오래된 모델인 경우,  | ||||
| 최신 범용 모델이 더 뛰어날 수 있습니다.  | ||||
| 다행히도 [domain-specific leaderboards](https://huggingface.co/blog/leaderboard-medicalllm)가 점차 등장하고 있어, 특정 도메인에 최고의 모델을 쉽게 찾을 수 있을 것입니다.  | ||||
|  | ||||
|  | ||||
| ## 파이프라인 내부는 어떻게 되어있는가?[[what-happens-inside-the-pipeline]] | ||||
| 위의 빠른 시작에서는 고수준(High-Level) 파이프라인을 사용하였습니다. | ||||
| 이는 간편한 방법이지만, 유연성은 떨어집니다. | ||||
| 이제 더 저수준(Low-Level) 접근 방식을 통해 대화에 포함된 각 단계를 살펴보겠습니다.  | ||||
| 코드 샘플로 시작한 후 이를 분석해 보겠습니다: | ||||
|  | ||||
| ```python | ||||
| from transformers import AutoModelForCausalLM, AutoTokenizer | ||||
| import torch | ||||
|  | ||||
| # 입력값을 사전에 준비해 놓습니다 | ||||
| chat = [ | ||||
|     {"role": "system", "content": "You are a sassy, wise-cracking robot as imagined by Hollywood circa 1986."}, | ||||
|     {"role": "user", "content": "Hey, can you tell me any fun things to do in New York?"} | ||||
| ] | ||||
|  | ||||
| # 1: 모델과 토크나이저를 불러옵니다 | ||||
| model = AutoModelForCausalLM.from_pretrained("meta-llama/Meta-Llama-3-8B-Instruct", device_map="auto", torch_dtype=torch.bfloat16) | ||||
| tokenizer = AutoTokenizer.from_pretrained("meta-llama/Meta-Llama-3-8B-Instruct") | ||||
|  | ||||
| # 2: 채팅 템플릿에 적용합니다 | ||||
| formatted_chat = tokenizer.apply_chat_template(chat, tokenize=False, add_generation_prompt=True) | ||||
| print("Formatted chat:\n", formatted_chat) | ||||
|  | ||||
| # 3: 채팅을 토큰화합니다 (바로 이전 과정에서 tokenized=True로 설정하면 한꺼번에 처리할 수 있습니다) | ||||
| inputs = tokenizer(formatted_chat, return_tensors="pt", add_special_tokens=False) | ||||
| # 토큰화된 입력값을 모델이 올라와 있는 기기(CPU/GPU)로 옮깁니다. | ||||
| inputs = {key: tensor.to(model.device) for key, tensor in inputs.items()} | ||||
| print("Tokenized inputs:\n", inputs) | ||||
|  | ||||
| # 4: 모델로부터 응답을 생성합니다 | ||||
| outputs = model.generate(**inputs, max_new_tokens=512, temperature=0.1) | ||||
| print("Generated tokens:\n", outputs) | ||||
|  | ||||
| # 5: 모델이 출력한 토큰을 다시 문자열로 디코딩합니다 | ||||
| decoded_output = tokenizer.decode(outputs[0][inputs['input_ids'].size(1):], skip_special_tokens=True) | ||||
| print("Decoded output:\n", decoded_output) | ||||
| ``` | ||||
| 여기에는 각 부분이 자체 문서가 될 수 있을 만큼 많은 내용이 담겨 있습니다!  | ||||
| 너무 자세히 설명하기보다는 넓은 개념을 다루고, 세부 사항은 링크된 문서에서 다루겠습니다.  | ||||
| 주요 단계는 다음과 같습니다: | ||||
|  | ||||
| 1. [모델](https://huggingface.co/learn/nlp-course/en/chapter2/3)과 [토크나이저](https://huggingface.co/learn/nlp-course/en/chapter2/4?fw=pt)를 Hugging Face Hub에서 로드합니다. | ||||
| 2. 대화는 토크나이저의 [채팅 템플릿](https://huggingface.co/docs/transformers/main/en/chat_templating)을 사용하여 양식을 구성합니다. | ||||
| 3. 구성된 채팅은 토크나이저를 사용하여 [토큰화](https://huggingface.co/learn/nlp-course/en/chapter2/4)됩니다. | ||||
| 4. 모델에서 응답을 [생성](https://huggingface.co/docs/transformers/en/llm_tutorial)합니다. | ||||
| 5. 모델이 출력한 토큰을 다시 문자열로 디코딩합니다. | ||||
|  | ||||
| ## 성능, 메모리와 하드웨어[[performance-memory-and-hardware]] | ||||
| 이제 대부분의 머신 러닝 작업이 GPU에서 실행된다는 것을 아실 겁니다.  | ||||
| 다소 느리기는 해도 CPU에서 채팅 모델이나 언어 모델로부터 텍스트를 생성하는 것도 가능합니다.  | ||||
| 하지만 모델을 GPU 메모리에 올려놓을 수만 있다면, GPU를 사용하는 것이 일반적으로 더 선호되는 방식입니다. | ||||
|  | ||||
| ### 메모리 고려사항[[memory-considerations]] | ||||
|  | ||||
| 기본적으로, [`TextGenerationPipeline`]이나 [`AutoModelForCausalLM`]과 같은  | ||||
| Hugging Face 클래스는 모델을 `float32` 정밀도(Precision)로 로드합니다.  | ||||
| 이는 파라미터당 4바이트(32비트)를 필요로 하므로,  | ||||
| 80억 개의 파라미터를 가진 "8B" 모델은 약 32GB의 메모리를 필요로 한다는 것을 의미합니다.  | ||||
| 하지만 이는 낭비일 수 있습니다!  | ||||
| 대부분의 최신 언어 모델은 파라미터당 2바이트를 사용하는 "bfloat16" 정밀도(Precision)로 학습됩니다.  | ||||
| 하드웨어가 이를 지원하는 경우(Nvidia 30xx/Axxx 이상),  | ||||
| `torch_dtype` 파라미터로 위와 같이 `bfloat16` 정밀도(Precision)로 모델을 로드할 수 있습니다. | ||||
|  | ||||
| 또한, 16비트보다 더 낮은 정밀도(Precision)로 모델을 압축하는  | ||||
| "양자화(quantization)" 방법을 사용할 수도 있습니다.  | ||||
| 이 방법은 모델의 가중치를 손실 압축하여 각 파라미터를 8비트,  | ||||
| 4비트 또는 그 이하로 줄일 수 있습니다.  | ||||
| 특히 4비트에서 모델의 출력이 부정적인 영향을 받을 수 있지만,  | ||||
| 더 크고 강력한 채팅 모델을 메모리에 올리기 위해 이 같은 트레이드오프를 감수할 가치가 있습니다.  | ||||
| 이제 `bitsandbytes`를 사용하여 이를 실제로 확인해 보겠습니다: | ||||
|  | ||||
| ```python | ||||
| from transformers import AutoModelForCausalLM, BitsAndBytesConfig | ||||
|  | ||||
| quantization_config = BitsAndBytesConfig(load_in_8bit=True)  # You can also try load_in_4bit | ||||
| model = AutoModelForCausalLM.from_pretrained("meta-llama/Meta-Llama-3-8B-Instruct", device_map="auto", quantization_config=quantization_config) | ||||
| ``` | ||||
|  | ||||
| 위의 작업은 `pipeline` API에도 적용 가능합니다: | ||||
|  | ||||
| ```python | ||||
| from transformers import pipeline, BitsAndBytesConfig | ||||
|  | ||||
| quantization_config = BitsAndBytesConfig(load_in_8bit=True)  # You can also try load_in_4bit | ||||
| pipe = pipeline("text-generation", "meta-llama/Meta-Llama-3-8B-Instruct", device_map="auto", model_kwargs={"quantization_config": quantization_config}) | ||||
| ``` | ||||
|  | ||||
| `bitsandbytes` 외에도 모델을 양자화하는 다양한 방법이 있습니다.  | ||||
| 자세한 내용은 [Quantization guide](./quantization)를 참조해 주세요. | ||||
|  | ||||
|  | ||||
| ### 성능 고려사항[[performance-considerations]] | ||||
|  | ||||
| <Tip> | ||||
|  | ||||
| 언어 모델 성능과 최적화에 대한 보다 자세한 가이드는 [LLM Inference Optimization](./llm_optims)을 참고하세요. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
|  | ||||
| 일반적으로 더 큰 채팅 모델은 메모리를 더 많이 요구하고,  | ||||
| 속도도 느려지는 경향이 있습니다. 구체적으로 말하자면,  | ||||
| 채팅 모델에서 텍스트를 생성할 때는 컴퓨팅 파워보다 **메모리 대역폭**이 병목 현상을 일으키는 경우가 많습니다.  | ||||
| 이는 모델이 토큰을 하나씩 생성할 때마다 파라미터를 메모리에서 읽어야 하기 때문입니다.  | ||||
| 따라서 채팅 모델에서 초당 생성할 수 있는 토큰 수는 모델이 위치한 메모리의 대역폭을 모델의 크기로 나눈 값에 비례합니다. | ||||
|  | ||||
| 위의 예제에서는 모델이 bfloat16 정밀도(Precision)로 로드될 때 용량이 약 16GB였습니다.  | ||||
| 이 경우, 모델이 생성하는 각 토큰마다 16GB를 메모리에서 읽어야 한다는 의미입니다.  | ||||
| 총 메모리 대역폭은 소비자용 CPU에서는 20-100GB/sec,  | ||||
| 소비자용 GPU나 Intel Xeon, AMD Threadripper/Epyc,  | ||||
| 애플 실리콘과 같은 특수 CPU에서는 200-900GB/sec,  | ||||
| 데이터 센터 GPU인 Nvidia A100이나 H100에서는 최대 2-3TB/sec에 이를 수 있습니다.  | ||||
| 이러한 정보는 각자 하드웨어에서 생성 속도를 예상하는 데 도움이 될 것입니다. | ||||
|  | ||||
| 따라서 텍스트 생성 속도를 개선하려면 가장 간단한 방법은 모델의 크기를 줄이거나(주로 양자화를 사용),  | ||||
| 메모리 대역폭이 더 높은 하드웨어를 사용하는 것입니다.  | ||||
| 이 대역폭 병목 현상을 피할 수 있는 고급 기술도 여러 가지 있습니다.  | ||||
| 가장 일반적인 방법은 [보조 생성](https://huggingface.co/blog/assisted-generation), "추측 샘플링"이라고 불리는 기술입니다.  | ||||
| 이 기술은 종종 더 작은 "초안 모델"을 사용하여 여러 개의 미래 토큰을 한 번에 추측한 후,  | ||||
| 채팅 모델로 생성 결과를 확인합니다. | ||||
| 만약 채팅 모델이 추측을 확인하면, 한 번의 순전파에서 여러 개의 토큰을 생성할 수 있어  | ||||
| 병목 현상이 크게 줄어들고 생성 속도가 빨라집니다. | ||||
|  | ||||
| 마지막으로, "Mixture of Experts" (MoE) 모델에 대해서도 짚고 넘어가 보도록 합니다.  | ||||
| Mixtral, Qwen-MoE, DBRX와 같은 인기 있는 채팅 모델이 바로 MoE 모델입니다.  | ||||
| 이 모델들은 토큰을 생성할 때 모든 파라미터가 사용되지 않습니다.  | ||||
| 이로 인해 MoE 모델은 전체 크기가 상당히 클 수 있지만,  | ||||
| 차지하는 메모리 대역폭은 낮은 편입니다.  | ||||
| 따라서 동일한 크기의 일반 "조밀한(Dense)" 모델보다 몇 배 빠를 수 있습니다.  | ||||
| 하지만 보조 생성과 같은 기술은 MoE 모델에서 비효율적일 수 있습니다.  | ||||
| 새로운 추측된 토큰이 추가되면서 더 많은 파라미터가 활성화되기 때문에,  | ||||
| MoE 아키텍처가 제공하는 속도 이점이 상쇄될 수 있습니다. | ||||
| @ -169,7 +169,7 @@ class ResnetModelForImageClassification(PreTrainedModel): | ||||
|     def forward(self, tensor, labels=None): | ||||
|         logits = self.model(tensor) | ||||
|         if labels is not None: | ||||
|             loss = torch.nn.functional.cross_entropy(logits, labels) | ||||
|             loss = torch.nn.cross_entropy(logits, labels) | ||||
|             return {"loss": loss, "logits": logits} | ||||
|         return {"logits": logits} | ||||
| ``` | ||||
|  | ||||
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							| @ -1,138 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # 완전 분할 데이터 병렬 처리(FSDP) [[fully-sharded-data-parallel]] | ||||
|  | ||||
| [Fully Sharded Data Parallel (FSDP)](https://pytorch.org/blog/introducing-pytorch-fully-sharded-data-parallel-api/)은 모델의 매개변수, 그레이디언트 및 옵티마이저 상태를 사용 가능한 GPU(작업자 또는 *랭크*라고도 함) 수에 따라 분할하는 데이터 병렬 처리 방식입니다. [DistributedDataParallel (DDP)](https://pytorch.org/docs/stable/generated/torch.nn.parallel.DistributedDataParallel.html)와 달리, FSDP는 각 GPU에 모델을 복제하기 때문에 메모리 사용량을 줄입니다. 이는 GPU 메모리 효율성을 향상시키며 적은 수의 GPU로 훨씬 더 큰 모델을 훈련할 수 있게 합니다. FSDP는 분산 환경에서의 훈련을 쉽게 관리할 수 있는 라이브러리인 Accelerate와 통합되어 있으며, 따라서 [`Trainer`] 클래스에서 사용할 수 있습니다. | ||||
|  | ||||
| 시작하기 전에 Accelerate가 설치되어 있고 최소 PyTorch 2.1.0 이상의 버전이 설치되어 있는지 확인하세요. | ||||
|  | ||||
| ```bash | ||||
| pip install accelerate | ||||
| ``` | ||||
|  | ||||
| ## FSDP 구성 [[fsdp-configuration]] | ||||
|  | ||||
| 시작하려면 [`accelerate config`](https://huggingface.co/docs/accelerate/package_reference/cli#accelerate-config) 명령을 실행하여 훈련 환경에 대한 구성 파일을 생성하세요. Accelerate는 이 구성 파일을 사용하여 `accelerate config`에서 선택한 훈련 옵션에 따라 자동으로 올바른 훈련 환경을 설정합니다. | ||||
|  | ||||
| ```bash | ||||
| accelerate config | ||||
| ``` | ||||
|  | ||||
| `accelerate config`를 실행하면 훈련 환경을 구성하기 위한 일련의 옵션들이 나타납니다. 이 섹션에서는 가장 중요한 FSDP 옵션 중 일부를 다룹니다. 다른 사용 가능한 FSDP 옵션에 대해 더 알아보고 싶다면 [fsdp_config](https://huggingface.co/docs/transformers/main_classes/trainer#transformers.TrainingArguments.fsdp_config) 매개변수를 참조하세요. | ||||
|  | ||||
| ### 분할 전략 [[sharding-strategy]] | ||||
|  | ||||
| FSDP는 여러 가지 분할 전략을 제공합니다: | ||||
|  | ||||
| * `FULL_SHARD` - 모델 매개변수, 그레이디언트 및 옵티마이저 상태를 작업자 간에 분할; 이 옵션을 선택하려면 `1`을 선택하세요 | ||||
| * `SHARD_GRAD_OP` - 그레이디언트 및 옵티마이저 상태를 작업자 간에 분할; 이 옵션을 선택하려면 `2`를 선택하세요 | ||||
| * `NO_SHARD` - 아무 것도 분할하지 않음 (DDP와 동일); 이 옵션을 선택하려면 `3`을 선택하세요 | ||||
| * `HYBRID_SHARD` - 각 작업자가 전체 복사본을 가지고 있는 상태에서 모델 매개변수, 그레이디언트 및 옵티마이저 상태를 작업자 내에서 분할; 이 옵션을 선택하려면 `4`를 선택하세요 | ||||
| * `HYBRID_SHARD_ZERO2` - 각 작업자가 전체 복사본을 가지고 있는 상태에서 그레이디언트 및 옵티마이저 상태를 작업자 내에서 분할; 이 옵션을 선택하려면 `5`를 선택하세요 | ||||
|  | ||||
| 이것은 `fsdp_sharding_strategy` 플래그로 활성화됩니다. | ||||
|  | ||||
| ### CPU 오프로드 [[cpu-offload]] | ||||
|  | ||||
| 사용하지 않는 매개변수와 그레이디언트를 CPU로 오프로드하여 더 많은 GPU 메모리를 절약하고 FSDP로도 충분하지 않은 큰 모델을 GPU에 적재할 수 있도록 할 수 있습니다. 이는 `accelerate config`를 실행할 때 `fsdp_offload_params: true`로 설정하여 활성화됩니다. | ||||
|  | ||||
| ### 래핑 정책 [[wrapping-policy]] | ||||
|  | ||||
| FSDP는 네트워크의 각 레이어를 래핑하여 적용됩니다. 래핑은 일반적으로 중첩 방식으로 적용되며 각각 순방향으로 지나간 후 전체 가중치를 삭제하여 다음 레이어에서 사용할 메모리를 절약합니다. *자동 래핑* 정책은 이를 구현하는 가장 간단한 방법이며 코드를 변경할 필요가 없습니다. Transformer 레이어를 래핑하려면 `fsdp_auto_wrap_policy: TRANSFORMER_BASED_WRAP`를 선택하고 래핑할 레이어를 지정하려면 `fsdp_transformer_layer_cls_to_wrap`를 선택하세요 (예: `BertLayer`). | ||||
|  | ||||
| 또는 특정 매개변수 수를 초과할 경우 FSDP가 레이어에 적용되는 크기 기반 래핑 정책을 선택할 수 있습니다. 이는 `fsdp_wrap_policy: SIZE_BASED_WRAP` 및 `min_num_param`을 원하는 크기의 임계값으로 설정하여 활성화됩니다. | ||||
|  | ||||
| ### 체크포인트 [[checkpointing]] | ||||
|  | ||||
| 중간 체크포인트는 `fsdp_state_dict_type: SHARDED_STATE_DICT`로 저장해야 합니다. CPU 오프로드가 활성화된 랭크 0에서 전체 상태 딕셔너리를 저장하는 데 시간이 많이 걸리고, 브로드캐스팅 중 무기한 대기하여 `NCCL Timeout` 오류가 발생할 수 있기 때문입니다. [`~accelerate.Accelerator.load_state`] 메서드를 사용하여 분할된 상태 딕셔너리로 훈련을 재개할 수 있습니다. | ||||
|  | ||||
| ```py | ||||
| # 경로가 내재된 체크포인트 | ||||
| accelerator.load_state("ckpt") | ||||
| ``` | ||||
|  | ||||
| 그러나 훈련이 끝나면 전체 상태 딕셔너리를 저장해야 합니다. 분할된 상태 딕셔너리는 FSDP와만 호환되기 때문입니다. | ||||
|  | ||||
| ```py | ||||
| if trainer.is_fsdp_enabled: | ||||
|     trainer.accelerator.state.fsdp_plugin.set_state_dict_type("FULL_STATE_DICT") | ||||
|  | ||||
| trainer.save_model(script_args.output_dir) | ||||
| ``` | ||||
|  | ||||
| ### TPU [[tpu]] | ||||
|  | ||||
| [PyTorch XLA](https://pytorch.org/xla/release/2.1/index.html)는 TPU에 대한 FSDP 훈련을 지원하며 `accelerate config`로 생성된 FSDP 구성 파일을 수정하여 활성화할 수 있습니다. 위에서 지정한 분할 전략 및 래핑 옵션 외에도 아래에 표시된 매개변수를 파일에 추가할 수 있습니다. | ||||
|  | ||||
| ```yaml | ||||
| xla: True # PyTorch/XLA를 활성화하려면 True로 설정해야 합니다 | ||||
| xla_fsdp_settings: # XLA 특정 FSDP 매개변수 | ||||
| xla_fsdp_grad_ckpt: True # gradient checkpointing을 사용합니다 | ||||
| ``` | ||||
|  | ||||
| [`xla_fsdp_settings`](https://github.com/pytorch/xla/blob/2e6e183e0724818f137c8135b34ef273dea33318/torch_xla/distributed/fsdp/xla_fully_sharded_data_parallel.py#L128)는 FSDP에 대한 추가적인 XLA 특정 매개변수를 구성할 수 있게 합니다. | ||||
|  | ||||
| ## 훈련 시작 [[launch-training]] | ||||
|  | ||||
| 예시 FSDP 구성 파일은 다음과 같을 수 있습니다: | ||||
|  | ||||
| ```yaml | ||||
| compute_environment: LOCAL_MACHINE | ||||
| debug: false | ||||
| distributed_type: FSDP | ||||
| downcast_bf16: 'no' | ||||
| fsdp_config: | ||||
|   fsdp_auto_wrap_policy: TRANSFORMER_BASED_WRAP | ||||
|   fsdp_backward_prefetch_policy: BACKWARD_PRE | ||||
|   fsdp_cpu_ram_efficient_loading: true | ||||
|   fsdp_forward_prefetch: false | ||||
|   fsdp_offload_params: true | ||||
|   fsdp_sharding_strategy: 1 | ||||
|   fsdp_state_dict_type: SHARDED_STATE_DICT | ||||
|   fsdp_sync_module_states: true | ||||
|   fsdp_transformer_layer_cls_to_wrap: BertLayer | ||||
|   fsdp_use_orig_params: true | ||||
| machine_rank: 0 | ||||
| main_training_function: main | ||||
| mixed_precision: bf16 | ||||
| num_machines: 1 | ||||
| num_processes: 2 | ||||
| rdzv_backend: static | ||||
| same_network: true | ||||
| tpu_env: [] | ||||
| tpu_use_cluster: false | ||||
| tpu_use_sudo: false | ||||
| use_cpu: false | ||||
| ``` | ||||
|  | ||||
| 훈련을 시작하려면 [`accelerate launch`](https://huggingface.co/docs/accelerate/package_reference/cli#accelerate-launch) 명령을 실행하세요. 이 때 전에 `accelerate config`로 생성한 구성 파일을 자동으로 사용합니다. | ||||
|  | ||||
| ```bash | ||||
| accelerate launch my-trainer-script.py | ||||
| ``` | ||||
|  | ||||
| ```bash | ||||
| accelerate launch --fsdp="full shard" --fsdp_config="path/to/fsdp_config/ my-trainer-script.py | ||||
| ``` | ||||
|  | ||||
| ## 다음 단계 [[next-steps]] | ||||
|  | ||||
| FSDP는 매우 큰 모델을 훈련할 때 강력한 도구가 될 수 있으며, 여러 개의 GPU나 TPU를 사용할 수 있습니다. 모델 매개변수, 옵티마이저 및 그레이디언트 상태를 분할하고 비활성 상태일 때, CPU로 오프로드하면 FSDP는 대규모 훈련의 높은 연산 비용을 줄일 수 있습니다. 더 알아보고 싶다면 다음 자료가 도움이 될 수 있습니다: | ||||
|  | ||||
| * [FSDP](https://huggingface.co/docs/accelerate/usage_guides/fsdp)에 대한 더 깊이 있는 Accelerate 가이드를 따라가 보세요. | ||||
| * [PyTorch의 완전 분할 데이터 병렬 처리 (FSDP) API를 소개합니다](https://pytorch.org/blog/introducing-pytorch-fully-sharded-data-parallel-api/) 블로그 글을 읽어보세요. | ||||
| * [FSDP를 사용하여 클라우드 TPU에서 PyTorch 모델 크기 조절하기](https://pytorch.org/blog/scaling-pytorch-models-on-cloud-tpus-with-fsdp/) 블로그 글을 읽어보세요. | ||||
| @ -1,410 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
| --> | ||||
|  | ||||
| # LLM 추론 최적화 [[llm-inference-optimization]] | ||||
|  | ||||
| 대규모 언어 모델(LLM)은 채팅 및 코드 완성 모델과 같은 텍스트 생성 응용 프로그램을 한 단계 끌어올리며, 높은 수준의 이해력과 유창함을 보여주는 텍스트를 생성합니다. 그러나 LLM을 강력하게 만드는 요소인 그들의 크기는 동시에 추론 과정에서 도전 과제가 되기도 합니다. | ||||
|  | ||||
| 기본적인 추론은 느립니다, 왜냐하면 LLM이 다음 토큰을 생성하기 위해 반복적으로 호출되어야 하기 때문입니다. 생성이 진행됨에 따라 입력 시퀀스가 길어져 처리 시간이 점점 길어집니다. 또한, LLM은 수십억 개의 매개변수를 가지고 있어 모든 가중치를 메모리에 저장하고 처리하는 데 어려움이 있습니다. | ||||
|  | ||||
| 이 가이드는 LLM 추론을 가속하기 위해 Transformers에서 사용할 수 있는 최적화 기술을 사용하는 방법을 보여줍니다. | ||||
|  | ||||
| > [!TIP] | ||||
| > Hugging Face는 LLM을 추론에 최적화하여 배포하고 서비스하는 데 전념하는 라이브러리인 [Text Generation Inference (TGI)](https://hf.co/docs/text-generation-inference)을 제공합니다. 이 라이브러리는 처리량 증가를 위한 지속적인 배칭과 다중 GPU 추론을 위한 텐서 병렬화와 같은 Transformers에 포함되지 않은 배포 지향 최적화 기능을 포함합니다. | ||||
|  | ||||
| ## 정적 kv-cache와 `torch.compile`[[static-kv-cache-and-torchcompile]] | ||||
|  | ||||
| 디코딩 중에 LLM은 각 입력 토큰에 대한 key-value(kv) 값을 계산합니다. LLM은 자기회귀(autoregressive)이기 때문에 생성된 출력이 현재 입력의 일부가 되어 매번 동일한 kv 값을 계산합니다. 이는 매번 동일한 kv 값을 다시 계산하기 때문에 효율적이지 않습니다. | ||||
|  | ||||
| 이를 최적화하기 위해, 이전 키(key)와 값(value)을 재계산하지 않고 저장하는 kv-cache를 사용할 수 있습니다. 그러나 kv-cache는 각 생성 단계에서 증가하며 동적이기 때문에 PyTorch 코드를 빠르고 최적화된 커널로 통합하는 강력한 최적화 도구인 [`torch.compile`](./perf_torch_compile)을 사용하는 데 제약이 있습니다. | ||||
|  | ||||
| *정적 kv-cache*는 최댓값을 미리 할당하여 이 문제를 해결하여 `torch.compile`과 결합할 수 있게 합니다. 이를 통해 최대 4배의 속도 향상이 가능합니다. 속도 향상은 모델 크기(더 큰 모델은 속도 향상이 적음)와 하드웨어에 따라 다를 수 있습니다. | ||||
|  | ||||
| > [!WARNING] | ||||
| 현재 [Llama](./model_doc/llama2) 및 몇 가지 다른 모델만 정적 kv-cache와 `torch.compile`을 지원합니다. 실시간 모델 호환성 목록은 [이 이슈](https://github.com/huggingface/transformers/issues/28981)를 확인하십시오. | ||||
|  | ||||
| 작업의 복잡성에 따라 세 가지 방식의 정적 kv-cache 사용 방법이 있습니다: | ||||
| 1.	기본 사용법: `generation_config`에서 플래그를 설정하기만 하면 됩니다(권장); | ||||
| 2.	고급 사용법: 여러 번의 생성이나 맞춤형 생성 루프를 위해 캐시 객체를 처리합니다; | ||||
| 3.	고급 사용법: 단일 그래프가 필요한 경우, 전체 `generate` 함수를 하나의 그래프로 컴파일합니다. | ||||
|  | ||||
| 올바른 탭을 선택하여 각 방법에 대한 추가 지침을 확인하세요. | ||||
|  | ||||
| > [!TIP] | ||||
| > `torch.compile`을 사용할 때 어떤 전략을 사용하든, LLM 입력을 제한된 값 세트로 왼쪽에 패딩하면 모양과 관련된 재컴파일을 피할 수 있습니다. [`pad_to_multiple_of` tokenizer flag](https://huggingface.co/docs/transformers/main_classes/tokenizer#transformers.PreTrainedTokenizer.__call__.pad_to_multiple_of)가 유용할 것입니다! | ||||
|  | ||||
| <hfoptions id="static-kv"> | ||||
| <hfoption id="basic usage: generation_config"> | ||||
|  | ||||
| 이 예제에서는 [Gemma](https://hf.co/google/gemma-2b) 모델을 사용해 보겠습니다. 필요한 작업은 다음과 같습니다: | ||||
| 1. 모델의 `generation_config` 속성에 접근하여 `cache_implementation`을 "static"으로 설정합니다; | ||||
| 2. 모델의 `forward` 패스를 정적 kv-cache와 함께 컴파일하기 위해 `torch.compile`을 호출합니다. | ||||
|  | ||||
| 이렇게 하면 끝입니다! | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoTokenizer, AutoModelForCausalLM | ||||
| import torch | ||||
| import os | ||||
| os.environ["TOKENIZERS_PARALLELISM"] = "false"  # 긴 경고 메시지를 방지하기 위해 설정 :) | ||||
|  | ||||
| tokenizer = AutoTokenizer.from_pretrained("google/gemma-2b") | ||||
| model = AutoModelForCausalLM.from_pretrained("google/gemma-2b", device_map="auto") | ||||
|  | ||||
| model.generation_config.cache_implementation = "static" | ||||
|  | ||||
| model.forward = torch.compile(model.forward, mode="reduce-overhead", fullgraph=True) | ||||
| input_text = "The theory of special relativity states " | ||||
| input_ids = tokenizer(input_text, return_tensors="pt").to("cuda") | ||||
|  | ||||
| outputs = model.generate(**input_ids) | ||||
| print(tokenizer.batch_decode(outputs, skip_special_tokens=True)) | ||||
| ['The theory of special relativity states 1. The speed of light is constant in all inertial reference'] | ||||
| ``` | ||||
|  | ||||
| `generate` 함수는 내부적으로 동일한 캐시 객체를 재사용하려고 시도하며, 이를 통해 각 호출 시 재컴파일의 필요성을 제거합니다. 재컴파일을 피하는 것은 `torch.compile`의 성능을 최대한 활용하는 데 매우 중요하며, 다음 사항에 유의해야 합니다: | ||||
| 1. 배치 크기가 변경되거나 호출 간 최대 출력 길이가 증가하면 캐시를 다시 초기화해야 하며, 이로 인해 새로 컴파일을 해야 합니다; | ||||
| 2. 컴파일된 함수의 첫 몇 번의 호출은 함수가 컴파일되는 동안 더 느립니다. | ||||
|  | ||||
| > [!WARNING] | ||||
| > 다중 턴 대화와 같은 정적 캐시의 고급 사용을 위해서는, 캐시 객체를 [`~GenerationMixin.generate`] 외부에서 인스턴스화하고 조작하는 것을 권장합니다. 고급 사용법 탭을 참조하세요. | ||||
|  | ||||
| </hfoption> | ||||
| <hfoption id="advanced usage: control Static Cache"> | ||||
|  | ||||
| [`StaticCache`] 객체는 `past_key_values` 인수로 모델의 [`~GenerationMixin.generate`] 함수에 전달할 수 있습니다. 이 객체는 캐시 내용을 유지하므로, 동적 캐시를 사용하는 것처럼 새로운 [`~GenerationMixin.generate`] 호출에 이를 전달하여 생성을 계속할 수 있습니다. | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoTokenizer, AutoModelForCausalLM, StaticCache | ||||
| import torch | ||||
| import os | ||||
| os.environ["TOKENIZERS_PARALLELISM"] = "false"  # 긴 경고 메시지를 방지하기 위해 설정 :) | ||||
|  | ||||
| tokenizer = AutoTokenizer.from_pretrained("google/gemma-2b") | ||||
| model = AutoModelForCausalLM.from_pretrained("google/gemma-2b", device_map="auto") | ||||
|  | ||||
| model.forward = torch.compile(model.forward, mode="reduce-overhead", fullgraph=True) | ||||
| input_text = "The theory of special relativity states " | ||||
| input_ids = tokenizer(input_text, return_tensors="pt").to("cuda") | ||||
| prompt_length = input_ids.input_ids.shape[1] | ||||
| model.generation_config.max_new_tokens = 16 | ||||
|  | ||||
| past_key_values = StaticCache( | ||||
|     config=model.config, | ||||
|     batch_size=1, | ||||
|     # 캐시를 재사용할 계획이 있는 경우, 모든 경우에 충분한 캐시 길이를 설정해야 합니다 | ||||
|     max_cache_len=prompt_length+(model.generation_config.max_new_tokens*2), | ||||
|     device=model.device, | ||||
|     dtype=model.dtype | ||||
| ) | ||||
| outputs = model.generate(**input_ids, past_key_values=past_key_values) | ||||
| print(tokenizer.batch_decode(outputs, skip_special_tokens=True)) | ||||
| ['The theory of special relativity states 1. The speed of light is constant in all inertial reference frames. 2'] | ||||
|  | ||||
| # 생성된 텍스트와 동일한 캐시 객체를 전달하여, 중단한 곳에서 생성을 계속합니다.  | ||||
| # 다중 턴 대화의 경우, 생성된 텍스트에 새로운 사용자 입력을 추가할 수 있습니다. | ||||
| new_input_ids = outputs | ||||
| outputs = model.generate(new_input_ids, past_key_values=past_key_values) | ||||
| print(tokenizer.batch_decode(outputs, skip_special_tokens=True)) | ||||
| ['The theory of special relativity states 1. The speed of light is constant in all inertial reference frames. 2. The speed of light is constant in all inertial reference frames. 3.'] | ||||
| ``` | ||||
|  | ||||
| > [!TIP] | ||||
| > 동일한 [`StaticCache`] 객체를 새로운 프롬프트에 사용하려면, 호출 간에 `.reset()` 메서드를 사용하여 그 내용을 초기화하는 것이 좋습니다. | ||||
|  | ||||
| 더 깊이 들어가고 싶다면, [`StaticCache`] 객체를 모델의 `forward` 패스에 동일한 `past_key_values` 인수로 전달할 수도 있습니다. 이 전략을 사용하면, 현재 토큰과 이전에 생성된 토큰의 위치 및 캐시 위치를 바탕으로 다음 토큰을 디코딩하는 자체 함수를 작성할 수 있습니다. | ||||
|  | ||||
| ```py | ||||
| from transformers import LlamaTokenizer, LlamaForCausalLM, StaticCache, logging | ||||
| from transformers.testing_utils import CaptureLogger | ||||
| import torch | ||||
|  | ||||
| prompts = [ | ||||
|     "Simply put, the theory of relativity states that ", | ||||
|     "My favorite all time favorite condiment is ketchup.", | ||||
| ] | ||||
|  | ||||
| NUM_TOKENS_TO_GENERATE = 40 | ||||
| torch_device = "cuda" | ||||
|  | ||||
| tokenizer = LlamaTokenizer.from_pretrained("meta-llama/Llama-2-7b-hf", pad_token="</s>", padding_side="right") | ||||
| model = LlamaForCausalLM.from_pretrained("meta-llama/Llama-2-7b-hf", device_map="sequential") | ||||
| inputs = tokenizer(prompts, return_tensors="pt", padding=True).to(model.device) | ||||
|  | ||||
| def decode_one_tokens(model, cur_token, input_pos, cache_position, past_key_values): | ||||
|     logits = model( | ||||
|         cur_token, | ||||
|         position_ids=input_pos, | ||||
|         cache_position=cache_position, | ||||
|         past_key_values=past_key_values, | ||||
|         return_dict=False, | ||||
|         use_cache=True | ||||
|     )[0] | ||||
|     new_token = torch.argmax(logits[:, -1], dim=-1)[:, None] | ||||
|     return new_token | ||||
| ``` | ||||
|  | ||||
| `StaticCache` 메서드를 사용하여 정적 kv-cache와 `torch.compile`을 활성화하려면 몇 가지 중요한 작업을 수행해야 합니다: | ||||
| 1. 추론에 모델을 사용하기 전에 [`StaticCache`] 인스턴스를 초기화합니다. 여기서 최대 배치 크기와 시퀀스 길이와 같은 매개변수를 설정할 수 있습니다. | ||||
| 2. 정적 kv-cache와 함께 순전파를 컴파일하기 위해 모델에 `torch.compile`을 호출합니다. | ||||
| 3. [torch.backends.cuda.sdp_kernel](https://pytorch.org/docs/master/generated/torch.nn.functional.scaled_dot_product_attention.html) 컨텍스트 관리자에서 `enable_math=True`를 설정하여 네이티브 PyTorch C++ 구현된 스케일된 점곱 어텐션(scaled dot product attention)을 활성화하여 추론 속도를 더욱 높입니다. | ||||
|  | ||||
| ```py | ||||
| batch_size, seq_length = inputs["input_ids"].shape | ||||
| with torch.no_grad(): | ||||
|     past_key_values = StaticCache( | ||||
|         config=model.config, max_batch_size=2, max_cache_len=4096, device=torch_device, dtype=model.dtype | ||||
|     ) | ||||
|     cache_position = torch.arange(seq_length, device=torch_device) | ||||
|     generated_ids = torch.zeros( | ||||
|         batch_size, seq_length + NUM_TOKENS_TO_GENERATE + 1, dtype=torch.int, device=torch_device | ||||
|     ) | ||||
|     generated_ids[:, cache_position] = inputs["input_ids"].to(torch_device).to(torch.int) | ||||
|  | ||||
|     logits = model( | ||||
|         **inputs, cache_position=cache_position, past_key_values=past_key_values,return_dict=False, use_cache=True | ||||
|     )[0] | ||||
|     next_token = torch.argmax(logits[:, -1], dim=-1)[:, None] | ||||
|     generated_ids[:, seq_length] = next_token[:, 0] | ||||
|  | ||||
|     decode_one_tokens = torch.compile(decode_one_tokens, mode="reduce-overhead", fullgraph=True) | ||||
|     cache_position = torch.tensor([seq_length + 1], device=torch_device) | ||||
|     for _ in range(1, NUM_TOKENS_TO_GENERATE): | ||||
|         with torch.backends.cuda.sdp_kernel(enable_flash=False, enable_mem_efficient=False, enable_math=True): | ||||
|             next_token = decode_one_tokens(model, next_token.clone(), None, cache_position, past_key_values) | ||||
|             generated_ids[:, cache_position] = next_token.int() | ||||
|         cache_position += 1 | ||||
|  | ||||
| text = tokenizer.batch_decode(generated_ids, skip_special_tokens=True) | ||||
| text | ||||
| ['Simply put, the theory of relativity states that 1) the speed of light is constant, 2) the speed of light is the same for all observers, and 3) the laws of physics are the same for all observers.', | ||||
|  'My favorite all time favorite condiment is ketchup. I love it on everything. I love it on my eggs, my fries, my chicken, my burgers, my hot dogs, my sandwiches, my salads, my p'] | ||||
| ``` | ||||
|  | ||||
| </hfoption> | ||||
| <hfoption id="advanced usage: end-to-end generate compilation"> | ||||
|  | ||||
| 전체 `generate` 함수를 컴파일하는 것은 코드 측면에서 기본 사용법보다 더 간단합니다. `generate` 함수에 대해 `torch.compile`을 호출하여 전체 함수를 컴파일하면 됩니다. 정적 캐시의 사용을 지정할 필요는 없습니다. 정적 캐시는 호환되지만, 벤치마크에서는 동적 캐시(기본 설정)가 더 빠른 것으로 나타났습니다. | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoTokenizer, AutoModelForCausalLM | ||||
| import torch | ||||
| import os | ||||
| os.environ["TOKENIZERS_PARALLELISM"] = "false"  # 긴 경고 메시지를 방지하기 위해 설정 :) | ||||
|  | ||||
| tokenizer = AutoTokenizer.from_pretrained("google/gemma-2b") | ||||
| model = AutoModelForCausalLM.from_pretrained("google/gemma-2b", device_map="auto") | ||||
|  | ||||
| model.generate = torch.compile(model.generate, mode="reduce-overhead", fullgraph=True) | ||||
| input_text = "The theory of special relativity states " | ||||
| input_ids = tokenizer(input_text, return_tensors="pt").to("cuda") | ||||
|  | ||||
| outputs = model.generate(**input_ids) | ||||
| print(tokenizer.batch_decode(outputs, skip_special_tokens=True)) | ||||
| ['The theory of special relativity states 1. The speed of light is constant in all inertial reference'] | ||||
| ``` | ||||
|  | ||||
| 이 방법을 통해 모델의 forward 패스뿐만 아니라, 입력 준비, logit 처리기 작업 등을 포함한 모든 것을 컴파일합니다. 기본 사용 예제에 비해 `generate` 호출이 약간 더 빠를 수 있으며, 컴파일된 그래프는 더 특이한 하드웨어 장치나 사용 사례에 적합할 수 있습니다. 그러나 이 접근 방식을 사용하는 데는 몇 가지 큰 단점이 있습니다: | ||||
| 1. 컴파일 속도가 훨씬 느립니다; | ||||
| 2. `generate`의 모든 매개변수 설정은 `generation_config`를 통해서만 가능합니다; | ||||
| 3. 많은 경고와 예외가 억제됩니다. -- 먼저 컴파일 되지 않은 형태로 테스트하는 것을 권장합니다; | ||||
| 4. 현재 작업 중이지만 기능 제한이 심합니다(예: 작성 시점에서는 EOS 토큰이 선택되어도 생성이 중단되지 않습니다). | ||||
|  | ||||
| </hfoption> | ||||
| </hfoptions> | ||||
|  | ||||
| ## 추정 디코딩 [[speculative-decoding]] | ||||
|  | ||||
| > [!TIP] | ||||
| > 보다 심층적인 설명을 원한다면, [Assisted Generation: a new direction toward low-latency text generation](https://hf.co/blog/assisted-generation) 블로그 게시물을 확인하십시오! | ||||
|  | ||||
| 자기 회귀의 또 다른 문제는 각 입력 토큰에 대해 순전파 중에 모델 가중치를 매번 로드해야 한다는 점입니다. 이는 수십억 개의 매개변수를 가진 LLM에는 느리고 번거롭습니다. 추정 디코딩(speculative decoding)은 더 작고 빠른 보조 모델을 사용하여 후보 토큰을 생성하고, 이를 큰 LLM이 단일 순전파에서 검증하여 이 속도 저하를 완화합니다. 검증된 토큰이 정확하다면, LLM은 본래 자체적으로 생성하는 것처럼 토큰을 얻을 수 있습니다. 전방 패스가 동일한 출력을 보장하기 때문에 정확도 저하가 없습니다. | ||||
|  | ||||
| 가장 큰 속도 향상을 얻기 위해, 보조 모델은 빠르게 토큰을 생성할 수 있도록 LLM보다 훨씬 작아야 합니다. 보조 모델과 LLM 모델은 토큰을 다시 인코딩하고 디코딩하지 않도록 동일한 토크나이저를 공유해야 합니다. | ||||
|  | ||||
| > [!WARNING] | ||||
| > 추정 디코딩은 탐욕 검색과 샘플링 디코딩 전략에서만 지원되며, 배치 입력을 지원하지 않습니다. | ||||
|  | ||||
| 보조 모델을 로드하고 이를 [`~GenerationMixin.generate`] 메서드에 전달하여 추정 디코딩을 활성화하십시오. | ||||
|  | ||||
| <hfoptions id="spec-decoding"> | ||||
| <hfoption id="greedy search"> | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoModelForCausalLM, AutoTokenizer | ||||
| import torch | ||||
|  | ||||
| device = "cuda" if torch.cuda.is_available() else "cpu" | ||||
|  | ||||
| tokenizer = AutoTokenizer.from_pretrained("facebook/opt-1.3b") | ||||
| inputs = tokenizer("Einstein's theory of relativity states", return_tensors="pt").to(device) | ||||
|  | ||||
| model = AutoModelForCausalLM.from_pretrained("facebook/opt-1.3b").to(device) | ||||
| assistant_model = AutoModelForCausalLM.from_pretrained("facebook/opt-125m").to(device) | ||||
| outputs = model.generate(**inputs, assistant_model=assistant_model) | ||||
| tokenizer.batch_decode(outputs, skip_special_tokens=True) | ||||
| ["Einstein's theory of relativity states that the speed of light is constant.    "] | ||||
| ``` | ||||
|  | ||||
| </hfoption> | ||||
| <hfoption id="sampling"> | ||||
|  | ||||
| 추정 샘플링 디코딩(speculative sampling decoding)을 위해, 보조 모델 외에도 [`~GenerationMixin.generate`] 메서드에 `do_sample` 및 `temperature` 매개변수를 추가하십시오. | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoModelForCausalLM, AutoTokenizer | ||||
| import torch | ||||
|  | ||||
| device = "cuda" if torch.cuda.is_available() else "cpu" | ||||
|  | ||||
| tokenizer = AutoTokenizer.from_pretrained("facebook/opt-1.3b") | ||||
| inputs = tokenizer("Einstein's theory of relativity states", return_tensors="pt").to(device) | ||||
|  | ||||
| model = AutoModelForCausalLM.from_pretrained("facebook/opt-1.3b").to(device) | ||||
| assistant_model = AutoModelForCausalLM.from_pretrained("facebook/opt-125m").to(device) | ||||
| outputs = model.generate(**inputs, assistant_model=assistant_model, do_sample=True, temperature=0.7) | ||||
| print(tokenizer.batch_decode(outputs, skip_special_tokens=True)) | ||||
| ["Einstein's theory of relativity states that motion in the universe is not a straight line.\n"] | ||||
| ``` | ||||
|  | ||||
| </hfoption> | ||||
| </hfoptions> | ||||
|  | ||||
| ### 프롬프트 조회 디코딩 [[prompt-lookup-decoding]] | ||||
|  | ||||
| 프롬프트 조회 디코딩은 탐욕 검색과 샘플링과도 호환되는 추정 디코딩의 변형입니다. 프롬프트 조회는 요약과 같은 입력 기반 작업에 특히 잘 작동합니다. 여기서는 프롬프트와 출력 간에 종종 겹치는 단어가 있습니다. 이러한 겹치는 n-그램이 LLM 후보 토큰으로 사용됩니다. | ||||
|  | ||||
| 프롬프트 조회 디코딩을 활성화하려면 `prompt_lookup_num_tokens` 매개변수에 겹치는 토큰 수를 지정하십시오. 그런 다음 이 매개변수를 [`~GenerationMixin.generate`] 메서드에 전달할 수 있습니다. | ||||
|  | ||||
| <hfoptions id="pld"> | ||||
| <hfoption id="greedy decoding"> | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoModelForCausalLM, AutoTokenizer | ||||
| import torch | ||||
|  | ||||
| device = "cuda" if torch.cuda.is_available() else "cpu" | ||||
|  | ||||
| tokenizer = AutoTokenizer.from_pretrained("facebook/opt-1.3b") | ||||
| inputs = tokenizer("The second law of thermodynamics states", return_tensors="pt").to(device) | ||||
|  | ||||
| model = AutoModelForCausalLM.from_pretrained("facebook/opt-1.3b").to(device) | ||||
| assistant_model = AutoModelForCausalLM.from_pretrained("facebook/opt-125m").to(device) | ||||
| outputs = model.generate(**inputs, prompt_lookup_num_tokens=3) | ||||
| print(tokenizer.batch_decode(outputs, skip_special_tokens=True)) | ||||
| ['The second law of thermodynamics states that entropy increases with temperature.      '] | ||||
| ``` | ||||
|  | ||||
| </hfoption> | ||||
| <hfoption id="sampling"> | ||||
|  | ||||
| 샘플링과 함께 프롬프트 조회 디코딩을 사용하려면, [`~GenerationMixin.generate`] 메서드에 `do_sample` 및 `temperature` 매개변수를 추가하십시오. | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoModelForCausalLM, AutoTokenizer | ||||
| import torch | ||||
|  | ||||
| device = "cuda" if torch.cuda.is_available() else "cpu" | ||||
|  | ||||
| tokenizer = AutoTokenizer.from_pretrained("facebook/opt-1.3b") | ||||
| inputs = tokenizer("The second law of thermodynamics states", return_tensors="pt").to(device) | ||||
|  | ||||
| model = AutoModelForCausalLM.from_pretrained("facebook/opt-1.3b").to(device) | ||||
| outputs = model.generate(**inputs, prompt_lookup_num_tokens=3, do_sample=True, temperature=0.7) | ||||
| print(tokenizer.batch_decode(outputs, skip_special_tokens=True)) | ||||
| ["The second law of thermodynamics states that energy cannot be created nor destroyed. It's not a"] | ||||
| ``` | ||||
|  | ||||
| </hfoption> | ||||
| </hfoptions> | ||||
|  | ||||
| ## 어텐션 최적화 [[attention-optimizations]] | ||||
|  | ||||
| 트랜스포머 모델의 알려진 문제는 셀프 어텐션 메커니즘이 입력 토큰 수와 함께 계산 및 메모리가 제곱으로 증가한다는 것입니다. 이 제한은 훨씬 더 긴 시퀀스를 처리하는 LLM에서는 더욱 커집니다. 이를 해결하기 위해 FlashAttention2 또는 PyTorch의 스케일된 점곱 어텐션을 사용해 보십시오. 이들은 더 메모리 효율적인 어텐션 구현으로 추론을 가속화할 수 있습니다. | ||||
|  | ||||
| ### FlashAttention-2 [[flashattention-2]] | ||||
|  | ||||
| FlashAttention과 [FlashAttention-2](./perf_infer_gpu_one#flashattention-2)는 어텐션 계산을 더 작은 청크로 나누고 중간 읽기/쓰기 작업을 줄여 추론 속도를 높입니다. FlashAttention-2는 원래 FlashAttention 알고리즘을 개선하여 시퀀스 길이 차원에서도 병렬 처리를 수행하고 하드웨어에서 작업을 더 잘 분할하여 동기화 및 통신 오버헤드를 줄입니다. | ||||
|  | ||||
| FlashAttention-2를 사용하려면 [`~PreTrainedModel.from_pretrained`] 메서드에서 `attn_implementation="flash_attention_2"`를 설정하십시오. | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoModelForCausalLM, BitsAndBytesConfig | ||||
|  | ||||
| quant_config = BitsAndBytesConfig(load_in_8bit=True) | ||||
| model = AutoModelForCausalLM.from_pretrained( | ||||
|     "google/gemma-2b", | ||||
|     quantization_config=quant_config, | ||||
|     torch_dtype=torch.bfloat16, | ||||
|     attn_implementation="flash_attention_2", | ||||
| ) | ||||
| ``` | ||||
|  | ||||
| ### PyTorch 스케일된 점곱 어텐션(scaled dot product attention) [[pytorch-scaled-dot-product-attention]] | ||||
|  | ||||
| 스케일된 점곱 어텐션(SDPA)는 PyTorch 2.0에서 자동으로 활성화되며, FlashAttention, xFormers, PyTorch의 C++ 구현을 지원합니다. SDPA는 CUDA 백엔드를 사용하는 경우 가장 성능이 좋은 어텐션 알고리즘을 선택합니다. 다른 백엔드에서는 SDPA가 PyTorch C++ 구현으로 기본 설정됩니다. | ||||
|  | ||||
| > [!TIP] | ||||
| > SDPA는 최신 PyTorch 버전이 설치되어 있으면 FlashAttention-2도 지원합니다. | ||||
|  | ||||
| 세 가지 어텐션 알고리즘 중 하나를 명시적으로 활성화하거나 비활성화하려면 [torch.backends.cuda.sdp_kernel](https://pytorch.org/docs/master/generated/torch.nn.functional.scaled_dot_product_attention.html) 컨텍스트 관리자를 사용하십시오. 예를 들어 FlashAttention을 활성화하려면 `enable_flash=True`로 설정하십시오. | ||||
|  | ||||
| ```py | ||||
| import torch | ||||
| from transformers import AutoModelForCausalLM | ||||
|  | ||||
| model = AutoModelForCausalLM.from_pretrained( | ||||
|     "google/gemma-2b", | ||||
|     torch_dtype=torch.bfloat16, | ||||
| ) | ||||
|  | ||||
| with torch.backends.cuda.sdp_kernel(enable_flash=True, enable_math=False, enable_mem_efficient=False): | ||||
|     outputs = model.generate(**inputs) | ||||
| ``` | ||||
|  | ||||
| ## 양자화 [[quantization]] | ||||
|  | ||||
| 양자화는 LLM 가중치를 더 낮은 정밀도로 저장하여 크기를 줄입니다. 이는 메모리 사용량을 줄이며 GPU 메모리에 제약이 있는 경우 추론을 위해 LLM을 로드하는 것을 더 용이하게 합니다. GPU가 충분하다면, 모델을 양자화할 필요는 없습니다. 추가적인 양자화 및 양자화 해제 단계로 인해 약간의 지연이 발생할 수 있기 때문입니다(AWQ 및 융합 AWQ 모듈 제외). | ||||
|  | ||||
| > [!TIP] | ||||
| > 다양한 양자화 라이브러리(자세한 내용은 [Quantization](./quantization) 가이드를 참조하십시오)가 있습니다. 여기에는 Quanto, AQLM, AWQ 및 AutoGPTQ가 포함됩니다. 사용 사례에 가장 잘 맞는 라이브러리를 사용해 보십시오. 또한 AutoGPTQ와 bitsandbytes를 비교하는 [Overview of natively supported quantization schemes in 🤗 Transformers](https://hf.co/blog/overview-quantization-transformers) 블로그 게시물을 읽어보는 것을 추천합니다. | ||||
|  | ||||
| 아래의 모델 메모리 계산기를 사용하여 모델을 로드하는 데 필요한 메모리를 추정하고 비교해 보십시오. 예를 들어 [Mistral-7B-v0.1](https://huggingface.co/mistralai/Mistral-7B-v0.1)를 로드하는 데 필요한 메모리를 추정해 보십시오. | ||||
|  | ||||
| <iframe | ||||
| 	src="https://hf-accelerate-model-memory-usage.hf.space" | ||||
| 	frameborder="0" | ||||
| 	width="850" | ||||
| 	height="450" | ||||
| ></iframe> | ||||
|  | ||||
| Mistral-7B-v0.1을 반정밀도로 로드하려면 [`~transformers.AutoModelForCausalLM.from_pretrained`] 메서드에서 `torch_dtype` 매개변수를 `torch.bfloat16`으로 설정하십시오. 이 경우 13.74GB의 메모리가 필요합니다. | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoTokenizer, AutoModelForCausalLM | ||||
| import torch | ||||
|  | ||||
| model = AutoModelForCausalLM.from_pretrained( | ||||
|     "mistralai/Mistral-7B-v0.1", torch_dtype=torch.bfloat16, device_map="auto", | ||||
| ) | ||||
| ``` | ||||
|  | ||||
| 추론을 위해 양자화된 모델(8비트 또는 4비트)을 로드하려면 [bitsandbytes](https://hf.co/docs/bitsandbytes)를 사용하고 `load_in_4bit` 또는 `load_in_8bit` 매개변수를 `True`로 설정하십시오. 모델을 8비트로 로드하는 데는 6.87GB의 메모리만 필요합니다. | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoTokenizer, AutoModelForCausalLM, BitsAndBytesConfig | ||||
| import torch | ||||
|  | ||||
| quant_config = BitsAndBytesConfig(load_in_8bit=True) | ||||
| model = AutoModelForCausalLM.from_pretrained( | ||||
|     "mistralai/Mistral-7B-v0.1", quantization_config=quant_config, device_map="auto" | ||||
| ) | ||||
| ``` | ||||
| @ -1,759 +0,0 @@ | ||||
| <!--Copyright 2023 The HuggingFace Team. All rights reserved. | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
| --> | ||||
| # 대규모 언어 모델의 속도 및 메모리 최적화 [[optimizing-llms-for-speed-and-memory]] | ||||
|  | ||||
| [[open-in-colab]] | ||||
|  | ||||
| GPT3/4, [Falcon](https://huggingface.co/tiiuae/falcon-40b), [Llama](https://huggingface.co/meta-llama/Llama-2-70b-hf)와 같은 대규모 언어 모델의 인간 중심 과제를 해결하는 능력이 빠르게 발전하고 있으며, 현대 지식 기반 산업에서 필수 도구로 자리잡고 있습니다. 그러나 이러한 모델을 실제 과제에 배포하는 것은 여전히 어려운 과제입니다. | ||||
|  | ||||
| -   인간과 비슷한 텍스트 이해 및 생성 능력을 보이기 위해, 현재 대규모 언어 모델은 수십억 개의 매개변수로 구성되어야 합니다 (참조: [Kaplan et al](https://arxiv.org/abs/2001.08361), [Wei et. al](https://arxiv.org/abs/2206.07682)). 이는 추론을 위한 메모리 요구를 크게 증가시킵니다. | ||||
| -   많은 실제 과제에서 대규모 언어 모델은 방대한 맥락 정보를 제공받아야 합니다. 이는 모델이 추론 과정에서 매우 긴 입력 시퀀스를 처리할 수 있어야 한다는 것을 뜻합니다.   | ||||
|  | ||||
| 이러한 과제의 핵심은 대규모 언어 모델의 계산 및 메모리 활용 능력을 증대시키는 데 있습니다. 특히 방대한 입력 시퀀스를 처리할 때 이러한 능력이 중요합니다. | ||||
|  | ||||
| 이 가이드에서는 효율적인 대규모 언어 모델 배포를 위한 효과적인 기법들을 살펴보겠습니다.  | ||||
|  | ||||
| 1.  **낮은 정밀도:** 연구에 따르면, [8비트와 4비트](./main_classes/quantization.md)와 같이 낮은 수치 정밀도로 작동하면 모델 성능의 큰 저하 없이 계산상의 이점을 얻을 수 있습니다. | ||||
|  | ||||
| 2.  **플래시 어텐션:** 플래시 어텐션은 메모리 효율성을 높일 뿐만 아니라 최적화된 GPU 메모리 활용을 통해 효율성을 향상시키는 어텐션 알고리즘의 변형입니다. | ||||
|  | ||||
| 3.  **아키텍처 혁신:** 추론 시 대규모 언어 모델은 주로 동일한 방식(긴 입력 맥락을 가진 자기회귀 텍스트 생성 방식)으로 배포되는데, 더 효율적인 추론을 가능하게 하는 특화된 모델 아키텍처가 제안되었습니다. 이러한 모델 아키텍처의 가장 중요한 발전으로는 [Alibi](https://arxiv.org/abs/2108.12409), [Rotary embeddings](https://arxiv.org/abs/2104.09864), [Multi-Query Attention (MQA)](https://arxiv.org/abs/1911.02150), [Grouped-Query-Attention (GQA)]((https://arxiv.org/abs/2305.13245))이 있습니다.  | ||||
|  | ||||
| 이 가이드에서는 텐서의 관점에서 자기회귀 생성에 대한 분석을 제공합니다. 낮은 정밀도를 채택하는 것의 장단점을 논의하고, 최신 어텐션 알고리즘을 포괄적으로 탐구하며, 향상된 대규모 언어 모델 아키텍처에 대해 논합니다. 이 과정에서 각 기능의 개선 사항을 보여주는 실용적인 예제를 확인합니다. | ||||
|  | ||||
| ## 1. 낮은 정밀도 [[1-lower-precision]] | ||||
|  | ||||
| 대규모 언어 모델을 가중치 행렬과 벡터의 집합으로 보고, 텍스트 입력을 벡터의 시퀀스로 본다면, 대규모 언어 모델의 메모리 요구사항을 가장 잘 이해할 수 있습니다. 이어지는 내용에서 *가중치*는 모델의 모든 가중치 행렬과 벡터를 의미합니다.    | ||||
|  | ||||
| 이 가이드를 작성하는 시점의 대규모 언어 모델은 최소 몇십억 개의 매개변수로 구성되어 있습니다. 각 매개변수는 `4.5689`와 같은 십진수로 이루어져 있으며, 보통 [float32](https://en.wikipedia.org/wiki/Single-precision_floating-point_format), [bfloat16](https://en.wikipedia.org/wiki/Bfloat16_floating-point_format) 또는 [float16](https://en.wikipedia.org/wiki/Half-precision_floating-point_format) 형식으로 저장됩니다. 이를 통해 대규모 언어 모델을 메모리에 로드하는 데 필요한 메모리의 요구사항을 쉽게 계산할 수 있습니다: | ||||
|  | ||||
| > *X * 10억 개의 매개변수를 가진 모델의 가중치를 로드하려면 float32 정밀도에서 대략 4 * X GB의 VRAM이 필요합니다.* | ||||
|  | ||||
| 요즘에는 모델이 float32 정밀도로 훈련되는 경우는 드물고, 일반적으로 bfloat16 정밀도나 가끔 float16 정밀도로 훈련됩니다. 따라서 경험적으로 알아낸 법칙은 다음과 같습니다: | ||||
|  | ||||
| > *X * 10억 개의 매개변수를 가진 모델의 가중치를 로드하려면 bfloat16/float16 정밀도에서 대략 2 * X GB의 VRAM이 필요합니다.* | ||||
|  | ||||
| 짧은 텍스트 입력(1024 토큰 미만)의 경우, 추론을 위한 메모리 요구 사항의 대부분은 가중치를 로드하는 데 필요한 메모리 요구 사항입니다. 따라서 지금은 추론을 위한 메모리 요구 사항이 모델의 가중치를 GPU VRAM에 로드하는 데 필요한 메모리 요구 사항과 같다고 가정합시다. | ||||
|  | ||||
| 모델을 bfloat16으로 로드하는 데 대략 얼마나 많은 VRAM이 필요한지 몇 가지 예를 들어보겠습니다: | ||||
|  | ||||
| -   **GPT3**는 2 \* 175 GB = **350 GB** VRAM이 필요합니다. | ||||
| -   [**Bloom**](https://huggingface.co/bigscience/bloom)은 2 \* 176 GB = **352 GB** VRAM이 필요합니다. | ||||
| -   [**Llama-2-70b**](https://huggingface.co/meta-llama/Llama-2-70b-hf)는 2 \* 70 GB = **140 GB** VRAM이 필요합니다. | ||||
| -   [**Falcon-40b**](https://huggingface.co/tiiuae/falcon-40b)는 2 \* 40 GB = **80 GB** VRAM이 필요합니다. | ||||
| -   [**MPT-30b**](https://huggingface.co/mosaicml/mpt-30b)는 2 * 30 GB = **60 GB** VRAM이 필요합니다. | ||||
| -   [**bigcode/starcoder**](https://huggingface.co/bigcode/starcoder)는 2 * 15.5 GB = **31 GB** VRAM이 필요합니다. | ||||
|  | ||||
| 이 문서를 작성하는 시점에서, 현재 시장에서 가장 큰 GPU 칩은 80GB의 VRAM을 제공하는 A100과 H100입니다. 앞서 언급된 대부분의 모델들은 로드하기 위해서는 최소 80GB 이상의 용량을 필요로 하며, 따라서 [텐서 병렬 처리](https://huggingface.co/docs/transformers/perf_train_gpu_many#tensor-parallelism) 및/또는 [파이프라인 병렬 처리](https://huggingface.co/docs/transformers/perf_train_gpu_many#naive-model-parallelism-vertical-and-pipeline-parallelism)를 반드시 필요로 합니다. | ||||
|  | ||||
| 🤗 Transformers는 텐서 병렬 처리를 바로 지원하지 않습니다. 이는 모델 아키텍처가 특정 방식으로 작성되어야 하기 때문입니다. 텐서 병렬 처리를 지원하는 방식으로 모델을 작성하는 데 관심이 있다면 [the text-generation-inference library](https://github.com/huggingface/text-generation-inference/tree/main/server/text_generation_server/models/custom_modeling)를 참조해 보시기 바랍니다. | ||||
|  | ||||
| 기본적인 파이프라인 병렬 처리는 바로 지원됩니다. 이를 위해 단순히 모델을 `device="auto"`로 로드하면 [여기](https://huggingface.co/docs/accelerate/v0.22.0/en/concept_guides/big_model_inference)에 설명된 대로 사용 가능한 GPU에 모델의 서로 다른 레이어를 자동으로 배치합니다. 이것은 매우 효과적이긴 하지만 이러한 기본 파이프라인 병렬 처리는 GPU 유휴 문제를 해결하지 못한다는 점을 유의해야 합니다. 더 발전된 파이프라인 병렬 처리가 필요하며, 이에 대한 설명은 [여기](https://huggingface.co/docs/transformers/en/perf_train_gpu_many#naive-model-parallelism-vertical-and-pipeline-parallelism)에서 확인할 수 있습니다. | ||||
|  | ||||
| 80GB A100 GPU 8개를 가진 노드에 접근할 수 있다면, BLOOM을 다음과 같이 로드할 수 있습니다. | ||||
|  | ||||
| ```bash | ||||
| !pip install transformers accelerate bitsandbytes optimum | ||||
| ``` | ||||
| ```python | ||||
| from transformers import AutoModelForCausalLM | ||||
|  | ||||
| model = AutoModelForCausalLM.from_pretrained("bigscience/bloom", device_map="auto", pad_token_id=0) | ||||
| ``` | ||||
|  | ||||
| `device_map="auto"`를 사용하면 모든 사용 가능한 GPU에 어텐션 레이어가 고르게 분산됩니다. | ||||
|  | ||||
| 이 가이드에서는 [bigcode/octocoder](https://huggingface.co/bigcode/octocoder)를 사용할 것입니다. 이 모델은 단일 40GB A100 GPU 장치에서 실행할 수 있습니다. 앞으로 적용할 모든 메모리 및 속도 최적화는 모델 또는 텐서 병렬 처리를 필요로 하는 다른 모델에도 동일하게 적용될 수 있습니다. | ||||
|  | ||||
| 모델이 bfloat16 정밀도로 로드되기 때문에, 위의 경험적으로 알아낸 법칙을 사용하면 `bigcode/octocoder`를 사용하여 추론을 실행하기 위한 메모리 요구 사항이 약 31GB VRAM일 것으로 예상됩니다. 한 번 시도해 보겠습니다. | ||||
|  | ||||
| 먼저 모델과 토크나이저를 로드한 다음, 둘 다 Transformers의 [파이프라인](https://huggingface.co/docs/transformers/main_classes/pipelines) 객체에 전달합니다. | ||||
|  | ||||
| ```python | ||||
| from transformers import AutoModelForCausalLM, AutoTokenizer, pipeline | ||||
| import torch | ||||
|  | ||||
| model = AutoModelForCausalLM.from_pretrained("bigcode/octocoder", torch_dtype=torch.bfloat16, device_map="auto", pad_token_id=0) | ||||
| tokenizer = AutoTokenizer.from_pretrained("bigcode/octocoder") | ||||
|  | ||||
| pipe = pipeline("text-generation", model=model, tokenizer=tokenizer) | ||||
| ``` | ||||
|  | ||||
| ```python | ||||
| prompt = "Question: Please write a function in Python that transforms bytes to Giga bytes.\n\nAnswer:" | ||||
|  | ||||
| result = pipe(prompt, max_new_tokens=60)[0]["generated_text"][len(prompt):] | ||||
| result | ||||
| ``` | ||||
|  | ||||
| **출력**: | ||||
| ``` | ||||
| Here is a Python function that transforms bytes to Giga bytes:\n\n```python\ndef bytes_to_giga_bytes(bytes):\n    return bytes / 1024 / 1024 / 1024\n```\n\nThis function takes a single | ||||
| ``` | ||||
|  | ||||
| 좋습니다. 이제 결과를 직접 사용하여 바이트를 기가바이트로 변환할 수 있습니다. | ||||
|  | ||||
| ```python | ||||
| def bytes_to_giga_bytes(bytes): | ||||
|   return bytes / 1024 / 1024 / 1024 | ||||
| ``` | ||||
|  | ||||
| [`torch.cuda.max_memory_allocated`](https://pytorch.org/docs/stable/generated/torch.cuda.max_memory_allocated.html)를 호출하여 최대 GPU 메모리 할당을 측정해 보겠습니다. | ||||
|  | ||||
| ```python | ||||
| bytes_to_giga_bytes(torch.cuda.max_memory_allocated()) | ||||
| ``` | ||||
|  | ||||
| **출력**: | ||||
| ```bash | ||||
| 29.0260648727417 | ||||
| ``` | ||||
|  | ||||
| 대략적으로 계산한 결과와 거의 일치합니다! 바이트에서 킬로바이트로 변환할 때 1000이 아닌 1024로 곱해야 하므로 숫자가 정확하지 않은 것을 알 수 있습니다. 따라서 대략적으로 계산할 때 공식은 "최대 X GB"으로 이해할 수 있습니다. 만약 우리가 모델을 float32 정밀도로 실행하려고 했다면 더 큰 크기인 64GB의 VRAM이 필요했을 것입니다. | ||||
|  | ||||
| > 거의 모든 모델이 요즘 bfloat16으로 학습되므로, [GPU가 bfloat16을 지원](https://discuss.pytorch.org/t/bfloat16-native-support/117155/5)한다면 모델을 float32 정밀도로 실행할 이유가 없습니다. float32로 돌리는 모델은 학습할 때 사용했던 정밀도보다 더 나은 추론 결과를 제공하지 않습니다. | ||||
|  | ||||
| 모델 가중치가 어떤 정밀도 형식으로 Hub에 저장되어 있는지 확실하지 않은 경우, HuggingFace Hub에서 해당 체크포인트 config의 `"torch_dtype"`을 확인하면 됩니다, *예*를 들어 [여기](https://huggingface.co/meta-llama/Llama-2-7b-hf/blob/6fdf2e60f86ff2481f2241aaee459f85b5b0bbb9/config.json#L21)를 확인하세요. 모델을 `from_pretrained(..., torch_dtype=...)`로 로드할 때는 config에 명시된 정밀도 유형과 동일한 정밀도로 설정하는 것이 권장됩니다. 단, 원래 유형이 float32인 경우 추론을 위해 `float16` 또는 `bfloat16`을 둘 다 사용할 수 있습니다. | ||||
|  | ||||
| 이제 `flush(...)` 함수를 정의하여 모든 메모리를 해제하고, GPU 메모리의 최대 할당량을 정확하게 측정하도록 합시다. | ||||
|  | ||||
|  | ||||
| ```python | ||||
| del pipe | ||||
| del model | ||||
|  | ||||
| import gc | ||||
| import torch | ||||
|  | ||||
| def flush(): | ||||
|   gc.collect() | ||||
|   torch.cuda.empty_cache() | ||||
|   torch.cuda.reset_peak_memory_stats() | ||||
| ``` | ||||
|  | ||||
| 다음 실험을 위해 바로 호출해 봅시다. | ||||
|  | ||||
| ```python | ||||
| flush() | ||||
| ``` | ||||
| 최근 버전의 accelerate 라이브러리에서는 `release_memory()`라는 유틸리티 메소드도 사용할 수 있습니다. | ||||
|  | ||||
| ```python | ||||
| from accelerate.utils import release_memory | ||||
| # ... | ||||
|  | ||||
| release_memory(model) | ||||
| ``` | ||||
|  | ||||
| 만약 GPU에 32GB의 VRAM이 없다면 어떻게 될까요? 모델 가중치를 성능에 큰 손실 없이 8비트 또는 4비트로 양자화할 수 있다는 것이 밝혀졌습니다(참고: [Dettmers et al.](https://arxiv.org/abs/2208.07339)). 최근의 [GPTQ 논문](https://arxiv.org/abs/2210.17323) 에서는 모델을 3비트 또는 2비트로 양자화해도 성능 손실이 허용 가능한 수준임을 보여주었습니다🤯. | ||||
|  | ||||
| 너무 자세한 내용은 다루지 않고 설명하자면, 양자화는 가중치의 정밀도를 줄이면서 모델의 추론 결과를 가능한 한 정확하게(즉, bfloat16과 최대한 가깝게) 유지하려고 합니다. 양자화는 특히 텍스트 생성에 잘 작동하는데, 이는 우리가 *가장 가능성 있는 다음 토큰 집합*을 선택하는 것에 초점을 두고 있기 때문이며, 다음 토큰의 *logit* 분포값을 정확하게 예측할 필요는 없기 때문입니다. 핵심은 다음 토큰 *logit* 분포가 대략적으로 동일하게 유지되어 `argmax` 또는 `topk` 연산이 동일한 결과를 제공하는 것입니다. | ||||
|  | ||||
| 다양한 양자화 기법이 존재하지만, 자세히 다루지는 않을 것입니다. 일반적으로 모든 양자화 기법은 다음과 같이 작동합니다: | ||||
|  | ||||
| -   1.  모든 가중치를 목표 정밀도로 양자화합니다. | ||||
| -   2.  양자화된 가중치를 로드하고, bfloat16 정밀도의 입력 벡터 시퀀스를 모델에 전달합니다. | ||||
| -   3.  가중치를 동적으로 bfloat16으로 반대로 양자화(dequantize)하여 입력 벡터와 함께 bfloat16 정밀도로 계산을 수행합니다. | ||||
|  | ||||
| 간단히 말해서, *입력-가중치 행렬* 곱셈은, \\( X \\)가 *입력*, \\( W \\)가 가중치 행렬, \\( Y \\)가 출력인 경우 다음과 같습니다: | ||||
|  | ||||
| $$ Y = X * W $$ | ||||
|  | ||||
| 위 공식이 다음과 같이 변경됩니다 | ||||
|  | ||||
| $$ Y = X * \text{dequantize}(W) $$ | ||||
|  | ||||
| 모든 행렬 곱셈에 대해 위와 같이 수행됩니다. 입력이 네트워크 그래프를 통과하면서 모든 가중치 행렬에 대해 역양자화(dequantization)와 재양자화(re-quantization)가 순차적으로 수행됩니다. | ||||
|  | ||||
| 따라서, 양자화된 가중치를 사용할 때 추론 시간이 감소하지 **않고** 오히려 증가하는 경우가 많습니다. 이제 이론은 충분하니 실제로 시도해 봅시다! Transformers를 사용하여 가중치를 양자화하려면 [`bitsandbytes`](https://github.com/TimDettmers/bitsandbytes) 라이브러리가 설치되어 있는지 확인해야 합니다. | ||||
|  | ||||
| ```bash | ||||
| !pip install bitsandbytes | ||||
| ``` | ||||
|  | ||||
| 그런 다음 `from_pretrained`에 `load_in_8bit=True` 플래그를 추가하여 8비트 양자화로 모델을 로드할 수 있습니다. | ||||
|  | ||||
| ```python | ||||
| model = AutoModelForCausalLM.from_pretrained("bigcode/octocoder", load_in_8bit=True, pad_token_id=0) | ||||
| ``` | ||||
|  | ||||
| 이제 예제를 다시 실행하고 메모리 사용량을 측정해 봅시다. | ||||
|  | ||||
| ```python | ||||
| pipe = pipeline("text-generation", model=model, tokenizer=tokenizer) | ||||
|  | ||||
| result = pipe(prompt, max_new_tokens=60)[0]["generated_text"][len(prompt):] | ||||
| result | ||||
| ``` | ||||
|  | ||||
| **출력**: | ||||
| ``` | ||||
| Here is a Python function that transforms bytes to Giga bytes:\n\n```python\ndef bytes_to_giga_bytes(bytes):\n    return bytes / 1024 / 1024 / 1024\n```\n\nThis function takes a single | ||||
| ``` | ||||
|  | ||||
| 좋습니다. 정확도 손실 없이 이전과 동일한 결과를 얻고 있습니다! 이번에는 사용된 메모리 양을 확인해 봅시다. | ||||
|  | ||||
| ```python | ||||
| bytes_to_giga_bytes(torch.cuda.max_memory_allocated()) | ||||
| ``` | ||||
|  | ||||
| **출력**: | ||||
| ``` | ||||
| 15.219234466552734 | ||||
| ``` | ||||
|  | ||||
| 훨씬 적네요! 메모리 사용량이 15GB를 조금 넘는 수준으로 줄어들어 4090과 같은 소비자용 GPU에서도 이 모델을 실행할 수 있습니다. 메모리 효율성에서 매우 큰 향상을 보이고 있으며 모델 출력의 품질 저하도 거의 없습니다. 그러나 추론 중에 약간의 속도 저하가 발생한 것을 확인할 수 있습니다. | ||||
|  | ||||
|  | ||||
| 모델을 삭제하고 메모리를 다시 초기화합니다. | ||||
|  | ||||
| ```python | ||||
| del model | ||||
| del pipe | ||||
| ``` | ||||
|  | ||||
| ```python | ||||
| flush() | ||||
| ``` | ||||
|  | ||||
| 이제 4비트 양자화가 제공하는 최대 GPU 메모리 사용량을 확인해 봅시다. 4비트로 모델을 양자화하려면 이전과 동일한 API를 사용하되 이번에는 `load_in_8bit=True` 대신 `load_in_4bit=True`를 전달하면 됩니다. | ||||
|  | ||||
| ```python | ||||
| model = AutoModelForCausalLM.from_pretrained("bigcode/octocoder", load_in_4bit=True, low_cpu_mem_usage=True, pad_token_id=0) | ||||
|  | ||||
| pipe = pipeline("text-generation", model=model, tokenizer=tokenizer) | ||||
|  | ||||
| result = pipe(prompt, max_new_tokens=60)[0]["generated_text"][len(prompt):] | ||||
| result | ||||
| ``` | ||||
|  | ||||
| **출력**: | ||||
| ``` | ||||
| Here is a Python function that transforms bytes to Giga bytes:\n\n```\ndef bytes_to_gigabytes(bytes):\n    return bytes / 1024 / 1024 / 1024\n```\n\nThis function takes a single argument | ||||
| ``` | ||||
|  | ||||
| 바로 전 코드 스니펫에서 `python`만 누락되고, 이 전과 거의 동일한 출력 텍스트를 보고 있습니다. 이제 얼마나 많은 메모리가 필요했는지 확인해 봅시다. | ||||
|  | ||||
| ```python | ||||
| bytes_to_giga_bytes(torch.cuda.max_memory_allocated()) | ||||
| ``` | ||||
|  | ||||
| **출력**: | ||||
| ``` | ||||
| 9.543574333190918 | ||||
| ``` | ||||
|  | ||||
| 9.5GB밖에 되지 않습니다! 150억 개 이상의 파라미터를 가진 모델인 것을 감안하면 매우 적은 양입니다. | ||||
|  | ||||
| 여기서는 모델의 정확도 저하가 거의 없음을 확인할 수 있지만, 실제로는 4비트 양자화를 8비트 양자화나 `bfloat16`를 사용한 추론 결과와 비교하면 결과가 다를 수 있습니다. 사용자가 직접 시도해 보는 것이 좋겠습니다. | ||||
|  | ||||
| 또한 4비트 양자화에 사용된 더 공격적인 양자화 방법으로 인해 추론 시 \\( \text{quantize} \\)와 \\( \text{dequantize} \\) 과정이 더 오래 걸리므로 여기서도 8비트 양자화와 비교하여 추론 속도가 약간 느려졌음을 유의하세요. | ||||
|  | ||||
| ```python | ||||
| del model | ||||
| del pipe | ||||
| ``` | ||||
| ```python | ||||
| flush() | ||||
| ``` | ||||
|  | ||||
| 전체적으로 OctoCoder를 8비트 정밀도로 실행하면 필요한 GPU VRAM이 32GB에서 15GB로 줄어들었고, 4비트 정밀도로 모델을 실행하면 필요한 GPU VRAM이 9GB로 더 줄어드는 것을 확인했습니다. | ||||
|  | ||||
| 4비트 양자화는 RTX3090, V100, T4와 같은 GPU에서 모델을 실행할 수 있게 해주며, 이는 대부분의 사람들이 접근할 수 있는 GPU입니다. | ||||
|  | ||||
| 양자화에 대한 더 많은 정보를 확인하고 4비트보다 더 적은 GPU VRAM 메모리로 모델을 양자화하거나, 더 많은 양자화 관련 정보를 보려면 [`AutoGPTQ`](https://huggingface.co/docs/transformers/main/en/main_classes/quantization#autogptq-integration%60) 구현을 참조하는 것을 추천합니다. | ||||
|  | ||||
| > 결론적으로, 모델 양자화는 향상된 메모리 효율성과 모델 정확성 간의 균형을 맞추는 것이며, 경우에 따라 추론 시간에도 영향을 미칠 수 있습니다. | ||||
|  | ||||
| 실제 사례에서 GPU 메모리가 충분하다면, 양자화를 고려할 필요가 없습니다. 그러나 많은 GPU는 양자화 없이 대규모 언어 모델을 실행할 수 없으며, 이 경우 4비트 및 8비트 양자화가 매우 유용한 도구입니다. | ||||
|  | ||||
| 사용과 관련한 더 자세한 정보는 [트랜스포머 양자화 문서](https://huggingface.co/docs/transformers/main_classes/quantization#general-usage)를 참고하는 것을 강력히 추천합니다. 다음으로, 더 나은 알고리즘과 개선된 모델 아키텍처를 사용하여 계산 및 메모리 효율성을 향상시키는 방법을 살펴보겠습니다. | ||||
|  | ||||
| ## 2. 플래시 어텐션 [[2-flash-attention]] | ||||
|  | ||||
| 오늘날의 최고 성능을 자랑하는 대규모 언어 모델은 대체로 피드포워드 레이어(feed-forward layer), 활성화 레이어(activation layer), 레이어 정규화 레이어(layer normalization layer), 그리고 가장 중요한 셀프 어텐션 레이어(self-attention layer)로 구성된 아키텍처를 공유하고 있습니다. | ||||
|  | ||||
| 셀프 어텐션 레이어는 입력 토큰 간의 문맥적 관계를 이해할 수 있게 해 주기 때문에 대규모 언어 모델의 핵심 요소입니다. | ||||
| 하지만 셀프 어텐션 레이어의 최대 GPU 메모리 소비는 입력 토큰의 수(이하 \\( N \\)으로 표기)와 함께 계산 및 메모리 복잡성이 *2차적*으로 증가합니다. 입력 시퀀스가 짧은 경우(최대 1000개)에는 크게 눈에 띄지 않지만, 더 긴 입력 시퀀스(약 16000개)에서는 심각한 문제가 됩니다. | ||||
|  | ||||
| 자세히 한 번 들여다 봅시다. 길이 \\( N \\)의 입력 \\( \mathbf{X} \\)에 대한 셀프 어텐션 레이어의 출력 \\( \mathbf{O} \\)을 계산하는 공식은 다음과 같습니다: | ||||
|  | ||||
| $$ \textbf{O} = \text{Attn}(\mathbf{X}) = \mathbf{V} \times \text{Softmax}(\mathbf{QK}^T) \text{ with } \mathbf{Q} = \mathbf{W}_q \mathbf{X}, \mathbf{V} = \mathbf{W}_v \mathbf{X}, \mathbf{K} = \mathbf{W}_k \mathbf{X} $$ | ||||
|  | ||||
| \\( \mathbf{X} = (\mathbf{x}1, ... \mathbf{x}{N}) \\)는 어텐션 레이어의 입력 시퀀스입니다. 프로젝션 \\( \mathbf{Q} \\)와 \\( \mathbf{K} \\)는 각각 \\( N \\)개의 벡터로 구성되며, 그 결과 \\( \mathbf{QK}^T \\)의 크기는 \\( N^2 \\)가 됩니다. | ||||
|  | ||||
| 대규모 언어 모델은 일반적으로 여러 개의 어텐션 헤드를 가지고 있어 여러 개의 셀프 어텐션 계산을 병렬로 수행합니다. 대규모 언어 모델이 40개의 어텐션 헤드를 가지고 bfloat16 정밀도로 실행된다고 가정하면, \\( \mathbf{QK^T} \\) 행렬을 저장하는 데 필요한 메모리를 \\( 40 * 2 * N^2 \\) 바이트로 계산할 수 있습니다. \\( N=1000 \\)일 때는 약 50MB의 VRAM만 필요하지만, \\( N=16000 \\)일 때는 19GB의 VRAM이 필요하며, \\( N=100,000 \\)일 때는 \\( \mathbf{QK^T} \\) 행렬을 저장하기 위해 거의 1TB의 VRAM이 필요합니다. | ||||
|  | ||||
| 요약하자면, 기본 셀프 어텐션 알고리즘은 큰 입력 컨텍스트에 대해 매우 과도한 메모리 사용을 요구하게 됩니다. | ||||
|  | ||||
| 대규모 언어 모델의 텍스트 이해 및 생성 능력이 개선되면서 점점 더 복잡한 작업에 사용되고 있습니다. 한때 몇 문장의 번역이나 요약을 처리하던 모델이 이제는 전체 페이지를 처리해야 하게 되면서 광범위한 입력 길이를 처리할 수 있는 능력이 요구되고 있습니다. | ||||
|  | ||||
| 어떻게 하면 큰 입력 길이에 대한 과도한 메모리 요구를 없앨 수 있을까요? \\( QK^T \\) 행렬을 제거하는 새로운 셀프 어텐션 메커니즘을 계산하는 방법이 필요합니다. [Tri Dao et al.](https://arxiv.org/abs/2205.14135)은 바로 이러한 새로운 알고리즘을 개발하였고, 그것이 **플래시 어텐션(Flash Attention)**입니다. | ||||
|  | ||||
| 간단히 말해, 플래시 어텐션은 \\(\mathbf{V} \times \text{Softmax}(\mathbf{QK}^T\\)) 계산을 분할하는데, 여러 번의 소프트맥스 계산을 반복하면서 작은 청크 단위로 출력을 계산합니다: | ||||
|  | ||||
| $$ \textbf{O}_i \leftarrow s^a_{ij} * \textbf{O}_i + s^b_{ij} * \mathbf{V}_{j} \times \text{Softmax}(\mathbf{QK}^T_{i,j}) \text{ for multiple } i, j \text{ iterations} $$ | ||||
|  | ||||
| 여기서 \\( s^a_{ij} \\)와 \\( s^b_{ij} \\)는 각 \\( i \\)와 \\( j \\)에 대해 계산되는 소프트맥스 정규화 통계량입니다. | ||||
|  | ||||
| 플래시 어텐션의 전체 알고리즘은 더 복잡하며, 본 가이드의 범위를 벗어나기 때문에 크게 단순화하였습니다. 여러분은 잘 작성된 [Flash Attention paper](https://arxiv.org/abs/2205.14135) 논문을 참조하여 더 자세한 내용을 확인해 보시기 바랍니다. | ||||
|  | ||||
| 주요 요점은 다음과 같습니다: | ||||
|  | ||||
| > 소프트맥스 정규화 통계량과 몇 가지 스마트한 수학적 방법을 사용함으로써, 플래시 어텐션은 기본 셀프 어텐션 레이어와 **숫자적으로 동일한** 출력을 제공하고 메모리 비용은 \\( N \\)에 따라 선형적으로만 증가합니다. | ||||
|  | ||||
| 공식을 보면, 플래시 어텐션이 더 많은 계산을 필요로 하기 때문에 기본 셀프 어텐션 공식보다 훨씬 느릴 것이라고 생각할 수 있습니다. 실제로 플래시 어텐션은 소프트맥스 정규화 통계량을 지속적으로 다시 계산해야 하기 때문에 일반 어텐션보다 더 많은 FLOP이 필요합니다. (더 자세한 내용은 [논문](https://arxiv.org/abs/2205.14135)을 참조하세요) | ||||
|  | ||||
| > 그러나 플래시 어텐션은 기본 어텐션보다 추론 속도가 훨씬 빠릅니다. 이는 GPU의 느리고 고대역폭 메모리(VRAM)의 사용량을 크게 줄이고 대신 빠른 온칩 메모리(SRAM)에 집중할 수 있기 때문입니다. | ||||
|  | ||||
| 본질적으로, 플래시 어텐션의 모든 중간 단계의 쓰기 및 읽기 작업은 느린 VRAM 메모리에 접근하지 않고 빠른 *온칩* SRAM 메모리를 사용하여 출력 벡터 \\( \mathbf{O} \\)를 계산할 수 있도록 합니다. | ||||
|  | ||||
| 현실적으로 플래시 어텐션이 사용 가능한 경우 이를 **사용하지 않을** 이유는 전혀 없습니다. 이 알고리즘은 수학적으로 동일한 출력을 제공하며, 더 빠르고 메모리 효율적입니다. | ||||
|  | ||||
| 실제 예를 살펴보겠습니다. | ||||
|  | ||||
| 우리의 OctoCoder 모델은 이제 *시스템 프롬프트*가 포함된 훨씬 더 긴 입력 프롬프트를 받게 됩니다. 시스템 프롬프트는 대규모 언어 모델을 사용자의 작업에 맞춘 더 나은 어시스턴트로 유도하는 데 사용됩니다. 다음 예제에서는 OctoCoder를 더 나은 코딩 어시스턴트로 만들기 위한 시스템 프롬프트를 사용합니다. | ||||
|  | ||||
| ```python | ||||
| system_prompt = """Below are a series of dialogues between various people and an AI technical assistant. | ||||
| The assistant tries to be helpful, polite, honest, sophisticated, emotionally aware, and humble but knowledgeable. | ||||
| The assistant is happy to help with code questions and will do their best to understand exactly what is needed. | ||||
| It also tries to avoid giving false or misleading information, and it caveats when it isn't entirely sure about the right answer. | ||||
| That said, the assistant is practical really does its best, and doesn't let caution get too much in the way of being useful. | ||||
|  | ||||
| The Starcoder models are a series of 15.5B parameter models trained on 80+ programming languages from The Stack (v1.2) (excluding opt-out requests). | ||||
| The model uses Multi Query Attention, was trained using the Fill-in-the-Middle objective, and with 8,192 tokens context window for a trillion tokens of heavily deduplicated data. | ||||
|  | ||||
| ----- | ||||
|  | ||||
| Question: Write a function that takes two lists and returns a list that has alternating elements from each input list. | ||||
|  | ||||
| Answer: Sure. Here is a function that does that. | ||||
|  | ||||
| def alternating(list1, list2): | ||||
|    results = [] | ||||
|    for i in range(len(list1)): | ||||
|        results.append(list1[i]) | ||||
|        results.append(list2[i]) | ||||
|    return results | ||||
|  | ||||
| Question: Can you write some test cases for this function? | ||||
|  | ||||
| Answer: Sure, here are some tests. | ||||
|  | ||||
| assert alternating([10, 20, 30], [1, 2, 3]) == [10, 1, 20, 2, 30, 3] | ||||
| assert alternating([True, False], [4, 5]) == [True, 4, False, 5] | ||||
| assert alternating([], []) == [] | ||||
|  | ||||
| Question: Modify the function so that it returns all input elements when the lists have uneven length. The elements from the longer list should be at the end. | ||||
|  | ||||
| Answer: Here is the modified function. | ||||
|  | ||||
| def alternating(list1, list2): | ||||
|    results = [] | ||||
|    for i in range(min(len(list1), len(list2))): | ||||
|        results.append(list1[i]) | ||||
|        results.append(list2[i]) | ||||
|    if len(list1) > len(list2): | ||||
|        results.extend(list1[i+1:]) | ||||
|    else: | ||||
|        results.extend(list2[i+1:]) | ||||
|    return results | ||||
|  | ||||
| ----- | ||||
| """ | ||||
| ``` | ||||
| 시연을 위해 시스템 프롬프트를 10번 중복하여 증가시켜 플래시 어텐션의 메모리 절약 효과를 관찰할 수 있을 만큼 입력 길이를 충분히 길게 만듭니다. 원래의 텍스트 프롬프트를 다음과 같이 추가합니다. `"Question: Please write a function in Python that transforms bytes to Giga bytes.\n\nAnswer: Here"` | ||||
|  | ||||
| ```python | ||||
| long_prompt = 10 * system_prompt + prompt | ||||
| ``` | ||||
|  | ||||
| 모델을 다시 bfloat16 정밀도로 인스턴스화합니다. | ||||
|  | ||||
| ```python | ||||
| model = AutoModelForCausalLM.from_pretrained("bigcode/octocoder", torch_dtype=torch.bfloat16, device_map="auto") | ||||
| tokenizer = AutoTokenizer.from_pretrained("bigcode/octocoder") | ||||
|  | ||||
| pipe = pipeline("text-generation", model=model, tokenizer=tokenizer) | ||||
| ``` | ||||
|  | ||||
| 이제 플래시 어텐션을 *사용하지 않고* 이전과 동일하게 모델을 실행하여 최대 GPU 메모리 요구량과 추론 시간을 측정해 봅시다. | ||||
|  | ||||
| ```python | ||||
| import time | ||||
|  | ||||
| start_time = time.time() | ||||
| result = pipe(long_prompt, max_new_tokens=60)[0]["generated_text"][len(long_prompt):] | ||||
|  | ||||
| print(f"Generated in {time.time() - start_time} seconds.") | ||||
| result | ||||
| ``` | ||||
|  | ||||
| **출력**: | ||||
| ``` | ||||
| Generated in 10.96854019165039 seconds. | ||||
| Sure. Here is a function that does that.\n\ndef bytes_to_giga(bytes):\n   return bytes / 1024 / 1024 / 1024\n\nAnswer: Sure. Here is a function that does that.\n\ndef | ||||
| ```` | ||||
|  | ||||
| 이전과 동일한 출력을 얻고 있지만, 이번에는 모델이 답변을 여러 번 반복하여 60개의 토큰이 잘릴 때까지 계속됩니다. 시연을 위해 시스템 프롬프트를 10번 반복했기 때문에 모델이 스스로 반복하도록 유도한 결과입니다. 이는 놀라운 일이 아닙니다. | ||||
|  | ||||
| **참고** 실제 응용에서는 시스템 프롬프트를 10번 반복할 필요가 없습니다. 한 번만 사용하면 충분합니다! | ||||
|  | ||||
| 최대 GPU 메모리 요구량을 측정해 봅시다. | ||||
|  | ||||
| ```python | ||||
| bytes_to_giga_bytes(torch.cuda.max_memory_allocated()) | ||||
| ``` | ||||
|  | ||||
| **출력**: | ||||
| ```bash | ||||
| 37.668193340301514 | ||||
| ``` | ||||
|  | ||||
| 보시다시피 최대 GPU 메모리 요구량이 처음보다 상당히 높아졌습니다. 이는 주로 입력 시퀀스가 길어졌기 때문입니다. 또한 생성 시간이 이제 1분을 넘어갑니다. | ||||
|  | ||||
| 다음 실험을 위해 `flush()`를 호출하여 GPU 메모리를 초기화합니다. | ||||
|  | ||||
| ```python | ||||
| flush() | ||||
| ``` | ||||
|  | ||||
| 비교를 위해, 동일한 기능을 실행하되 플래시 어텐션을 활성화해 보겠습니다. | ||||
| 이를 위해 모델을 [BetterTransformer](https://huggingface.co/docs/optimum/bettertransformer/overview)로 변환하고, 이를 통해 PyTorch의 [SDPA self-attention](https://pytorch.org/docs/master/generated/torch.nn.functional.scaled_dot_product_attention)을 활성화하면 플래시 어텐션을 사용할 수 있습니다. | ||||
|  | ||||
| ```python | ||||
| model.to_bettertransformer() | ||||
| ``` | ||||
|  | ||||
| 이제 이전과 동일한 코드 스니펫을 실행하면, 내부적으로 Transformers가 플래시 어텐션을 사용할 것입니다. | ||||
|  | ||||
| ```py | ||||
| start_time = time.time() | ||||
| with torch.backends.cuda.sdp_kernel(enable_flash=True, enable_math=False, enable_mem_efficient=False): | ||||
|     result = pipe(long_prompt, max_new_tokens=60)[0]["generated_text"][len(long_prompt):] | ||||
|  | ||||
| print(f"Generated in {time.time() - start_time} seconds.") | ||||
| result | ||||
| ``` | ||||
|  | ||||
| **출력**: | ||||
| ``` | ||||
| Generated in 3.0211617946624756 seconds. | ||||
|  Sure. Here is a function that does that.\n\ndef bytes_to_giga(bytes):\n   return bytes / 1024 / 1024 / 1024\n\nAnswer: Sure. Here is a function that does that.\n\ndef | ||||
| ``` | ||||
|  | ||||
| 이전과 동일한 결과를 얻었지만, 플래시 어텐션 덕분에 매우 큰 속도 향상을 관찰할 수 있습니다. | ||||
|  | ||||
| 메모리 소비량을 마지막으로 한 번 더 측정해 봅시다. | ||||
|  | ||||
| ```python | ||||
| bytes_to_giga_bytes(torch.cuda.max_memory_allocated()) | ||||
| ``` | ||||
|  | ||||
| **출력**: | ||||
| ``` | ||||
| 32.617331981658936 | ||||
| ``` | ||||
|  | ||||
| 그리고 우리는 처음에 보았던 GPU 메모리 요구량인 29GB로 돌아왔습니다. | ||||
|  | ||||
| 플래시 어텐션을 사용하여 매우 긴 입력 시퀀스를 전달할 때 처음에 짧은 입력 시퀀스를 전달했을 때와 비교하여 약 100MB 정도의 GPU 메모리를 더 사용한다는 것을 관찰할 수 있습니다. | ||||
|  | ||||
| ```py | ||||
| flush() | ||||
| ``` | ||||
|  | ||||
| 플래시 어텐션 사용에 대한 자세한 정보는 [이 문서 페이지](https://huggingface.co/docs/transformers/en/perf_infer_gpu_one#flashattention-2)를 참조해 주세요. | ||||
|  | ||||
| ## 3. 아키텍처 혁신 [[3-architectural-innovations]] | ||||
|  | ||||
| 지금까지 우리는 계산 및 메모리 효율성을 개선하기 위해 다음을 살펴보았습니다: | ||||
|  | ||||
| -   가중치를 낮은 정밀도 형식으로 변환 | ||||
| -   셀프 어텐션 알고리즘을 보다 더 메모리 및 계산 효율적인 버전으로 교체 | ||||
|  | ||||
| 이제 긴 텍스트 입력이 필요한 작업에 가장 효과적이고 효율적인 대규모 언어 모델 아키텍처로 변경하는 방법을 살펴보겠습니다. 작업의 예시는 다음과 같습니다: | ||||
| -   검색 증강 질의 응답 | ||||
| -   요약 | ||||
| -   채팅 | ||||
|  | ||||
| *채팅*을 위해서는 대규모 언어 모델이 긴 텍스트 입력을 처리하는 것뿐만 아니라 사용자와 어시스턴트 간의 대화도 효율적으로 처리할 수 있어야 합니다(예: ChatGPT). | ||||
|  | ||||
| 한번 학습된 후에는 대규모 언어 모델의 기본 아키텍처를 변경하기 어렵기 때문에, 대규모 언어 모델의 작업에 대한 고려를 미리 하고 이에 따라 모델의 아키텍처를 최적화하는 것이 중요합니다. 긴 입력 시퀀스에 대해 메모리 또는 성능의 병목 현상을 빠르게 발생시키는 모델 아키텍처의 중요한 두 가지 구성 요소가 있습니다. | ||||
|  | ||||
| -   위치 임베딩 | ||||
| -   키-값 캐시 | ||||
|  | ||||
| 각 구성 요소를 더 자세히 살펴보겠습니다. | ||||
|  | ||||
| ### 3.1 대규모 언어 모델의 위치 임베딩 개선 [[31-improving-positional-embeddings-of-llms]] | ||||
|  | ||||
| 셀프 어텐션은 각 토큰을 서로의 토큰과 연관시킵니다. | ||||
| 예를 들어, 텍스트 입력 시퀀스 *"Hello", "I", "love", "you"*의 \\( \text{Softmax}(\mathbf{QK}^T) \\) 행렬은 다음과 같을 수 있습니다: | ||||
|  | ||||
|  | ||||
|  | ||||
| 각 단어 토큰은 다른 모든 단어 토큰에 주의를 기울이는 확률 질량을 부여받아 모든 다른 단어 토큰과 관계를 맺게 됩니다. 예를 들어, 단어 *"love"*는 단어 *"Hello"*에 5%, *"I"*에 30%, 그리고 자신에게 65%의 주의를 기울입니다. | ||||
|  | ||||
| 셀프 어텐션 기반 대규모 언어 모델이 위치 임베딩이 없는 경우 텍스트 입력의 위치를 이해하는 데 큰 어려움을 겪을 것입니다. 이는 \\( \mathbf{QK}^T \\)에 의해 계산된 확률 점수가 상대적 위치 거리에 상관없이 각 단어 토큰을 다른 모든 단어 토큰과 \\( O(1) \\) 계산으로 연관시키기 때문입니다. 따라서 위치 임베딩이 없는 대규모 언어 모델은 각 토큰이 다른 모든 토큰과 동일한 거리에 있는 것으로 나타나기 때문에, *"Hello I love you"*와 *"You love I hello"*를 구분하는 것이 매우 어렵습니다. | ||||
|  | ||||
| 대규모 언어 모델이 문장의 순서를 이해하려면 추가적인 *단서*가 필요하며, 이는 일반적으로 *위치 인코딩* (또는 *위치 임베딩*이라고도 함)의 형태로 적용됩니다.  | ||||
| 위치 인코딩은 각 토큰의 위치를 숫자 표현으로 인코딩하여 대규모 언어 모델이 문장의 순서를 더 잘 이해할 수 있도록 도와줍니다. | ||||
|  | ||||
| [*Attention Is All You Need*](https://arxiv.org/abs/1706.03762) 논문의 저자들은 사인 함수 기반의 위치 임베딩 \\( \mathbf{P} = \mathbf{p}_1, \ldots, \mathbf{p}_N \\)을 도입했습니다. 각 벡터 \\( \mathbf{p}_i \\)는 위치 \\( i \\)의 사인 함수로 계산됩니다. 위치 인코딩은 입력 시퀀스 벡터에 단순히 더해져 \\( \mathbf{\hat{X}} = \mathbf{\hat{x}}_1, \ldots, \mathbf{\hat{x}}_N \\) = \\( \mathbf{x}_1 + \mathbf{p}_1, \ldots, \mathbf{x}_N + \mathbf{p}_N \\) 모델이 문장 순서를 더 잘 학습할 수 있도록 합니다. | ||||
|  | ||||
| 고정된 위치 임베딩 대신 [Devlin et al.](https://arxiv.org/abs/1810.04805)과 같은 다른 연구자들은 학습된 위치 인코딩을 사용했습니다. 이 경우 위치 임베딩 \\( \mathbf{P} \\)은 학습 중에 사용됩니다. | ||||
|  | ||||
| 사인 함수 및 학습된 위치 임베딩은 문장 순서를 대규모 언어 모델에 인코딩하는 주요 방법이었지만, 이러한 위치 인코딩과 관련된 몇 가지 문제가 발견되었습니다: | ||||
|  | ||||
|   1. 사인 함수와 학습된 위치 임베딩은 모두 절대 위치 임베딩으로, 각 위치 ID \\( 0, \ldots, N \\)에 대해 고유한 임베딩을 인코딩합니다. [Huang et al.](https://arxiv.org/abs/2009.13658) 및 [Su et al.](https://arxiv.org/abs/2104.09864)의 연구에 따르면, 절대 위치 임베딩은 긴 텍스트 입력에 대해 대규모 언어 모델 성능이 저하됩니다. 긴 텍스트 입력의 경우, 모델이 절대 위치 대신 입력 토큰 간의 상대적 위치 거리를 학습하는 것이 유리합니다. | ||||
|   2. 학습된 위치 임베딩을 사용할 때, 대규모 언어 모델은 고정된 입력 길이 \\( N \\)으로 학습되어야 하므로, 학습된 입력 길이보다 더 긴 입력 길이에 대해 추론하는 것이 어렵습니다. | ||||
|  | ||||
| 최근에는 위에서 언급한 문제를 해결할 수 있는 상대적 위치 임베딩이 더 인기를 끌고 있습니다. 특히 다음과 같은 방법들이 주목받고 있습니다: | ||||
|  | ||||
| -   [Rotary Position Embedding (RoPE)](https://arxiv.org/abs/2104.09864) | ||||
| -   [ALiBi](https://arxiv.org/abs/2108.12409) | ||||
|  | ||||
| *RoPE*와 *ALiBi*는 모두 셀프 어텐션 알고리즘 내에서 직접적으로 문장 순서를 모델에게 알려주는 것이 최선이라고 주장합니다. 이는 단어 토큰이 서로 관계를 맺는 곳이기 때문입니다. 구체적으로, 문장 순서를 \\( \mathbf{QK}^T \\) 계산을 수정하는 방식으로 알려주어야 한다는 것입니다.  | ||||
|  | ||||
| 너무 많은 세부 사항을 다루지 않고, *RoPE*는 위치 정보를 쿼리-키 쌍에 인코딩할 수 있다고 지적합니다. 예를 들어, 각 벡터 \\( \mathbf{q}_i \\)와 \\( \mathbf{x}_j \\)를 각각 \\( \theta * i \\)와 \\( \theta * j \\)의 각도로 회전시킴으로써 다음과 같이 표현할 수 있습니다: | ||||
|  | ||||
| $$ \mathbf{\hat{q}}_i^T \mathbf{\hat{x}}_j = \mathbf{{q}}_i^T \mathbf{R}_{\theta, i -j} \mathbf{{x}}_j. $$ | ||||
|  | ||||
| 여기서 \\( \mathbf{R}_{\theta, i - j} \\)는 회전 행렬을 나타냅니다. \\( \theta \\)는 훈련 중에 *학습되지 않으며*, 대신 학습 중 최대 입력 시퀀스 길이에 따라 사전 정의된 값으로 설정됩니다. | ||||
|  | ||||
| > 이렇게 함으로써 \\( \mathbf{q}_i \\)와 \\( \mathbf{q}_j \\) 간의 확률 점수는 \\( i \ne j \\)인 경우에만 영향을 받으며, 각 벡터의 특정 위치 \\( i \\)와 \\( j \\)와는 상관없이 오직 상대적 거리 \\( i - j \\)에만 의존하게 됩니다. | ||||
|  | ||||
| *RoPE*는 현재 여러 중요한 대규모 언어 모델이 사용되고 있습니다. 예를 들면: | ||||
|  | ||||
| -   [**Falcon**](https://huggingface.co/tiiuae/falcon-40b) | ||||
| -   [**Llama**](https://arxiv.org/abs/2302.13971) | ||||
| -   [**PaLM**](https://arxiv.org/abs/2204.02311) | ||||
|  | ||||
| 대안으로, *ALiBi*는 훨씬 더 간단한 상대적 위치 인코딩 방식을 제안합니다. 입력 토큰 간의 상대적 거리를 음수인 정수로서 사전 정의된 값 `m`으로 스케일링하여 \\( \mathbf{QK}^T \\) 행렬의 각 쿼리-키 항목에 소프트맥스 계산 직전에 추가합니다. | ||||
|  | ||||
|  | ||||
|  | ||||
| [ALiBi](https://arxiv.org/abs/2108.12409) 논문에서 보여주듯이, 이 간단한 상대적 위치 인코딩은 매우 긴 텍스트 입력 시퀀스에서도 모델이 높은 성능을 유지할 수 있게 합니다. | ||||
|  | ||||
| *ALiBi*는 현재 여러 중요한 대규모 언어 모델 모델이 사용하고 있습니다. 예를 들면: | ||||
|  | ||||
| -   [**MPT**](https://huggingface.co/mosaicml/mpt-30b) | ||||
| -   [**BLOOM**](https://huggingface.co/bigscience/bloom) | ||||
|  | ||||
| *RoPE*와 *ALiBi* 위치 인코딩은 모두 학습 중에 보지 못한 입력 길이에 대해 확장할 수 있으며, *ALiBi*가 *RoPE*보다 더 잘 확장되는 것으로 나타났습니다. *ALiBi*의 경우, 하삼각 위치 행렬의 값을 입력 시퀀스 길이에 맞추어 증가시키기만 하면 됩니다. *RoPE*의 경우, 학습 중에 사용된 동일한 \\( \theta \\)를 유지하면 학습 중에 보지 못한 매우 긴 텍스트 입력을 전달할 때 성능이 저하됩니다(참고: [Press et al.](https://arxiv.org/abs/2108.12409)). 그러나 커뮤니티는 \\( \theta \\)를 조정하는 몇 가지 효과적인 트릭을 찾아냈으며, 이를 통해 *RoPE* 위치 임베딩이 확장된 텍스트 입력 시퀀스에서도 잘 작동할 수 있게 되었습니다(참고: [here](https://github.com/huggingface/transformers/pull/24653)). | ||||
|  | ||||
| > RoPE와 ALiBi는 모두 훈련 중에 *학습되지 않는* 상대적 위치 임베딩으로 다음과 같은 직관에 기반합니다: | ||||
|  -   텍스트 입력에 대한 위치 단서는 셀프 어텐션 레이어의 \\( QK^T \\) 행렬에 직접 제공되어야 합니다. | ||||
|  -   대규모 언어 모델은 일정한 *상대적* 거리 위치 인코딩을 서로 학습하도록 유도되어야 합니다. | ||||
|  -   텍스트 입력 토큰 간의 거리가 멀어질수록, 그들의 쿼리-값 확률은 낮아져야 합니다. RoPE와 ALiBi는 서로 멀리 떨어진 토큰의 쿼리-키 확률을 낮춥니다. RoPE는 쿼리-키 벡터 간의 각도를 증가시켜 벡터 곱을 감소시키는 방식으로, ALiBi는 벡터 곱에 큰 음수를 추가하는 방식으로 이 작업을 수행합니다. | ||||
|  | ||||
| 결론적으로, 큰 텍스트 입력을 처리해야 하는 작업에 배포될 예정인  대규모 언어 모델은 RoPE와 ALiBi와 같은 상대적 위치 임베딩으로 훈련하는 것이 더 좋습니다. 또한 RoPE와 ALiBi를 사용하여 훈련된  대규모 언어 모델이 고정 길이 \\( N_1 = 2048 \\)에서만 훈련되었더라도 위치 임베딩을 외삽하여 \\( N_1 \\)보다 훨씬 큰 텍스트 입력 \\( N_2 = 8192 > N_1 \\)로 실습에서 사용할 수 있음을 유의하세요. | ||||
|  | ||||
| ### 3.2 키-값 캐시 [[32-the-key-value-cache]] | ||||
|  | ||||
| 대규모 언어 모델을 이용한 자기회귀 텍스트 생성은 입력 시퀀스를 반복적으로 넣고, 다음 토큰을 샘플링하며, 그 다음 토큰을 입력 시퀀스에 추가하고, 대규모 언어 모델이 생성을 완료했다는 토큰을 생성할 때까지 이를 계속 수행하는 방식으로 작동합니다. | ||||
|  | ||||
| 자기회귀 생성이 어떻게 작동하는지에 대한 시각적 설명을 보려면 [Transformer's Generate Text Tutorial](https://huggingface.co/docs/transformers/llm_tutorial#generate-text)을 참조하세요. | ||||
|  | ||||
| 자기회귀 생성이 실제로 어떻게 작동하는지 보여주는 간단한 코드 스니펫을 실행해 보겠습니다. 여기서는 `torch.argmax`를 통해 가장 가능성이 높은 다음 토큰을 가져올 것입니다. | ||||
|  | ||||
| ```python | ||||
| input_ids = tokenizer(prompt, return_tensors="pt")["input_ids"].to("cuda") | ||||
|  | ||||
| for _ in range(5): | ||||
|   next_logits = model(input_ids)["logits"][:, -1:] | ||||
|   next_token_id = torch.argmax(next_logits,dim=-1) | ||||
|  | ||||
|   input_ids = torch.cat([input_ids, next_token_id], dim=-1) | ||||
|   print("shape of input_ids", input_ids.shape) | ||||
|  | ||||
| generated_text = tokenizer.batch_decode(input_ids[:, -5:]) | ||||
| generated_text | ||||
| ``` | ||||
|  | ||||
| **출력**: | ||||
| ``` | ||||
| shape of input_ids torch.Size([1, 21]) | ||||
| shape of input_ids torch.Size([1, 22]) | ||||
| shape of input_ids torch.Size([1, 23]) | ||||
| shape of input_ids torch.Size([1, 24]) | ||||
| shape of input_ids torch.Size([1, 25]) | ||||
| [' Here is a Python function'] | ||||
| ``` | ||||
|  | ||||
| 보시다시피 샘플링된 토큰에 의해 텍스트 입력 토큰을 매번 증가시킵니다. | ||||
|  | ||||
| 매우 예외적인 경우를 제외하고, 대규모 언어 모델은 [인과적인 언어 모델링 목표](https://huggingface.co/docs/transformers/tasks/language_modeling#causal-language-modeling)를 사용하여 학습되므로 어텐션 점수의 상삼각 행렬을 마스킹합니다. 이것이 위의 두 다이어그램에서 어텐션 점수가 비어 있는 이유입니다 (즉, 0 확률을 가짐). 인과 언어 모델링에 대한 빠른 요약은 [*Illustrated Self Attention 블로그*](https://jalammar.github.io/illustrated-gpt2/#part-2-illustrated-self-attention)를 참조할 수 있습니다. | ||||
|  | ||||
| 결과적으로, 토큰은 *절대* 이전 토큰에 의존하지 않습니다. 더 구체적으로는 \\( \mathbf{q}_i \\) 벡터가 \\( j > i \\)인 경우 어떤 키, 값 벡터 \\( \mathbf{k}_j, \mathbf{v}j \\)와도 연관되지 않습니다. 대신 \\( \mathbf{q}i \\)는 이전의 키-값 벡터 \\( \mathbf{k}{m < i}, \mathbf{v}{m < i} \text{ , for } m \in {0, \ldots i - 1} \\)에만 주의를 기울입니다. 불필요한 계산을 줄이기 위해 각 층의 키-값 벡터를 모든 이전 시간 단계에 대해 캐시할 수 있습니다. | ||||
|  | ||||
| 다음으로, 대규모 언어 모델이 각 포워드 패스마다 키-값 캐시를 검색하고 전달하여 이를 활용하도록 합니다.  | ||||
| Transformers에서는 `forward` 호출에 `use_cache` 플래그를 전달하여 키-값 캐시를 검색한 다음 현재 토큰과 함께 전달할 수 있습니다. | ||||
|  | ||||
| ```python | ||||
| past_key_values = None # past_key_values 는 키-값 캐시를 의미 | ||||
| generated_tokens = [] | ||||
| next_token_id = tokenizer(prompt, return_tensors="pt")["input_ids"].to("cuda") | ||||
|  | ||||
| for _ in range(5): | ||||
|   next_logits, past_key_values = model(next_token_id, past_key_values=past_key_values, use_cache=True).to_tuple() | ||||
|   next_logits = next_logits[:, -1:] | ||||
|   next_token_id = torch.argmax(next_logits, dim=-1) | ||||
|  | ||||
|   print("shape of input_ids", next_token_id.shape) | ||||
|   print("length of key-value cache", len(past_key_values[0][0]))  # past_key_values 형태: [num_layers, 0 for k, 1 for v, batch_size, length, hidden_dim] | ||||
|   generated_tokens.append(next_token_id.item()) | ||||
|  | ||||
| generated_text = tokenizer.batch_decode(generated_tokens) | ||||
| generated_text | ||||
| ``` | ||||
|  | ||||
| **출력**: | ||||
| ``` | ||||
| shape of input_ids torch.Size([1, 1]) | ||||
| length of key-value cache 20 | ||||
| shape of input_ids torch.Size([1, 1]) | ||||
| length of key-value cache 21 | ||||
| shape of input_ids torch.Size([1, 1]) | ||||
| length of key-value cache 22 | ||||
| shape of input_ids torch.Size([1, 1]) | ||||
| length of key-value cache 23 | ||||
| shape of input_ids torch.Size([1, 1]) | ||||
| length of key-value cache 24 | ||||
| [' Here', ' is', ' a', ' Python', ' function'] | ||||
| ``` | ||||
|  | ||||
| 키-값 캐시를 사용할 때, 텍스트 입력 토큰의 길이는 *증가하지 않고* 단일 입력 벡터로 유지되는 것을 볼 수 있습니다. 반면에 키-값 캐시의 길이는 각 디코딩 단계마다 하나씩 증가합니다. | ||||
|  | ||||
| > 키-값 캐시를 사용하면 \\( \mathbf{QK}^T \\)가 본질적으로 \\( \mathbf{q}_c\mathbf{K}^T \\)로 줄어드는데, 여기서 \\( \mathbf{q}_c \\)는 현재 전달된 입력 토큰의 쿼리 프로젝션으로, *항상* 단일 벡터입니다. | ||||
|  | ||||
| 키-값 캐시를 사용하는 것에는 두 가지 장점이 있습니다: | ||||
| -   전체 \\( \mathbf{QK}^T \\) 행렬을 계산하는 것과 비교하여 계산 효율성이 크게 향상됩니다. 이는 추론 속도의 증가로 이어집니다. | ||||
| -   생성된 토큰 수에 따라 필요한 최대 메모리가 이차적으로 증가하지 않고, 선형적으로만 증가합니다. | ||||
|  | ||||
| > 더 긴 입력 시퀀스에 대해 동일한 결과와 큰 속도 향상을 가져오기 때문에 키-값 캐시를 *항상* 사용해야 합니다. Transformers는 텍스트 파이프라인이나 [`generate` 메서드](https://huggingface.co/docs/transformers/main_classes/text_generation)를 사용할 때 기본적으로 키-값 캐시를 활성화합니다. | ||||
|  | ||||
| <Tip warning={true}> | ||||
|  | ||||
| 참고로, 키-값 캐시를 사용할 것을 권장하지만, 이를 사용할 때 LLM 출력이 약간 다를 수 있습니다. 이것은 행렬 곱셈 커널 자체의 특성 때문입니다 -- 더 자세한 내용은 [여기](https://github.com/huggingface/transformers/issues/25420#issuecomment-1775317535)에서 읽어볼 수 있습니다. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| #### 3.2.1 멀티 라운드 대화 [[321-multi-round-conversation]] | ||||
|  | ||||
| 키-값 캐시는 여러 번의 자기회귀 디코딩이 필요한 채팅과 같은 애플리케이션에 특히 유용합니다. 예제를 살펴보겠습니다. | ||||
|  | ||||
| ``` | ||||
| User: How many people live in France? | ||||
| Assistant: Roughly 75 million people live in France | ||||
| User: And how many are in Germany? | ||||
| Assistant: Germany has ca. 81 million inhabitants | ||||
| ``` | ||||
|  | ||||
| 이 채팅에서 대규모 언어 모델은 두 번의 자기회귀 디코딩을 실행합니다: | ||||
|   1. 첫 번째로, 키-값 캐시는 비어 있고 입력 프롬프트는 `"User: How many people live in France?"`입니다. 모델은 자기회귀적으로 `"Roughly 75 million people live in France"`라는 텍스트를 생성하며 디코딩 단계마다 키-값 캐시를 증가시킵니다. | ||||
|   2. 두 번째로, 입력 프롬프트는 `"User: How many people live in France? \n Assistant: Roughly 75 million people live in France \n User: And how many in Germany?"`입니다. 캐시 덕분에 첫 번째 두 문장에 대한 모든 키-값 벡터는 이미 계산되어 있습니다. 따라서 입력 프롬프트는 `"User: And how many in Germany?"`로만 구성됩니다. 줄어든 입력 프롬프트를 처리하는 동안 계산된 키-값 벡터가 첫 번째 디코딩의 키-값 캐시에 연결됩니다. 두 번째 어시스턴트의 답변인 `"Germany has ca. 81 million inhabitants"`는 `"User: How many people live in France? \n Assistant: Roughly 75 million people live in France \n User: And how many are in Germany?"`의 인코딩된 키-값 벡터로 구성된 키-값 캐시를 사용하여 자기회귀적으로 생성됩니다. | ||||
|  | ||||
| 여기서 두 가지를 주목해야 합니다: | ||||
|   1. 대규모 언어 모델이 대화의 모든 이전 문맥을 이해할 수 있도록 모든 문맥을 유지하는 것이 채팅에 배포된 대규모 언어 모델에서는 매우 중요합니다. 예를 들어, 위의 예에서 대규모 언어 모델은 사용자가 `"And how many are in Germany"`라고 물을 때 인구를 언급하고 있음을 이해해야 합니다. | ||||
|   2. 키-값 캐시는 채팅에서 매우 유용합니다. 이는 인코딩된 채팅 기록을 처음부터 다시 인코딩할 필요 없이 계속해서 확장할 수 있게 해주기 때문입니다(예: 인코더-디코더 아키텍처를 사용할 때와 같은 경우). | ||||
|  | ||||
| `transformers`에서 `generate` 호출은 기본적으로 `use_cache=True`와 함께 `return_dict_in_generate=True`를 전달하면 `past_key_values`를 반환합니다. 이는 아직 `pipeline` 인터페이스를 통해서는 사용할 수 없습니다. | ||||
|  | ||||
| ```python | ||||
| # 일반적인 생성 | ||||
| prompt = system_prompt + "Question: Please write a function in Python that transforms bytes to Giga bytes.\n\nAnswer: Here" | ||||
| model_inputs = tokenizer(prompt, return_tensors='pt') | ||||
| generation_output = model.generate(**model_inputs, max_new_tokens=60, return_dict_in_generate=True) | ||||
| decoded_output = tokenizer.batch_decode(generation_output.sequences)[0] | ||||
|  | ||||
| # 리턴된 `past_key_values`를 파이프라인화하여 다음 대화 라운드를 가속화 | ||||
| prompt = decoded_output + "\nQuestion: How can I modify the function above to return Mega bytes instead?\n\nAnswer: Here" | ||||
| model_inputs = tokenizer(prompt, return_tensors='pt') | ||||
| generation_output = model.generate( | ||||
|   **model_inputs, | ||||
|   past_key_values=generation_output.past_key_values, | ||||
|   max_new_tokens=60, | ||||
|   return_dict_in_generate=True | ||||
| ) | ||||
| tokenizer.batch_decode(generation_output.sequences)[0][len(prompt):] | ||||
| ``` | ||||
|  | ||||
| **출력**: | ||||
| ``` | ||||
|  is a modified version of the function that returns Mega bytes instead. | ||||
|  | ||||
| def bytes_to_megabytes(bytes): | ||||
|    return bytes / 1024 / 1024 | ||||
|  | ||||
| Answer: The function takes a number of bytes as input and returns the number of | ||||
| ``` | ||||
|  | ||||
| 훌륭합니다. 어텐션 층의 동일한 키와 값을 다시 계산하는 데 추가 시간이 소요되지 않습니다! 그러나 한 가지 문제가 있습니다. \\( \mathbf{QK}^T \\) 행렬에 필요한 최대 메모리는 크게 줄어들지만, 긴 입력 시퀀스나 다회차 채팅의 경우 키-값 캐시를 메모리에 보관하는 것이 매우 메모리 집약적이 될 수 있습니다. 키-값 캐시는 모든 자기 어텐션 층과 모든 어텐션 헤드에 대해 이전 입력 벡터 \\( \mathbf{x}_i \text{, for } i \in {1, \ldots, c - 1} \\)의 키-값 벡터를 저장해야 한다는 점을 기억하세요. | ||||
|  | ||||
| 이전에 사용한 대규모 언어 모델 `bigcode/octocoder`에 대해 키-값 캐시에 저장해야 하는 부동 소수점 값의 수를 계산해 봅시다. | ||||
| 부동 소수점 값의 수는 시퀀스 길이의 두 배의 어텐션 헤드 수, 어텐션 헤드 차원, 레이어 수를 곱한 값입니다. | ||||
| 가상의 입력 시퀀스 길이 16000에서 대규모 언어 모델에 대해 이를 계산하면 다음과 같습니다. | ||||
|  | ||||
| ```python | ||||
| config = model.config | ||||
| 2 * 16_000 * config.n_layer * config.n_head * config.n_embd // config.n_head | ||||
| ``` | ||||
|  | ||||
| **출력**: | ||||
| ``` | ||||
| 7864320000 | ||||
| ``` | ||||
|  | ||||
| 대략 80억 개의 부동 소수점 값입니다! `float16` 정밀도로 80억 개의 부동 소수점 값을 저장하는 데는 약 15GB의 RAM이 필요하며, 이는 모델 가중치 자체의 절반 정도입니다. | ||||
| 연구자들은 키-값 캐시를 저장하는 데 필요한 메모리 비용을 크게 줄일 수 있는 두 가지 방법을 제안했으며, 이는 다음 절에서 살펴보겠습니다. | ||||
|  | ||||
| #### 3.2.2 멀티 쿼리 어텐션 (MQA) [[322-multi-query-attention-mqa]] | ||||
|  | ||||
| [멀티 쿼리 어텐션 (MQA)](https://arxiv.org/abs/1911.02150)은 Noam Shazeer의 *Fast Transformer Decoding: One Write-Head is All You Need* 논문에서 제안되었습니다. 제목에서 알 수 있듯이, Noam은 `n_head` 키-값 프로젝션 가중치 대신, 모든 어텐션 헤드에서 공유되는 단일 헤드-값 프로젝션 가중치를 사용할 수 있으며, 이를 통해 모델 성능이 크게 저하되지 않는다는 것을 발견했습니다. | ||||
|  | ||||
| > 단일 헤드-값 프로젝션 가중치를 사용함으로써, 키-값 벡터 \\( \mathbf{k}_i, \mathbf{v}_i \\)는 모든 어텐션 헤드에서 동일해야 하며, 이는 캐시에 `n_head` 개 대신 하나의 키-값 프로젝션 쌍만 저장하면 된다는 것을 의미합니다. | ||||
|  | ||||
| 대부분의 대규모 언어 모델이 20에서 100 사이의 어텐션 헤드를 사용하기 때문에, MQA는 키-값 캐시의 메모리 소비를 크게 줄입니다. 이 노트북에서 사용된 대규모 언어 모델의 경우, 입력 시퀀스 길이 16000에서 필요한 메모리 소비를 15GB에서 400MB 미만으로 줄일 수 있습니다. | ||||
|  | ||||
| 메모리 절감 외에도, MQA는 계산 효율성도 향상시킵니다. 다음과 같이 설명합니다. | ||||
| 자기회귀 디코딩에서는 큰 키-값 벡터를 다시 로드하고, 현재 키-값 벡터 쌍과 연결한 후 \\( \mathbf{q}_c\mathbf{K}^T \\) 계산에 매 단계마다 입력해야 합니다. 자기회귀 디코딩의 경우, 지속적인 재로드에 필요한 메모리 대역폭이 심각한 시간 병목 현상을 가져올 수 있습니다. 키-값 벡터의 크기를 줄이면 접근해야 하는 메모리 양이 줄어들어 메모리 대역폭 병목 현상이 감소합니다. 자세한 내용은 [Noam의 논문](https://arxiv.org/abs/1911.02150)을 참조하세요. | ||||
|  | ||||
| 여기서 이해해야 할 중요한 부분은 키-값 어텐션 헤드 수를 1로 줄이는 것이 키-값 캐시를 사용할 때만 의미가 있다는 것입니다. 키-값 캐시 없이 단일 포워드 패스에 대한 모델의 최대 메모리 소비는 변경되지 않으며, 각 어텐션 헤드는 여전히 고유한 쿼리 벡터를 가지므로 각 어텐션 헤드는 여전히 다른 \\( \mathbf{QK}^T \\) 행렬을 가집니다. | ||||
|  | ||||
| MQA는 커뮤니티에서 널리 채택되어 현재 가장 인기 있는 많은 대규모 언어 모델에서 사용되고 있습니다. | ||||
|  | ||||
| -   [**Falcon**](https://huggingface.co/tiiuae/falcon-40b) | ||||
| -   [**PaLM**](https://arxiv.org/abs/2204.02311) | ||||
| -   [**MPT**](https://huggingface.co/mosaicml/mpt-30b) | ||||
| -   [**BLOOM**](https://huggingface.co/bigscience/bloom) | ||||
|  | ||||
| 또한, 이 노트북에서 사용된 체크포인트 `bigcode/octocoder`는 MQA를 사용합니다. | ||||
|  | ||||
| #### 3.2.3 그룹 쿼리 어텐션 (GQA) [[323-grouped-query-attention-gqa]] | ||||
|  | ||||
| [그룹 쿼리 어텐션 (GQA)](https://arxiv.org/abs/2305.13245)은 Google의 Ainslie 등의 연구진들에 의해 제안되었습니다. 그들은 MQA를 사용하는 것이 종종 일반적인 멀티 키-값 헤드 프로젝션을 사용하는 것보다 품질 저하를 가져올 수 있다는 것을 발견했습니다. 이 논문은 쿼리 헤드 프로젝션 가중치의 수를 너무 극단적으로 줄이는 대신, 더 많은 모델 성능을 유지할 수 있다고 주장합니다. 단일 키-값 프로젝션 가중치 대신, `n < n_head` 키-값 프로젝션 가중치를 사용해야 합니다. `n_head`보다 훨씬 작은 `n`값, 예를 들어 2, 4 또는 8을 선택하면, MQA의 거의 모든 메모리 및 속도 이점을 유지하면서 모델 용량을 덜 희생하고 따라서 성능 저하를 줄일 수 있습니다. | ||||
|  | ||||
| 또한, GQA의 저자들은 기존 모델 체크포인트를 원래 사전 학습 계산의 5% 정도의 적은 양으로 GQA 아키텍처로 *업트레이닝*할 수 있음을 발견했습니다. 원래 사전 학습 계산의 5%가 여전히 엄청난 양일 수 있지만, GQA *업트레이닝*은 기존 체크포인트가 더 긴 입력 시퀀스에서도 유용하도록 합니다. | ||||
|  | ||||
| GQA는 최근에 제안되었기 때문에 이 노트북을 작성할 당시에는 채택이 덜 되었습니다. | ||||
| GQA의 가장 주목할 만한 적용 사례는 [Llama-v2](https://huggingface.co/meta-llama/Llama-2-70b-hf)입니다. | ||||
|  | ||||
| > 결론적으로, 대규모 언어 모델이 자기회귀 디코딩으로 배포되면서 채팅과 같이 큰 입력 시퀀스를 가진 작업을 처리해야 하는 경우 GQA 또는 MQA를 사용하는 것이 강력히 권장됩니다. | ||||
|  | ||||
|  | ||||
| ## 결론 [[conclusion]] | ||||
|  | ||||
| 연구 커뮤니티는 점점 더 큰 대규모 언어 모델의 추론 시간을 가속화하기 위한 새로운 기발한 방법들을 끊임없이 찾아내고 있습니다. 예를 들어, [추측 디코딩](https://arxiv.org/abs/2211.17192)이라는 유망한 연구 방향이 있습니다. 여기서 "쉬운 토큰"은 더 작고 빠른 언어 모델에 의해 생성되고, "어려운 토큰"만 대규모 언어 모델 자체에 의해 생성됩니다. 자세한 내용은 이 노트북의 범위를 벗어나지만, [멋진 블로그 포스트](https://huggingface.co/blog/assisted-generation)에서 읽어볼 수 있습니다. | ||||
|  | ||||
| GPT3/4, Llama-2-70b, Claude, PaLM과 같은 거대한 대규모 언어 모델이 [Hugging Face Chat](https://huggingface.co/chat/) 또는 ChatGPT와 같은 채팅 인터페이스에서 빠르게 실행될 수 있는 이유는 위에서 언급한 정밀도, 알고리즘, 아키텍처의 개선 덕분입니다. 앞으로 GPU, TPU 등과 같은 가속기는 점점 더 빨라지고 더 많은 메모리를 사용할 것입니다. 따라서 가장 좋은 알고리즘과 아키텍처를 사용하여 최고의 효율을 얻는 것이 중요합니다 🤗 | ||||
| @ -1,134 +0,0 @@ | ||||
| <!--Copyright 2023 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # 에이전트 & 도구 [[agents-tools]] | ||||
|  | ||||
| <Tip warning={true}> | ||||
|  | ||||
| Transformers Agent는 실험 중인 API이므로 언제든지 변경될 수 있습니다.  | ||||
| API나 기반 모델이 자주 업데이트되므로, 에이전트가 제공하는 결과물은 달라질 수 있습니다. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| 에이전트와 도구에 대해 더 알아보려면 [소개 가이드](../transformers_agents)를 꼭 읽어보세요.  | ||||
| 이 페이지에는 기본 클래스에 대한 API 문서가 포함되어 있습니다. | ||||
|  | ||||
| ## 에이전트 [[agents]] | ||||
|  | ||||
| 우리는 기본 [`Agent`] 클래스를 기반으로 두 가지 유형의 에이전트를 제공합니다: | ||||
| - [`CodeAgent`]는 한 번에 동작합니다. 작업을 해결하기 위해 코드를 생성한 다음, 바로 실행합니다. | ||||
| - [`ReactAgent`]는 단계별로 동작하며, 각 단계는 하나의 생각, 하나의 도구 호출 및 실행으로 구성됩니다. 이 에이전트에는 두 가지 클래스가 있습니다: | ||||
|   - [`ReactJsonAgent`]는 도구 호출을 JSON으로 작성합니다. | ||||
|   - [`ReactCodeAgent`]는 도구 호출을 Python 코드로 작성합니다. | ||||
|  | ||||
| ### Agent [[agent]] | ||||
|  | ||||
| [[autodoc]] Agent | ||||
|  | ||||
| ### CodeAgent [[codeagent]] | ||||
|  | ||||
| [[autodoc]] CodeAgent | ||||
|  | ||||
| ### React agents [[react-agents]] | ||||
|  | ||||
| [[autodoc]] ReactAgent | ||||
|  | ||||
| [[autodoc]] ReactJsonAgent | ||||
|  | ||||
| [[autodoc]] ReactCodeAgent | ||||
|  | ||||
| ## Tools [[tools]] | ||||
|  | ||||
| ### load_tool [[loadtool]] | ||||
|  | ||||
| [[autodoc]] load_tool | ||||
|  | ||||
| ### Tool [[tool]] | ||||
|  | ||||
| [[autodoc]] Tool | ||||
|  | ||||
| ### Toolbox [[toolbox]] | ||||
|  | ||||
| [[autodoc]] Toolbox | ||||
|  | ||||
| ### PipelineTool [[pipelinetool]] | ||||
|  | ||||
| [[autodoc]] PipelineTool | ||||
|  | ||||
| ### launch_gradio_demo [[launchgradiodemo]] | ||||
|  | ||||
| [[autodoc]] launch_gradio_demo | ||||
|  | ||||
| ### ToolCollection [[toolcollection]] | ||||
|  | ||||
| [[autodoc]] ToolCollection | ||||
|  | ||||
| ## 엔진 [[engines]] | ||||
|  | ||||
| 에이전트 프레임워크에서 사용할 수 있는 엔진을 자유롭게 만들고 사용할 수 있습니다. | ||||
| 이 엔진들은 다음과 같은 사양을 가지고 있습니다: | ||||
| 1. 입력(`List[Dict[str, str]]`)에 대한 [메시지 형식](../chat_templating.md)을 따르고 문자열을 반환해야 합니다. | ||||
| 2. 인수 `stop_sequences`에 시퀀스가 전달되기 *전에* 출력을 생성하는 것을 중지해야 합니다. | ||||
|  | ||||
| ### HfApiEngine [[HfApiEngine]] | ||||
|  | ||||
| 편의를 위해, 위의 사항을 구현하고 대규모 언어 모델 실행을 위해 추론 엔드포인트를 사용하는 `HfApiEngine`을 추가했습니다. | ||||
|  | ||||
| ```python | ||||
| >>> from transformers import HfApiEngine | ||||
|  | ||||
| >>> messages = [ | ||||
| ...   {"role": "user", "content": "Hello, how are you?"}, | ||||
| ...   {"role": "assistant", "content": "I'm doing great. How can I help you today?"}, | ||||
| ...   {"role": "user", "content": "No need to help, take it easy."}, | ||||
| ... ] | ||||
|  | ||||
| >>> HfApiEngine()(messages, stop_sequences=["conversation"]) | ||||
|  | ||||
| "That's very kind of you to say! It's always nice to have a relaxed " | ||||
| ``` | ||||
|  | ||||
| [[autodoc]] HfApiEngine | ||||
|  | ||||
|  | ||||
| ## 에이전트 유형 [[agent-types]] | ||||
|  | ||||
| 에이전트는 도구 간의 모든 유형의 객체를 처리할 수 있습니다; 도구는 완전히 멀티모달이므로 텍스트, 이미지, 오디오, 비디오 등 다양한 유형을 수락하고 반환할 수 있습니다.  | ||||
| 도구 간의 호환성을 높이고 ipython (jupyter, colab, ipython 노트북, ...)에서 이러한  | ||||
| 반환 값을 올바르게 렌더링하기 위해 이러한 유형을 중심으로 래퍼 클래스를  | ||||
| 구현합니다. | ||||
|  | ||||
| 래핑된 객체는 처음과 동일하게 작동해야 합니다; 텍스트 객체는 여전히 문자열로 작동해야 하며,  | ||||
| 이미지 객체는 여전히 `PIL.Image`로 작동해야 합니다. | ||||
|  | ||||
| 이러한 유형에는 세 가지 특정 목적이 있습니다: | ||||
|  | ||||
| - `to_raw`를 호출하면 기본 객체가 반환되어야 합니다. | ||||
| - `to_string`을 호출하면 객체가 문자열로 반환되어야 합니다:  | ||||
| `AgentText`의 경우 문자열이 될 수 있지만, 다른 경우에는 객체의 직렬화된 버전의 경로일 수 있습니다. | ||||
| - ipython 커널에서 표시할 때 객체가 올바르게 표시되어야 합니다. | ||||
|  | ||||
| ### AgentText [[agenttext]] | ||||
|  | ||||
| [[autodoc]] transformers.agents.agent_types.AgentText | ||||
|  | ||||
| ### AgentImage [[agentimage]] | ||||
|  | ||||
| [[autodoc]] transformers.agents.agent_types.AgentImage | ||||
|  | ||||
| ### AgentAudio [[agentaudio]] | ||||
|  | ||||
| [[autodoc]] transformers.agents.agent_types.AgentAudio | ||||
| @ -1,233 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # AWQ [[awq]] | ||||
|  | ||||
| <Tip> | ||||
|  | ||||
| 이 [노트북](https://colab.research.google.com/drive/1HzZH89yAXJaZgwJDhQj9LqSBux932BvY) 으로 AWQ 양자화를 실습해보세요 ! | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| [Activation-aware Weight Quantization (AWQ)](https://hf.co/papers/2306.00978)은 모델의 모든 가중치를 양자화하지 않고, LLM 성능에 중요한 가중치를 유지합니다. 이로써 4비트 정밀도로 모델을 실행해도 성능 저하 없이 양자화 손실을 크게 줄일 수 있습니다. | ||||
|  | ||||
| AWQ 알고리즘을 사용하여 모델을 양자화할 수 있는 여러 라이브러리가 있습니다. 예를 들어 [llm-awq](https://github.com/mit-han-lab/llm-awq), [autoawq](https://github.com/casper-hansen/AutoAWQ) , [optimum-intel](https://huggingface.co/docs/optimum/main/en/intel/optimization_inc) 등이 있습니다. Transformers는 llm-awq, autoawq 라이브러리를 이용해 양자화된 모델을 가져올 수 있도록 지원합니다. 이 가이드에서는 autoawq로 양자화된 모델을 가져오는 방법을 보여드리나, llm-awq로 양자화된 모델의 경우도 유사한 절차를 따릅니다. | ||||
|  | ||||
| autoawq가 설치되어 있는지 확인하세요: | ||||
|  | ||||
| ```bash | ||||
| pip install autoawq | ||||
| ``` | ||||
|  | ||||
| AWQ 양자화된 모델은 해당 모델의 [config.json](https://huggingface.co/TheBloke/zephyr-7B-alpha-AWQ/blob/main/config.json) 파일의 `quantization_config` 속성을 통해 식별할 수 있습니다.: | ||||
|  | ||||
| ```json | ||||
| { | ||||
|   "_name_or_path": "/workspace/process/huggingfaceh4_zephyr-7b-alpha/source", | ||||
|   "architectures": [ | ||||
|     "MistralForCausalLM" | ||||
|   ], | ||||
|   ... | ||||
|   ... | ||||
|   ... | ||||
|   "quantization_config": { | ||||
|     "quant_method": "awq", | ||||
|     "zero_point": true, | ||||
|     "group_size": 128, | ||||
|     "bits": 4, | ||||
|     "version": "gemm" | ||||
|   } | ||||
| } | ||||
| ``` | ||||
|  | ||||
| 양자화된 모델은 [`~PreTrainedModel.from_pretrained`] 메서드를 사용하여 가져옵니다. 모델을 CPU에 가져왔다면, 먼저 모델을 GPU 장치로 옮겨야 합니다.  `device_map` 파라미터를 사용하여 모델을 배치할 위치를 지정하세요: | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoModelForCausalLM, AutoTokenizer | ||||
|  | ||||
| model_id = "TheBloke/zephyr-7B-alpha-AWQ" | ||||
| model = AutoModelForCausalLM.from_pretrained(model_id, device_map="cuda:0") | ||||
| ``` | ||||
|  | ||||
| AWQ 양자화 모델을 가져오면 자동으로 성능상의 이유로 인해 가중치들의 기본값이 fp16으로 설정됩니다. 가중치를 다른 형식으로 가져오려면, `torch_dtype` 파라미터를 사용하세요: | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoModelForCausalLM, AutoTokenizer | ||||
|  | ||||
| model_id = "TheBloke/zephyr-7B-alpha-AWQ" | ||||
| model = AutoModelForCausalLM.from_pretrained(model_id, torch_dtype=torch.float32) | ||||
| ``` | ||||
|  | ||||
| 추론을 더욱 가속화하기 위해 AWQ 양자화와 [FlashAttention-2](../perf_infer_gpu_one#flashattention-2) 를 결합 할 수 있습니다: | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoModelForCausalLM, AutoTokenizer | ||||
|  | ||||
| model = AutoModelForCausalLM.from_pretrained("TheBloke/zephyr-7B-alpha-AWQ", attn_implementation="flash_attention_2", device_map="cuda:0") | ||||
| ``` | ||||
|  | ||||
| ## 퓨즈된 모듈 [[fused-modules]] | ||||
|  | ||||
| 퓨즈된 모듈은 정확도와 성능을 개선합니다. 퓨즈된 모듈은 [Llama](https://huggingface.co/meta-llama) 아키텍처와 [Mistral](https://huggingface.co/mistralai/Mistral-7B-v0.1) 아키텍처의 AWQ모듈에 기본적으로 지원됩니다. 그러나 지원되지 않는 아키텍처에 대해서도 AWQ 모듈을 퓨즈할 수 있습니다. | ||||
|  | ||||
| <Tip warning={true}> | ||||
|  | ||||
| 퓨즈된 모듈은 FlashAttention-2와 같은 다른 최적화 기술과 결합할 수 없습니다. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
|  | ||||
| <hfoptions id="fuse"> | ||||
| <hfoption id="supported architectures"> | ||||
|  | ||||
| 지원되는 아키텍처에서 퓨즈된 모듈을 활성화하려면, [`AwqConfig`] 를 생성하고 매개변수 `fuse_max_seq_len` 과 `do_fuse=True`를 설정해야 합니다.  `fuse_max_seq_len` 매개변수는 전체 시퀀스 길이로, 컨텍스트 길이와 예상 생성 길이를 포함해야 합니다. 안전하게 사용하기 위해 더 큰 값으로 설정할 수 있습니다. | ||||
|  | ||||
| 예를 들어, [TheBloke/Mistral-7B-OpenOrca-AWQ](https://huggingface.co/TheBloke/Mistral-7B-OpenOrca-AWQ) 모델의 AWQ 모듈을 퓨즈해보겠습니다. | ||||
|  | ||||
| ```python | ||||
| import torch | ||||
| from transformers import AwqConfig, AutoModelForCausalLM | ||||
|  | ||||
| model_id = "TheBloke/Mistral-7B-OpenOrca-AWQ" | ||||
|  | ||||
| quantization_config = AwqConfig( | ||||
|     bits=4, | ||||
|     fuse_max_seq_len=512, | ||||
|     do_fuse=True, | ||||
| ) | ||||
|  | ||||
| model = AutoModelForCausalLM.from_pretrained(model_id, quantization_config=quantization_config).to(0) | ||||
| ``` | ||||
|  | ||||
| [TheBloke/Mistral-7B-OpenOrca-AWQ](https://huggingface.co/TheBloke/Mistral-7B-OpenOrca-AWQ) 모델은 퓨즈된 모듈이 있는 경우와 없는 경우 모두 `batch_size=1` 로 성능 평가되었습니다. | ||||
|  | ||||
| <figcaption class="text-center text-gray-500 text-lg">퓨즈되지 않은 모듈</figcaption> | ||||
|  | ||||
| |   배치 크기  |   프리필 길이 |   디코드 길이 |   프리필 토큰/초 |   디코드 토큰/초  |  메모리 (VRAM)   | | ||||
| |-------------:|-----------------:|----------------:|-------------------:|------------------:|:----------------| | ||||
| |            1 |               32 |              32 |            60.0984 |           38.4537 | 4.50 GB (5.68%) | | ||||
| |            1 |               64 |              64 |          1333.67   |           31.6604 | 4.50 GB (5.68%) | | ||||
| |            1 |              128 |             128 |          2434.06   |           31.6272 | 4.50 GB (5.68%) | | ||||
| |            1 |              256 |             256 |          3072.26   |           38.1731 | 4.50 GB (5.68%) | | ||||
| |            1 |              512 |             512 |          3184.74   |           31.6819 | 4.59 GB (5.80%) | | ||||
| |            1 |             1024 |            1024 |          3148.18   |           36.8031 | 4.81 GB (6.07%) | | ||||
| |            1 |             2048 |            2048 |          2927.33   |           35.2676 | 5.73 GB (7.23%) | | ||||
|  | ||||
| <figcaption class="text-center text-gray-500 text-lg">퓨즈된 모듈</figcaption> | ||||
|  | ||||
| |   배치 크기  |   프리필 길이 |   디코드 길이 |   프리필 토큰/초 |   디코드 토큰/초  |  메모리 (VRAM)   | | ||||
| |-------------:|-----------------:|----------------:|-------------------:|------------------:|:----------------| | ||||
| |            1 |               32 |              32 |            81.4899 |           80.2569 | 4.00 GB (5.05%) | | ||||
| |            1 |               64 |              64 |          1756.1    |          106.26   | 4.00 GB (5.05%) | | ||||
| |            1 |              128 |             128 |          2479.32   |          105.631  | 4.00 GB (5.06%) | | ||||
| |            1 |              256 |             256 |          1813.6    |           85.7485 | 4.01 GB (5.06%) | | ||||
| |            1 |              512 |             512 |          2848.9    |           97.701  | 4.11 GB (5.19%) | | ||||
| |            1 |             1024 |            1024 |          3044.35   |           87.7323 | 4.41 GB (5.57%) | | ||||
| |            1 |             2048 |            2048 |          2715.11   |           89.4709 | 5.57 GB (7.04%) | | ||||
|  | ||||
| 퓨즈된 모듈 및 퓨즈되지 않은 모듈의 속도와 처리량은 [optimum-benchmark](https://github.com/huggingface/optimum-benchmark)라이브러리를 사용하여 테스트 되었습니다. | ||||
|  | ||||
| <div class="flex gap-4"> | ||||
|   <div> | ||||
|     <img class="rounded-xl" src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/quantization/fused_forward_memory_plot.png" alt="generate throughput per batch size" /> | ||||
|     <figcaption class="mt-2 text-center text-sm text-gray-500">포워드 피크 메모리 (forward peak memory)/배치 크기</figcaption> | ||||
|   </div> | ||||
|   <div> | ||||
|     <img class="rounded-xl" src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/quantization/fused_generate_throughput_plot.png" alt="forward latency per batch size" /> | ||||
|     <figcaption class="mt-2 text-center text-sm text-gray-500"> 생성 처리량/배치크기</figcaption> | ||||
|   </div> | ||||
| </div> | ||||
|  | ||||
| </hfoption> | ||||
| <hfoption id="unsupported architectures"> | ||||
|  | ||||
| 퓨즈된 모듈을 지원하지 않는 아키텍처의 경우, `modules_to_fuse` 매개변수를 사용해 직접 퓨즈 매핑을 만들어 어떤 모듈을 퓨즈할지 정의해야합니다. 예로, [TheBloke/Yi-34B-AWQ](https://huggingface.co/TheBloke/Yi-34B-AWQ) 모델의 AWQ 모듈을 퓨즈하는 방법입니다. | ||||
|  | ||||
| ```python | ||||
| import torch | ||||
| from transformers import AwqConfig, AutoModelForCausalLM | ||||
|  | ||||
| model_id = "TheBloke/Yi-34B-AWQ" | ||||
|  | ||||
| quantization_config = AwqConfig( | ||||
|     bits=4, | ||||
|     fuse_max_seq_len=512, | ||||
|     modules_to_fuse={ | ||||
|         "attention": ["q_proj", "k_proj", "v_proj", "o_proj"], | ||||
|         "layernorm": ["ln1", "ln2", "norm"], | ||||
|         "mlp": ["gate_proj", "up_proj", "down_proj"], | ||||
|         "use_alibi": False, | ||||
|         "num_attention_heads": 56, | ||||
|         "num_key_value_heads": 8, | ||||
|         "hidden_size": 7168 | ||||
|     } | ||||
| ) | ||||
|  | ||||
| model = AutoModelForCausalLM.from_pretrained(model_id, quantization_config=quantization_config).to(0) | ||||
| ``` | ||||
|  | ||||
|  `modules_to_fuse` 매개변수는 다음을 포함해야 합니다: | ||||
|  | ||||
| - `"attention"`: 어텐션 레이어는 다음 순서로 퓨즈하세요 : 쿼리 (query), 키 (key), 값 (value) , 출력 프로젝션 계층 (output projection layer). 해당 레이어를 퓨즈하지 않으려면 빈 리스트를 전달하세요. | ||||
| - `"layernorm"`: 사용자 정의 퓨즈 레이어 정규화로 교할 레이어 정규화 레이어명. 해당 레이어를 퓨즈하지 않으려면 빈 리스트를 전달하세요.  | ||||
| - `"mlp"`: 단일 MLP 레이어로 퓨즈할 MLP 레이어 순서 : (게이트 (gate) (덴스(dense), 레이어(layer), 포스트 어텐션(post-attention)) / 위 / 아래 레이어). | ||||
| - `"use_alibi"`: 모델이 ALiBi positional embedding을 사용할 경우 설정합니다. | ||||
| - `"num_attention_heads"`: 어텐션 헤드 (attention heads)의 수를 설정합니다. | ||||
| - `"num_key_value_heads"`: 그룹화 쿼리 어텐션 (GQA)을 구현하는데 사용되는 키 값 헤드의 수를 설정합니다. `num_key_value_heads=num_attention_heads`로 설정할 경우, 모델은 다중 헤드 어텐션 (MHA)가 사용되며, `num_key_value_heads=1` 는 다중 쿼리 어텐션 (MQA)가, 나머지는 GQA가 사용됩니다. | ||||
| - `"hidden_size"`: 숨겨진 표현(hidden representations)의 차원을 설정합니다. | ||||
|  | ||||
| </hfoption> | ||||
| </hfoptions> | ||||
|  | ||||
|  | ||||
|  | ||||
| ## ExLlama-v2 서포트 [[exllama-v2-support]] | ||||
|  | ||||
| 최신 버전 `autoawq`는 빠른 프리필과 디코딩을 위해 ExLlama-v2 커널을 지원합니다. 시작하기 위해 먼저 최신 버전 `autoawq` 를 설치하세요 :  | ||||
|  | ||||
| ```bash | ||||
| pip install git+https://github.com/casper-hansen/AutoAWQ.git | ||||
| ``` | ||||
|  | ||||
| 매개변수를 `version="exllama"`로 설정해 `AwqConfig()`를 생성하고 모델에 넘겨주세요. | ||||
|  | ||||
| ```python | ||||
| import torch | ||||
| from transformers import AutoModelForCausalLM, AutoTokenizer, AwqConfig | ||||
|  | ||||
| quantization_config = AwqConfig(version="exllama") | ||||
|  | ||||
| model = AutoModelForCausalLM.from_pretrained( | ||||
|     "TheBloke/Mistral-7B-Instruct-v0.1-AWQ", | ||||
|     quantization_config=quantization_config, | ||||
|     device_map="auto", | ||||
| ) | ||||
|  | ||||
| input_ids = torch.randint(0, 100, (1, 128), dtype=torch.long, device="cuda") | ||||
| output = model(input_ids) | ||||
| print(output.logits) | ||||
|  | ||||
| tokenizer = AutoTokenizer.from_pretrained("TheBloke/Mistral-7B-Instruct-v0.1-AWQ") | ||||
| input_ids = tokenizer.encode("How to make a cake", return_tensors="pt").to(model.device) | ||||
| output = model.generate(input_ids, do_sample=True, max_length=50, pad_token_id=50256) | ||||
| print(tokenizer.decode(output[0], skip_special_tokens=True)) | ||||
| ``` | ||||
|  | ||||
| <Tip warning={true}> | ||||
|  | ||||
| 이 기능은 AMD GPUs에서 지원됩니다. | ||||
|  | ||||
| </Tip> | ||||
| @ -1,307 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # bitsandbytes [[bitsandbytes]] | ||||
|  | ||||
| [bitsandbytes](https://github.com/TimDettmers/bitsandbytes)는 모델을 8비트 및 4비트로 양자화하는 가장 쉬운 방법입니다. 8비트 양자화는 fp16의 이상치와 int8의 비이상치를 곱한 후, 비이상치 값을 fp16으로 다시 변환하고, 이들을 합산하여 fp16으로 가중치를 반환합니다. 이렇게 하면 이상치 값이 모델 성능에 미치는 저하 효과를 줄일 수 있습니다. 4비트 양자화는 모델을 더욱 압축하며, [QLoRA](https://hf.co/papers/2305.14314)와 함께 사용하여 양자화된 대규모 언어 모델을 미세 조정하는 데 흔히 사용됩니다. | ||||
|  | ||||
| bitsandbytes를 사용하려면 다음 라이브러리가 설치되어 있어야 합니다: | ||||
|  | ||||
| <hfoptions id="bnb"> | ||||
| <hfoption id="8-bit"> | ||||
|  | ||||
| ```bash | ||||
| pip install transformers accelerate bitsandbytes>0.37.0 | ||||
| ``` | ||||
|  | ||||
| </hfoption> | ||||
| <hfoption id="4-bit"> | ||||
|  | ||||
| ```bash | ||||
| pip install bitsandbytes>=0.39.0 | ||||
| pip install --upgrade accelerate transformers | ||||
| ``` | ||||
|  | ||||
| </hfoption> | ||||
| </hfoptions> | ||||
|  | ||||
| 이제 `BitsAndBytesConfig`를 [`~PreTrainedModel.from_pretrained`] 메소드에 전달하여 모델을 양자화할 수 있습니다. 이는 Accelerate 가져오기를 지원하고 `torch.nn.Linear` 레이어가 포함된 모든 모델에서 작동합니다. | ||||
|  | ||||
| <hfoptions id="bnb"> | ||||
| <hfoption id="8-bit"> | ||||
|  | ||||
| 모델을 8비트로 양자화하면 메모리 사용량이 절반으로 줄어들며, 대규모 모델의 경우 사용 가능한 GPU를 효율적으로 활용하려면 `device_map="auto"`를 설정하세요.  | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoModelForCausalLM, BitsAndBytesConfig | ||||
|  | ||||
| quantization_config = BitsAndBytesConfig(load_in_8bit=True) | ||||
|  | ||||
| model_8bit = AutoModelForCausalLM.from_pretrained( | ||||
|     "bigscience/bloom-1b7",  | ||||
|     quantization_config=quantization_config | ||||
| ) | ||||
| ``` | ||||
|  | ||||
| 기본적으로 `torch.nn.LayerNorm`과 같은 다른 모듈은 `torch.float16`으로 변환됩니다. 원한다면 `torch_dtype` 매개변수로 이들 모듈의 데이터 유형을 변경할 수 있습니다: | ||||
|  | ||||
| ```py | ||||
| import torch | ||||
| from transformers import AutoModelForCausalLM, BitsAndBytesConfig | ||||
|  | ||||
| quantization_config = BitsAndBytesConfig(load_in_8bit=True) | ||||
|  | ||||
| model_8bit = AutoModelForCausalLM.from_pretrained( | ||||
|     "facebook/opt-350m",  | ||||
|     quantization_config=quantization_config,  | ||||
|     torch_dtype=torch.float32 | ||||
| ) | ||||
| model_8bit.model.decoder.layers[-1].final_layer_norm.weight.dtype | ||||
| ``` | ||||
|  | ||||
| 모델이 8비트로 양자화되면 최신 버전의 Transformers와 bitsandbytes를 사용하지 않는 한 양자화된 가중치를 Hub에 푸시할 수 없습니다. 최신 버전을 사용하는 경우, [`~PreTrainedModel.push_to_hub`] 메소드를 사용하여 8비트 모델을 Hub에 푸시할 수 있습니다. 양자화 config.json 파일이 먼저 푸시되고, 그 다음 양자화된 모델 가중치가 푸시됩니다. | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoModelForCausalLM, AutoTokenizer, BitsAndBytesConfig | ||||
|  | ||||
| quantization_config = BitsAndBytesConfig(load_in_8bit=True) | ||||
|  | ||||
| model = AutoModelForCausalLM.from_pretrained( | ||||
|     "bigscience/bloom-560m",  | ||||
|     quantization_config=quantization_config | ||||
| ) | ||||
| tokenizer = AutoTokenizer.from_pretrained("bigscience/bloom-560m") | ||||
|  | ||||
| model.push_to_hub("bloom-560m-8bit") | ||||
| ``` | ||||
|  | ||||
| </hfoption> | ||||
| <hfoption id="4-bit"> | ||||
|  | ||||
| 모델을 4비트로 양자화하면 메모리 사용량이 4배 줄어들며, 대규모 모델의 경우 사용 가능한 GPU를 효율적으로 활용하려면 `device_map="auto"`를 설정하세요: | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoModelForCausalLM, BitsAndBytesConfig | ||||
|  | ||||
| quantization_config = BitsAndBytesConfig(load_in_4bit=True) | ||||
|  | ||||
| model_4bit = AutoModelForCausalLM.from_pretrained( | ||||
|     "bigscience/bloom-1b7", | ||||
|     quantization_config=quantization_config | ||||
| ) | ||||
| ``` | ||||
|  | ||||
| 기본적으로 `torch.nn.LayerNorm`과 같은 다른 모듈은 `torch.float16`으로 변환됩니다. 원한다면 `torch_dtype` 매개변수로 이들 모듈의 데이터 유형을 변경할 수 있습니다: | ||||
|  | ||||
| ```py | ||||
| import torch | ||||
| from transformers import AutoModelForCausalLM, BitsAndBytesConfig | ||||
|  | ||||
| quantization_config = BitsAndBytesConfig(load_in_4bit=True) | ||||
|  | ||||
| model_4bit = AutoModelForCausalLM.from_pretrained( | ||||
|     "facebook/opt-350m", | ||||
|     quantization_config=quantization_config,  | ||||
|     torch_dtype=torch.float32 | ||||
| ) | ||||
| model_4bit.model.decoder.layers[-1].final_layer_norm.weight.dtype | ||||
| ``` | ||||
|  | ||||
| `bitsandbytes>=0.41.3`을 사용하는 경우 4비트 모델을 직렬화하고 Hugging Face Hub에 푸시할 수 있습니다. 모델을 4비트 정밀도로 가져온 후 `model.push_to_hub()`를 호출하면 됩니다. 또한 `model.save_pretrained()` 명령어로 로컬에 직렬화된 4비트 모델을 저장할 수도 있습니다. | ||||
|  | ||||
| </hfoption> | ||||
| </hfoptions> | ||||
|  | ||||
| <Tip warning={true}> | ||||
|  | ||||
| 8비트 및 4비트 가중치로 훈련하는 것은 *추가* 매개변수에 대해서만 지원됩니다. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| 메모리 사용량을 확인하려면 `get_memory_footprint`를 사용하세요: | ||||
|  | ||||
| ```py | ||||
| print(model.get_memory_footprint()) | ||||
| ``` | ||||
|  | ||||
| 양자화된 모델은 [`~PreTrainedModel.from_pretrained`] 메소드를 사용하여 `load_in_8bit` 또는 `load_in_4bit` 매개변수를 지정하지 않고도 가져올 수 있습니다: | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoModelForCausalLM, AutoTokenizer | ||||
|  | ||||
| model = AutoModelForCausalLM.from_pretrained("{your_username}/bloom-560m-8bit", device_map="auto") | ||||
| ``` | ||||
|  | ||||
| ## 8비트 (LLM.int8() 알고리즘)[[8-bit-(llm.int8()-algorithm)]] | ||||
|  | ||||
| <Tip> | ||||
|  | ||||
| 8비트 양자화에 대한 자세한 내용을 알고 싶다면 이 [블로그 포스트](https://huggingface.co/blog/hf-bitsandbytes-integration)를 참조하세요! | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| 이 섹션에서는 오프로딩, 이상치 임곗값, 모듈 변환 건너뛰기 및 미세 조정과 같은 8비트 모델의 특정 기능을 살펴봅니다. | ||||
|  | ||||
| ### 오프로딩 [[offloading]] | ||||
|  | ||||
| 8비트 모델은 CPU와 GPU 간에 가중치를 오프로드하여 매우 큰 모델을 메모리에 장착할 수 있습니다. CPU로 전송된 가중치는 실제로 **float32**로 저장되며 8비트로 변환되지 않습니다. 예를 들어, [bigscience/bloom-1b7](https://huggingface.co/bigscience/bloom-1b7) 모델의 오프로드를 활성화하려면 [`BitsAndBytesConfig`]를 생성하는 것부터 시작하세요: | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoModelForCausalLM, BitsAndBytesConfig | ||||
|  | ||||
| quantization_config = BitsAndBytesConfig(llm_int8_enable_fp32_cpu_offload=True) | ||||
| ``` | ||||
|  | ||||
| CPU에 전달할 `lm_head`를 제외한 모든 것을 GPU에 적재할 수 있도록 사용자 정의 디바이스 맵을 설계합니다: | ||||
|  | ||||
| ```py | ||||
| device_map = { | ||||
|     "transformer.word_embeddings": 0, | ||||
|     "transformer.word_embeddings_layernorm": 0, | ||||
|     "lm_head": "cpu", | ||||
|     "transformer.h": 0, | ||||
|     "transformer.ln_f": 0, | ||||
| } | ||||
| ``` | ||||
|  | ||||
| 이제 사용자 정의 `device_map`과 `quantization_config`을 사용하여 모델을 가져옵니다: | ||||
|  | ||||
| ```py | ||||
| model_8bit = AutoModelForCausalLM.from_pretrained( | ||||
|     "bigscience/bloom-1b7", | ||||
|     device_map=device_map, | ||||
|     quantization_config=quantization_config, | ||||
| ) | ||||
| ``` | ||||
|  | ||||
| ### 이상치 임곗값[[outlier-threshold]] | ||||
|  | ||||
| "이상치"는 특정 임곗값을 초과하는 은닉 상태 값을 의미하며, 이러한 값은 fp16으로 계산됩니다. 값은 일반적으로 정규 분포 ([-3.5, 3.5])를 따르지만, 대규모 모델의 경우 이 분포는 매우 다를 수 있습니다 ([-60, 6] 또는 [6, 60]). 8비트 양자화는 ~5 정도의 값에서 잘 작동하지만, 그 이상에서는 상당한 성능 저하가 발생합니다. 좋은 기본 임곗값 값은 6이지만, 더 불안정한 모델 (소형 모델 또는 미세 조정)에는 더 낮은 임곗값이 필요할 수 있습니다. | ||||
|  | ||||
| 모델에 가장 적합한 임곗값을 찾으려면 [`BitsAndBytesConfig`]에서 `llm_int8_threshold` 매개변수를 실험해보는 것이 좋습니다: | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoModelForCausalLM, BitsAndBytesConfig | ||||
|  | ||||
| model_id = "bigscience/bloom-1b7" | ||||
|  | ||||
| quantization_config = BitsAndBytesConfig( | ||||
|     llm_int8_threshold=10, | ||||
| ) | ||||
|  | ||||
| model_8bit = AutoModelForCausalLM.from_pretrained( | ||||
|     model_id, | ||||
|     device_map=device_map, | ||||
|     quantization_config=quantization_config, | ||||
| ) | ||||
| ``` | ||||
|  | ||||
| ### 모듈 변환 건너뛰기[[skip-module-conversion]] | ||||
|  | ||||
| [Jukebox](model_doc/jukebox)와 같은 일부 모델은 모든 모듈을 8비트로 양자화할 필요가 없으며, 이는 실제로 불안정성을 유발할 수 있습니다. Jukebox의 경우, [`BitsAndBytesConfig`]의 `llm_int8_skip_modules` 매개변수를 사용하여 여러 `lm_head` 모듈을 건너뛰어야 합니다: | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoModelForCausalLM, AutoTokenizer, BitsAndBytesConfig | ||||
|  | ||||
| model_id = "bigscience/bloom-1b7" | ||||
|  | ||||
| quantization_config = BitsAndBytesConfig( | ||||
|     llm_int8_skip_modules=["lm_head"], | ||||
| ) | ||||
|  | ||||
| model_8bit = AutoModelForCausalLM.from_pretrained( | ||||
|     model_id, | ||||
|     device_map="auto", | ||||
|     quantization_config=quantization_config, | ||||
| ) | ||||
| ``` | ||||
|  | ||||
| ### 미세 조정[[finetuning]] | ||||
|  | ||||
| [PEFT](https://github.com/huggingface/peft) 라이브러리를 사용하면 [flan-t5-large](https://huggingface.co/google/flan-t5-large) 및 [facebook/opt-6.7b](https://huggingface.co/facebook/opt-6.7b)와 같은 대규모 모델을 8비트 양자화로 미세 조정할 수 있습니다. 훈련 시 `device_map` 매개변수를 전달할 필요가 없으며, 모델을 자동으로 GPU에 가져옵니다. 그러나 원하는 경우 `device_map` 매개변수로 장치 맵을 사용자 정의할 수 있습니다 (`device_map="auto"`는 추론에만 사용해야 합니다). | ||||
|  | ||||
| ## 4비트 (QLoRA 알고리즘)[[4-bit-(qlora-algorithm)]] | ||||
|  | ||||
| <Tip> | ||||
|  | ||||
| 이 [노트북](https://colab.research.google.com/drive/1ge2F1QSK8Q7h0hn3YKuBCOAS0bK8E0wf)에서 4비트 양자화를 시도해보고 자세한 내용은 이 [블로그 게시물](https://huggingface.co/blog/4bit-transformers-bitsandbytes)에서 확인하세요. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| 이 섹션에서는 계산 데이터 유형 변경, Normal Float 4 (NF4) 데이터 유형 사용, 중첩 양자화 사용과 같은 4비트 모델의 특정 기능 일부를 탐구합니다. | ||||
|  | ||||
|  | ||||
| ### 데이터 유형 계산[[compute-data-type]] | ||||
|  | ||||
| 계산 속도를 높이기 위해 [`BitsAndBytesConfig`]에서 `bnb_4bit_compute_dtype` 매개변수를 사용하여 데이터 유형을 float32(기본값)에서 bf16으로 변경할 수 있습니다: | ||||
|  | ||||
| ```py | ||||
| import torch | ||||
| from transformers import BitsAndBytesConfig | ||||
|  | ||||
| quantization_config = BitsAndBytesConfig(load_in_4bit=True, bnb_4bit_compute_dtype=torch.bfloat16) | ||||
| ``` | ||||
|  | ||||
| ### Normal Float 4 (NF4)[[normal-float-4-(nf4)]] | ||||
|  | ||||
| NF4는 [QLoRA](https://hf.co/papers/2305.14314) 논문에서 소개된 4비트 데이터 유형으로, 정규 분포에서 초기화된 가중치에 적합합니다. 4비트 기반 모델을 훈련할 때 NF4를 사용해야 합니다. 이는 [`BitsAndBytesConfig`]에서 `bnb_4bit_quant_type` 매개변수로 설정할 수 있습니다: | ||||
|  | ||||
| ```py | ||||
| from transformers import BitsAndBytesConfig | ||||
|  | ||||
| nf4_config = BitsAndBytesConfig( | ||||
|     load_in_4bit=True, | ||||
|     bnb_4bit_quant_type="nf4", | ||||
| ) | ||||
|  | ||||
| model_nf4 = AutoModelForCausalLM.from_pretrained(model_id, quantization_config=nf4_config) | ||||
| ``` | ||||
|  | ||||
| 추론의 경우, `bnb_4bit_quant_type`은 성능에 큰 영향을 미치지 않습니다. 그러나 모델 가중치와 일관성을 유지하기 위해 `bnb_4bit_compute_dtype` 및 `torch_dtype` 값을 사용해야 합니다. | ||||
|  | ||||
| ### 중첩 양자화[[nested-quantization]] | ||||
|  | ||||
| 중첩 양자화는 추가적인 성능 손실 없이 추가적인 메모리를 절약할 수 있는 기술입니다. 이 기능은 이미 양자화된 가중치의 2차 양자화를 수행하여 매개변수당 추가로 0.4비트를 절약합니다. 예를 들어, 중첩 양자화를 통해 16GB NVIDIA T4 GPU에서 시퀀스 길이 1024, 배치 크기 1, 그레이디언트 누적 4단계를 사용하여 [Llama-13b](https://huggingface.co/meta-llama/Llama-2-13b) 모델을 미세 조정할 수 있습니다. | ||||
|  | ||||
| ```py | ||||
| from transformers import BitsAndBytesConfig | ||||
|  | ||||
| double_quant_config = BitsAndBytesConfig( | ||||
|     load_in_4bit=True, | ||||
|     bnb_4bit_use_double_quant=True, | ||||
| ) | ||||
|  | ||||
| model_double_quant = AutoModelForCausalLM.from_pretrained("meta-llama/Llama-2-13b", quantization_config=double_quant_config) | ||||
| ``` | ||||
|  | ||||
| ## `bitsandbytes` 모델의 비양자화[[dequantizing-`bitsandbytes`-models]] | ||||
| 양자화된 후에는 모델을 원래의 정밀도로 비양자화할 수 있지만, 이는 모델의 품질이 약간 저하될 수 있습니다. 비양자화된 모델에 맞출 수 있는 충분한 GPU RAM이 있는지 확인하세요. | ||||
|  | ||||
| ```python | ||||
| from transformers import AutoModelForCausalLM, BitsAndBytesConfig, AutoTokenizer | ||||
|  | ||||
| model_id = "facebook/opt-125m" | ||||
|  | ||||
| model = AutoModelForCausalLM.from_pretrained(model_id, BitsAndBytesConfig(load_in_4bit=True)) | ||||
| tokenizer = AutoTokenizer.from_pretrained(model_id) | ||||
|  | ||||
| model.dequantize() | ||||
|  | ||||
| text = tokenizer("Hello my name is", return_tensors="pt").to(0) | ||||
|  | ||||
| out = model.generate(**text) | ||||
| print(tokenizer.decode(out[0])) | ||||
| ``` | ||||
| @ -1,47 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # EETQ [[eetq]] | ||||
|  | ||||
| [EETQ](https://github.com/NetEase-FuXi/EETQ) 라이브러리는 NVIDIA GPU에 대해 int8 채널별(per-channel) 가중치 전용 양자화(weight-only quantization)을 지원합니다. 고성능 GEMM 및 GEMV 커널은 FasterTransformer 및 TensorRT-LLM에서 가져왔습니다. 교정(calibration) 데이터셋이 필요 없으며, 모델을 사전에 양자화할 필요도 없습니다. 또한, 채널별 양자화(per-channel quantization) 덕분에 정확도 저하가 미미합니다. | ||||
|  | ||||
| [릴리스 페이지](https://github.com/NetEase-FuXi/EETQ/releases)에서 eetq를 설치했는지 확인하세요. | ||||
| ``` | ||||
| pip install --no-cache-dir https://github.com/NetEase-FuXi/EETQ/releases/download/v1.0.0/EETQ-1.0.0+cu121+torch2.1.2-cp310-cp310-linux_x86_64.whl | ||||
| ``` | ||||
| 또는 소스 코드 https://github.com/NetEase-FuXi/EETQ 에서 설치할 수 있습니다. EETQ는 CUDA 기능이 8.9 이하이고 7.0 이상이어야 합니다. | ||||
| ``` | ||||
| git clone https://github.com/NetEase-FuXi/EETQ.git | ||||
| cd EETQ/ | ||||
| git submodule update --init --recursive | ||||
| pip install . | ||||
| ``` | ||||
|  | ||||
| 비양자화 모델은 "from_pretrained"를 통해 양자화할 수 있습니다. | ||||
| ```py | ||||
| from transformers import AutoModelForCausalLM, EetqConfig | ||||
| path = "/path/to/model". | ||||
| quantization_config = EetqConfig("int8") | ||||
| model = AutoModelForCausalLM.from_pretrained(path, device_map="auto", quantization_config=quantization_config) | ||||
| ``` | ||||
|  | ||||
| 양자화된 모델은 "save_pretrained"를 통해 저장할 수 있으며, "from_pretrained"를 통해 다시 사용할 수 있습니다. | ||||
|  | ||||
| ```py | ||||
| quant_path = "/path/to/save/quantized/model" | ||||
| model.save_pretrained(quant_path) | ||||
| model = AutoModelForCausalLM.from_pretrained(quant_path, device_map="auto") | ||||
| ``` | ||||
| @ -1,120 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # GPTQ [[gptq]] | ||||
|  | ||||
| <Tip> | ||||
|  | ||||
| PEFT를 활용한 GPTQ 양자화를 사용해보시려면 이 [노트북](https://colab.research.google.com/drive/1_TIrmuKOFhuRRiTWN94iLKUFu6ZX4ceb)을 참고하시고, 자세한 내용은 이 [블로그 게시물](https://huggingface.co/blog/gptq-integration)에서 확인하세요! | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| [AutoGPTQ](https://github.com/PanQiWei/AutoGPTQ) 라이브러리는 GPTQ 알고리즘을 구현합니다. 이는 훈련 후 양자화 기법으로, 가중치 행렬의 각 행을 독립적으로 양자화하여 오차를 최소화하는 가중치 버전을 찾습니다. 이 가중치는 int4로 양자화되지만, 추론 중에는 실시간으로 fp16으로 복원됩니다. 이는 int4 가중치가 GPU의 전역 메모리 대신 결합된 커널에서 역양자화되기 때문에 메모리 사용량을 4배 절약할 수 있으며, 더 낮은 비트 너비를 사용함으로써 통신 시간이 줄어들어 추론 속도가 빨라질 것으로 기대할 수 있습니다. | ||||
|  | ||||
| 시작하기 전에 다음 라이브러리들이 설치되어 있는지 확인하세요: | ||||
|  | ||||
| ```bash | ||||
| pip install auto-gptq | ||||
| pip install --upgrade accelerate optimum transformers | ||||
| ``` | ||||
|  | ||||
| 모델을 양자화하려면(현재 텍스트 모델만 지원됨) [`GPTQConfig`] 클래스를 생성하고 양자화할 비트 수, 양자화를 위한 가중치 교정 데이터셋, 그리고 데이터셋을 준비하기 위한 토크나이저를 설정해야 합니다. | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoModelForCausalLM, AutoTokenizer, GPTQConfig | ||||
|  | ||||
| model_id = "facebook/opt-125m" | ||||
| tokenizer = AutoTokenizer.from_pretrained(model_id) | ||||
| gptq_config = GPTQConfig(bits=4, dataset="c4", tokenizer=tokenizer) | ||||
| ``` | ||||
|  | ||||
| 자신의 데이터셋을 문자열 리스트 형태로 전달할 수도 있지만, GPTQ 논문에서 사용한 동일한 데이터셋을 사용하는 것을 강력히 권장합니다. | ||||
|  | ||||
| ```py | ||||
| dataset = ["auto-gptq is an easy-to-use model quantization library with user-friendly apis, based on GPTQ algorithm."] | ||||
| gptq_config = GPTQConfig(bits=4, dataset=dataset, tokenizer=tokenizer) | ||||
| ``` | ||||
|  | ||||
| 양자화할 모델을 로드하고 `gptq_config`을 [`~AutoModelForCausalLM.from_pretrained`] 메소드에 전달하세요. 모델을 메모리에 맞추기 위해 `device_map="auto"`를 설정하여 모델을 자동으로 CPU로 오프로드하고, 양자화를 위해 모델 모듈이 CPU와 GPU 간에 이동할 수 있도록 합니다. | ||||
|  | ||||
| ```py | ||||
| quantized_model = AutoModelForCausalLM.from_pretrained(model_id, device_map="auto", quantization_config=gptq_config) | ||||
| ``` | ||||
|  | ||||
| 데이터셋이 너무 커서 메모리가 부족한 경우를 대비한 디스크 오프로드는 현재 지원하지 않고 있습니다. 이럴 때는 `max_memory` 매개변수를 사용하여 디바이스(GPU 및 CPU)에서 사용할 메모리 양을 할당해 보세요: | ||||
|  | ||||
| ```py | ||||
| quantized_model = AutoModelForCausalLM.from_pretrained(model_id, device_map="auto", max_memory={0: "30GiB", 1: "46GiB", "cpu": "30GiB"}, quantization_config=gptq_config) | ||||
| ``` | ||||
|  | ||||
| <Tip warning={true}> | ||||
|  | ||||
| 하드웨어와 모델 매개변수량에 따라 모델을 처음부터 양자화하는 데 드는 시간이 서로 다를 수 있습니다. 예를 들어, 무료 등급의 Google Colab GPU로 비교적 가벼운 [facebook/opt-350m](https://huggingface.co/facebook/opt-350m) 모델을 양자화하는 데 약 5분이 걸리지만, NVIDIA A100으로 175B에 달하는 매개변수를 가진 모델을 양자화하는 데는 약 4시간에 달하는 시간이 걸릴 수 있습니다. 모델을 양자화하기 전에, Hub에서 해당 모델의 GPTQ 양자화 버전이 이미 존재하는지 확인하는 것이 좋습니다. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| 모델이 양자화되면, 모델과 토크나이저를 Hub에 푸시하여 쉽게 공유하고 접근할 수 있습니다. [`GPTQConfig`]를 저장하기 위해 [`~PreTrainedModel.push_to_hub`] 메소드를 사용하세요: | ||||
|  | ||||
| ```py | ||||
| quantized_model.push_to_hub("opt-125m-gptq") | ||||
| tokenizer.push_to_hub("opt-125m-gptq") | ||||
| ``` | ||||
|  | ||||
| 양자화된 모델을 로컬에 저장하려면 [`~PreTrainedModel.save_pretrained`] 메소드를 사용할 수 있습니다. 모델이 `device_map` 매개변수로 양자화되었을 경우, 저장하기 전에 전체 모델을 GPU나 CPU로 이동해야 합니다. 예를 들어, 모델을 CPU에 저장하려면 다음과 같이 합니다: | ||||
|  | ||||
| ```py | ||||
| quantized_model.save_pretrained("opt-125m-gptq") | ||||
| tokenizer.save_pretrained("opt-125m-gptq") | ||||
|  | ||||
| # device_map이 설정된 상태에서 양자화된 경우 | ||||
| quantized_model.to("cpu") | ||||
| quantized_model.save_pretrained("opt-125m-gptq") | ||||
| ``` | ||||
|  | ||||
| 양자화된 모델을 다시 로드하려면 [`~PreTrainedModel.from_pretrained`] 메소드를 사용하고, `device_map="auto"`를 설정하여 모든 사용 가능한 GPU에 모델을 자동으로 분산시켜 더 많은 메모리를 사용하지 않으면서 모델을 더 빠르게 로드할 수 있습니다. | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoModelForCausalLM | ||||
|  | ||||
| model = AutoModelForCausalLM.from_pretrained("{your_username}/opt-125m-gptq", device_map="auto") | ||||
| ``` | ||||
|  | ||||
| ## ExLlama [[exllama]] | ||||
|  | ||||
| [ExLlama](https://github.com/turboderp/exllama)은 [Llama](model_doc/llama) 모델의 Python/C++/CUDA 구현체로, 4비트 GPTQ 가중치를 사용하여 더 빠른 추론을 위해 설계되었습니다(이 [벤치마크](https://github.com/huggingface/optimum/tree/main/tests/benchmark#gptq-benchmark)를 참고하세요). ['GPTQConfig'] 객체를 생성할 때 ExLlama 커널이 기본적으로 활성화됩니다. 추론 속도를 더욱 높이기 위해, `exllama_config` 매개변수를 구성하여 [ExLlamaV2](https://github.com/turboderp/exllamav2) 커널을 사용할 수 있습니다: | ||||
|  | ||||
| ```py | ||||
| import torch | ||||
| from transformers import AutoModelForCausalLM, GPTQConfig | ||||
|  | ||||
| gptq_config = GPTQConfig(bits=4, exllama_config={"version":2}) | ||||
| model = AutoModelForCausalLM.from_pretrained("{your_username}/opt-125m-gptq", device_map="auto", quantization_config=gptq_config) | ||||
| ``` | ||||
|  | ||||
| <Tip warning={true}> | ||||
|  | ||||
| 4비트 모델만 지원되며, 양자화된 모델을 PEFT로 미세 조정하는 경우 ExLlama 커널을 비활성화할 것을 권장합니다. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| ExLlama 커널은 전체 모델이 GPU에 있을 때만 지원됩니다. AutoGPTQ(버전 0.4.2 이상)로 CPU에서 추론을 수행하는 경우 ExLlama 커널을 비활성화해야 합니다. 이를 위해 config.json 파일의 양자화 설정에서 ExLlama 커널과 관련된 속성을 덮어써야 합니다. | ||||
|  | ||||
| ```py | ||||
| import torch | ||||
| from transformers import AutoModelForCausalLM, GPTQConfig | ||||
| gptq_config = GPTQConfig(bits=4, use_exllama=False) | ||||
| model = AutoModelForCausalLM.from_pretrained("{your_username}/opt-125m-gptq", device_map="cpu", quantization_config=gptq_config) | ||||
| ``` | ||||
| @ -1,67 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # Quanto[[quanto]] | ||||
|  | ||||
| <Tip> | ||||
|  | ||||
| 이 [노트북](https://colab.research.google.com/drive/16CXfVmtdQvciSh9BopZUDYcmXCDpvgrT?usp=sharing)으로 Quanto와 transformers를 사용해 보세요! | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
|  | ||||
| [🤗 Quanto](https://github.com/huggingface/optimum-quanto) 라이브러리는 다목적 파이토치 양자화 툴킷입니다. 이 라이브러리에서 사용되는 양자화 방법은 선형 양자화입니다. Quanto는 다음과 같은 여러 가지 기능을 제공합니다: | ||||
|  | ||||
| - 가중치 양자화 (`float8`,`int8`,`int4`,`int2`) | ||||
| - 활성화 양자화 (`float8`,`int8`) | ||||
| - 모달리티에 구애받지 않음 (e.g CV,LLM) | ||||
| - 장치에 구애받지 않음 (e.g CUDA,MPS,CPU) | ||||
| - `torch.compile` 호환성 | ||||
| - 특정 장치에 대한 사용자 정의 커널의 쉬운 추가 | ||||
| - QAT(양자화를 고려한 학습) 지원 | ||||
| <!-- Add link to the blogpost --> | ||||
|  | ||||
| 시작하기 전에 다음 라이브러리가 설치되어 있는지 확인하세요: | ||||
|  | ||||
| ```bash | ||||
| pip install quanto accelerate transformers | ||||
| ``` | ||||
|  | ||||
| 이제 [`~PreTrainedModel.from_pretrained`] 메소드에 [`QuantoConfig`] 객체를 전달하여 모델을 양자화할 수 있습니다. 이 방식은 `torch.nn.Linear` 레이어를 포함하는 모든 모달리티의 모든 모델에서 잘 작동합니다. | ||||
|  | ||||
| 허깅페이스의 transformers 라이브러리는 개발자 편의를 위해 quanto의 인터페이스를 일부 통합하여 지원하고 있으며, 이 방식으로는 가중치 양자화만 지원합니다. 활성화 양자화, 캘리브레이션, QAT 같은 더 복잡한 기능을 수행하기 위해서는 [quanto](https://github.com/huggingface/optimum-quanto) 라이브러리의 해당 함수를 직접 호출해야 합니다. | ||||
|  | ||||
| ```py | ||||
| from transformers import AutoModelForCausalLM, AutoTokenizer, QuantoConfig | ||||
|  | ||||
| model_id = "facebook/opt-125m" | ||||
| tokenizer = AutoTokenizer.from_pretrained(model_id) | ||||
| quantization_config = QuantoConfig(weights="int8") | ||||
| quantized_model = AutoModelForCausalLM.from_pretrained(model_id, device_map="cuda:0", quantization_config=quantization_config) | ||||
| ``` | ||||
|  | ||||
| 참고로, transformers에서는 아직 직렬화가 지원되지 않지만 곧 지원될 예정입니다!  | ||||
| 모델을 저장하고 싶으면 quanto 라이브러리를 대신 사용할 수 있습니다. | ||||
|  | ||||
| Quanto 라이브러리는 양자화를 위해 선형 양자화 알고리즘을 사용합니다. 비록 기본적인 양자화 기술이지만, 좋은 결과를 얻는데 아주 큰 도움이 됩니다! 바로 아래에 있는 벤치마크(llama-2-7b의 펄플렉서티 지표)를 확인해 보세요. 더 많은 벤치마크는 [여기](https://github.com/huggingface/quanto/tree/main/bench/generation) 에서 찾을 수 있습니다. | ||||
|  | ||||
| <div class="flex gap-4"> | ||||
|   <div> | ||||
|     <img class="rounded-xl" src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/quantization/NousResearch-Llama-2-7b-hf_Perplexity.png" alt="llama-2-7b-quanto-perplexity" /> | ||||
|   </div> | ||||
| </div> | ||||
|  | ||||
| 이 라이브러리는 대부분의 PTQ 최적화 알고리즘과 호환될 만큼 충분히 유연합니다. 앞으로의 계획은 가장 인기 있는 알고리즘(AWQ, Smoothquant)을 최대한 매끄럽게 통합하는 것입니다. | ||||
| @ -1,391 +0,0 @@ | ||||
| <!--Copyright 2023 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # IDEFICS를 이용한 이미지 작업[[image-tasks-with-idefics]] | ||||
|  | ||||
| [[open-in-colab]] | ||||
|  | ||||
| 개별 작업은 특화된 모델을 미세 조정하여 처리할 수 있지만, 최근 등장하여 인기를 얻고 있는 방식은 대규모 모델을 미세 조정 없이 다양한 작업에 사용하는 것입니다. 예를 들어, 대규모 언어 모델은 요약, 번역, 분류 등과 같은 자연어처리 (NLP) 작업을 처리할 수 있습니다. 이 접근 방식은 텍스트와 같은 단일 모달리티에 국한되지 않으며, 이 가이드에서는 IDEFICS라는 대규모 멀티모달 모델을 사용하여 이미지-텍스트 작업을 다루는 방법을 설명합니다. | ||||
|  | ||||
| [IDEFICS](../model_doc/idefics)는 [Flamingo](https://huggingface.co/papers/2204.14198)를 기반으로 하는 오픈 액세스 비전 및 언어 모델로, DeepMind에서 처음 개발한 최신 시각 언어 모델입니다. 이 모델은 임의의 이미지 및 텍스트 입력 시퀀스를 받아 일관성 있는 텍스트를 출력으로 생성합니다. 이미지에 대한 질문에 답변하고, 시각적인 내용을 설명하며, 여러 이미지에 기반한 이야기를 생성하는 등 다양한 작업을 수행할 수 있습니다. IDEFICS는 [800억 파라미터](https://huggingface.co/HuggingFaceM4/idefics-80b)와 [90억 파라미터](https://huggingface.co/HuggingFaceM4/idefics-9b) 두 가지 버전을 제공하며, 두 버전 모두 🤗 Hub에서 이용할 수 있습니다. 각 버전에는 대화형 사용 사례에 맞게 미세 조정된 버전도 있습니다. | ||||
|  | ||||
| 이 모델은 매우 다재다능하며 광범위한 이미지 및 멀티모달 작업에 사용될 수 있습니다. 그러나 대규모 모델이기 때문에 상당한 컴퓨팅 자원과 인프라가 필요합니다. 각 개별 작업에 특화된 모델을 미세 조정하는 것보다 모델을 그대로 사용하는 것이 더 적합한지는 사용자가 판단해야 합니다. | ||||
|  | ||||
| 이 가이드에서는 다음을 배우게 됩니다: | ||||
| - [IDEFICS 로드하기](#loading-the-model) 및 [양자화된 버전의 모델 로드하기](#quantized-model) | ||||
| - IDEFICS를 사용하여: | ||||
|   - [이미지 캡셔닝](#image-captioning) | ||||
|   - [프롬프트 이미지 캡셔닝](#prompted-image-captioning) | ||||
|   - [퓨샷 프롬프트](#few-shot-prompting) | ||||
|   - [시각적 질의 응답](#visual-question-answering) | ||||
|   - [이미지 분류](#image-classification) | ||||
|   - [이미지 기반 텍스트 생성](#image-guided-text-generation) | ||||
| - [배치 모드에서 추론 실행](#running-inference-in-batch-mode) | ||||
| - [대화형 사용을 위한 IDEFICS 인스트럭트 실행](#idefics-instruct-for-conversational-use) | ||||
|  | ||||
| 시작하기 전에 필요한 모든 라이브러리가 설치되어 있는지 확인하세요. | ||||
|  | ||||
| ```bash | ||||
| pip install -q bitsandbytes sentencepiece accelerate transformers | ||||
| ``` | ||||
|  | ||||
| <Tip> | ||||
| 다음 예제를 비양자화된 버전의 모델 체크포인트로 실행하려면 최소 20GB의 GPU 메모리가 필요합니다. | ||||
| </Tip> | ||||
|  | ||||
| ## 모델 로드[[loading-the-model]] | ||||
|  | ||||
| 모델을 90억 파라미터 버전의 체크포인트로 로드해 봅시다: | ||||
|  | ||||
| ```py | ||||
| >>> checkpoint = "HuggingFaceM4/idefics-9b" | ||||
| ``` | ||||
|  | ||||
| 다른 Transformers 모델과 마찬가지로, 체크포인트에서 프로세서와 모델 자체를 로드해야 합니다. | ||||
| IDEFICS 프로세서는 [`LlamaTokenizer`]와 IDEFICS 이미지 프로세서를 하나의 프로세서로 감싸서 텍스트와 이미지 입력을 모델에 맞게 준비합니다. | ||||
|  | ||||
| ```py | ||||
| >>> import torch | ||||
|  | ||||
| >>> from transformers import IdeficsForVisionText2Text, AutoProcessor | ||||
|  | ||||
| >>> processor = AutoProcessor.from_pretrained(checkpoint) | ||||
|  | ||||
| >>> model = IdeficsForVisionText2Text.from_pretrained(checkpoint, torch_dtype=torch.bfloat16, device_map="auto") | ||||
| ``` | ||||
|  | ||||
| `device_map`을 `"auto"`로 설정하면 사용 중인 장치를 고려하여 모델 가중치를 가장 최적화된 방식으로 로드하고 저장하는 방법을 자동으로 결정합니다. | ||||
|  | ||||
| ### 양자화된 모델[[quantized-model]] | ||||
|  | ||||
| 고용량 GPU 사용이 어려운 경우, 모델의 양자화된 버전을 로드할 수 있습니다. 모델과 프로세서를 4비트 정밀도로 로드하기 위해서, `from_pretrained` 메소드에 `BitsAndBytesConfig`를 전달하면 모델이 로드되는 동안 실시간으로 압축됩니다. | ||||
|  | ||||
| ```py | ||||
| >>> import torch | ||||
| >>> from transformers import IdeficsForVisionText2Text, AutoProcessor, BitsAndBytesConfig | ||||
|  | ||||
| >>> quantization_config = BitsAndBytesConfig( | ||||
| ...     load_in_4bit=True, | ||||
| ...     bnb_4bit_compute_dtype=torch.float16, | ||||
| ... ) | ||||
|  | ||||
| >>> processor = AutoProcessor.from_pretrained(checkpoint) | ||||
|  | ||||
| >>> model = IdeficsForVisionText2Text.from_pretrained( | ||||
| ...     checkpoint, | ||||
| ...     quantization_config=quantization_config, | ||||
| ...     device_map="auto" | ||||
| ... ) | ||||
| ``` | ||||
|  | ||||
| 이제 모델을 제안된 방법 중 하나로 로드했으니, IDEFICS를 사용할 수 있는 작업들을 탐구해봅시다. | ||||
|  | ||||
| ## 이미지 캡셔닝[[image-captioning]] | ||||
| 이미지 캡셔닝은 주어진 이미지에 대한 캡션을 예측하는 작업입니다. 일반적인 응용 분야는 시각 장애인이 다양한 상황을 탐색할 수 있도록 돕는 것입니다. 예를 들어, 온라인에서 이미지 콘텐츠를 탐색하는 데 도움을 줄 수 있습니다. | ||||
|  | ||||
| 작업을 설명하기 위해 캡션을 달 이미지 예시를 가져옵니다. 예시: | ||||
|  | ||||
| <div class="flex justify-center"> | ||||
|      <img src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/tasks/idefics-im-captioning.jpg" alt="Image of a puppy in a flower bed"/> | ||||
| </div> | ||||
|  | ||||
| 사진 제공: [Hendo Wang](https://unsplash.com/@hendoo). | ||||
|  | ||||
| IDEFICS는 텍스트 및 이미지 프롬프트를 모두 수용합니다. 그러나 이미지를 캡션하기 위해 모델에 텍스트 프롬프트를 제공할 필요는 없습니다. 전처리된 입력 이미지만 제공하면 됩니다. 텍스트 프롬프트 없이 모델은 BOS(시퀀스 시작) 토큰부터 텍스트 생성을 시작하여 캡션을 만듭니다. | ||||
|  | ||||
| 모델에 이미지 입력으로는 이미지 객체(`PIL.Image`) 또는 이미지를 가져올 수 있는 URL을 사용할 수 있습니다. | ||||
|  | ||||
| ```py | ||||
| >>> prompt = [ | ||||
| ...     "https://images.unsplash.com/photo-1583160247711-2191776b4b91?ixlib=rb-4.0.3&ixid=M3wxMjA3fDB8MHxwaG90by1wYWdlfHx8fGVufDB8fHx8fA%3D%3D&auto=format&fit=crop&w=3542&q=80", | ||||
| ... ] | ||||
|  | ||||
| >>> inputs = processor(prompt, return_tensors="pt").to("cuda") | ||||
| >>> bad_words_ids = processor.tokenizer(["<image>", "<fake_token_around_image>"], add_special_tokens=False).input_ids | ||||
|  | ||||
| >>> generated_ids = model.generate(**inputs, max_new_tokens=10, bad_words_ids=bad_words_ids) | ||||
| >>> generated_text = processor.batch_decode(generated_ids, skip_special_tokens=True) | ||||
| >>> print(generated_text[0]) | ||||
| A puppy in a flower bed | ||||
| ``` | ||||
|  | ||||
| <Tip> | ||||
|  | ||||
| `max_new_tokens`의 크기를 증가시킬 때 발생할 수 있는 오류를 피하기 위해 `generate` 호출 시 `bad_words_ids`를 포함하는 것이 좋습니다. 모델로부터 생성된 이미지가 없을 때 새로운 `<image>` 또는 `<fake_token_around_image>` 토큰을 생성하려고 하기 때문입니다. | ||||
| 이 가이드에서처럼 `bad_words_ids`를 함수 호출 시에 매개변수로 설정하거나, [텍스트 생성 전략](../generation_strategies) 가이드에 설명된 대로 `GenerationConfig`에 저장할 수도 있습니다. | ||||
| </Tip> | ||||
|  | ||||
| ## 프롬프트 이미지 캡셔닝[[prompted-image-captioning]] | ||||
|  | ||||
| 텍스트 프롬프트를 이용하여 이미지 캡셔닝을 확장할 수 있으며, 모델은 주어진 이미지를 바탕으로 텍스트를 계속 생성합니다. 다음 이미지를 예시로 들어보겠습니다: | ||||
|  | ||||
| <div class="flex justify-center"> | ||||
|      <img src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/tasks/idefics-prompted-im-captioning.jpg" alt="Image of the Eiffel Tower at night"/> | ||||
| </div> | ||||
|  | ||||
| 사진 제공: [Denys Nevozhai](https://unsplash.com/@dnevozhai). | ||||
|  | ||||
| 텍스트 및 이미지 프롬프트는 적절한 입력을 생성하기 위해 모델의 프로세서에 하나의 목록으로 전달될 수 있습니다. | ||||
|  | ||||
| ```py | ||||
| >>> prompt = [ | ||||
| ...     "https://images.unsplash.com/photo-1543349689-9a4d426bee8e?ixlib=rb-4.0.3&ixid=M3wxMjA3fDB8MHxwaG90by1wYWdlfHx8fGVufDB8fHx8fA%3D%3D&auto=format&fit=crop&w=3501&q=80", | ||||
| ...     "This is an image of ", | ||||
| ... ] | ||||
|  | ||||
| >>> inputs = processor(prompt, return_tensors="pt").to("cuda") | ||||
| >>> bad_words_ids = processor.tokenizer(["<image>", "<fake_token_around_image>"], add_special_tokens=False).input_ids | ||||
|  | ||||
| >>> generated_ids = model.generate(**inputs, max_new_tokens=10, bad_words_ids=bad_words_ids) | ||||
| >>> generated_text = processor.batch_decode(generated_ids, skip_special_tokens=True) | ||||
| >>> print(generated_text[0]) | ||||
| This is an image of the Eiffel Tower in Paris, France. | ||||
| ``` | ||||
|  | ||||
| ## 퓨샷 프롬프트[[few-shot-prompting]] | ||||
|  | ||||
| IDEFICS는 훌륭한 제로샷 결과를 보여주지만, 작업에 특정 형식의 캡션이 필요하거나 작업의 복잡성을 높이는 다른 제한 사항이나 요구 사항이 있을 수 있습니다. 이럴 때 퓨샷 프롬프트를 사용하여 맥락 내 학습(In-Context Learning)을 가능하게 할 수 있습니다. | ||||
| 프롬프트에 예시를 제공함으로써 모델이 주어진 예시의 형식을 모방한 결과를 생성하도록 유도할 수 있습니다. | ||||
|  | ||||
| 이전의 에펠탑 이미지를 모델에 예시로 사용하고, 모델에게 이미지의 객체를 학습하는 것 외에도 흥미로운 정보를 얻고 싶다는 것을 보여주는 프롬프트를 작성해 봅시다. | ||||
| 그런 다음 자유의 여신상 이미지에 대해 동일한 응답 형식을 얻을 수 있는지 확인해 봅시다: | ||||
|  | ||||
| <div class="flex justify-center"> | ||||
|      <img src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/tasks/idefics-few-shot.jpg" alt="Image of the Statue of Liberty"/> | ||||
| </div> | ||||
|  | ||||
| 사진 제공: [Juan Mayobre](https://unsplash.com/@jmayobres). | ||||
|    | ||||
| ```py | ||||
| >>> prompt = ["User:", | ||||
| ...            "https://images.unsplash.com/photo-1543349689-9a4d426bee8e?ixlib=rb-4.0.3&ixid=M3wxMjA3fDB8MHxwaG90by1wYWdlfHx8fGVufDB8fHx8fA%3D%3D&auto=format&fit=crop&w=3501&q=80", | ||||
| ...            "Describe this image.\nAssistant: An image of the Eiffel Tower at night. Fun fact: the Eiffel Tower is the same height as an 81-storey building.\n", | ||||
| ...            "User:", | ||||
| ...            "https://images.unsplash.com/photo-1524099163253-32b7f0256868?ixlib=rb-4.0.3&ixid=M3wxMjA3fDB8MHxwaG90by1wYWdlfHx8fGVufDB8fHx8fA%3D%3D&auto=format&fit=crop&w=3387&q=80", | ||||
| ...            "Describe this image.\nAssistant:" | ||||
| ...            ] | ||||
|  | ||||
| >>> inputs = processor(prompt, return_tensors="pt").to("cuda") | ||||
| >>> bad_words_ids = processor.tokenizer(["<image>", "<fake_token_around_image>"], add_special_tokens=False).input_ids | ||||
|  | ||||
| >>> generated_ids = model.generate(**inputs, max_new_tokens=30, bad_words_ids=bad_words_ids) | ||||
| >>> generated_text = processor.batch_decode(generated_ids, skip_special_tokens=True) | ||||
| >>> print(generated_text[0]) | ||||
| User: Describe this image. | ||||
| Assistant: An image of the Eiffel Tower at night. Fun fact: the Eiffel Tower is the same height as an 81-storey building.  | ||||
| User: Describe this image. | ||||
| Assistant: An image of the Statue of Liberty. Fun fact: the Statue of Liberty is 151 feet tall. | ||||
| ``` | ||||
|  | ||||
| 단 하나의 예시만으로도(즉, 1-shot) 모델이 작업 수행 방법을 학습했다는 점이 주목할 만합니다. 더 복잡한 작업의 경우, 더 많은 예시(예: 3-shot, 5-shot 등)를 사용하여 실험해 보는 것도 좋은 방법입니다.  | ||||
|  | ||||
| ## 시각적 질의 응답[[visual-question-answering]] | ||||
|  | ||||
| 시각적 질의 응답(VQA)은 이미지를 기반으로 개방형 질문에 답하는 작업입니다. 이미지 캡셔닝과 마찬가지로 접근성 애플리케이션에서 사용할 수 있지만, 교육(시각 자료에 대한 추론), 고객 서비스(이미지를 기반으로 한 제품 질문), 이미지 검색 등에서도 사용할 수 있습니다. | ||||
|  | ||||
| 이 작업을 위해 새로운 이미지를 가져옵니다: | ||||
|  | ||||
| <div class="flex justify-center"> | ||||
|      <img src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/tasks/idefics-vqa.jpg" alt="Image of a couple having a picnic"/> | ||||
| </div> | ||||
|  | ||||
| 사진 제공: [Jarritos Mexican Soda](https://unsplash.com/@jarritos). | ||||
|  | ||||
| 적절한 지시문을 사용하면 이미지 캡셔닝에서 시각적 질의 응답으로 모델을 유도할 수 있습니다: | ||||
|  | ||||
| ```py | ||||
| >>> prompt = [ | ||||
| ...     "Instruction: Provide an answer to the question. Use the image to answer.\n", | ||||
| ...     "https://images.unsplash.com/photo-1623944889288-cd147dbb517c?ixlib=rb-4.0.3&ixid=M3wxMjA3fDB8MHxwaG90by1wYWdlfHx8fGVufDB8fHx8fA%3D%3D&auto=format&fit=crop&w=3540&q=80", | ||||
| ...     "Question: Where are these people and what's the weather like? Answer:" | ||||
| ... ] | ||||
|  | ||||
| >>> inputs = processor(prompt, return_tensors="pt").to("cuda") | ||||
| >>> bad_words_ids = processor.tokenizer(["<image>", "<fake_token_around_image>"], add_special_tokens=False).input_ids | ||||
|  | ||||
| >>> generated_ids = model.generate(**inputs, max_new_tokens=20, bad_words_ids=bad_words_ids) | ||||
| >>> generated_text = processor.batch_decode(generated_ids, skip_special_tokens=True) | ||||
| >>> print(generated_text[0]) | ||||
| Instruction: Provide an answer to the question. Use the image to answer. | ||||
|  Question: Where are these people and what's the weather like? Answer: They're in a park in New York City, and it's a beautiful day. | ||||
| ``` | ||||
|  | ||||
| ## 이미지 분류[[image-classification]] | ||||
|  | ||||
| IDEFICS는 특정 카테고리의 라벨이 포함된 데이터로 명시적으로 학습되지 않아도 이미지를 다양한 카테고리로 분류할 수 있습니다. 카테고리 목록이 주어지면, 모델은 이미지와 텍스트 이해 능력을 사용하여 이미지가 속할 가능성이 높은 카테고리를 추론할 수 있습니다. | ||||
|  | ||||
| 여기에 야채 가판대 이미지가 있습니다. | ||||
|  | ||||
| <div class="flex justify-center"> | ||||
|      <img src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/tasks/idefics-classification.jpg" alt="Image of a vegetable stand"/> | ||||
| </div> | ||||
|  | ||||
| 사진 제공: [Peter Wendt](https://unsplash.com/@peterwendt). | ||||
|  | ||||
| 우리는 모델에게 우리가 가진 카테고리 중 하나로 이미지를 분류하도록 지시할 수 있습니다: | ||||
|  | ||||
| ```py | ||||
| >>> categories = ['animals','vegetables', 'city landscape', 'cars', 'office'] | ||||
| >>> prompt = [f"Instruction: Classify the following image into a single category from the following list: {categories}.\n", | ||||
| ...     "https://images.unsplash.com/photo-1471193945509-9ad0617afabf?ixlib=rb-4.0.3&ixid=M3wxMjA3fDB8MHxwaG90by1wYWdlfHx8fGVufDB8fHx8fA%3D%3D&auto=format&fit=crop&w=3540&q=80",     | ||||
| ...     "Category: " | ||||
| ... ] | ||||
|  | ||||
| >>> inputs = processor(prompt, return_tensors="pt").to("cuda") | ||||
| >>> bad_words_ids = processor.tokenizer(["<image>", "<fake_token_around_image>"], add_special_tokens=False).input_ids | ||||
|  | ||||
| >>> generated_ids = model.generate(**inputs, max_new_tokens=6, bad_words_ids=bad_words_ids) | ||||
| >>> generated_text = processor.batch_decode(generated_ids, skip_special_tokens=True) | ||||
| >>> print(generated_text[0]) | ||||
| Instruction: Classify the following image into a single category from the following list: ['animals', 'vegetables', 'city landscape', 'cars', 'office']. | ||||
| Category: Vegetables | ||||
| ```   | ||||
|  | ||||
| 위 예제에서는 모델에게 이미지를 단일 카테고리로 분류하도록 지시했지만, 순위 분류를 하도록 모델에 프롬프트를 제공할 수도 있습니다. | ||||
|  | ||||
| ## 이미지 기반 텍스트 생성[[image-guided-text-generation]] | ||||
|  | ||||
| 이미지를 활용한 텍스트 생성 기술을 사용하면 더욱 창의적인 작업이 가능합니다. 이 기술은 이미지를 바탕으로 텍스트를 만들어내며, 제품 설명, 광고 문구, 장면 묘사 등 다양한 용도로 활용할 수 있습니다. | ||||
|  | ||||
| 간단한 예로, 빨간 문 이미지를 IDEFICS에 입력하여 이야기를 만들어보겠습니다: | ||||
|  | ||||
| <div class="flex justify-center"> | ||||
|      <img src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/tasks/idefics-story-generation.jpg" alt="Image of a red door with a pumpkin on the steps"/> | ||||
| </div> | ||||
|  | ||||
| 사진 제공: [Craig Tidball](https://unsplash.com/@devonshiremedia). | ||||
|    | ||||
| ```py | ||||
| >>> prompt = ["Instruction: Use the image to write a story. \n", | ||||
| ...     "https://images.unsplash.com/photo-1517086822157-2b0358e7684a?ixlib=rb-4.0.3&ixid=M3wxMjA3fDB8MHxwaG90by1wYWdlfHx8fGVufDB8fHx8fA%3D%3D&auto=format&fit=crop&w=2203&q=80", | ||||
| ...     "Story: \n"] | ||||
|  | ||||
| >>> inputs = processor(prompt, return_tensors="pt").to("cuda") | ||||
| >>> bad_words_ids = processor.tokenizer(["<image>", "<fake_token_around_image>"], add_special_tokens=False).input_ids | ||||
|  | ||||
| >>> generated_ids = model.generate(**inputs, num_beams=2, max_new_tokens=200, bad_words_ids=bad_words_ids) | ||||
| >>> generated_text = processor.batch_decode(generated_ids, skip_special_tokens=True) | ||||
| >>> print(generated_text[0])  | ||||
| Instruction: Use the image to write a story.  | ||||
|  Story:  | ||||
| Once upon a time, there was a little girl who lived in a house with a red door.  She loved her red door.  It was the prettiest door in the whole world. | ||||
|  | ||||
| One day, the little girl was playing in her yard when she noticed a man standing on her doorstep.  He was wearing a long black coat and a top hat. | ||||
|  | ||||
| The little girl ran inside and told her mother about the man. | ||||
|  | ||||
| Her mother said, “Don’t worry, honey.  He’s just a friendly ghost.” | ||||
|  | ||||
| The little girl wasn’t sure if she believed her mother, but she went outside anyway. | ||||
|  | ||||
| When she got to the door, the man was gone. | ||||
|  | ||||
| The next day, the little girl was playing in her yard again when she noticed the man standing on her doorstep. | ||||
|  | ||||
| He was wearing a long black coat and a top hat. | ||||
|  | ||||
| The little girl ran | ||||
| ``` | ||||
|  | ||||
| IDEFICS가 문 앞에 있는 호박을 보고 유령에 대한 으스스한 할로윈 이야기를 만든 것 같습니다. | ||||
|  | ||||
| <Tip> | ||||
|  | ||||
| 이처럼 긴 텍스트를 생성할 때는 텍스트 생성 전략을 조정하는 것이 좋습니다. 이렇게 하면 생성된 결과물의 품질을 크게 향상시킬 수 있습니다. 자세한 내용은 [텍스트 생성 전략](../generation_strategies)을 참조하세요. | ||||
| </Tip> | ||||
|  | ||||
| ## 배치 모드에서 추론 실행[[running-inference-in-batch-mode]] | ||||
|  | ||||
| 앞선 모든 섹션에서는 단일 예시에 대해 IDEFICS를 설명했습니다. 이와 매우 유사한 방식으로, 프롬프트 목록을 전달하여 여러 예시에 대한 추론을 실행할 수 있습니다: | ||||
|  | ||||
| ```py | ||||
| >>> prompts = [ | ||||
| ...     [   "https://images.unsplash.com/photo-1543349689-9a4d426bee8e?ixlib=rb-4.0.3&ixid=M3wxMjA3fDB8MHxwaG90by1wYWdlfHx8fGVufDB8fHx8fA%3D%3D&auto=format&fit=crop&w=3501&q=80", | ||||
| ...         "This is an image of ", | ||||
| ...     ], | ||||
| ...     [   "https://images.unsplash.com/photo-1623944889288-cd147dbb517c?ixlib=rb-4.0.3&ixid=M3wxMjA3fDB8MHxwaG90by1wYWdlfHx8fGVufDB8fHx8fA%3D%3D&auto=format&fit=crop&w=3540&q=80", | ||||
| ...         "This is an image of ", | ||||
| ...     ], | ||||
| ...     [   "https://images.unsplash.com/photo-1471193945509-9ad0617afabf?ixlib=rb-4.0.3&ixid=M3wxMjA3fDB8MHxwaG90by1wYWdlfHx8fGVufDB8fHx8fA%3D%3D&auto=format&fit=crop&w=3540&q=80", | ||||
| ...         "This is an image of ", | ||||
| ...     ], | ||||
| ... ] | ||||
|  | ||||
| >>> inputs = processor(prompts, return_tensors="pt").to("cuda") | ||||
| >>> bad_words_ids = processor.tokenizer(["<image>", "<fake_token_around_image>"], add_special_tokens=False).input_ids | ||||
|  | ||||
| >>> generated_ids = model.generate(**inputs, max_new_tokens=10, bad_words_ids=bad_words_ids) | ||||
| >>> generated_text = processor.batch_decode(generated_ids, skip_special_tokens=True) | ||||
| >>> for i,t in enumerate(generated_text): | ||||
| ...     print(f"{i}:\n{t}\n")  | ||||
| 0: | ||||
| This is an image of the Eiffel Tower in Paris, France. | ||||
|  | ||||
| 1: | ||||
| This is an image of a couple on a picnic blanket. | ||||
|  | ||||
| 2: | ||||
| This is an image of a vegetable stand. | ||||
| ``` | ||||
|  | ||||
| ## 대화형 사용을 위한 IDEFICS 인스트럭트 실행[[idefics-instruct-for-conversational-use]] | ||||
|  | ||||
| 대화형 사용 사례를 위해, 🤗 Hub에서 명령어 수행에 최적화된 버전의 모델을 찾을 수 있습니다. 이곳에는 `HuggingFaceM4/idefics-80b-instruct`와 `HuggingFaceM4/idefics-9b-instruct`가 있습니다. | ||||
|  | ||||
| 이 체크포인트는 지도 학습 및 명령어 미세 조정 데이터셋의 혼합으로 각각의 기본 모델을 미세 조정한 결과입니다. 이를 통해 모델의 하위 작업 성능을 향상시키는 동시에 대화형 환경에서 모델을 더 사용하기 쉽게 합니다. | ||||
|  | ||||
| 대화형 사용을 위한 사용법 및 프롬프트는 기본 모델을 사용하는 것과 매우 유사합니다. | ||||
|  | ||||
| ```py | ||||
| >>> import torch | ||||
| >>> from transformers import IdeficsForVisionText2Text, AutoProcessor | ||||
|  | ||||
| >>> device = "cuda" if torch.cuda.is_available() else "cpu" | ||||
|  | ||||
| >>> checkpoint = "HuggingFaceM4/idefics-9b-instruct" | ||||
| >>> model = IdeficsForVisionText2Text.from_pretrained(checkpoint, torch_dtype=torch.bfloat16).to(device) | ||||
| >>> processor = AutoProcessor.from_pretrained(checkpoint) | ||||
|  | ||||
| >>> prompts = [ | ||||
| ...     [ | ||||
| ...         "User: What is in this image?", | ||||
| ...         "https://upload.wikimedia.org/wikipedia/commons/8/86/Id%C3%A9fix.JPG", | ||||
| ...         "<end_of_utterance>", | ||||
|  | ||||
| ...         "\nAssistant: This picture depicts Idefix, the dog of Obelix in Asterix and Obelix. Idefix is running on the ground.<end_of_utterance>", | ||||
|  | ||||
| ...         "\nUser:", | ||||
| ...         "https://static.wikia.nocookie.net/asterix/images/2/25/R22b.gif/revision/latest?cb=20110815073052", | ||||
| ...         "And who is that?<end_of_utterance>", | ||||
|  | ||||
| ...         "\nAssistant:", | ||||
| ...     ], | ||||
| ... ] | ||||
|  | ||||
| >>> # --batched mode | ||||
| >>> inputs = processor(prompts, add_end_of_utterance_token=False, return_tensors="pt").to(device) | ||||
| >>> # --single sample mode | ||||
| >>> # inputs = processor(prompts[0], return_tensors="pt").to(device) | ||||
|  | ||||
| >>> # args 생성 | ||||
| >>> exit_condition = processor.tokenizer("<end_of_utterance>", add_special_tokens=False).input_ids | ||||
| >>> bad_words_ids = processor.tokenizer(["<image>", "<fake_token_around_image>"], add_special_tokens=False).input_ids | ||||
|  | ||||
| >>> generated_ids = model.generate(**inputs, eos_token_id=exit_condition, bad_words_ids=bad_words_ids, max_length=100) | ||||
| >>> generated_text = processor.batch_decode(generated_ids, skip_special_tokens=True) | ||||
| >>> for i, t in enumerate(generated_text): | ||||
| ...     print(f"{i}:\n{t}\n") | ||||
| ``` | ||||
| @ -1,136 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # 이미지 특징 추출[[image-feature-extraction]] | ||||
|  | ||||
| [[open-in-colab]] | ||||
|  | ||||
| 이미지 특징 추출은 주어진 이미지에서 의미론적으로 의미 있는 특징을 추출하는 작업입니다. 이는 이미지 유사성 및 이미지 검색 등 다양한 사용 사례가 있습니다. | ||||
| 게다가 대부분의 컴퓨터 비전 모델은 이미지 특징 추출에 사용할 수 있으며, 여기서 작업 특화 헤드(이미지 분류, 물체 감지 등)를 제거하고 특징을 얻을 수 있습니다. 이러한 특징은 가장자리 감지, 모서리 감지 등 고차원 수준에서 매우 유용합니다. | ||||
| 또한 모델의 깊이에 따라 실제 세계에 대한 정보(예: 고양이가 어떻게 생겼는지)를 포함할 수도 있습니다. 따라서 이러한 출력은 특정 데이터 세트에 대한 새로운 분류기를 훈련하는 데 사용할 수 있습니다. | ||||
|  | ||||
| 이 가이드에서는: | ||||
|  | ||||
| - `image-feature-extraction` 파이프라인을 활용하여 간단한 이미지 유사성 시스템을 구축하는 방법을 배웁니다. | ||||
| - 기본 모델 추론으로 동일한 작업을 수행합니다. | ||||
|  | ||||
| ## `image-feature-extraction` 파이프라인을 이용한 이미지 유사성[[image-similarity-using-image-feature-extraction-pipeline]] | ||||
|  | ||||
| 물고기 그물 위에 앉아 있는 두 장의 고양이 사진이 있습니다. 이 중 하나는 생성된 이미지입니다. | ||||
|  | ||||
| ```python | ||||
| from PIL import Image | ||||
| import requests | ||||
|  | ||||
| img_urls = ["https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/cats.png", "https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/cats.jpeg"] | ||||
| image_real = Image.open(requests.get(img_urls[0], stream=True).raw).convert("RGB") | ||||
| image_gen = Image.open(requests.get(img_urls[1], stream=True).raw).convert("RGB") | ||||
| ``` | ||||
|  | ||||
| 파이프라인을 실행해 봅시다. 먼저 파이프라인을 초기화하세요. 모델을 지정하지 않으면, 파이프라인은 자동으로 [google/vit-base-patch16-224](google/vit-base-patch16-224) 모델로 초기화됩니다. 유사도를 계산하려면 `pool`을 True로 설정하세요.  | ||||
|  | ||||
|  | ||||
| ```python | ||||
| import torch | ||||
| from transformers import pipeline | ||||
|  | ||||
| DEVICE = torch.device('cuda' if torch.cuda.is_available() else 'cpu') | ||||
| pipe = pipeline(task="image-feature-extraction", model_name="google/vit-base-patch16-384", device=DEVICE, pool=True) | ||||
| ``` | ||||
|  | ||||
| `pipe`를 사용하여 추론하려면 두 이미지를 모두 전달하세요. | ||||
|  | ||||
| ```python | ||||
| outputs = pipe([image_real, image_gen]) | ||||
| ``` | ||||
|  | ||||
| 출력에는 두 이미지의 풀링된(pooled) 임베딩이 포함되어 있습니다. | ||||
|  | ||||
| ```python | ||||
| # 단일 출력의 길이 구하기 | ||||
| print(len(outputs[0][0])) | ||||
| # 출력 결과 표시하기 | ||||
| print(outputs) | ||||
|  | ||||
| # 768 | ||||
| # [[[-0.03909236937761307, 0.43381670117378235, -0.06913255900144577, | ||||
| ``` | ||||
|  | ||||
| 유사도 점수를 얻으려면, 이들을 유사도 함수에 전달해야 합니다. | ||||
|  | ||||
| ```python | ||||
| from torch.nn.functional import cosine_similarity | ||||
|  | ||||
| similarity_score = cosine_similarity(torch.Tensor(outputs[0]), | ||||
|                                      torch.Tensor(outputs[1]), dim=1) | ||||
|  | ||||
| print(similarity_score) | ||||
|  | ||||
| # tensor([0.6043]) | ||||
| ``` | ||||
|  | ||||
| 풀링 이전의 마지막 은닉 상태를 얻고 싶다면, `pool` 매개변수에 아무 값도 전달하지 마세요. 또한, 기본값은 `False`로 설정되어 있습니다. 이 은닉 상태는 모델의 특징을 기반으로 새로운 분류기나 모델을 훈련시키는 데 유용합니다. | ||||
|  | ||||
| ```python | ||||
| pipe = pipeline(task="image-feature-extraction", model_name="google/vit-base-patch16-224", device=DEVICE) | ||||
| output = pipe(image_real) | ||||
| ``` | ||||
|  | ||||
| 아직 출력이 풀링되지 않았기 때문에, 첫 번째 차원은 배치 크기이고 마지막 두 차원은 임베딩 형태인 마지막 은닉 상태를 얻을 수 있습니다. | ||||
|  | ||||
| ```python | ||||
| import numpy as np | ||||
| print(np.array(outputs).shape) | ||||
| # (1, 197, 768) | ||||
| ``` | ||||
|  | ||||
| ## `AutoModel`을 사용하여 특징과 유사성 얻기[[getting-features-and-similarities-using-automodel]] | ||||
|  | ||||
| transformers의 `AutoModel` 클래스를 사용하여 특징을 얻을 수도 있습니다. `AutoModel`은 작업 특화 헤드 없이 모든 transformers 모델을 로드할 수 있으며, 이를 통해 특징을 추출할 수 있습니다. | ||||
|  | ||||
| ```python | ||||
| from transformers import AutoImageProcessor, AutoModel | ||||
|  | ||||
| processor = AutoImageProcessor.from_pretrained("google/vit-base-patch16-224") | ||||
| model = AutoModel.from_pretrained("google/vit-base-patch16-224").to(DEVICE) | ||||
| ``` | ||||
|  | ||||
| 추론을 위한 간단한 함수를 작성해 보겠습니다. 먼저 입력값을 `processor`에 전달한 다음, 그 출력값을 `model`에 전달할 것입니다. | ||||
|  | ||||
| ```python | ||||
| def infer(image): | ||||
|   inputs = processor(image, return_tensors="pt").to(DEVICE) | ||||
|   outputs = model(**inputs) | ||||
|   return outputs.pooler_output | ||||
| ``` | ||||
|  | ||||
| 이 함수에 이미지를 직접 전달하여 임베딩을 얻을 수 있습니다. | ||||
|  | ||||
| ```python | ||||
| embed_real = infer(image_real) | ||||
| embed_gen = infer(image_gen) | ||||
| ``` | ||||
|  | ||||
| 그리고 이 임베딩을 사용하여 다시 유사도를 계산할 수 있습니다. | ||||
|  | ||||
| ```python | ||||
| from torch.nn.functional import cosine_similarity | ||||
|  | ||||
| similarity_score = cosine_similarity(embed_real, embed_gen, dim=1) | ||||
| print(similarity_score) | ||||
|  | ||||
| # tensor([0.6061], device='cuda:0', grad_fn=<SumBackward1>) | ||||
| ``` | ||||
| @ -1,132 +0,0 @@ | ||||
| <!--Copyright 2023 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # Image-to-Image 작업 가이드 [[image-to-image-task-guide]] | ||||
|  | ||||
| [[open-in-colab]] | ||||
|  | ||||
| Image-to-Image 작업은 애플리케이션이 이미지를 입력받아 또 다른 이미지를 출력하는 작업입니다. 여기에는 이미지 향상(초고해상도, 저조도 향상, 빗줄기 제거 등), 이미지 복원 등 다양한 하위 작업이 포함됩니다. | ||||
|  | ||||
| 이 가이드에서는 다음을 수행하는 방법을 보여줍니다. | ||||
| - 초고해상도 작업을 위한 image-to-image 파이프라인 사용, | ||||
| - 파이프라인 없이 동일한 작업을 위한 image-to-image 모델 실행 | ||||
|  | ||||
| 이 가이드가 발표된 시점에서는, `image-to-image` 파이프라인은 초고해상도 작업만 지원한다는 점을 유의하세요. | ||||
|  | ||||
| 필요한 라이브러리를 설치하는 것부터 시작하겠습니다. | ||||
|  | ||||
| ```bash | ||||
| pip install transformers | ||||
| ``` | ||||
|  | ||||
| 이제 [Swin2SR 모델](https://huggingface.co/caidas/swin2SR-lightweight-x2-64)을 사용하여 파이프라인을 초기화할 수 있습니다. 그런 다음 이미지와 함께 호출하여 파이프라인으로 추론할 수 있습니다. 현재 이 파이프라인에서는 [Swin2SR 모델](https://huggingface.co/caidas/swin2SR-lightweight-x2-64)만 지원됩니다. | ||||
|  | ||||
| ```python | ||||
| from transformers import pipeline | ||||
|  | ||||
| device = torch.device('cuda' if torch.cuda.is_available() else 'cpu') | ||||
| pipe = pipeline(task="image-to-image", model="caidas/swin2SR-lightweight-x2-64", device=device) | ||||
| ``` | ||||
|  | ||||
| 이제 이미지를 불러와 봅시다. | ||||
|  | ||||
| ```python | ||||
| from PIL import Image | ||||
| import requests | ||||
|  | ||||
| url = "https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/tasks/cat.jpg" | ||||
| image = Image.open(requests.get(url, stream=True).raw) | ||||
|  | ||||
| print(image.size) | ||||
| ``` | ||||
| ```bash | ||||
| # (532, 432) | ||||
| ``` | ||||
| <div class="flex justify-center"> | ||||
|      <img src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/tasks/cat.jpg" alt="Photo of a cat"/> | ||||
| </div> | ||||
|  | ||||
| 이제 파이프라인으로 추론을 수행할 수 있습니다. 고양이 이미지의 업스케일된 버전을 얻을 수 있습니다. | ||||
|  | ||||
| ```python | ||||
| upscaled = pipe(image) | ||||
| print(upscaled.size) | ||||
| ``` | ||||
| ```bash | ||||
| # (1072, 880) | ||||
| ``` | ||||
|  | ||||
| 파이프라인 없이 직접 추론을 수행하려면 Transformers의 `Swin2SRForImageSuperResolution` 및 `Swin2SRImageProcessor` 클래스를 사용할 수 있습니다. 이를 위해 동일한 모델 체크포인트를 사용합니다. 모델과 프로세서를 초기화해 보겠습니다.  | ||||
|  | ||||
| ```python | ||||
| from transformers import Swin2SRForImageSuperResolution, Swin2SRImageProcessor  | ||||
|  | ||||
| model = Swin2SRForImageSuperResolution.from_pretrained("caidas/swin2SR-lightweight-x2-64").to(device) | ||||
| processor = Swin2SRImageProcessor("caidas/swin2SR-lightweight-x2-64") | ||||
| ``` | ||||
|  | ||||
| `pipeline` 우리가 직접 수행해야 하는 전처리와 후처리 단계를 추상화하므로, 이미지를 전처리해 보겠습니다. 이미지를 프로세서에 전달한 다음 픽셀값을 GPU로 이동시키겠습니다.  | ||||
|  | ||||
| ```python | ||||
| pixel_values = processor(image, return_tensors="pt").pixel_values | ||||
| print(pixel_values.shape) | ||||
|  | ||||
| pixel_values = pixel_values.to(device) | ||||
| ``` | ||||
|  | ||||
| 이제 픽셀값을 모델에 전달하여 이미지를 추론할 수 있습니다. | ||||
|  | ||||
| ```python | ||||
| import torch | ||||
|  | ||||
| with torch.no_grad(): | ||||
|   outputs = model(pixel_values) | ||||
| ``` | ||||
| 출력은 아래와 같은 `ImageSuperResolutionOutput` 유형의 객체입니다 👇  | ||||
|  | ||||
| ``` | ||||
| (loss=None, reconstruction=tensor([[[[0.8270, 0.8269, 0.8275,  ..., 0.7463, 0.7446, 0.7453], | ||||
|           [0.8287, 0.8278, 0.8283,  ..., 0.7451, 0.7448, 0.7457], | ||||
|           [0.8280, 0.8273, 0.8269,  ..., 0.7447, 0.7446, 0.7452], | ||||
|           ..., | ||||
|           [0.5923, 0.5933, 0.5924,  ..., 0.0697, 0.0695, 0.0706], | ||||
|           [0.5926, 0.5932, 0.5926,  ..., 0.0673, 0.0687, 0.0705], | ||||
|           [0.5927, 0.5914, 0.5922,  ..., 0.0664, 0.0694, 0.0718]]]], | ||||
|        device='cuda:0'), hidden_states=None, attentions=None) | ||||
| ``` | ||||
| `reconstruction`를 가져와 시각화를 위해 후처리해야 합니다. 어떻게 생겼는지 살펴봅시다. | ||||
|  | ||||
| ```python | ||||
| outputs.reconstruction.data.shape | ||||
| # torch.Size([1, 3, 880, 1072]) | ||||
| ``` | ||||
|  | ||||
| 출력 텐서의 차원을 축소하고 0번째 축을 제거한 다음, 값을 클리핑하고 NumPy 부동소수점 배열로 변환해야 합니다. 그런 다음 [1072, 880] 모양을 갖도록 축을 재정렬하고 마지막으로 출력을 0과 255 사이의 값을 갖도록 되돌립니다. | ||||
|  | ||||
| ```python | ||||
| import numpy as np | ||||
|  | ||||
| # 크기를 줄이고, CPU로 이동하고, 값을 클리핑 | ||||
| output = outputs.reconstruction.data.squeeze().cpu().clamp_(0, 1).numpy() | ||||
| # 축을 재정렬 | ||||
| output = np.moveaxis(output, source=0, destination=-1) | ||||
| # 값을 픽셀값 범위로 되돌리기 | ||||
| output = (output * 255.0).round().astype(np.uint8) | ||||
| Image.fromarray(output) | ||||
| ``` | ||||
| <div class="flex justify-center"> | ||||
|      <img src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/tasks/cat_upscaled.png" alt="Upscaled photo of a cat"/> | ||||
| </div> | ||||
| @ -1,193 +0,0 @@ | ||||
| <!--Copyright 2023 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
| # 컴퓨터 비전을 위한 지식 증류[[Knowledge-Distillation-for-Computer-Vision]] | ||||
|  | ||||
| [[open-in-colab]] | ||||
|  | ||||
| 지식 증류(Knowledge distillation)는 더 크고 복잡한 모델(교사)에서 더 작고 간단한 모델(학생)로 지식을 전달하는 기술입니다. 한 모델에서 다른 모델로 지식을 증류하기 위해, 특정 작업(이 경우 이미지 분류)에 대해 학습된 사전 훈련된 교사 모델을 사용하고, 랜덤으로 초기화된 학생 모델을 이미지 분류 작업에 대해 학습합니다. 그다음, 학생 모델이 교사 모델의 출력을 모방하여 두 모델의 출력 차이를 최소화하도록 훈련합니다. 이 기법은 Hinton 등 연구진의 [Distilling the Knowledge in a Neural Network](https://arxiv.org/abs/1503.02531)에서 처음 소개되었습니다. 이 가이드에서는 특정 작업에 맞춘 지식 증류를 수행할 것입니다. 이번에는 [beans dataset](https://huggingface.co/datasets/beans)을 사용할 것입니다. | ||||
|  | ||||
| 이 가이드는 [미세 조정된 ViT 모델](https://huggingface.co/merve/vit-mobilenet-beans-224) (교사 모델)을 [MobileNet](https://huggingface.co/google/mobilenet_v2_1.4_224) (학생 모델)으로 증류하는 방법을 🤗 Transformers의 [Trainer API](https://huggingface.co/docs/transformers/en/main_classes/trainer#trainer) 를 사용하여 보여줍니다. | ||||
|  | ||||
| 증류와 과정 평가를 위해 필요한 라이브러리를 설치해 봅시다. | ||||
|  | ||||
|  | ||||
| ```bash | ||||
| pip install transformers datasets accelerate tensorboard evaluate --upgrade | ||||
| ``` | ||||
|  | ||||
| 이 예제에서는 `merve/beans-vit-224` 모델을 교사 모델로 사용하고 있습니다. 이 모델은 beans 데이터셋에서 파인 튜닝된 `google/vit-base-patch16-224-in21k` 기반의 이미지 분류 모델입니다. 이 모델을 무작위로 초기화된 MobileNetV2로 증류해볼 것입니다. | ||||
|  | ||||
| 이제 데이터셋을 로드하겠습니다. | ||||
|  | ||||
| ```python | ||||
| from datasets import load_dataset | ||||
|  | ||||
| dataset = load_dataset("beans") | ||||
| ``` | ||||
|  | ||||
| 이 경우 두 모델의 이미지 프로세서가 동일한 해상도로 동일한 출력을 반환하기 때문에, 두가지를 모두 사용할 수 있습니다. 데이터셋의 모든 분할마다 전처리를 적용하기 위해 `dataset`의 `map()` 메소드를 사용할 것 입니다. | ||||
|  | ||||
|  | ||||
| ```python | ||||
| from transformers import AutoImageProcessor | ||||
| teacher_processor = AutoImageProcessor.from_pretrained("merve/beans-vit-224") | ||||
|  | ||||
| def process(examples): | ||||
|     processed_inputs = teacher_processor(examples["image"]) | ||||
|     return processed_inputs | ||||
|  | ||||
| processed_datasets = dataset.map(process, batched=True) | ||||
| ``` | ||||
|  | ||||
| 학생 모델(무작위로 초기화된 MobileNet)이 교사 모델(파인 튜닝된 비전 트랜스포머)을 모방하도록 할 것 입니다. 이를 위해 먼저 교사와 학생 모델의 로짓 출력값을 구합니다. 그런 다음 각 출력값을 매개변수 `temperature` 값으로 나누는데, 이 매개변수는 각 소프트 타겟의 중요도를 조절하는 역할을 합니다. 매개변수 `lambda` 는 증류 손실의 중요도에 가중치를 줍니다. 이 예제에서는 `temperature=5`와 `lambda=0.5`를 사용할 것입니다. 학생과 교사 간의 발산을 계산하기 위해 Kullback-Leibler Divergence 손실을 사용합니다. 두 데이터 P와 Q가 주어졌을 때, KL Divergence는 Q를 사용하여 P를 표현하는 데 얼만큼의 추가 정보가 필요한지를 말해줍니다. 두 데이터가 동일하다면, KL Divergence는 0이며, Q로 P를 설명하는 데 추가 정보가 필요하지 않음을 의미합니다. 따라서 지식 증류의 맥락에서 KL Divergence는 유용합니다. | ||||
|  | ||||
|  | ||||
| ```python | ||||
| from transformers import TrainingArguments, Trainer | ||||
| import torch | ||||
| import torch.nn as nn | ||||
| import torch.nn.functional as F | ||||
|  | ||||
|  | ||||
| class ImageDistilTrainer(Trainer): | ||||
|     def __init__(self, teacher_model=None, student_model=None, temperature=None, lambda_param=None,  *args, **kwargs): | ||||
|         super().__init__(model=student_model, *args, **kwargs) | ||||
|         self.teacher = teacher_model | ||||
|         self.student = student_model | ||||
|         self.loss_function = nn.KLDivLoss(reduction="batchmean") | ||||
|         device = torch.device('cuda' if torch.cuda.is_available() else 'cpu') | ||||
|         self.teacher.to(device) | ||||
|         self.teacher.eval() | ||||
|         self.temperature = temperature | ||||
|         self.lambda_param = lambda_param | ||||
|  | ||||
|     def compute_loss(self, student, inputs, return_outputs=False): | ||||
|         student_output = self.student(**inputs) | ||||
|  | ||||
|         with torch.no_grad(): | ||||
|           teacher_output = self.teacher(**inputs) | ||||
|  | ||||
|         #  교사와 학생의 소프트 타겟(soft targets) 계산 | ||||
|  | ||||
|         soft_teacher = F.softmax(teacher_output.logits / self.temperature, dim=-1) | ||||
|         soft_student = F.log_softmax(student_output.logits / self.temperature, dim=-1) | ||||
|  | ||||
|         # 손실(loss) 계산 | ||||
|         distillation_loss = self.loss_function(soft_student, soft_teacher) * (self.temperature ** 2) | ||||
|  | ||||
|         # 실제 레이블 손실 계산 | ||||
|         student_target_loss = student_output.loss | ||||
|  | ||||
|         # 최종 손실 계산 | ||||
|         loss = (1. - self.lambda_param) * student_target_loss + self.lambda_param * distillation_loss | ||||
|         return (loss, student_output) if return_outputs else loss | ||||
| ``` | ||||
|  | ||||
| 이제 Hugging Face Hub에 로그인하여 `Trainer`를 통해 Hugging Face Hub에 모델을 푸시할 수 있도록 하겠습니다. | ||||
|  | ||||
|  | ||||
| ```python | ||||
| from huggingface_hub import notebook_login | ||||
|  | ||||
| notebook_login() | ||||
| ``` | ||||
|  | ||||
| 이제 `TrainingArguments`, 교사 모델과 학생 모델을 설정하겠습니다. | ||||
|  | ||||
|  | ||||
| ```python | ||||
| from transformers import AutoModelForImageClassification, MobileNetV2Config, MobileNetV2ForImageClassification | ||||
|  | ||||
| training_args = TrainingArguments( | ||||
|     output_dir="my-awesome-model", | ||||
|     num_train_epochs=30, | ||||
|     fp16=True, | ||||
|     logging_dir=f"{repo_name}/logs", | ||||
|     logging_strategy="epoch", | ||||
|     eval_strategy="epoch", | ||||
|     save_strategy="epoch", | ||||
|     load_best_model_at_end=True, | ||||
|     metric_for_best_model="accuracy", | ||||
|     report_to="tensorboard", | ||||
|     push_to_hub=True, | ||||
|     hub_strategy="every_save", | ||||
|     hub_model_id=repo_name, | ||||
|     ) | ||||
|  | ||||
| num_labels = len(processed_datasets["train"].features["labels"].names) | ||||
|  | ||||
| # 모델 초기화 | ||||
| teacher_model = AutoModelForImageClassification.from_pretrained( | ||||
|     "merve/beans-vit-224", | ||||
|     num_labels=num_labels, | ||||
|     ignore_mismatched_sizes=True | ||||
| ) | ||||
|  | ||||
| # MobileNetV2 밑바닥부터 학습 | ||||
| student_config = MobileNetV2Config() | ||||
| student_config.num_labels = num_labels | ||||
| student_model = MobileNetV2ForImageClassification(student_config) | ||||
| ``` | ||||
|  | ||||
| `compute_metrics` 함수를 사용하여 테스트 세트에서 모델을 평가할 수 있습니다. 이 함수는 훈련 과정에서 모델의 `accuracy`와 `f1`을 계산하는 데 사용됩니다. | ||||
|  | ||||
|  | ||||
| ```python | ||||
| import evaluate | ||||
| import numpy as np | ||||
|  | ||||
| accuracy = evaluate.load("accuracy") | ||||
|  | ||||
| def compute_metrics(eval_pred): | ||||
|     predictions, labels = eval_pred | ||||
|     acc = accuracy.compute(references=labels, predictions=np.argmax(predictions, axis=1)) | ||||
|     return {"accuracy": acc["accuracy"]} | ||||
| ``` | ||||
|  | ||||
| 정의한 훈련 인수로 `Trainer`를 초기화해봅시다. 또한 데이터 콜레이터(data collator)를 초기화하겠습니다. | ||||
|  | ||||
| ```python | ||||
| from transformers import DefaultDataCollator | ||||
|  | ||||
| data_collator = DefaultDataCollator() | ||||
| trainer = ImageDistilTrainer( | ||||
|     student_model=student_model, | ||||
|     teacher_model=teacher_model, | ||||
|     training_args=training_args, | ||||
|     train_dataset=processed_datasets["train"], | ||||
|     eval_dataset=processed_datasets["validation"], | ||||
|     data_collator=data_collator, | ||||
|     tokenizer=teacher_processor, | ||||
|     compute_metrics=compute_metrics, | ||||
|     temperature=5, | ||||
|     lambda_param=0.5 | ||||
| ) | ||||
| ``` | ||||
|  | ||||
| 이제 모델을 훈련할 수 있습니다. | ||||
|  | ||||
| ```python | ||||
| trainer.train() | ||||
| ``` | ||||
|  | ||||
| 모델을 테스트 세트에서 평가할 수 있습니다. | ||||
|  | ||||
| ```python | ||||
| trainer.evaluate(processed_datasets["test"]) | ||||
| ``` | ||||
|  | ||||
|  | ||||
| 테스트 세트에서 모델의 정확도는 72%에 도달했습니다. 증류의 효율성을 검증하기 위해 동일한 하이퍼파라미터로 beans 데이터셋에서 MobileNet을 처음부터 훈련하였고, 테스트 세트에서의 정확도는 63% 였습니다. 다양한 사전 훈련된 교사 모델, 학생 구조, 증류 매개변수를 시도해보시고 결과를 보고하기를 권장합니다. 증류된 모델의 훈련 로그와 체크포인트는 [이 저장소](https://huggingface.co/merve/vit-mobilenet-beans-224)에서 찾을 수 있으며, 처음부터 훈련된 MobileNetV2는 이 [저장소](https://huggingface.co/merve/resnet-mobilenet-beans-5)에서 찾을 수 있습니다. | ||||
| @ -1,228 +0,0 @@ | ||||
| <!--Copyright 2024 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # 마스크 생성[[mask-generation]] | ||||
|  | ||||
| 마스크 생성(Mask generation)은 이미지에 대한 의미 있는 마스크를 생성하는 작업입니다.  | ||||
| 이 작업은 [이미지 분할](semantic_segmentation)과 매우 유사하지만, 많은 차이점이 있습니다. 이미지 분할 모델은 라벨이 달린 데이터셋으로 학습되며, 학습 중에 본 클래스들로만 제한됩니다. 이미지가 주어지면, 이미지 분할 모델은 여러 마스크와 그에 해당하는 클래스를 반환합니다.  | ||||
|  | ||||
| 반면, 마스크 생성 모델은 대량의 데이터로 학습되며 두 가지 모드로 작동합니다. | ||||
| - 프롬프트 모드(Prompting mode): 이 모드에서는 모델이 이미지와 프롬프트를 입력받습니다. 프롬프트는 이미지 내 객체의 2D 좌표(XY 좌표)나 객체를 둘러싼 바운딩 박스가 될 수 있습니다. 프롬프트 모드에서는 모델이 프롬프트가 가리키는 객체의 마스크만 반환합니다. | ||||
| - 전체 분할 모드(Segment Everything mode): 이 모드에서는 주어진 이미지 내에서 모든 마스크를 생성합니다. 이를 위해 그리드 형태의 점들을 생성하고 이를 이미지에 오버레이하여 추론합니다. | ||||
|  | ||||
| 마스크 생성 작업은 [전체 분할 모드(Segment Anything Model, SAM)](model_doc/sam)에 의해 지원됩니다. SAM은 Vision Transformer 기반 이미지 인코더, 프롬프트 인코더, 그리고 양방향 트랜스포머 마스크 디코더로 구성된 강력한 모델입니다. 이미지와 프롬프트는 인코딩되고, 디코더는 이러한 임베딩을 받아 유효한 마스크를 생성합니다. | ||||
|  | ||||
| <div class="flex justify-center"> | ||||
|      <img src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/tasks/sam.png" alt="SAM Architecture"/> | ||||
| </div> | ||||
|  | ||||
| SAM은 대규모 데이터를 다룰 수 있는 강력한 분할 기반 모델입니다. 이 모델은 100만 개의 이미지와 11억 개의 마스크를 포함하는 [SA-1B](https://ai.meta.com/datasets/segment-anything/) 데이터 세트로 학습되었습니다. | ||||
|  | ||||
| 이 가이드에서는 다음과 같은 내용을 배우게 됩니다: | ||||
| - 배치 처리와 함께 전체 분할 모드에서 추론하는 방법 | ||||
| - 포인트 프롬프팅 모드에서 추론하는 방법 | ||||
| - 박스 프롬프팅 모드에서 추론하는 방법 | ||||
|  | ||||
| 먼저, `transformers`를 설치해 봅시다: | ||||
|  | ||||
| ```bash | ||||
| pip install -q transformers | ||||
| ``` | ||||
|  | ||||
| ## 마스크 생성 파이프라인[[mask-generation-pipeline]] | ||||
|  | ||||
| 마스크 생성 모델로 추론하는 가장 쉬운 방법은 `mask-generation` 파이프라인을 사용하는 것입니다. | ||||
|  | ||||
| ```python | ||||
| >>> from transformers import pipeline | ||||
|  | ||||
| >>> checkpoint = "facebook/sam-vit-base" | ||||
| >>> mask_generator = pipeline(model=checkpoint, task="mask-generation") | ||||
| ``` | ||||
|  | ||||
| 이미지를 예시로 봅시다. | ||||
|  | ||||
| ```python | ||||
| from PIL import Image | ||||
| import requests | ||||
|  | ||||
| img_url = "https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/bee.jpg" | ||||
| image = Image.open(requests.get(img_url, stream=True).raw).convert("RGB") | ||||
| ``` | ||||
|  | ||||
| <div class="flex justify-center"> | ||||
|      <img src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/bee.jpg" alt="Example Image"/> | ||||
| </div> | ||||
|  | ||||
| 전체적으로 분할해봅시다. `points-per-batch`는 전체 분할 모드에서 점들의 병렬 추론을 가능하게 합니다. 이를 통해 추론 속도가 빨라지지만, 더 많은 메모리를 소모하게 됩니다. 또한, SAM은 이미지가 아닌 점들에 대해서만 배치 처리를 지원합니다. `pred_iou_thresh`는 IoU 신뢰 임계값으로, 이 임계값을 초과하는 마스크만 반환됩니다. | ||||
|  | ||||
| ```python | ||||
| masks = mask_generator(image, points_per_batch=128, pred_iou_thresh=0.88) | ||||
| ``` | ||||
|  | ||||
| `masks` 는 다음과 같이 생겼습니다: | ||||
|  | ||||
| ```bash | ||||
| {'masks': [array([[False, False, False, ...,  True,  True,  True], | ||||
|          [False, False, False, ...,  True,  True,  True], | ||||
|          [False, False, False, ...,  True,  True,  True], | ||||
|          ..., | ||||
|          [False, False, False, ..., False, False, False], | ||||
|          [False, False, False, ..., False, False, False], | ||||
|          [False, False, False, ..., False, False, False]]), | ||||
|   array([[False, False, False, ..., False, False, False], | ||||
|          [False, False, False, ..., False, False, False], | ||||
|          [False, False, False, ..., False, False, False], | ||||
|          ..., | ||||
| 'scores': tensor([0.9972, 0.9917, | ||||
|         ..., | ||||
| } | ||||
| ``` | ||||
|  | ||||
| 위 내용을 아래와 같이 시각화할 수 있습니다: | ||||
|  | ||||
| ```python | ||||
| import matplotlib.pyplot as plt | ||||
|  | ||||
| plt.imshow(image, cmap='gray') | ||||
|  | ||||
| for i, mask in enumerate(masks["masks"]): | ||||
|     plt.imshow(mask, cmap='viridis', alpha=0.1, vmin=0, vmax=1) | ||||
|  | ||||
| plt.axis('off') | ||||
| plt.show() | ||||
| ``` | ||||
|  | ||||
| 아래는 회색조 원본 이미지에 다채로운 색상의 맵을 겹쳐놓은 모습입니다. 매우 인상적인 결과입니다. | ||||
|  | ||||
| <div class="flex justify-center"> | ||||
|      <img src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/bee_segmented.png" alt="Visualized"/> | ||||
| </div> | ||||
|  | ||||
| ## 모델 추론[[model-inference]] | ||||
|  | ||||
| ### 포인트 프롬프팅[[point-prompting]] | ||||
|  | ||||
| 파이프라인 없이도 모델을 사용할 수 있습니다. 이를 위해 모델과 프로세서를 초기화해야 합니다. | ||||
|  | ||||
| ```python | ||||
| from transformers import SamModel, SamProcessor | ||||
| import torch | ||||
|  | ||||
| device = torch.device('cuda' if torch.cuda.is_available() else 'cpu') | ||||
|  | ||||
| model = SamModel.from_pretrained("facebook/sam-vit-base").to(device) | ||||
| processor = SamProcessor.from_pretrained("facebook/sam-vit-base") | ||||
| ``` | ||||
|  | ||||
| 포인트 프롬프팅을 하기 위해, 입력 포인트를 프로세서에 전달한 다음, 프로세서 출력을 받아 모델에 전달하여 추론합니다. 모델 출력을 후처리하려면, 출력과 함께 프로세서의 초기 출력에서 가져온 `original_sizes`와 `reshaped_input_sizes`를 전달해야 합니다. 왜냐하면, 프로세서가 이미지 크기를 조정하고 출력을 추정해야 하기 때문입니다. | ||||
|  | ||||
| ```python | ||||
| input_points = [[[2592, 1728]]] # 벌의 포인트 위치 | ||||
|  | ||||
| inputs = processor(image, input_points=input_points, return_tensors="pt").to(device) | ||||
| with torch.no_grad(): | ||||
|     outputs = model(**inputs) | ||||
| masks = processor.image_processor.post_process_masks(outputs.pred_masks.cpu(), inputs["original_sizes"].cpu(), inputs["reshaped_input_sizes"].cpu()) | ||||
| ``` | ||||
|  | ||||
| `masks` 출력으로 세 가지 마스크를 시각화할 수 있습니다. | ||||
|  | ||||
| ```python | ||||
| import matplotlib.pyplot as plt | ||||
| import numpy as np | ||||
|  | ||||
| fig, axes = plt.subplots(1, 4, figsize=(15, 5)) | ||||
|  | ||||
| axes[0].imshow(image) | ||||
| axes[0].set_title('Original Image') | ||||
| mask_list = [masks[0][0][0].numpy(), masks[0][0][1].numpy(), masks[0][0][2].numpy()] | ||||
|  | ||||
| for i, mask in enumerate(mask_list, start=1): | ||||
|     overlayed_image = np.array(image).copy() | ||||
|  | ||||
|     overlayed_image[:,:,0] = np.where(mask == 1, 255, overlayed_image[:,:,0]) | ||||
|     overlayed_image[:,:,1] = np.where(mask == 1, 0, overlayed_image[:,:,1]) | ||||
|     overlayed_image[:,:,2] = np.where(mask == 1, 0, overlayed_image[:,:,2]) | ||||
|  | ||||
|     axes[i].imshow(overlayed_image) | ||||
|     axes[i].set_title(f'Mask {i}') | ||||
| for ax in axes: | ||||
|     ax.axis('off') | ||||
|  | ||||
| plt.show() | ||||
| ``` | ||||
|  | ||||
| <div class="flex justify-center"> | ||||
|      <img src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/tasks/masks.png" alt="Visualized"/> | ||||
| </div> | ||||
|  | ||||
| ### 박스 프롬프팅[[box-prompting]] | ||||
|  | ||||
| 박스 프롬프팅도 포인트 프롬프팅과 유사한 방식으로 할 수 있습니다. 입력 박스를 `[x_min, y_min, x_max, y_max]` 형식의 리스트로 작성하여 이미지와 함께 `processor`에 전달할 수 있습니다. 프로세서 출력을 받아 모델에 직접 전달한 후, 다시 출력을 후처리해야 합니다. | ||||
|  | ||||
| ```python | ||||
| # 벌 주위의 바운딩 박스 | ||||
| box = [2350, 1600, 2850, 2100] | ||||
|  | ||||
| inputs = processor( | ||||
|         image, | ||||
|         input_boxes=[[[box]]], | ||||
|         return_tensors="pt" | ||||
|     ).to("cuda") | ||||
|  | ||||
| with torch.no_grad(): | ||||
|     outputs = model(**inputs) | ||||
|  | ||||
| mask = processor.image_processor.post_process_masks( | ||||
|     outputs.pred_masks.cpu(), | ||||
|     inputs["original_sizes"].cpu(), | ||||
|     inputs["reshaped_input_sizes"].cpu() | ||||
| )[0][0][0].numpy() | ||||
| ``` | ||||
|  | ||||
| 이제 아래와 같이, 벌 주위의 바운딩 박스를 시각화할 수 있습니다. | ||||
|  | ||||
| ```python | ||||
| import matplotlib.patches as patches | ||||
|  | ||||
| fig, ax = plt.subplots() | ||||
| ax.imshow(image) | ||||
|  | ||||
| rectangle = patches.Rectangle((2350, 1600), 500, 500, linewidth=2, edgecolor='r', facecolor='none') | ||||
| ax.add_patch(rectangle) | ||||
| ax.axis("off") | ||||
| plt.show() | ||||
| ``` | ||||
|  | ||||
| <div class="flex justify-center"> | ||||
|      <img src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/tasks/bbox.png" alt="Visualized Bbox"/> | ||||
| </div> | ||||
|  | ||||
| 아래에서 추론 결과를 확인할 수 있습니다. | ||||
|  | ||||
| ```python | ||||
| fig, ax = plt.subplots() | ||||
| ax.imshow(image) | ||||
| ax.imshow(mask, cmap='viridis', alpha=0.4) | ||||
|  | ||||
| ax.axis("off") | ||||
| plt.show() | ||||
| ``` | ||||
|  | ||||
| <div class="flex justify-center"> | ||||
|      <img src="https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/tasks/box_inference.png" alt="Visualized Inference"/> | ||||
| </div> | ||||
| @ -1,384 +0,0 @@ | ||||
| <!--Copyright 2023 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
|  | ||||
| # 대규모 언어 모델(LLM) 프롬프팅 가이드 [[llm-prompting-guide]] | ||||
|  | ||||
| [[open-in-colab]] | ||||
|  | ||||
| Falcon, LLaMA 등의 대규모 언어 모델은 사전 훈련된 트랜스포머 모델로, 초기에는 주어진 입력 텍스트에 대해 다음 토큰을 예측하도록 훈련됩니다. 이들은 보통 수십억 개의 매개변수를 가지고 있으며, 장기간에 걸쳐 수조 개의 토큰으로 훈련됩니다. 그 결과, 이 모델들은 매우 강력하고 다재다능해져서, 자연어 프롬프트로 모델에 지시하여 다양한 자연어 처리 작업을 즉시 수행할 수 있습니다. | ||||
|  | ||||
| 최적의 출력을 보장하기 위해 이러한 프롬프트를 설계하는 것을 흔히 "프롬프트 엔지니어링"이라고 합니다. 프롬프트 엔지니어링은 상당한 실험이 필요한 반복적인 과정입니다. 자연어는 프로그래밍 언어보다 훨씬 유연하고 표현력이 풍부하지만, 동시에 모호성을 초래할 수 있습니다. 또한, 자연어 프롬프트는 변화에 매우 민감합니다. 프롬프트의 사소한 수정만으로도 완전히 다른 출력이 나올 수 있습니다. | ||||
|  | ||||
| 모든 경우에 적용할 수 있는 정확한 프롬프트 생성 공식은 없지만, 연구자들은 더 일관되게 최적의 결과를 얻는 데 도움이 되는 여러 가지 모범 사례를 개발했습니다. | ||||
|  | ||||
| 이 가이드에서는 더 나은 대규모 언어 모델 프롬프트를 작성하고 다양한 자연어 처리 작업을 해결하는 데 도움이 되는 프롬프트 엔지니어링 모범 사례를 다룹니다: | ||||
|  | ||||
| - [프롬프팅의 기초](#basics-of-prompting) | ||||
| - [대규모 언어 모델 프롬프팅의 모범 사례](#best-practices-of-llm-prompting) | ||||
| - [고급 프롬프팅 기법: 퓨샷(Few-shot) 프롬프팅과 생각의 사슬(Chain-of-thought, CoT) 기법](#advanced-prompting-techniques) | ||||
| - [프롬프팅 대신 미세 조정을 해야 하는 경우](#prompting-vs-fine-tuning) | ||||
|  | ||||
| <Tip> | ||||
|  | ||||
| 프롬프트 엔지니어링은 대규모 언어 모델 출력 최적화 과정의 일부일 뿐입니다. 또 다른 중요한 구성 요소는 최적의 텍스트 생성 전략을 선택하는 것입니다. 학습 가능한 매개변수를 수정하지 않고도 대규모 언어 모델이 텍스트를 생성하리 때 각각의 후속 토큰을 선택하는 방식을 사용자가 직접 정의할 수 있습니다. 텍스트 생성 매개변수를 조정함으로써 생성된 텍스트의 반복을 줄이고 더 일관되고 사람이 말하는 것 같은 텍스트를 만들 수 있습니다. 텍스트 생성 전략과 매개변수는 이 가이드의 범위를 벗어나지만, 다음 가이드에서 이러한 주제에 대해 자세히 알아볼 수 있습니다: | ||||
|   | ||||
| * [대규모 언어 모델을 이용한 생성](../llm_tutorial) | ||||
| * [텍스트 생성 전략](../generation_strategies) | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| ## 프롬프팅의 기초 [[basics-of-prompting]] | ||||
|  | ||||
| ### 모델의 유형 [[types-of-models]] | ||||
|  | ||||
| 현대의 대부분의 대규모 언어 모델은 디코더만을 이용한 트랜스포머입니다. 예를 들어 [LLaMA](../model_doc/llama),  | ||||
| [Llama2](../model_doc/llama2), [Falcon](../model_doc/falcon), [GPT2](../model_doc/gpt2) 등이 있습니다. 그러나 [Flan-T5](../model_doc/flan-t5)와 [BART](../model_doc/bart)와 같은 인코더-디코더 기반의 트랜스포머 대규모 언어 모델을 접할 수도 있습니다. | ||||
|  | ||||
| 인코더-디코더 기반의 모델은 일반적으로 출력이 입력에 **크게** 의존하는 생성 작업에 사용됩니다. 예를 들어, 번역과 요약 작업에 사용됩니다. 디코더 전용 모델은 다른 모든 유형의 생성 작업에 사용됩니다. | ||||
|  | ||||
| 파이프라인을 사용하여 대규모 언어 모델으로 텍스트를 생성할 때, 어떤 유형의 대규모 언어 모델을 사용하고 있는지 아는 것이 중요합니다. 왜냐하면 이들은 서로 다른 파이프라인을 사용하기 때문입니다. | ||||
|  | ||||
| 디코더 전용 모델로 추론을 실행하려면 `text-generation` 파이프라인을 사용하세요: | ||||
|  | ||||
| ```python | ||||
| >>> from transformers import pipeline | ||||
| >>> import torch | ||||
|  | ||||
| >>> torch.manual_seed(0) # doctest: +IGNORE_RESULT | ||||
|  | ||||
| >>> generator = pipeline('text-generation', model = 'openai-community/gpt2') | ||||
| >>> prompt = "Hello, I'm a language model" | ||||
|  | ||||
| >>> generator(prompt, max_length = 30) | ||||
| [{'generated_text': "Hello, I'm a language model programmer so you can use some of my stuff. But you also need some sort of a C program to run."}] | ||||
| ``` | ||||
|  | ||||
| 인코더-디코더로 추론을 실행하려면 `text2text-generation` 파이프라인을 사용하세요: | ||||
|  | ||||
| ```python | ||||
| >>> text2text_generator = pipeline("text2text-generation", model = 'google/flan-t5-base') | ||||
| >>> prompt = "Translate from English to French: I'm very happy to see you" | ||||
|  | ||||
| >>> text2text_generator(prompt) | ||||
| [{'generated_text': 'Je suis très heureuse de vous rencontrer.'}] | ||||
| ``` | ||||
|  | ||||
| ### 기본 모델 vs 지시/채팅 모델 [[base-vs-instructchat-models]] | ||||
|  | ||||
| 🤗 Hub에서 최근 사용 가능한 대부분의 대규모 언어 모델 체크포인트는 기본 버전과 지시(또는 채팅) 두 가지 버전이 제공됩니다. 예를 들어, [`tiiuae/falcon-7b`](https://huggingface.co/tiiuae/falcon-7b)와 [`tiiuae/falcon-7b-instruct`](https://huggingface.co/tiiuae/falcon-7b-instruct)가 있습니다. | ||||
|  | ||||
| 기본 모델은 초기 프롬프트가 주어졌을 때 텍스트를 완성하는 데 탁월하지만, 지시를 따라야 하거나 대화형 사용이 필요한 자연어 처리작업에는 이상적이지 않습니다. 이때 지시(채팅) 버전이 필요합니다. 이러한 체크포인트는 사전 훈련된 기본 버전을 지시사항과 대화 데이터로 추가 미세 조정한 결과입니다. 이 추가적인 미세 조정으로 인해 많은 자연어 처리 작업에 더 적합한 선택이 됩니다.   | ||||
|  | ||||
| [`tiiuae/falcon-7b-instruct`](https://huggingface.co/tiiuae/falcon-7b-instruct)를 사용하여 일반적인 자연어 처리 작업을 해결하는 데 사용할 수 있는 몇 가지 간단한 프롬프트를 살펴보겠습니다. | ||||
|  | ||||
| ### 자연어 처리 작업 [[nlp-tasks]] | ||||
|  | ||||
| 먼저, 환경을 설정해 보겠습니다: | ||||
|  | ||||
| ```bash | ||||
| pip install -q transformers accelerate | ||||
| ``` | ||||
|  | ||||
| 다음으로, 적절한 파이프라인("text-generation")을 사용하여 모델을 로드하겠습니다: | ||||
|  | ||||
| ```python | ||||
| >>> from transformers import pipeline, AutoTokenizer | ||||
| >>> import torch | ||||
|  | ||||
| >>> torch.manual_seed(0) # doctest: +IGNORE_RESULT | ||||
| >>> model = "tiiuae/falcon-7b-instruct" | ||||
|  | ||||
| >>> tokenizer = AutoTokenizer.from_pretrained(model) | ||||
| >>> pipe = pipeline( | ||||
| ...     "text-generation", | ||||
| ...     model=model, | ||||
| ...     tokenizer=tokenizer, | ||||
| ...     torch_dtype=torch.bfloat16, | ||||
| ...     device_map="auto", | ||||
| ... ) | ||||
| ``` | ||||
|  | ||||
| <Tip> | ||||
|  | ||||
| Falcon 모델은 bfloat16 데이터 타입을 사용하여 훈련되었으므로, 같은 타입을 사용하는 것을 권장합니다. 이를 위해서는 최신 버전의 CUDA가 필요하며, 최신 그래픽 카드에서 가장 잘 작동합니다. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| 이제 파이프라인을 통해 모델을 로드했으니, 프롬프트를 사용하여 자연어 처리 작업을 해결하는 방법을 살펴보겠습니다. | ||||
|  | ||||
| #### 텍스트 분류 [[text-classification]] | ||||
|  | ||||
| 텍스트 분류의 가장 일반적인 형태 중 하나는 감정 분석입니다. 이는 텍스트 시퀀스에 "긍정적", "부정적" 또는 "중립적"과 같은 레이블을 할당합니다. 주어진 텍스트(영화 리뷰)를 분류하도록 모델에 지시하는 프롬프트를 작성해 보겠습니다. 먼저 지시사항을 제공한 다음, 분류할 텍스트를 지정하겠습니다. 여기서 주목할 점은 단순히 거기서 끝내지 않고, 응답의 시작 부분인 `"Sentiment: "`을 추가한다는 것입니다: | ||||
|  | ||||
| ```python | ||||
| >>> torch.manual_seed(0) | ||||
| >>> prompt = """Classify the text into neutral, negative or positive.  | ||||
| ... Text: This movie is definitely one of my favorite movies of its kind. The interaction between respectable and morally strong characters is an ode to chivalry and the honor code amongst thieves and policemen. | ||||
| ... Sentiment: | ||||
| ... """ | ||||
|  | ||||
| >>> sequences = pipe( | ||||
| ...     prompt, | ||||
| ...     max_new_tokens=10, | ||||
| ... ) | ||||
|  | ||||
| >>> for seq in sequences: | ||||
| ...     print(f"Result: {seq['generated_text']}") | ||||
| Result: Classify the text into neutral, negative or positive.  | ||||
| Text: This movie is definitely one of my favorite movies of its kind. The interaction between respectable and morally strong characters is an ode to chivalry and the honor code amongst thieves and policemen. | ||||
| Sentiment: | ||||
| Positive | ||||
| ``` | ||||
|  | ||||
| 결과적으로, 우리가 지시사항에서 제공한 목록에서 선택된 분류 레이블이 정확하게 포함되어 생성된 것을 확인할 수 있습니다! | ||||
| <Tip> | ||||
|  | ||||
| 프롬프트 외에도 `max_new_tokens` 매개변수를 전달하는 것을 볼 수 있습니다. 이 매개변수는 모델이 생성할 토큰의 수를 제어하며, [텍스트 생성 전략](../generation_strategies) 가이드에서 배울 수 있는 여러 텍스트 생성 매개변수 중 하나입니다. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| #### 개체명 인식 [[named-entity-recognition]] | ||||
|  | ||||
| 개체명 인식(Named Entity Recognition, NER)은 텍스트에서 인물, 장소, 조직과 같은 명명된 개체를 찾는 작업입니다. 프롬프트의 지시사항을 수정하여 대규모 언어 모델이 이 작업을 수행하도록 해보겠습니다. 여기서는 `return_full_text = False`로 설정하여 출력에 프롬프트가 포함되지 않도록 하겠습니다: | ||||
|  | ||||
| ```python | ||||
| >>> torch.manual_seed(1) # doctest: +IGNORE_RESULT | ||||
| >>> prompt = """Return a list of named entities in the text. | ||||
| ... Text: The Golden State Warriors are an American professional basketball team based in San Francisco. | ||||
| ... Named entities: | ||||
| ... """ | ||||
|  | ||||
| >>> sequences = pipe( | ||||
| ...     prompt, | ||||
| ...     max_new_tokens=15, | ||||
| ...     return_full_text = False,     | ||||
| ... ) | ||||
|  | ||||
| >>> for seq in sequences: | ||||
| ...     print(f"{seq['generated_text']}") | ||||
| - Golden State Warriors | ||||
| - San Francisco | ||||
| ``` | ||||
|  | ||||
| 보시다시피, 모델이 주어진 텍스트에서 두 개의 명명된 개체를 정확하게 식별했습니다. | ||||
|  | ||||
| #### 번역 [[translation]] | ||||
|  | ||||
| 대규모 언어 모델이 수행할 수 있는 또 다른 작업은 번역입니다. 이 작업을 위해 인코더-디코더 모델을 사용할 수 있지만, 여기서는 예시의 단순성을 위해 꽤 좋은 성능을 보이는 Falcon-7b-instruct를 계속 사용하겠습니다. 다시 한 번, 모델에게 영어에서 이탈리아어로 텍스트를 번역하도록 지시하는 기본적인 프롬프트를 작성하는 방법은 다음과 같습니다: | ||||
|  | ||||
| ```python | ||||
| >>> torch.manual_seed(2) # doctest: +IGNORE_RESULT | ||||
| >>> prompt = """Translate the English text to Italian. | ||||
| ... Text: Sometimes, I've believed as many as six impossible things before breakfast. | ||||
| ... Translation: | ||||
| ... """ | ||||
|  | ||||
| >>> sequences = pipe( | ||||
| ...     prompt, | ||||
| ...     max_new_tokens=20, | ||||
| ...     do_sample=True, | ||||
| ...     top_k=10, | ||||
| ...     return_full_text = False, | ||||
| ... ) | ||||
|  | ||||
| >>> for seq in sequences: | ||||
| ...     print(f"{seq['generated_text']}") | ||||
| A volte, ho creduto a sei impossibili cose prima di colazione. | ||||
| ``` | ||||
|  | ||||
| 여기서는 모델이 출력을 생성할 때 조금 더 유연해질 수 있도록 `do_sample=True`와 `top_k=10`을 추가했습니다. | ||||
|  | ||||
| #### 텍스트 요약 [[text-summarization]] | ||||
|  | ||||
| 번역과 마찬가지로, 텍스트 요약은 출력이 입력에 크게 의존하는 또 다른 생성 작업이며, 인코더-디코더 기반 모델이 더 나은 선택일 수 있습니다. 그러나 디코더 기반의 모델도 이 작업에 사용될 수 있습니다. 이전에는 프롬프트의 맨 처음에 지시사항을 배치했습니다. 하지만 프롬프트의 맨 끝도 지시사항을 넣을 적절한 위치가 될 수 있습니다. 일반적으로 지시사항을 양 극단 중 하나에 배치하는 것이 더 좋습니다. | ||||
|  | ||||
| ```python | ||||
| >>> torch.manual_seed(3) # doctest: +IGNORE_RESULT | ||||
| >>> prompt = """Permaculture is a design process mimicking the diversity, functionality and resilience of natural ecosystems. The principles and practices are drawn from traditional ecological knowledge of indigenous cultures combined with modern scientific understanding and technological innovations. Permaculture design provides a framework helping individuals and communities develop innovative, creative and effective strategies for meeting basic needs while preparing for and mitigating the projected impacts of climate change. | ||||
| ... Write a summary of the above text. | ||||
| ... Summary: | ||||
| ... """ | ||||
|  | ||||
| >>> sequences = pipe( | ||||
| ...     prompt, | ||||
| ...     max_new_tokens=30, | ||||
| ...     do_sample=True, | ||||
| ...     top_k=10, | ||||
| ...     return_full_text = False, | ||||
| ... ) | ||||
|  | ||||
| >>> for seq in sequences: | ||||
| ...     print(f"{seq['generated_text']}") | ||||
| Permaculture is an ecological design mimicking natural ecosystems to meet basic needs and prepare for climate change. It is based on traditional knowledge and scientific understanding. | ||||
| ``` | ||||
|  | ||||
| #### 질의 응답 [[question-answering]] | ||||
|  | ||||
| 질의 응답 작업을 위해 프롬프트를 다음과 같은 논리적 구성요소로 구조화할 수 있습니다. 지시사항, 맥락, 질문, 그리고 모델이 답변 생성을 시작하도록 유도하는 선도 단어나 구문(`"Answer:"`) 을 사용할 수 있습니다: | ||||
|  | ||||
| ```python | ||||
| >>> torch.manual_seed(4) # doctest: +IGNORE_RESULT | ||||
| >>> prompt = """Answer the question using the context below. | ||||
| ... Context: Gazpacho is a cold soup and drink made of raw, blended vegetables. Most gazpacho includes stale bread, tomato, cucumbers, onion, bell peppers, garlic, olive oil, wine vinegar, water, and salt. Northern recipes often include cumin and/or pimentón (smoked sweet paprika). Traditionally, gazpacho was made by pounding the vegetables in a mortar with a pestle; this more laborious method is still sometimes used as it helps keep the gazpacho cool and avoids the foam and silky consistency of smoothie versions made in blenders or food processors. | ||||
| ... Question: What modern tool is used to make gazpacho? | ||||
| ... Answer: | ||||
| ... """ | ||||
|  | ||||
| >>> sequences = pipe( | ||||
| ...     prompt, | ||||
| ...     max_new_tokens=10, | ||||
| ...     do_sample=True, | ||||
| ...     top_k=10, | ||||
| ...     return_full_text = False, | ||||
| ... ) | ||||
|  | ||||
| >>> for seq in sequences: | ||||
| ...     print(f"Result: {seq['generated_text']}") | ||||
| Result: Modern tools often used to make gazpacho include | ||||
| ``` | ||||
|  | ||||
| #### 추론 [[reasoning]] | ||||
|  | ||||
| 추론은 대규모 언어 모델(LLM)에게 가장 어려운 작업 중 하나이며, 좋은 결과를 얻기 위해서는 종종 [생각의 사슬(Chain-of-thought, CoT)](#chain-of-thought)과 같은 고급 프롬프팅 기법을 적용해야 합니다. 간단한 산술 작업에 대해 기본적인 프롬프트로 모델이 추론할 수 있는지 시도해 보겠습니다: | ||||
|  | ||||
| ```python | ||||
| >>> torch.manual_seed(5) # doctest: +IGNORE_RESULT | ||||
| >>> prompt = """There are 5 groups of students in the class. Each group has 4 students. How many students are there in the class?""" | ||||
|  | ||||
| >>> sequences = pipe( | ||||
| ...     prompt, | ||||
| ...     max_new_tokens=30, | ||||
| ...     do_sample=True, | ||||
| ...     top_k=10, | ||||
| ...     return_full_text = False, | ||||
| ... ) | ||||
|  | ||||
| >>> for seq in sequences: | ||||
| ...     print(f"Result: {seq['generated_text']}") | ||||
| Result:  | ||||
| There are a total of 5 groups, so there are 5 x 4=20 students in the class. | ||||
| ``` | ||||
|  | ||||
| 정확한 답변이 생성되었습니다! 복잡성을 조금 높여보고 기본적인 프롬프트로도 여전히 해결할 수 있는지 확인해 보겠습니다: | ||||
|  | ||||
| ```python | ||||
| >>> torch.manual_seed(6) | ||||
| >>> prompt = """I baked 15 muffins. I ate 2 muffins and gave 5 muffins to a neighbor. My partner then bought 6 more muffins and ate 2. How many muffins do we now have?""" | ||||
|  | ||||
| >>> sequences = pipe( | ||||
| ...     prompt, | ||||
| ...     max_new_tokens=10, | ||||
| ...     do_sample=True, | ||||
| ...     top_k=10, | ||||
| ...     return_full_text = False, | ||||
| ... ) | ||||
|  | ||||
| >>> for seq in sequences: | ||||
| ...     print(f"Result: {seq['generated_text']}") | ||||
| Result:  | ||||
| The total number of muffins now is 21 | ||||
| ``` | ||||
|  | ||||
| 정답은 12여야 하는데 21이라는 잘못된 답변이 나왔습니다. 이 경우, 프롬프트가 너무 기본적이거나 모델의 크기가 작아서 생긴 문제일 수 있습니다. 우리는 Falcon의 가장 작은 버전을 선택했습니다. 추론은 큰 모델에게도 어려운 작업이지만, 더 큰 모델들이 더 나은 성능을 보일 가능성이 높습니다. | ||||
|  | ||||
| ## 대규모 언어 모델 프롬프트 작성의 모범 사례 [[best-practices-of-llm-prompting]] | ||||
|  | ||||
| 이 섹션에서는 프롬프트 결과를 향상시킬 수 있는 모범 사례 목록을 작성했습니다: | ||||
|  | ||||
| * 작업할 모델을 선택할 때 최신 및 가장 강력한 모델이 더 나은 성능을 발휘할 가능성이 높습니다. | ||||
| * 간단하고 짧은 프롬프트로 시작하여 점진적으로 개선해 나가세요. | ||||
| * 프롬프트의 시작 부분이나 맨 끝에 지시사항을 배치하세요. 대규모 컨텍스트를 다룰 때, 모델들은 어텐션 복잡도가 2차적으로 증가하는 것을 방지하기 위해 다양한 최적화를 적용합니다. 이렇게 함으로써 모델이 프롬프트의 중간보다 시작이나 끝 부분에 더 주의를 기울일 수 있습니다. | ||||
| * 지시사항을 적용할 텍스트와 명확하게 분리해보세요. (이에 대해서는 다음 섹션에서 더 자세히 다룹니다.) | ||||
| * 작업과 원하는 결과에 대해 구체적이고 풍부한 설명을 제공하세요.  형식, 길이, 스타일, 언어 등을 명확하게 작성해야 합니다. | ||||
| * 모호한 설명과 지시사항을 피하세요. | ||||
| * "하지 말라"는 지시보다는 "무엇을 해야 하는지"를 말하는 지시를 사용하는 것이 좋습니다. | ||||
| * 첫 번째 단어를 쓰거나 첫 번째 문장을 시작하여 출력을 올바른 방향으로 "유도"하세요. | ||||
| * [퓨샷(Few-shot) 프롬프팅](#few-shot-prompting) 및 [생각의 사슬(Chain-of-thought, CoT)](#chain-of-thought) 같은 고급 기술을 사용해보세요. | ||||
| * 프롬프트의 견고성을 평가하기 위해 다른 모델로도 테스트하세요. | ||||
| * 프롬프트의 버전을 관리하고 성능을 추적하세요. | ||||
|  | ||||
| ## 고급 프롬프트 기법 [[advanced-prompting-techniques]] | ||||
|  | ||||
| ### 퓨샷(Few-shot) 프롬프팅 [[few-shot-prompting]] | ||||
|  | ||||
| 위 섹션의 기본 프롬프트들은 "제로샷(Zero-shot)" 프롬프트의 예시입니다. 이는 모델에 지시사항과 맥락은 주어졌지만, 해결책이 포함된 예시는 제공되지 않았다는 의미입니다. 지시 데이터셋으로 미세 조정된 대규모 언어 모델은 일반적으로 이러한 "제로샷" 작업에서 좋은 성능을 보입니다. 하지만 여러분의 작업이 더 복잡하거나 미묘한 차이가 있을 수 있고, 아마도 지시사항만으로는 모델이 포착하지 못하는 출력에 대한 요구사항이 있을 수 있습니다. 이런 경우에는 퓨샷(Few-shot) 프롬프팅이라는 기법을 시도해 볼 수 있습니다. | ||||
|  | ||||
| 퓨샷 프롬프팅에서는 프롬프트에 예시를 제공하여 모델에 더 많은 맥락을 주고 성능을 향상시킵니다. 이 예시들은 모델이 예시의 패턴을 따라 출력을 생성하도록 조건화합니다. | ||||
|  | ||||
| 다음은 예시입니다: | ||||
|  | ||||
| ```python | ||||
| >>> torch.manual_seed(0) # doctest: +IGNORE_RESULT | ||||
| >>> prompt = """Text: The first human went into space and orbited the Earth on April 12, 1961. | ||||
| ... Date: 04/12/1961 | ||||
| ... Text: The first-ever televised presidential debate in the United States took place on September 28, 1960, between presidential candidates John F. Kennedy and Richard Nixon.  | ||||
| ... Date:""" | ||||
|  | ||||
| >>> sequences = pipe( | ||||
| ...     prompt, | ||||
| ...     max_new_tokens=8, | ||||
| ...     do_sample=True, | ||||
| ...     top_k=10, | ||||
| ... ) | ||||
|  | ||||
| >>> for seq in sequences: | ||||
| ...     print(f"Result: {seq['generated_text']}") | ||||
| Result: Text: The first human went into space and orbited the Earth on April 12, 1961. | ||||
| Date: 04/12/1961 | ||||
| Text: The first-ever televised presidential debate in the United States took place on September 28, 1960, between presidential candidates John F. Kennedy and Richard Nixon.  | ||||
| Date: 09/28/1960 | ||||
| ``` | ||||
|  | ||||
| 위의 코드 스니펫에서는 모델에 원하는 출력을 보여주기 위해 단일 예시를 사용했으므로, 이를 "원샷(One-shot)" 프롬프팅이라고 부를 수 있습니다. 그러나 작업의 복잡성에 따라 하나 이상의 예시를 사용해야 할 수도 있습니다. | ||||
|  | ||||
| 퓨샷 프롬프팅 기법의 한계: | ||||
| - 대규모 언어 모델이 예시의 패턴을 파악할 수 있지만, 이 기법은 복잡한 추론 작업에는 잘 작동하지 않습니다. | ||||
| - 퓨샷 프롬프팅을 적용하면 프롬프트의 길이가 길어집니다. 토큰 수가 많은 프롬프트는 계산량과 지연 시간을 증가시킬 수 있으며 프롬프트 길이에도 제한이 있습니다. | ||||
| - 때로는 여러 예시가 주어질 때, 모델은 의도하지 않은 패턴을 학습할 수 있습니다. 예를 들어, 세 번째 영화 리뷰가 항상 부정적이라고 학습할 수 있습니다. | ||||
|  | ||||
| ### 생각의 사슬(Chain-of-thought, CoT) [[chain-of-thought]] | ||||
|  | ||||
| 생각의 사슬(Chain-of-thought, CoT) 프롬프팅은 모델이 중간 추론 단계를 생성하도록 유도하는 기법으로, 복잡한 추론 작업의 결과를 개선합니다. | ||||
|  | ||||
| 모델이 추론 단계를 생성하도록 유도하는 두 가지 방법이 있습니다: | ||||
| - 질문에 대한 상세한 답변을 예시로 제시하는 퓨샷 프롬프팅을 통해 모델에게 문제를 어떻게 해결해 나가는지 보여줍니다. | ||||
| - "단계별로 생각해 봅시다" 또는 "깊게 숨을 쉬고 문제를 단계별로 해결해 봅시다"와 같은 문구를 추가하여 모델에게 추론하도록 지시합니다. | ||||
|  | ||||
| [reasoning section](#reasoning)의 머핀 예시에 생각의 사슬(Chain-of-thought, CoT) 기법을 적용하고 [HuggingChat](https://huggingface.co/chat/)에서 사용할 수 있는 (`tiiuae/falcon-180B-chat`)과 같은 더 큰 모델을 사용하면, 추론 결과가 크게 개선됩니다: | ||||
|  | ||||
| ```text | ||||
| 단계별로 살펴봅시다: | ||||
| 1. 처음에 15개의 머핀이 있습니다. | ||||
| 2. 2개의 머핀을 먹으면 13개의 머핀이 남습니다. | ||||
| 3. 이웃에게 5개의 머핀을 주면 8개의 머핀이 남습니다. | ||||
| 4. 파트너가 6개의 머핀을 더 사오면 총 머핀 수는 14개가 됩니다. | ||||
| 5. 파트너가 2개의 머핀을 먹으면 12개의 머핀이 남습니다. | ||||
| 따라서, 현재 12개의 머핀이 있습니다. | ||||
| ``` | ||||
|  | ||||
| ## 프롬프팅 vs 미세 조정 [[prompting-vs-fine-tuning]] | ||||
|  | ||||
| 프롬프트를 최적화하여 훌륭한 결과를 얻을 수 있지만, 여전히 모델을 미세 조정하는 것이 더 좋을지 고민할 수 있습니다. 다음은 더 작은 모델을 미세 조정하는 것이 선호되는 시나리오입니다: | ||||
|  | ||||
| - 도메인이 대규모 언어 모델이 사전 훈련된 것과 크게 다르고 광범위한 프롬프트 최적화로도 충분한 결과를 얻지 못한 경우.  | ||||
| - 저자원 언어에서 모델이 잘 작동해야 하는 경우. | ||||
| - 엄격한 규제 하에 있는 민감한 데이터로 모델을 훈련해야 하는 경우. | ||||
| - 비용, 개인정보 보호, 인프라 또는 기타 제한으로 인해 작은 모델을 사용해야 하는 경우.  | ||||
|  | ||||
| 위의 모든 예시에서, 모델을 미세 조정하기 위해 충분히 큰 도메인별 데이터셋을 이미 가지고 있거나 합리적인 비용으로 쉽게 얻을 수 있는지 확인해야 합니다. 또한 모델을 미세 조정할 충분한 시간과 자원이 필요합니다. | ||||
|  | ||||
| 만약 위의 예시들이 여러분의 경우에 해당하지 않는다면, 프롬프트를 최적화하는 것이 더 유익할 수 있습니다. | ||||
| @ -1,596 +0,0 @@ | ||||
| <!--Copyright 2023 The HuggingFace Team. All rights reserved. | ||||
|  | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with | ||||
| the License. You may obtain a copy of the License at | ||||
|  | ||||
| http://www.apache.org/licenses/LICENSE-2.0 | ||||
|  | ||||
| Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on | ||||
| an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the | ||||
| specific language governing permissions and limitations under the License. | ||||
|  | ||||
| ⚠️ Note that this file is in Markdown but contain specific syntax for our doc-builder (similar to MDX) that may not be | ||||
| rendered properly in your Markdown viewer. | ||||
|  | ||||
| --> | ||||
|  | ||||
| # Trainer [[trainer]] | ||||
|  | ||||
| [`Trainer`]는 Transformers 라이브러리에 구현된 PyTorch 모델을 반복하여 훈련 및 평가 과정입니다. 훈련에 필요한 요소(모델, 토크나이저, 데이터셋, 평가 함수, 훈련 하이퍼파라미터 등)만 제공하면 [`Trainer`]가 필요한 나머지 작업을 처리합니다. 이를 통해 직접 훈련 루프를 작성하지 않고도 빠르게 훈련을 시작할 수 있습니다. 또한 [`Trainer`]는 강력한 맞춤 설정과 다양한 훈련 옵션을 제공하여 사용자 맞춤 훈련이 가능합니다. | ||||
|  | ||||
| <Tip> | ||||
|  | ||||
| Transformers는 [`Trainer`] 클래스 외에도 번역이나 요약과 같은 시퀀스-투-시퀀스 작업을 위한 [`Seq2SeqTrainer`] 클래스도 제공합니다. 또한 [TRL](https://hf.co/docs/trl) 라이브러리에는 [`Trainer`] 클래스를 감싸고 Llama-2 및 Mistral과 같은 언어 모델을 자동 회귀 기법으로 훈련하는 데 최적화된 [`~trl.SFTTrainer`] 클래스 입니다. [`~trl.SFTTrainer`]는 시퀀스 패킹, LoRA, 양자화 및 DeepSpeed와 같은 기능을 지원하여 크기 상관없이 모델 효율적으로 확장할 수 있습니다. | ||||
|  | ||||
| <br> | ||||
|  | ||||
| 이들 다른 [`Trainer`] 유형 클래스에 대해 더 알고 싶다면 [API 참조](./main_classes/trainer)를 확인하여 언제 어떤 클래스가 적합할지 얼마든지 확인하세요. 일반적으로 [`Trainer`]는 가장 다재다능한 옵션으로, 다양한 작업에 적합합니다. [`Seq2SeqTrainer`]는 시퀀스-투-시퀀스 작업을 위해 설계되었고, [`~trl.SFTTrainer`]는 언어 모델 훈련을 위해 설계되었습니다. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| 시작하기 전에, 분산 환경에서 PyTorch 훈련과 실행을 할 수 있게 [Accelerate](https://hf.co/docs/accelerate) 라이브러리가 설치되었는지 확인하세요. | ||||
|  | ||||
| ```bash | ||||
| pip install accelerate | ||||
|  | ||||
| # 업그레이드 | ||||
| pip install accelerate --upgrade | ||||
| ``` | ||||
|  | ||||
| 이 가이드는 [`Trainer`] 클래스에 대한 개요를 제공합니다. | ||||
|  | ||||
| ## 기본 사용법 [[basic-usage]] | ||||
|  | ||||
| [`Trainer`]는 기본적인 훈련 루프에 필요한 모든 코드를 포함하고 있습니다. | ||||
|  | ||||
| 1. 손실을 계산하는 훈련 단계를 수행합니다. | ||||
| 2. [`~accelerate.Accelerator.backward`] 메소드로 그레이디언트를 계산합니다. | ||||
| 3. 그레이디언트를 기반으로 가중치를 업데이트합니다. | ||||
| 4. 정해진 에폭 수에 도달할 때까지 이 과정을 반복합니다. | ||||
|  | ||||
| [`Trainer`] 클래스는 PyTorch와 훈련 과정에 익숙하지 않거나 막 시작한 경우에도 훈련이 가능하도록 필요한 모든 코드를 추상화하였습니다. 또한 매번 훈련 루프를 손수 작성하지 않아도 되며, 훈련에 필요한 모델과 데이터셋 같은 필수 구성 요소만 제공하면, [Trainer] 클래스가 나머지를 처리합니다. | ||||
|  | ||||
| 훈련 옵션이나 하이퍼파라미터를 지정하려면, [`TrainingArguments`] 클래스에서 확인 할 수 있습니다. 예를 들어, 모델을 저장할 디렉토리를 `output_dir`에 정의하고, 훈련 후에 Hub로 모델을 푸시하려면 `push_to_hub=True`로 설정합니다. | ||||
|  | ||||
| ```py | ||||
| from transformers import TrainingArguments | ||||
|  | ||||
| training_args = TrainingArguments( | ||||
|     output_dir="your-model", | ||||
|     learning_rate=2e-5, | ||||
|     per_device_train_batch_size=16, | ||||
|     per_device_eval_batch_size=16, | ||||
|     num_train_epochs=2, | ||||
|     weight_decay=0.01, | ||||
|     eval_strategy="epoch", | ||||
|     save_strategy="epoch", | ||||
|     load_best_model_at_end=True, | ||||
|     push_to_hub=True, | ||||
| ) | ||||
| ``` | ||||
|  | ||||
| `training_args`를 [`Trainer`]에 모델, 데이터셋, 데이터셋 전처리 도구(데이터 유형에 따라 토크나이저, 특징 추출기 또는 이미지 프로세서일 수 있음), 데이터 수집기 및 훈련 중 확인할 지표를 계산할 함수를 함께 전달하세요. | ||||
|  | ||||
| 마지막으로, [`~Trainer.train`]를 호출하여 훈련을 시작하세요! | ||||
|  | ||||
| ```py | ||||
| from transformers import Trainer | ||||
|  | ||||
| trainer = Trainer( | ||||
|     model=model, | ||||
|     args=training_args, | ||||
|     train_dataset=dataset["train"], | ||||
|     eval_dataset=dataset["test"], | ||||
|     tokenizer=tokenizer, | ||||
|     data_collator=data_collator, | ||||
|     compute_metrics=compute_metrics, | ||||
| ) | ||||
|  | ||||
| trainer.train() | ||||
| ``` | ||||
|  | ||||
| ### 체크포인트 [[checkpoints]] | ||||
|  | ||||
| [`Trainer`] 클래스는 [`TrainingArguments`]의 `output_dir` 매개변수에 지정된 디렉토리에 모델 체크포인트를 저장합니다. 체크포인트는 `checkpoint-000` 하위 폴더에 저장되며, 여기서 끝의 숫자는 훈련 단계에 해당합니다. 체크포인트를 저장하면 나중에 훈련을 재개할 때 유용합니다. | ||||
|  | ||||
| ```py | ||||
| # 최신 체크포인트에서 재개 | ||||
| trainer.train(resume_from_checkpoint=True) | ||||
|  | ||||
| # 출력 디렉토리에 저장된 특정 체크포인트에서 재개 | ||||
| trainer.train(resume_from_checkpoint="your-model/checkpoint-1000") | ||||
| ``` | ||||
|  | ||||
| 체크포인트를 Hub에 푸시하려면 [`TrainingArguments`]에서 `push_to_hub=True`로 설정하여 커밋하고 푸시할 수 있습니다. 체크포인트 저장 방법을 결정하는 다른 옵션은 [`hub_strategy`](https://huggingface.co/docs/transformers/main_classes/trainer#transformers.TrainingArguments.hub_strategy) 매개변수에서 설정합니다: | ||||
|  | ||||
| * `hub_strategy="checkpoint"`는 최신 체크포인트를 "last-checkpoint"라는 하위 폴더에 푸시하여 훈련을 재개할 수 있습니다. | ||||
| * `hub_strategy="all_checkpoints"`는 모든 체크포인트를 `output_dir`에 정의된 디렉토리에 푸시합니다(모델 리포지토리에서 폴더당 하나의 체크포인트를 볼 수 있습니다). | ||||
|  | ||||
| 체크포인트에서 훈련을 재개할 때, [`Trainer`]는 체크포인트가 저장될 때와 동일한 Python, NumPy 및 PyTorch RNG 상태를 유지하려고 합니다. 하지만 PyTorch는 기본 설정으로 '일관된 결과를 보장하지 않음'으로 많이 되어있기 때문에, RNG 상태가 동일할 것이라고 보장할 수 없습니다. 따라서, 일관된 결과가 보장되도록 활성화 하려면, [랜덤성 제어](https://pytorch.org/docs/stable/notes/randomness#controlling-sources-of-randomness) 가이드를 참고하여 훈련을 완전히 일관된 결과를 보장 받도록 만들기 위해 활성화할 수 있는 항목을 확인하세요. 다만, 특정 설정을 결정적으로 만들면 훈련이 느려질 수 있습니다. | ||||
|  | ||||
| ## Trainer 맞춤 설정 [[customize-the-trainer]] | ||||
|  | ||||
| [`Trainer`] 클래스는 접근성과 용이성을 염두에 두고 설계되었지만, 더 다양한 기능을 원하는 사용자들을 위해 다양한 맞춤 설정 옵션을 제공합니다. [`Trainer`]의 많은 메소드는 서브클래스화 및 오버라이드하여 원하는 기능을 제공할 수 있으며, 이를 통해 전체 훈련 루프를 다시 작성할 필요 없이 원하는 기능을 추가할 수 있습니다. 이러한 메소드에는 다음이 포함됩니다: | ||||
|  | ||||
| * [`~Trainer.get_train_dataloader`]는 훈련 데이터로더를 생성합니다. | ||||
| * [`~Trainer.get_eval_dataloader`]는 평가 데이터로더를 생성합니다. | ||||
| * [`~Trainer.get_test_dataloader`]는 테스트 데이터로더를 생성합니다. | ||||
| * [`~Trainer.log`]는 훈련을 모니터링하는 다양한 객체에 대한 정보를 로그로 남깁니다. | ||||
| * [`~Trainer.create_optimizer_and_scheduler`]는 `__init__`에서 전달되지 않은 경우 옵티마이저와 학습률 스케줄러를 생성합니다. 이들은 각각 [`~Trainer.create_optimizer`] 및 [`~Trainer.create_scheduler`]로 별도로 맞춤 설정 할 수 있습니다. | ||||
| * [`~Trainer.compute_loss`]는 훈련 입력 배치에 대한 손실을 계산합니다. | ||||
| * [`~Trainer.training_step`]는 훈련 단계를 수행합니다. | ||||
| * [`~Trainer.prediction_step`]는 예측 및 테스트 단계를 수행합니다. | ||||
| * [`~Trainer.evaluate`]는 모델을 평가하고 평가 지표을 반환합니다. | ||||
| * [`~Trainer.predict`]는 테스트 세트에 대한 예측(레이블이 있는 경우 지표 포함)을 수행합니다. | ||||
|  | ||||
| 예를 들어, [`~Trainer.compute_loss`] 메소드를 맞춤 설정하여 가중 손실을 사용하려는 경우: | ||||
|  | ||||
| ```py | ||||
| from torch import nn | ||||
| from transformers import Trainer | ||||
|  | ||||
| class CustomTrainer(Trainer): | ||||
|     def compute_loss(self, | ||||
|  | ||||
|  model, inputs, return_outputs=False): | ||||
|         labels = inputs.pop("labels") | ||||
|         # 순방향 전파 | ||||
|         outputs = model(**inputs) | ||||
|         logits = outputs.get("logits") | ||||
|         # 서로 다른 가중치로 3개의 레이블에 대한 사용자 정의 손실을 계산 | ||||
|         loss_fct = nn.CrossEntropyLoss(weight=torch.tensor([1.0, 2.0, 3.0], device=model.device)) | ||||
|         loss = loss_fct(logits.view(-1, self.model.config.num_labels), labels.view(-1)) | ||||
|         return (loss, outputs) if return_outputs else loss | ||||
| ``` | ||||
|  | ||||
| ### 콜백 [[callbacks]] | ||||
|  | ||||
| [`Trainer`]를 맞춤 설정하는 또 다른 방법은 [콜백](callbacks)을 사용하는 것입니다. 콜백은 훈련 루프에서 *변화를 주지 않습니다*. 훈련 루프의 상태를 검사한 후 상태에 따라 일부 작업(조기 종료, 결과 로그 등)을 실행합니다. 즉, 콜백은 사용자 정의 손실 함수와 같은 것을 구현하는 데 사용할 수 없으며, 이를 위해서는 [`~Trainer.compute_loss`] 메소드를 서브클래스화하고 오버라이드해야 합니다. | ||||
|  | ||||
| 예를 들어, 훈련 루프에 10단계 후 조기 종료 콜백을 추가하려면 다음과 같이 합니다. | ||||
|  | ||||
| ```py | ||||
| from transformers import TrainerCallback | ||||
|  | ||||
| class EarlyStoppingCallback(TrainerCallback): | ||||
|     def __init__(self, num_steps=10): | ||||
|         self.num_steps = num_steps | ||||
|      | ||||
|     def on_step_end(self, args, state, control, **kwargs): | ||||
|         if state.global_step >= self.num_steps: | ||||
|             return {"should_training_stop": True} | ||||
|         else: | ||||
|             return {} | ||||
| ``` | ||||
|  | ||||
| 그런 다음, 이를 [`Trainer`]의 `callback` 매개변수에 전달합니다. | ||||
|  | ||||
| ```py | ||||
| from transformers import Trainer | ||||
|  | ||||
| trainer = Trainer( | ||||
|     model=model, | ||||
|     args=training_args, | ||||
|     train_dataset=dataset["train"], | ||||
|     eval_dataset=dataset["test"], | ||||
|     tokenizer=tokenizer, | ||||
|     data_collator=data_collator, | ||||
|     compute_metrics=compute_metrics, | ||||
|     callbacks=[EarlyStoppingCallback()], | ||||
| ) | ||||
| ``` | ||||
|  | ||||
| ## 로깅 [[logging]] | ||||
|  | ||||
| <Tip> | ||||
|  | ||||
| 로깅 API에 대한 자세한 내용은 [로깅](./main_classes/logging) API 레퍼런스를 확인하세요. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| [`Trainer`]는 기본적으로 `logging.INFO`로 설정되어 있어 오류, 경고 및 기타 기본 정보를 보고합니다. 분산 환경에서는 [`Trainer`] 복제본이 `logging.WARNING`으로 설정되어 오류와 경고만 보고합니다. [`TrainingArguments`]의 [`log_level`](https://huggingface.co/docs/transformers/main_classes/trainer#transformers.TrainingArguments.log_level) 및 [`log_level_replica`](https://huggingface.co/docs/transformers/main_classes/trainer#transformers.TrainingArguments.log_level_replica) 매개변수로 로그 레벨을 변경할 수 있습니다. | ||||
|  | ||||
| 각 노드의 로그 레벨 설정을 구성하려면 [`log_on_each_node`](https://huggingface.co/docs/transformers/main/en/main_classes/trainer#transformers.TrainingArguments.log_on_each_node) 매개변수를 사용하여 각 노드에서 로그 레벨을 사용할지 아니면 주 노드에서만 사용할지 결정하세요. | ||||
|  | ||||
| <Tip> | ||||
|  | ||||
| [`Trainer`]는 [`Trainer.__init__`] 메소드에서 각 노드에 대해 로그 레벨을 별도로 설정하므로, 다른 Transformers 기능을 사용할 경우 [`Trainer`] 객체를 생성하기 전에 이를 미리 설정하는 것이 좋습니다. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| 예를 들어, 메인 코드와 모듈을 각 노드에 따라 동일한 로그 레벨을 사용하도록 설정하려면 다음과 같이 합니다. | ||||
|  | ||||
| ```py | ||||
| logger = logging.getLogger(__name__) | ||||
|  | ||||
| logging.basicConfig( | ||||
|     format="%(asctime)s - %(levelname)s - %(name)s - %(message)s", | ||||
|     datefmt="%m/%d/%Y %H:%M:%S", | ||||
|     handlers=[logging.StreamHandler(sys.stdout)], | ||||
| ) | ||||
|  | ||||
| log_level = training_args.get_process_log_level() | ||||
| logger.setLevel(log_level) | ||||
| datasets.utils.logging.set_verbosity(log_level) | ||||
| transformers.utils.logging.set_verbosity(log_level) | ||||
|  | ||||
| trainer = Trainer(...) | ||||
| ``` | ||||
|  | ||||
| 각 노드에서 기록될 내용을 구성하기 위해 `log_level`과 `log_level_replica`를 다양한 조합으로 사용해보세요. | ||||
|  | ||||
| <hfoptions id="logging"> | ||||
| <hfoption id="single node"> | ||||
|  | ||||
| ```bash | ||||
| my_app.py ... --log_level warning --log_level_replica error | ||||
| ``` | ||||
|  | ||||
| </hfoption> | ||||
| <hfoption id="multi-node"> | ||||
|  | ||||
| 멀티 노드 환경에서는 `log_on_each_node 0` 매개변수를 추가합니다. | ||||
|  | ||||
| ```bash | ||||
| my_app.py ... --log_level warning --log_level_replica error --log_on_each_node 0 | ||||
|  | ||||
| # 오류만 보고하도록 설정 | ||||
| my_app.py ... --log_level error --log_level_replica error --log_on_each_node 0 | ||||
| ``` | ||||
|  | ||||
| </hfoption> | ||||
| </hfoptions> | ||||
|  | ||||
| ## NEFTune [[neftune]] | ||||
|  | ||||
| [NEFTune](https://hf.co/papers/2310.05914)은 훈련 중 임베딩 벡터에 노이즈를 추가하여 성능을 향상시킬 수 있는 기술입니다. [`Trainer`]에서 이를 활성화하려면 [`TrainingArguments`]의 `neftune_noise_alpha` 매개변수를 설정하여 노이즈의 양을 조절합니다. | ||||
|  | ||||
| ```py | ||||
| from transformers import TrainingArguments, Trainer | ||||
|  | ||||
| training_args = TrainingArguments(..., neftune_noise_alpha=0.1) | ||||
| trainer = Trainer(..., args=training_args) | ||||
| ``` | ||||
|  | ||||
| NEFTune은 예상치 못한 동작을 피할 목적으로 처음 임베딩 레이어로 복원하기 위해 훈련 후 비활성화 됩니다. | ||||
|  | ||||
| ## GaLore [[galore]] | ||||
|  | ||||
| Gradient Low-Rank Projection (GaLore)은 전체 매개변수를 학습하면서도 LoRA와 같은 일반적인 저계수 적응 방법보다 더 메모리 효율적인 저계수 학습 전략입니다. | ||||
|  | ||||
| 먼저 GaLore 공식 리포지토리를 설치합니다: | ||||
|  | ||||
| ```bash | ||||
| pip install galore-torch | ||||
| ``` | ||||
|  | ||||
| 그런 다음 `optim`에 `["galore_adamw", "galore_adafactor", "galore_adamw_8bit"]` 중 하나와 함께 `optim_target_modules`를 추가합니다. 이는 적용하려는 대상 모듈 이름에 해당하는 문자열, 정규 표현식 또는 전체 경로의 목록일 수 있습니다. 아래는 end-to-end 예제 스크립트입니다(필요한 경우 `pip install trl datasets`를 실행): | ||||
|  | ||||
| ```python | ||||
| import torch | ||||
| import datasets | ||||
| import trl | ||||
|  | ||||
| from transformers import TrainingArguments, AutoConfig, AutoTokenizer, AutoModelForCausalLM | ||||
|  | ||||
| train_dataset = datasets.load_dataset('imdb', split='train') | ||||
|  | ||||
| args = TrainingArguments( | ||||
|     output_dir="./test-galore", | ||||
|     max_steps=100, | ||||
|     per_device_train_batch_size=2, | ||||
|     optim="galore_adamw", | ||||
|     optim_target_modules=["attn", "mlp"] | ||||
| ) | ||||
|  | ||||
| model_id = "google/gemma-2b" | ||||
|  | ||||
| config = AutoConfig.from_pretrained(model_id) | ||||
|  | ||||
| tokenizer = AutoTokenizer.from_pretrained(model_id) | ||||
| model = AutoModelForCausalLM.from_config(config).to(0) | ||||
|  | ||||
| trainer = trl.SFTTrainer( | ||||
|     model=model,  | ||||
|     args=args, | ||||
|     train_dataset=train_dataset, | ||||
|     dataset_text_field='text', | ||||
|     max_seq_length=512, | ||||
| ) | ||||
|  | ||||
| trainer.train() | ||||
| ``` | ||||
|  | ||||
| GaLore가 지원하는 추가 매개변수를 전달하려면 `optim_args`를 설정합니다. 예를 들어: | ||||
|  | ||||
| ```python | ||||
| import torch | ||||
| import datasets | ||||
| import trl | ||||
|  | ||||
| from transformers import TrainingArguments, AutoConfig, AutoTokenizer, AutoModelForCausalLM | ||||
|  | ||||
| train_dataset = datasets.load_dataset('imdb', split='train') | ||||
|  | ||||
| args = TrainingArguments( | ||||
|     output_dir="./test-galore", | ||||
|     max_steps=100, | ||||
|     per_device_train_batch_size=2, | ||||
|     optim="galore_adamw", | ||||
|     optim_target_modules=["attn", "mlp"], | ||||
|     optim_args="rank=64, update_proj_gap=100, scale=0.10", | ||||
| ) | ||||
|  | ||||
| model_id = "google/gemma-2b" | ||||
|  | ||||
| config = AutoConfig.from_pretrained(model_id) | ||||
|  | ||||
| tokenizer = AutoTokenizer.from_pretrained(model_id) | ||||
| model = AutoModelForCausalLM.from_config(config).to(0) | ||||
|  | ||||
| trainer = trl.SFTTrainer( | ||||
|     model=model,  | ||||
|     args=args, | ||||
|     train_dataset=train_dataset, | ||||
|     dataset_text_field='text', | ||||
|     max_seq_length=512, | ||||
| ) | ||||
|  | ||||
| trainer.train() | ||||
| ``` | ||||
|  | ||||
| 해당 방법에 대한 자세한 내용은 [원본 리포지토리](https://github.com/jiaweizzhao/GaLore) 또는 [논문](https://arxiv.org/abs/2403.03507)을 참고하세요. | ||||
|  | ||||
| 현재 GaLore 레이어로 간주되는 Linear 레이어만 훈련 할수 있으며, 저계수 분해를 사용하여 훈련되고 나머지 레이어는 기존 방식으로 최적화됩니다. | ||||
|  | ||||
| 훈련 시작 전에 시간이 약간 걸릴 수 있습니다(NVIDIA A100에서 2B 모델의 경우 약 3분), 하지만 이후 훈련은 원활하게 진행됩니다. | ||||
|  | ||||
| 다음과 같이 옵티마이저 이름에 `layerwise`를 추가하여 레이어별 최적화를 수행할 수도 있습니다: | ||||
|  | ||||
| ```python | ||||
| import torch | ||||
| import datasets | ||||
| import trl | ||||
|  | ||||
| from transformers import TrainingArguments, AutoConfig, AutoTokenizer, AutoModelForCausalLM | ||||
|  | ||||
| train_dataset = datasets.load_dataset('imdb', split='train') | ||||
|  | ||||
| args = TrainingArguments( | ||||
|     output_dir="./test-galore", | ||||
|     max_steps=100, | ||||
|     per_device_train_batch_size=2, | ||||
|     optim="galore_adamw_layerwise", | ||||
|     optim_target_modules=["attn", "mlp"] | ||||
| ) | ||||
|  | ||||
| model_id = "google/gemma-2b" | ||||
|  | ||||
| config = AutoConfig.from_pretrained(model_id) | ||||
|  | ||||
| tokenizer = AutoTokenizer.from_pretrained(model_id) | ||||
| model = AutoModelForCausalLM.from_config(config).to(0) | ||||
|  | ||||
| trainer = trl.SFTTrainer( | ||||
|     model=model,  | ||||
|     args=args, | ||||
|     train_dataset=train_dataset, | ||||
|     dataset_text_field='text', | ||||
|     max_seq_length=512, | ||||
| ) | ||||
|  | ||||
| trainer.train() | ||||
| ``` | ||||
|  | ||||
| 레이어별 최적화는 다소 실험적이며 DDP(분산 데이터 병렬)를 지원하지 않으므로, 단일 GPU에서만 훈련 스크립트를 실행할 수 있습니다. 자세한 내용은 [이 문서를](https://github.com/jiaweizzhao/GaLore?tab=readme-ov-file#train-7b-model-with-a-single-gpu-with-24gb-memory)을 참조하세요. gradient clipping, DeepSpeed 등 다른 기능은 기본적으로 지원되지 않을 수 있습니다. 이러한 문제가 발생하면 [GitHub에 이슈를 올려주세요](https://github.com/huggingface/transformers/issues). | ||||
|  | ||||
| ## LOMO 옵티마이저 [[lomo-optimizer]] | ||||
|  | ||||
| LOMO 옵티마이저는 [제한된 자원으로 대형 언어 모델의 전체 매개변수 미세 조정](https://hf.co/papers/2306.09782)과 [적응형 학습률을 통한 저메모리 최적화(AdaLomo)](https://hf.co/papers/2310.10195)에서 도입되었습니다.  | ||||
| 이들은 모두 효율적인 전체 매개변수 미세 조정 방법으로 구성되어 있습니다. 이러한 옵티마이저들은 메모리 사용량을 줄이기 위해 그레이디언트 계산과 매개변수 업데이트를 하나의 단계로 융합합니다. LOMO에서 지원되는 옵티마이저는 `"lomo"`와 `"adalomo"`입니다. 먼저 pypi에서 `pip install lomo-optim`를 통해 `lomo`를 설치하거나, GitHub 소스에서 `pip install git+https://github.com/OpenLMLab/LOMO.git`로 설치하세요. | ||||
|  | ||||
| <Tip> | ||||
|  | ||||
| 저자에 따르면, `grad_norm` 없이 `AdaLomo`를 사용하는 것이 더 나은 성능과 높은 처리량을 제공한다고 합니다. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| 다음은 IMDB 데이터셋에서 [google/gemma-2b](https://huggingface.co/google/gemma-2b)를 최대 정밀도로 미세 조정하는 간단한 스크립트입니다: | ||||
|  | ||||
| ```python | ||||
| import torch | ||||
| import datasets | ||||
| from transformers import TrainingArguments, AutoTokenizer, AutoModelForCausalLM | ||||
| import trl | ||||
|  | ||||
| train_dataset = datasets.load_dataset('imdb', split='train') | ||||
|  | ||||
| args = TrainingArguments( | ||||
|     output_dir="./test-lomo", | ||||
|     max_steps=1000, | ||||
|     per_device_train_batch_size=4, | ||||
|     optim="adalomo", | ||||
|     gradient_checkpointing=True, | ||||
|     logging_strategy="steps", | ||||
|     logging_steps=1, | ||||
|     learning_rate=2e-6, | ||||
|     save_strategy="no", | ||||
|     run_name="lomo-imdb", | ||||
| ) | ||||
|  | ||||
| model_id = "google/gemma-2b" | ||||
|  | ||||
| tokenizer = AutoTokenizer.from_pretrained(model_id) | ||||
| model = AutoModelForCausalLM.from_pretrained(model_id, low_cpu_mem_usage=True).to(0) | ||||
|  | ||||
| trainer = trl.SFTTrainer( | ||||
|     model=model,  | ||||
|     args=args, | ||||
|     train_dataset=train_dataset, | ||||
|     dataset_text_field='text', | ||||
|     max_seq_length=1024, | ||||
| ) | ||||
|  | ||||
| trainer.train() | ||||
| ``` | ||||
|  | ||||
| ## Accelerate와 Trainer [[accelerate-and-trainer]] | ||||
|  | ||||
| [`Trainer`] 클래스는 [Accelerate](https://hf.co/docs/accelerate)로 구동되며, 이는 [FullyShardedDataParallel (FSDP)](https://pytorch.org/blog/introducing-pytorch-fully-sharded-data-parallel-api/) 및 [DeepSpeed](https://www.deepspeed.ai/)와 같은 통합을 지원하는 분산 환경에서 PyTorch 모델을 쉽게 훈련할 수 있는 라이브러리입니다. | ||||
|  | ||||
| <Tip> | ||||
|  | ||||
| FSDP 샤딩 전략, CPU 오프로드 및 [`Trainer`]와 함께 사용할 수 있는 더 많은 기능을 알아보려면 [Fully Sharded Data Parallel](fsdp) 가이드를 확인하세요. | ||||
|  | ||||
| </Tip> | ||||
|  | ||||
| [`Trainer`]와 Accelerate를 사용하려면 [`accelerate.config`](https://huggingface.co/docs/accelerate/package_reference/cli#accelerate-config) 명령을 실행하여 훈련 환경을 설정하세요. 이 명령은 훈련 스크립트를 실행할 때 사용할 `config_file.yaml`을 생성합니다. 예를 들어, 다음 예시는 설정할 수 있는 일부 구성 예입니다. | ||||
|  | ||||
| <hfoptions id="config"> | ||||
| <hfoption id="DistributedDataParallel"> | ||||
|  | ||||
| ```yml | ||||
| compute_environment: LOCAL_MACHINE                                                                                              | ||||
| distributed_type: MULTI_GPU                                                                                                     | ||||
| downcast_bf16: 'no' | ||||
| gpu_ids: all | ||||
| machine_rank: 0 # 노드에 따라 순위를 변경하세요 | ||||
| main_process_ip: 192.168.20.1 | ||||
| main_process_port: 9898 | ||||
| main_training_function: main | ||||
| mixed_precision: fp16 | ||||
| num_machines: 2 | ||||
| num_processes: 8 | ||||
| rdzv_backend: static | ||||
| same_network: true | ||||
| tpu_env: [] | ||||
| tpu_use_cluster: false | ||||
| tpu_use_sudo: false | ||||
| use_cpu: false | ||||
| ``` | ||||
|  | ||||
| </hfoption> | ||||
| <hfoption id="FSDP"> | ||||
|  | ||||
| ```yml | ||||
| compute_environment: LOCAL_MACHINE | ||||
| distributed_type: FSDP | ||||
| downcast_bf16: 'no' | ||||
| fsdp_config: | ||||
|   fsdp_auto_wrap_policy: TRANSFORMER_BASED_WRAP | ||||
|   fsdp_backward_prefetch_policy: BACKWARD_PRE | ||||
|   fsdp_forward_prefetch: true | ||||
|   fsdp_offload_params: false | ||||
|   fsdp_sharding_strategy: 1 | ||||
|   fsdp_state_dict_type: FULL_STATE_DICT | ||||
|   fsdp_sync_module_states: true | ||||
|   fsdp_transformer_layer_cls_to_wrap: BertLayer | ||||
|   fsdp_use_orig_params: true | ||||
| machine_rank: 0 | ||||
| main_training_function: main | ||||
| mixed_precision: bf16 | ||||
| num_machines: 1 | ||||
| num_processes: 2 | ||||
| rdzv_backend: static | ||||
| same_network: true | ||||
| tpu_env: [] | ||||
| tpu_use_cluster: false | ||||
| tpu_use_sudo: false | ||||
| use_cpu: false | ||||
| ``` | ||||
|  | ||||
| </hfoption> | ||||
| <hfoption id="DeepSpeed"> | ||||
|  | ||||
| ```yml | ||||
| compute_environment: LOCAL_MACHINE | ||||
| deepspeed_config: | ||||
|   deepspeed_config_file: /home/user/configs/ds_zero3_config.json | ||||
|   zero3_init_flag: true | ||||
| distributed_type: DEEPSPEED | ||||
| downcast_bf16: 'no' | ||||
| machine_rank: 0 | ||||
| main_training_function: main | ||||
| num_machines: 1 | ||||
| num_processes: 4 | ||||
| rdzv_backend: static | ||||
| same_network: true | ||||
| tpu_env: [] | ||||
| tpu_use_cluster: false | ||||
| tpu_use_sudo: false | ||||
| use_cpu: false | ||||
| ``` | ||||
|  | ||||
| </hfoption> | ||||
| <hfoption id="DeepSpeed with Accelerate plugin"> | ||||
|  | ||||
| ```yml | ||||
| compute_environment: LOCAL_MACHINE                                                                                              | ||||
| deepspeed_config:                                                                                                               | ||||
|   gradient_accumulation_steps: 1 | ||||
|   gradient_clipping: 0.7 | ||||
|   offload_optimizer_device: cpu | ||||
|   offload_param_device: cpu | ||||
|   zero3_init_flag: true | ||||
|   zero_stage: 2 | ||||
| distributed_type: DEEPSPEED | ||||
| downcast_bf16: 'no' | ||||
| machine_rank: 0 | ||||
| main_training_function: main | ||||
| mixed_precision: bf16 | ||||
| num_machines: 1 | ||||
| num_processes: 4 | ||||
| rdzv_backend: static | ||||
| same_network: true | ||||
| tpu_env: [] | ||||
| tpu_use_cluster: false | ||||
| tpu_use_sudo: false | ||||
| use_cpu: false | ||||
| ``` | ||||
|  | ||||
| </hfoption> | ||||
| </hfoptions> | ||||
|  | ||||
| [`accelerate_launch`](https://huggingface.co/docs/accelerate/package_reference/cli#accelerate-launch) 명령은 Accelerate와 [`Trainer`]를 사용하여 분산 시스템에서 훈련 스크립트를 실행하는 권장 방법이며, `config_file.yaml`에 지정된 매개변수를 사용합니다. 이 파일은 Accelerate 캐시 폴더에 저장되며 `accelerate_launch`를 실행할 때 자동으로 로드됩니다. | ||||
|  | ||||
| 예를 들어, FSDP 구성을 사용하여 [run_glue.py](https://github.com/huggingface/transformers/blob/f4db565b695582891e43a5e042e5d318e28f20b8/examples/pytorch/text-classification/run_glue.py#L4) 훈련 스크립트를 실행하려면 다음과 같이 합니다: | ||||
|  | ||||
| ```bash | ||||
| accelerate launch \ | ||||
|     ./examples/pytorch/text-classification/run_glue.py \ | ||||
|     --model_name_or_path google-bert/bert-base-cased \ | ||||
|     --task_name $TASK_NAME \ | ||||
|     --do_train \ | ||||
|     --do_eval \ | ||||
|     --max_seq_length 128 \ | ||||
|     --per_device_train_batch_size 16 \ | ||||
|     --learning_rate 5e-5 \ | ||||
|     --num_train_epochs 3 \ | ||||
|     --output_dir /tmp/$TASK_NAME/ \ | ||||
|     --overwrite_output_dir | ||||
| ``` | ||||
|  | ||||
| `config_file.yaml` 파일의 매개변수를 직접 지정할 수도 있습니다: | ||||
|  | ||||
| ```bash | ||||
| accelerate launch --num_processes=2 \ | ||||
|     --use_fsdp \ | ||||
|     --mixed_precision=bf16 \ | ||||
|     --fsdp_auto_wrap_policy=TRANSFORMER_BASED_WRAP  \ | ||||
|     --fsdp_transformer_layer_cls_to_wrap="BertLayer" \ | ||||
|     --fsdp_sharding_strategy=1 \ | ||||
|     --fsdp_state_dict_type=FULL_STATE_DICT \ | ||||
|     ./examples/pytorch/text-classification/run_glue.py \ | ||||
|     --model_name_or_path google-bert/bert-base-cased \ | ||||
|     --task_name $TASK_NAME \ | ||||
|     --do_train \ | ||||
|     --do_eval \ | ||||
|     --max_seq_length 128 \ | ||||
|     --per_device_train_batch_size 16 \ | ||||
|     --learning_rate 5e-5 \ | ||||
|     --num_train_epochs 3 \ | ||||
|     --output_dir /tmp/$TASK_NAME/ \ | ||||
|     --overwrite_output_dir | ||||
| ``` | ||||
|  | ||||
| `accelerate_launch`와 사용자 정의 구성에 대해 더 알아보려면 [Accelerate 스크립트 실행](https://huggingface.co/docs/accelerate/basic_tutorials/launch) 튜토리얼을 확인하세요. | ||||
| @ -173,7 +173,7 @@ class ResnetModelForImageClassification(PreTrainedModel): | ||||
|     def forward(self, tensor, labels=None): | ||||
|         logits = self.model(tensor) | ||||
|         if labels is not None: | ||||
|             loss = torch.nn.functional.cross_entropy(logits, labels) | ||||
|             loss = torch.nn.cross_entropy(logits, labels) | ||||
|             return {"loss": loss, "logits": logits} | ||||
|         return {"logits": logits} | ||||
| ``` | ||||
|  | ||||
| @ -154,7 +154,7 @@ class ResnetModelForImageClassification(PreTrainedModel): | ||||
|     def forward(self, tensor, labels=None): | ||||
|         logits = self.model(tensor) | ||||
|         if labels is not None: | ||||
|             loss = torch.nn.functional.cross_entropy(logits, labels) | ||||
|             loss = torch.nn.cross_entropy(logits, labels) | ||||
|             return {"loss": loss, "logits": logits} | ||||
|         return {"logits": logits} | ||||
| ``` | ||||
|  | ||||
| @ -133,6 +133,9 @@ generation_output[:2] | ||||
| [[autodoc]] ForcedEOSTokenLogitsProcessor | ||||
|     - __call__ | ||||
|  | ||||
| [[autodoc]] ForceTokensLogitsProcessor | ||||
|     - __call__ | ||||
|  | ||||
| [[autodoc]] HammingDiversityLogitsProcessor | ||||
|     - __call__ | ||||
|  | ||||
| @ -148,6 +151,9 @@ generation_output[:2] | ||||
| [[autodoc]] LogitsProcessorList | ||||
|     - __call__ | ||||
|  | ||||
| [[autodoc]] LogitsWarper | ||||
|     - __call__ | ||||
|  | ||||
| [[autodoc]] MinLengthLogitsProcessor | ||||
|     - __call__ | ||||
|  | ||||
|  | ||||
| @ -21,7 +21,7 @@ rendered properly in your Markdown viewer. | ||||
|  | ||||
| LLMs,即大语言模型,是文本生成背后的关键组成部分。简单来说,它们包含经过大规模预训练的transformer模型,用于根据给定的输入文本预测下一个词(或更准确地说,下一个`token`)。由于它们一次只预测一个`token`,因此除了调用模型之外,您需要执行更复杂的操作来生成新的句子——您需要进行自回归生成。 | ||||
|  | ||||
| 自回归生成是在给定一些初始输入,通过迭代调用模型及其自身的生成输出来生成文本的推理过程。在🤗 Transformers中,这由[`~generation.GenerationMixin.generate`]方法处理,所有具有生成能力的模型都可以使用该方法。 | ||||
| 自回归生成是在给定一些初始输入,通过迭代调用模型及其自身的生成输出来生成文本的推理过程,。在🤗 Transformers中,这由[`~generation.GenerationMixin.generate`]方法处理,所有具有生成能力的模型都可以使用该方法。 | ||||
|  | ||||
| 本教程将向您展示如何: | ||||
|  | ||||
|  | ||||
| @ -104,7 +104,7 @@ for running remotely as well. You can easily customize the example used, command | ||||
| and type of compute hardware, and then run the script to automatically launch the example. | ||||
|  | ||||
| You can refer to | ||||
| [hardware setup](https://www.run.house/docs/tutorials/quick-start-cloud) | ||||
| [hardware setup](https://runhouse-docs.readthedocs-hosted.com/en/latest/api/python/cluster.html#hardware-setup) | ||||
| for more information about hardware and dependency setup with Runhouse, or this | ||||
| [Colab tutorial](https://colab.research.google.com/drive/1sh_aNQzJX5BKAdNeXthTNGxKz7sM9VPc) for a more in-depth | ||||
| walkthrough. | ||||
|  | ||||
Some files were not shown because too many files have changed in this diff Show More
		Reference in New Issue
	
	Block a user
	