aboutsummaryrefslogtreecommitdiff
path: root/convert-gptq-to-ggml.py
diff options
context:
space:
mode:
authorcomex <comexk@gmail.com>2023-04-14 00:03:03 -0700
committerGitHub <noreply@github.com>2023-04-14 10:03:03 +0300
commit723dac55fa2ba7adc6e3fc8609781d1ad0378906 (patch)
treee1ecb4e02708d1be78484b87fd867ba5afb1ecb0 /convert-gptq-to-ggml.py
parent0f07cacb05f49704d35a39aa27cfd4b419eb6f8d (diff)
py : new conversion script (#545)
Current status: Working, except for the latest GPTQ-for-LLaMa format that includes `g_idx`. This turns out to require changes to GGML, so for now it only works if you use the `--outtype` option to dequantize it back to f16 (which is pointless except for debugging). I also included some cleanup for the C++ code. This script is meant to replace all the existing conversion scripts (including the ones that convert from older GGML formats), while also adding support for some new formats. Specifically, I've tested with: - [x] `LLaMA` (original) - [x] `llama-65b-4bit` - [x] `alpaca-native` - [x] `alpaca-native-4bit` - [x] LLaMA converted to 'transformers' format using `convert_llama_weights_to_hf.py` - [x] `alpaca-native` quantized with `--true-sequential --act-order --groupsize 128` (dequantized only) - [x] same as above plus `--save_safetensors` - [x] GPT4All - [x] stock unversioned ggml - [x] ggmh There's enough overlap in the logic needed to handle these different cases that it seemed best to move to a single script. I haven't tried this with Alpaca-LoRA because I don't know where to find it. Useful features: - Uses multiple threads for a speedup in some cases (though the Python GIL limits the gain, and sometimes it's disk-bound anyway). - Combines split models into a single file (both the intra-tensor split of the original and the inter-tensor split of 'transformers' format files). Single files are more convenient to work with and more friendly to future changes to use memory mapping on the C++ side. To accomplish this without increasing memory requirements, it has some custom loading code which avoids loading whole input files into memory at once. - Because of the custom loading code, it no longer depends in PyTorch, which might make installing dependencies slightly easier or faster... although it still depends on NumPy and sentencepiece, so I don't know if there's any meaningful difference. In any case, I also added a requirements.txt file to lock the dependency versions in case of any future breaking changes. - Type annotations checked with mypy. - Some attempts to be extra user-friendly: - The script tries to be forgiving with arguments, e.g. you can specify either the model file itself or the directory containing it. - The script doesn't depend on config.json / params.json, just in case the user downloaded files individually and doesn't have those handy. But you still need tokenizer.model and, for Alpaca, added_tokens.json. - The script tries to give a helpful error message if added_tokens.json is missing.
Diffstat (limited to 'convert-gptq-to-ggml.py')
-rw-r--r--convert-gptq-to-ggml.py172
1 files changed, 0 insertions, 172 deletions
diff --git a/convert-gptq-to-ggml.py b/convert-gptq-to-ggml.py
deleted file mode 100644
index 42e99c2..0000000
--- a/convert-gptq-to-ggml.py
+++ /dev/null
@@ -1,172 +0,0 @@
-# Convert a GPTQ quantized LLaMA model to a ggml compatible file
-# Based on: https://github.com/qwopqwop200/GPTQ-for-LLaMa
-#
-import os
-import re
-import sys
-import json
-import struct
-import numpy as np
-import torch
-from sentencepiece import SentencePieceProcessor
-
-if len(sys.argv) != 4:
- print("Usage: convert-gptq-to-ggml.py llamaXXb-4bit.pt tokenizer.model out.bin\n")
- sys.exit(1)
-
-fname_model = sys.argv[1]
-fname_tokenizer = sys.argv[2]
-dir_out = sys.argv[3]
-
-model = torch.load(fname_model, map_location="cpu")
-
-n_vocab, n_embd = model['model.embed_tokens.weight'].shape
-n_layer = 1 + max(int(m.group(1)) for name in model
- if (m := re.match(r'model\.layers\.([0-9]+)', name)))
-
-# hardcoded:
-n_mult = 256
-n_head = {32: 32, 40: 40, 60: 52, 80: 64}[n_layer]
-
-tokenizer = SentencePieceProcessor(fname_tokenizer)
-
-assert tokenizer.vocab_size() == n_vocab
-
-fname_out = sys.argv[3]
-
-fout = open(fname_out, "wb")
-
-fout.write(struct.pack("i", 0x67676d66)) # magic: ggmf in hex
-fout.write(struct.pack("i", 1)) # file version
-fout.write(struct.pack("i", n_vocab))
-fout.write(struct.pack("i", n_embd))
-fout.write(struct.pack("i", n_mult))
-fout.write(struct.pack("i", n_head))
-fout.write(struct.pack("i", n_layer))
-fout.write(struct.pack("i", n_embd // n_head)) # rot (obsolete)
-fout.write(struct.pack("i", 4))
-
-
-# This loop unchanged from convert-pth-to-ggml.py:
-for i in range(tokenizer.vocab_size()):
- if tokenizer.is_unknown(i):
- text = " \u2047 ".encode()
- elif tokenizer.is_control(i):
- text = b""
- elif tokenizer.is_byte(i):
- piece = tokenizer.id_to_piece(i)
- if len(piece) != 6:
- print(f"Invalid token: {piece}")
- sys.exit(1)
- byte_value = int(piece[3:-1], 16)
- text = struct.pack("B", byte_value)
- else:
- text = tokenizer.id_to_piece(i).replace("\u2581", " ").encode()
- fout.write(struct.pack("i", len(text)))
- fout.write(text)
- fout.write(struct.pack("f", tokenizer.get_score(i)))
-
-def write_header(shape, dst_name, ftype_cur):
- sname = dst_name.encode()
- fout.write(struct.pack("iii", len(shape), len(sname), ftype_cur))
- fout.write(struct.pack("i" * len(shape), *shape[::-1]))
- fout.write(sname)
-
- # ensure tensor data is aligned
- tensor_data_offset = fout.tell()
- tensor_data_offset = (tensor_data_offset + 31) & -32
- fout.seek(tensor_data_offset)
-
-def convert_non_q4(src_name, dst_name):
- v = model[src_name]
- shape = v.shape
- print(f"Processing non-Q4 variable: {src_name} with shape: {shape} and type: {v.dtype}")
- if len(shape) == 1:
- print(" Converting to float32")
- v = v.to(torch.float32)
-
- ftype_cur = {torch.float16: 1, torch.float32: 0}[v.dtype]
-
- # header
- write_header(shape, dst_name, ftype_cur)
-
- # data
- v.numpy().tofile(fout)
-
-def convert_q4(src_name, dst_name, permute=False):
- zeros = model[f"{src_name}.zeros"].numpy()
- scales = model[f"{src_name}.scales"].numpy()
- bias = model[f"{src_name}.bias"].numpy()
- qweight = model[f"{src_name}.qweight"].numpy().T # transpose
-
- # Q4_1 does not support bias; good thing the bias is always all zeros.
- assert not np.any(bias)
-
- # Each int32 item is actually 8 int4 items packed together, and it's transposed.
- shape = (qweight.shape[0], qweight.shape[1] * 8)
-
- print(f"Processing Q4 variable: {src_name} with shape: {shape}")
-
- # The output format has the int4 weights in groups of 32 rather than 8.
- # It looks like this:
- # For each row:
- # For each group of 32 columns:
- # - addend (float32, 4 bytes)
- # - scale (float32, 4 bytes)
- # - weights (int4 * 32, 16 bytes)
- # Note that in the input, the scales and addends are shared between all
- # the columns in a row, so we end up wasting quite a bit of memory with
- # repeated scales and addends.
-
- addends = -zeros # flip sign
-
- # Since the output format is mixed between integers and floats, we have
- # to hackily view the floats as int32s just so numpy will let us
- # concatenate them.
- addends_view = addends.view(dtype=np.int32)
- scales_view = scales.view(dtype=np.int32)
-
- # Split into groups of 4 columns (i.e. 32 columns of quantized data):
- grouped = qweight.reshape([qweight.shape[0], qweight.shape[1] // 4, 4])
-
- # Repeat addends and scales:
- addends_rep = np.atleast_3d(addends_view).repeat(grouped.shape[1], axis=1)
- scales_rep = np.atleast_3d(scales_view).repeat(grouped.shape[1], axis=1)
-
- blob = np.concatenate([scales_rep, addends_rep, grouped], axis=2, casting='no')
-
- if permute:
- # Permute some rows to undo the permutation done by convert_llama_weights_to_hf.py.
- # This can be done after the above conversion because it doesn't affect column order/layout.
- blob = (blob.reshape(n_head, 2, shape[0] // n_head // 2, *blob.shape[1:])
- .swapaxes(1, 2)
- .reshape(blob.shape))
-
- # header
- write_header(shape, dst_name, 3) # ftype = Q4_1
-
- # data
- blob.tofile(fout)
-
-convert_non_q4("model.embed_tokens.weight", "tok_embeddings.weight")
-convert_non_q4("model.norm.weight", "norm.weight")
-convert_non_q4("lm_head.weight", "output.weight")
-
-for i in range(n_layer):
- convert_q4(f"model.layers.{i}.self_attn.q_proj", f"layers.{i}.attention.wq.weight", permute=True)
- convert_q4(f"model.layers.{i}.self_attn.k_proj", f"layers.{i}.attention.wk.weight", permute=True)
- convert_q4(f"model.layers.{i}.self_attn.v_proj", f"layers.{i}.attention.wv.weight")
- convert_q4(f"model.layers.{i}.self_attn.o_proj", f"layers.{i}.attention.wo.weight")
-
- convert_q4(f"model.layers.{i}.mlp.gate_proj", f"layers.{i}.feed_forward.w1.weight")
- convert_q4(f"model.layers.{i}.mlp.down_proj", f"layers.{i}.feed_forward.w2.weight")
- convert_q4(f"model.layers.{i}.mlp.up_proj", f"layers.{i}.feed_forward.w3.weight")
-
- convert_non_q4(f"model.layers.{i}.input_layernorm.weight", f"layers.{i}.attention_norm.weight")
- convert_non_q4(f"model.layers.{i}.post_attention_layernorm.weight", f"layers.{i}.ffn_norm.weight")
-
-
-fout.close()
-
-print(f"Done. Output file: {fname_out}")
-print()