Oimos commited on
Commit
56a133d
·
verified ·
1 Parent(s): a41e054

Update README.md

Browse files
Files changed (1) hide show
  1. README.md +271 -0
README.md CHANGED
@@ -20,3 +20,274 @@ language:
20
  This llama model was trained 2x faster with [Unsloth](https://github.com/unslothai/unsloth) and Huggingface's TRL library.
21
 
22
  [<img src="https://raw.githubusercontent.com/unslothai/unsloth/main/images/unsloth%20made%20with%20love.png" width="200"/>](https://github.com/unslothai/unsloth)
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
20
  This llama model was trained 2x faster with [Unsloth](https://github.com/unslothai/unsloth) and Huggingface's TRL library.
21
 
22
  [<img src="https://raw.githubusercontent.com/unslothai/unsloth/main/images/unsloth%20made%20with%20love.png" width="200"/>](https://github.com/unslothai/unsloth)
23
+
24
+
25
+ # Google Colab の場合は上記の環境構築手順を行なわず、単にこのセルから実行していってください。
26
+ !pip uninstall unsloth -y
27
+ !pip install --upgrade --no-cache-dir "unsloth[colab-new] @ git+https://github.com/unslothai/unsloth.git"
28
+
29
+ # Google Colab のデフォルトで入っているパッケージをアップグレード(Moriyasu さんありがとうございます)
30
+ !pip install --upgrade torch
31
+ !pip install --upgrade xformers
32
+
33
+ # notebookでインタラクティブな表示を可能とする(ただし、うまく動かない場合あり)
34
+ # Google Colabでは実行不要
35
+ !pip install ipywidgets --upgrade
36
+
37
+ # Install Flash Attention 2 for softcapping support
38
+ import torch
39
+ if torch.cuda.get_device_capability()[0] >= 8:
40
+ !pip install --no-deps packaging ninja einops "flash-attn>=2.6.3"
41
+
42
+ ## モデルのロード
43
+ 以下のコードでモデルを読み込みます。
44
+ 受講生の方からご指摘頂いたのですが、unslothでgemma2を読み込むと、自動でunslothが作成した非公式モデルがダウンロードされるようです。
45
+ 対処方法がわからない受講生はLLM-jp-3のみをご利用ください!
46
+
47
+ # Hugging Face Token を指定
48
+ # 下記の URL から Hugging Face Token を取得できますので下記の HF_TOKEN に入れてください。
49
+ # Write権限を付与してください。
50
+ # https://huggingface.co/settings/tokens
51
+
52
+ # あるいは Google Colab シークレットを使う場合、左のサイドバーより🔑マークをクリック
53
+ # HF_TOKEN という名前で Value に Hugging Face Token を入れてください。
54
+ # ノートブックからのアクセスのトグルをオンにし、下記の二行のコードのコメントアウトを外してください。
55
+
56
+ # from google.colab import userdata
57
+ # HF_TOKEN=userdata.get('HF_TOKEN')
58
+
59
+ # llm-jp/llm-jp-3-13bを4bit量子化のqLoRA設定でロード。
60
+
61
+ from unsloth import FastLanguageModel
62
+ import torch
63
+ max_seq_length = 512 # unslothではRoPEをサポートしているのでコンテキスト長は自由に設定可能
64
+ dtype = None # Noneにしておけば自動で設定
65
+ load_in_4bit = True # 今回は13Bモデルを扱うためTrue
66
+
67
+ model_id = "llm-jp/llm-jp-3-13b"
68
+ new_model_id = "llm-jp-3-13b-it" #Fine-Tuningしたモデルにつけたい名前、it: Instruction Tuning
69
+ # FastLanguageModel インスタンスを作成
70
+ model, tokenizer = FastLanguageModel.from_pretrained(
71
+ model_name=model_id,
72
+ dtype=dtype,
73
+ load_in_4bit=load_in_4bit,
74
+ trust_remote_code=True,
75
+ )
76
+
77
+ # SFT用のモデルを用意
78
+ model = FastLanguageModel.get_peft_model(
79
+ model,
80
+ r = 32,
81
+ target_modules = ["q_proj", "k_proj", "v_proj", "o_proj",
82
+ "gate_proj", "up_proj", "down_proj",],
83
+ lora_alpha = 32,
84
+ lora_dropout = 0.05,
85
+ bias = "none",
86
+ use_gradient_checkpointing = "unsloth",
87
+ random_state = 3407,
88
+ use_rslora = False,
89
+ loftq_config = None,
90
+ max_seq_length = max_seq_length,
91
+ )
92
+
93
+ # 学習に用いるデータセットの指定
94
+ # 今回はLLM-jp の公開している Ichikara Instruction を使います。データにアクセスするためには申請が必要ですので、使いたい方のみ申請をしてください。
95
+ # Ichikara Instruciton を Hugging Face Hub にて公開することはお控えください。
96
+ # また、CC-BY-NC-SAですのでモデルはライセンスを継承する前提でお使いください。
97
+
98
+ # 下記のリンクから申請を終えた先に Google Drive があり、Distribution20241221_all というフォルダごとダウンロードしてください。
99
+ # 今回は「ichikara-instruction-003-001-1.json」を使います。必要であれば展開(!unzip など)し、データセットのパスを適切に指定してください。
100
+ # omnicampusの開発環境では取得したデータを左側にドラッグアンドドロップしてお使いください。
101
+ # Google Colab の場合も左のサイドバーよりドラッグ&ドロップでアップデートしてください。
102
+
103
+ # https://liat-aip.sakura.ne.jp/wp/llmのための日本語インストラクションデータ作成/llmのための日本語インストラクションデータ-公開/
104
+ # 関根聡, 安藤まや, 後藤美知子, 鈴木久美, 河原大輔, 井之上直也, 乾健太郎. ichikara-instruction: LLMのための日本語インストラクションデータの構築. 言語処理学会第30回年次大会(2024)
105
+
106
+ from datasets import load_dataset
107
+
108
+ dataset = load_dataset("json", data_files="./ichikara-instruction-003-001-1.json")
109
+ # パスの指定にご注意ください。アップロードしたファイルを右クリックし、「パ��をコピー」をクリック、上記の data_files と合致していることをご確認ください。Omnicampus のディレクトリ構造とは異なるかもしれません。
110
+
111
+ # 学習時のプロンプトフォーマットの定義
112
+ prompt = """### 指示
113
+ {}
114
+ ### 回答
115
+ {}"""
116
+
117
+
118
+ """
119
+ formatting_prompts_func: 各データをプロンプトに合わせた形式に合わせる
120
+ """
121
+ EOS_TOKEN = tokenizer.eos_token # トークナイザーのEOSトークン(文末トークン)
122
+ def formatting_prompts_func(examples):
123
+ input = examples["text"] # 入力データ
124
+ output = examples["output"] # 出力データ
125
+ text = prompt.format(input, output) + EOS_TOKEN # プロンプトの作成
126
+ return { "formatted_text" : text, } # 新しいフィールド "formatted_text" を返す
127
+ pass
128
+
129
+ # # 各データにフォーマットを適用
130
+ dataset = dataset.map(
131
+ formatting_prompts_func,
132
+ num_proc= 4, # 並列処理数を指定
133
+ )
134
+
135
+ dataset
136
+
137
+ # データを確認
138
+ print(dataset["train"]["formatted_text"][3])
139
+
140
+ """
141
+ training_arguments: 学習の設定
142
+
143
+ - output_dir:
144
+ -トレーニング後のモデルを保存するディレクトリ
145
+
146
+ - per_device_train_batch_size:
147
+ - デバイスごとのトレーニングバッチサイズ
148
+
149
+ - per_device_eval_batch_size:
150
+ - デバイスごとの評価バッチサイズ
151
+
152
+ - gradient_accumulation_steps:
153
+ - 勾配を更新する前にステップを積み重ねる回数
154
+
155
+ - optim:
156
+ - オプティマイザの設定
157
+
158
+ - num_train_epochs:
159
+ - エポック数
160
+
161
+ - eval_strategy:
162
+ - 評価の戦略 ("no"/"steps"/"epoch")
163
+
164
+ - eval_steps:
165
+ - eval_strategyが"steps"のとき、評価を行うstep間隔
166
+
167
+ - logging_strategy:
168
+ - ログ記録の戦略
169
+
170
+ - logging_steps:
171
+ - ログを出力するステップ間隔
172
+
173
+ - warmup_steps:
174
+ - 学習率のウォームアップステップ数
175
+
176
+ - save_steps:
177
+ - モデルを保存するステップ間隔
178
+
179
+ - save_total_limit:
180
+ - 保存しておくcheckpointの数
181
+
182
+ - max_steps:
183
+ - トレーニングの最大ステップ数
184
+
185
+ - learning_rate:
186
+ - 学習率
187
+
188
+ - fp16:
189
+ - 16bit浮動小数点の使用設定(第8回演習を参考にすると良いです)
190
+
191
+ - bf16:
192
+ - BFloat16の使用設定
193
+
194
+ - group_by_length:
195
+ - 入力シーケンスの長さによりバッチをグループ化 (トレーニングの効率化)
196
+
197
+ - report_to:
198
+ - ログの送信先 ("wandb"/"tensorboard"など)
199
+ """
200
+ from trl import SFTTrainer
201
+ from transformers import TrainingArguments
202
+ from unsloth import is_bfloat16_supported
203
+
204
+ trainer = SFTTrainer(
205
+ model = model,
206
+ tokenizer = tokenizer,
207
+ train_dataset=dataset["train"],
208
+ max_seq_length = max_seq_length,
209
+ dataset_text_field="formatted_text",
210
+ packing = False,
211
+ args = TrainingArguments(
212
+ per_device_train_batch_size = 2,
213
+ gradient_accumulation_steps = 4,
214
+ num_train_epochs = 1,
215
+ logging_steps = 10,
216
+ warmup_steps = 10,
217
+ save_steps=100,
218
+ save_total_limit=2,
219
+ max_steps=-1,
220
+ learning_rate = 2e-4,
221
+ fp16 = not is_bfloat16_supported(),
222
+ bf16 = is_bfloat16_supported(),
223
+ group_by_length=True,
224
+ seed = 3407,
225
+ output_dir = "outputs",
226
+ report_to = "none",
227
+ ),
228
+ )
229
+
230
+ #@title 現在のメモリ使用量を表示
231
+ gpu_stats = torch.cuda.get_device_properties(0)
232
+ start_gpu_memory = round(torch.cuda.max_memory_reserved() / 1024 / 1024 / 1024, 3)
233
+ max_memory = round(gpu_stats.total_memory / 1024 / 1024 / 1024, 3)
234
+ print(f"GPU = {gpu_stats.name}. Max memory = {max_memory} GB.")
235
+ print(f"{start_gpu_memory} GB of memory reserved.")
236
+
237
+ #@title 学習実行
238
+ trainer_stats = trainer.train()
239
+
240
+ # ELYZA-tasks-100-TVの読み込み。事前にファイルをアップロードしてください
241
+ # データセットの読み込み。
242
+ # omnicampusの開発環境では、左にタスクのjsonlをドラッグアンドドロップしてから実行。
243
+ import json
244
+ datasets = []
245
+ with open("/content//elyza-tasks-100-TV_0.jsonl", "r") as f:
246
+ item = ""
247
+ for line in f:
248
+ line = line.strip()
249
+ item += line
250
+ if item.endswith("}"):
251
+ datasets.append(json.loads(item))
252
+ item = ""
253
+
254
+ # 学習したモデルを用いてタスクを実行
255
+ from tqdm import tqdm
256
+
257
+ # 推論するためにモデルのモードを変更
258
+ FastLanguageModel.for_inference(model)
259
+
260
+ results = []
261
+ for dt in tqdm(datasets):
262
+ input = dt["input"]
263
+
264
+ prompt = f"""### 指示\n{input}\n### 回答\n"""
265
+
266
+ inputs = tokenizer([prompt], return_tensors = "pt").to(model.device)
267
+
268
+ outputs = model.generate(**inputs, max_new_tokens = 512, use_cache = True, do_sample=False, repetition_penalty=1.2)
269
+ prediction = tokenizer.decode(outputs[0], skip_special_tokens=True).split('\n### 回答')[-1]
270
+
271
+ results.append({"task_id": dt["task_id"], "input": input, "output": prediction})
272
+
273
+ # jsonlで保存
274
+ with open(f"{new_model_id}_output.jsonl", 'w', encoding='utf-8') as f:
275
+ for result in results:
276
+ json.dump(result, f, ensure_ascii=False)
277
+ f.write('\n')
278
+
279
+ モデルとトークナイザーをHugging Faceにアップロードします。
280
+ 本コードではLoRAのアダブタのみを保存します。
281
+ このアダプタを用いた推論方法はModel_Inference_Template_unsloth_20241127.ipynbをご参照ください。
282
+
283
+ 一旦privateでアップロードしてください。
284
+ https://docs.unsloth.ai/basics/saving-and-using-models
285
+
286
+ # LoRAアダプタだけ保存
287
+ model.push_to_hub_merged(
288
+ new_model_id+"_lora",
289
+ tokenizer=tokenizer,
290
+ save_method="lora",
291
+ token=HF_TOKEN,
292
+ private=True
293
+ )