| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263 | # Convert MNIS h5 transformer model to ggml format## Load the (state_dict) saved model using PyTorch# Iterate over all variables and write them to a binary file.## For each variable, write the following:#   - Number of dimensions (int)#   - Name length (int)#   - Dimensions (int[n_dims])#   - Name (char[name_length])#   - Data (float[n_dims])## At the start of the ggml file we write the model parametersimport sysimport structimport jsonimport numpy as npimport reimport torchimport torch.nn as nnimport torchvision.datasets as dsetsimport torchvision.transforms as transformsfrom torch.autograd import Variableif len(sys.argv) != 2:    print("Usage: convert-h5-to-ggml.py model\n")    sys.exit(1)state_dict_file = sys.argv[1]fname_out = "models/mnist/ggml-model-f32.bin"state_dict = torch.load(state_dict_file, map_location=torch.device('cpu'))#print (model)list_vars = state_dictprint (list_vars)fout = open(fname_out, "wb")fout.write(struct.pack("i", 0x67676d6c)) # magic: ggml in hexfor name in list_vars.keys():    data = list_vars[name].squeeze().numpy()    print("Processing variable: " + name + " with shape: ", data.shape)     n_dims = len(data.shape);       fout.write(struct.pack("i", n_dims))        data = data.astype(np.float32)    for i in range(n_dims):        fout.write(struct.pack("i", data.shape[n_dims - 1 - i]))    # data    data.tofile(fout)fout.close()print("Done. Output file: " + fname_out)print("")
 |