jchan1e commited on
Commit
bfa39c4
1 Parent(s): 18661ad

Upload model card

Browse files
Files changed (1) hide show
  1. README.md +194 -3
README.md CHANGED
@@ -1,3 +1,194 @@
1
- ---
2
- license: llama3.2
3
- ---
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ ---
2
+ language:
3
+ - en
4
+ library_name: transformers
5
+ tags:
6
+ - gpt
7
+ - llm
8
+ - large language model
9
+ - h2o-llmstudio
10
+ inference: false
11
+ thumbnail: https://h2o.ai/etc.clientlibs/h2o/clientlibs/clientlib-site/resources/images/favicon.ico
12
+ ---
13
+ # Model Card
14
+ ## Summary
15
+
16
+ This model was trained using [H2O LLM Studio](https://github.com/h2oai/h2o-llmstudio).
17
+ - Base model: [meta-llama/Llama-3.2-3B-Instruct](https://huggingface.co/meta-llama/Llama-3.2-3B-Instruct)
18
+
19
+
20
+ ## Usage
21
+
22
+ To use the model with the `transformers` library on a machine with GPUs, first make sure you have the `transformers` library installed.
23
+
24
+ ```bash
25
+ pip install transformers==4.45.0
26
+ ```
27
+
28
+ Also make sure you are providing your huggingface token to the pipeline if the model is lying in a private repo.
29
+
30
+ - Either leave `token=True` in the `pipeline` and login to hugginface_hub by running
31
+
32
+ ```python
33
+ import huggingface_hub
34
+ huggingface_hub.login(<ACCESS_TOKEN>)
35
+ ```
36
+
37
+ - Or directly pass your <ACCESS_TOKEN> to `token` in the `pipeline`
38
+
39
+ ```python
40
+ from transformers import pipeline
41
+
42
+ generate_text = pipeline(
43
+ model="jchan1e/llama-3-2-text2cypher",
44
+ torch_dtype="auto",
45
+ trust_remote_code=True,
46
+ device_map={"": "cuda:0"},
47
+ token=True,
48
+ )
49
+
50
+ # generate configuration can be modified to your needs
51
+ # generate_text.model.generation_config.min_new_tokens = 2
52
+ # generate_text.model.generation_config.max_new_tokens = 256
53
+ # generate_text.model.generation_config.do_sample = False
54
+ # generate_text.model.generation_config.num_beams = 1
55
+ # generate_text.model.generation_config.temperature = float(0.0)
56
+ # generate_text.model.generation_config.repetition_penalty = float(1.0)
57
+
58
+ messages = [
59
+ {
60
+ "role": "system",
61
+ "content": "You are a friendly and polite chatbot.",
62
+ },
63
+ {"role": "user", "content": "Hi, how are you?"},
64
+ {"role": "assistant", "content": "I'm doing great, how about you?"},
65
+ {"role": "user", "content": "Why is drinking water so healthy?"},
66
+ ]
67
+
68
+ res = generate_text(
69
+ messages,
70
+ renormalize_logits=True
71
+ )
72
+ print(res[0]["generated_text"][-1]['content'])
73
+ ```
74
+
75
+ You can print a sample prompt after applying chat template to see how it is feed to the tokenizer:
76
+
77
+ ```python
78
+ print(generate_text.tokenizer.apply_chat_template(
79
+ messages,
80
+ tokenize=False,
81
+ add_generation_prompt=True,
82
+ ))
83
+ ```
84
+
85
+ You may also construct the pipeline from the loaded model and tokenizer yourself and consider the preprocessing steps:
86
+
87
+ ```python
88
+ from transformers import AutoModelForCausalLM, AutoTokenizer
89
+
90
+ model_name = "jchan1e/llama-3-2-text2cypher" # either local folder or Hugging Face model name
91
+ # Important: The prompt needs to be in the same format the model was trained with.
92
+ # You can find an example prompt in the experiment logs.
93
+ messages = [
94
+ {
95
+ "role": "system",
96
+ "content": "You are a friendly and polite chatbot.",
97
+ },
98
+ {"role": "user", "content": "Hi, how are you?"},
99
+ {"role": "assistant", "content": "I'm doing great, how about you?"},
100
+ {"role": "user", "content": "Why is drinking water so healthy?"},
101
+ ]
102
+
103
+ tokenizer = AutoTokenizer.from_pretrained(
104
+ model_name,
105
+ trust_remote_code=True,
106
+ )
107
+ model = AutoModelForCausalLM.from_pretrained(
108
+ model_name,
109
+ torch_dtype="auto",
110
+ device_map={"": "cuda:0"},
111
+ trust_remote_code=True,
112
+ )
113
+ model.cuda().eval()
114
+
115
+ # generate configuration can be modified to your needs
116
+ # model.generation_config.min_new_tokens = 2
117
+ # model.generation_config.max_new_tokens = 256
118
+ # model.generation_config.do_sample = False
119
+ # model.generation_config.num_beams = 1
120
+ # model.generation_config.temperature = float(0.0)
121
+ # model.generation_config.repetition_penalty = float(1.0)
122
+
123
+ inputs = tokenizer.apply_chat_template(
124
+ messages,
125
+ tokenize=True,
126
+ add_generation_prompt=True,
127
+ return_tensors="pt",
128
+ return_dict=True,
129
+ ).to("cuda")
130
+
131
+ tokens = model.generate(
132
+ input_ids=inputs["input_ids"],
133
+ attention_mask=inputs["attention_mask"],
134
+ renormalize_logits=True
135
+ )[0]
136
+
137
+ tokens = tokens[inputs["input_ids"].shape[1]:]
138
+ answer = tokenizer.decode(tokens, skip_special_tokens=True)
139
+ print(answer)
140
+ ```
141
+
142
+ ## Quantization and sharding
143
+
144
+ You can load the models using quantization by specifying ```load_in_8bit=True``` or ```load_in_4bit=True```. Also, sharding on multiple GPUs is possible by setting ```device_map=auto```.
145
+
146
+ ## Model Architecture
147
+
148
+ ```
149
+ LlamaForCausalLM(
150
+ (model): LlamaModel(
151
+ (embed_tokens): Embedding(128256, 3072, padding_idx=128009)
152
+ (layers): ModuleList(
153
+ (0-27): 28 x LlamaDecoderLayer(
154
+ (self_attn): LlamaSdpaAttention(
155
+ (q_proj): Linear(in_features=3072, out_features=3072, bias=False)
156
+ (k_proj): Linear(in_features=3072, out_features=1024, bias=False)
157
+ (v_proj): Linear(in_features=3072, out_features=1024, bias=False)
158
+ (o_proj): Linear(in_features=3072, out_features=3072, bias=False)
159
+ (rotary_emb): LlamaRotaryEmbedding()
160
+ )
161
+ (mlp): LlamaMLP(
162
+ (gate_proj): Linear(in_features=3072, out_features=8192, bias=False)
163
+ (up_proj): Linear(in_features=3072, out_features=8192, bias=False)
164
+ (down_proj): Linear(in_features=8192, out_features=3072, bias=False)
165
+ (act_fn): SiLU()
166
+ )
167
+ (input_layernorm): LlamaRMSNorm((3072,), eps=1e-05)
168
+ (post_attention_layernorm): LlamaRMSNorm((3072,), eps=1e-05)
169
+ )
170
+ )
171
+ (norm): LlamaRMSNorm((3072,), eps=1e-05)
172
+ (rotary_emb): LlamaRotaryEmbedding()
173
+ )
174
+ (lm_head): Linear(in_features=3072, out_features=128256, bias=False)
175
+ )
176
+ ```
177
+
178
+ ## Model Configuration
179
+
180
+ This model was trained using H2O LLM Studio and with the configuration in [cfg.yaml](cfg.yaml). Visit [H2O LLM Studio](https://github.com/h2oai/h2o-llmstudio) to learn how to train your own large language models.
181
+
182
+
183
+ ## Disclaimer
184
+
185
+ Please read this disclaimer carefully before using the large language model provided in this repository. Your use of the model signifies your agreement to the following terms and conditions.
186
+
187
+ - Biases and Offensiveness: The large language model is trained on a diverse range of internet text data, which may contain biased, racist, offensive, or otherwise inappropriate content. By using this model, you acknowledge and accept that the generated content may sometimes exhibit biases or produce content that is offensive or inappropriate. The developers of this repository do not endorse, support, or promote any such content or viewpoints.
188
+ - Limitations: The large language model is an AI-based tool and not a human. It may produce incorrect, nonsensical, or irrelevant responses. It is the user's responsibility to critically evaluate the generated content and use it at their discretion.
189
+ - Use at Your Own Risk: Users of this large language model must assume full responsibility for any consequences that may arise from their use of the tool. The developers and contributors of this repository shall not be held liable for any damages, losses, or harm resulting from the use or misuse of the provided model.
190
+ - Ethical Considerations: Users are encouraged to use the large language model responsibly and ethically. By using this model, you agree not to use it for purposes that promote hate speech, discrimination, harassment, or any form of illegal or harmful activities.
191
+ - Reporting Issues: If you encounter any biased, offensive, or otherwise inappropriate content generated by the large language model, please report it to the repository maintainers through the provided channels. Your feedback will help improve the model and mitigate potential issues.
192
+ - Changes to this Disclaimer: The developers of this repository reserve the right to modify or update this disclaimer at any time without prior notice. It is the user's responsibility to periodically review the disclaimer to stay informed about any changes.
193
+
194
+ By using the large language model provided in this repository, you agree to accept and comply with the terms and conditions outlined in this disclaimer. If you do not agree with any part of this disclaimer, you should refrain from using the model and any content generated by it.