This repository was archived by the owner on Feb 22, 2026. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathtext_encoder.py
More file actions
271 lines (232 loc) · 9.16 KB
/
text_encoder.py
File metadata and controls
271 lines (232 loc) · 9.16 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
# Copyright (c) Meta Platforms, Inc. and affiliates.
import logging
from dataclasses import dataclass
from typing import Tuple
import math
import torch
from transformers import (
AutoProcessor,
AutoTokenizer,
AutoConfig,
CLIPModel,
CLIPTokenizer,
Gemma2Model,
GemmaTokenizerFast,
UMT5EncoderModel,
Qwen2_5_VLModel
)
from liger_kernel.transformers import apply_liger_kernel_to_qwen2_5_vl
logger = logging.getLogger()
from typing import Optional
@dataclass
class TextEncoderArgs:
config_name: str = "ViT-B/32"
dtype: str = "bf16"
text_seqlen: int = 77
model_path: str = ""
relative_depth: float = 1.0
class BaseTextEncoder:
def __init__(self, args: TextEncoderArgs):
self.dtype = dict(fp32=torch.float32, bf16=torch.bfloat16)[args.dtype]
self.text_seqlen = args.text_seqlen
# TODO: use this to get the dimension of the text encoder for transformer
@property
def dim(self) -> int:
raise NotImplementedError
def __call__(self, batch: dict[str:any]) -> Tuple[torch.Tensor, torch.Tensor]:
raise NotImplementedError
class CLIP(BaseTextEncoder):
def __init__(self, args: TextEncoderArgs):
super().__init__(args)
self.clip_model = CLIPModel.from_pretrained(
(
"openai/clip-vit-large-patch14"
if args.model_path == ""
else args.model_path
),
torch_dtype=self.dtype,
).cuda()
self.clip_model.eval()
self.clip_model.requires_grad_(False)
self.tokenizer = CLIPTokenizer.from_pretrained(
(
"openai/clip-vit-large-patch14"
if args.model_path == ""
else args.model_path
),
)
@property
def dim(self) -> int:
return self.clip_model.config.hidden_size
def __call__(self, batch: dict[str:any]) -> Tuple[torch.Tensor, torch.Tensor]:
assert "caption" in batch
if isinstance(batch["caption"][0], tuple):
batch["caption"] = [x[0] for x in batch["caption"]]
for idx, x in enumerate(batch["caption"]):
if not isinstance(x, str):
logger.warning(f"Expected string but got {type(x)}: {x}")
batch["caption"][idx] = ""
with torch.no_grad():
inputs = self.tokenizer(
batch["caption"], return_tensors="pt", padding=True, truncation=True
).to(self.clip_model.device)
outputs = self.clip_model.text_model(**inputs)
last_hidden_state = outputs.last_hidden_state
attention_mask = inputs.attention_mask
return last_hidden_state, attention_mask
class Qwen2_5_VL(BaseTextEncoder):
def __init__(self, args: TextEncoderArgs):
super().__init__(args)
model_path = "Qwen/Qwen2.5-VL-7B-Instruct" if args.model_path == "" else args.model_path
self.init_model(args, model_path)
self.init_tokenizer(model_path)
self.init_processor(model_path)
def init_model(self, args: TextEncoderArgs, model_path: str):
config = AutoConfig.from_pretrained(model_path)
config.text_config.num_hidden_layers = int(math.ceil(args.relative_depth * config.text_config.num_hidden_layers))
model = Qwen2_5_VLModel.from_pretrained(
model_path,
config=config,
torch_dtype=self.dtype,
).cuda()
if args.relative_depth < 1.0:
# avoid norm layer in the last layer
model.language_model.norm = torch.nn.Identity()
apply_liger_kernel_to_qwen2_5_vl(model)
model.eval()
model.requires_grad_(False)
self.model = model
def init_tokenizer(self, model_path: str):
self.tokenizer = AutoTokenizer.from_pretrained(
model_path,
)
def init_processor(self, model_path: str):
self.processor = AutoProcessor.from_pretrained(
model_path,
)
@property
def dim(self) -> int:
return self.model.config.hidden_size
def _convert_caption_to_messages(self, caption: str) -> str:
messages = [
{
"role": "system",
"content": "You are an assistant designed to generate high-quality images based on user prompts.",
},
{
"role": "user",
"content": [
{"type": "text", "text": caption},
],
},
]
return self.processor.apply_chat_template(
messages,
tokenize=False,
add_generation_prompt=True,
)
def __call__(self, batch: dict[str:any], flops_meter= None) -> Tuple[torch.Tensor, torch.Tensor]:
assert "caption" in batch
if isinstance(batch["caption"][0], tuple):
batch["caption"] = [x[0] for x in batch["caption"]]
with torch.no_grad():
messages = [
self._convert_caption_to_messages(caption)
for caption in batch["caption"]
]
inputs = self.processor(
text=messages,
padding=True,
return_tensors="pt",
max_length=self.text_seqlen,
truncation=True,
).to(device=self.model.device, dtype=self.dtype)
if flops_meter is not None:
flops_meter.log_text_encoder_flops(inputs['input_ids'].shape)
outputs = self.model(**inputs)
last_hidden_state = outputs.last_hidden_state
attention_mask = inputs.attention_mask
return last_hidden_state, attention_mask
class Gemma2_2B_it(BaseTextEncoder):
def __init__(self, args):
super().__init__(args)
self.tokenizer = GemmaTokenizerFast.from_pretrained(
args.model_path, subfolder="tokenizer"
)
self.tokenizer.padding_side = "right"
self.text_encoder = Gemma2Model.from_pretrained(
args.model_path, subfolder="text_encoder", torch_dtype=self.dtype
).cuda()
@property
def dim(self) -> int:
return self.model.config.hidden_size
def __call__(self, batch: dict[str:any]) -> Tuple[torch.Tensor, torch.Tensor]:
assert "caption" in batch
if isinstance(batch["caption"][0], tuple):
batch["caption"] = [x[0] for x in batch["caption"]]
with torch.no_grad():
text_inputs = self.tokenizer(
batch["caption"],
padding="max_length",
max_length=self.text_seqlen,
truncation=True,
add_special_tokens=True,
return_tensors="pt",
)
text_input_ids = text_inputs.input_ids
prompt_attention_mask = text_inputs.attention_mask
prompt_attention_mask = prompt_attention_mask.to(self.text_encoder.device)
prompt_embeds = self.text_encoder(
text_input_ids.to(self.text_encoder.device),
attention_mask=prompt_attention_mask,
)
prompt_embeds = prompt_embeds[0].to(
dtype=self.dtype, device=self.text_encoder.device
)
return prompt_embeds, prompt_attention_mask
class T5XXL(BaseTextEncoder):
def __init__(self, args):
super().__init__(args)
self.tokenizer = AutoTokenizer.from_pretrained(
args.model_path,
)
self.text_encoder = UMT5EncoderModel.from_pretrained(
args.model_path, torch_dtype=self.dtype
).cuda()
@property
def dim(self) -> int:
return self.model.config.hidden_size
def __call__(self, batch: dict[str:any]) -> Tuple[torch.Tensor, torch.Tensor]:
assert "caption" in batch
if isinstance(batch["caption"][0], tuple):
batch["caption"] = [x[0] for x in batch["caption"]]
with torch.no_grad():
text_inputs = self.tokenizer(
batch["caption"],
padding="max_length",
max_length=self.text_seqlen,
truncation=True,
add_special_tokens=True,
return_attention_mask=True,
return_tensors="pt",
).to(device=self.text_encoder.device)
text_input_ids = text_inputs.input_ids
prompt_attention_mask = text_inputs.attention_mask
prompt_attention_mask = prompt_attention_mask.to(self.text_encoder.device)
prompt_embeds = self.text_encoder(
text_input_ids.to(self.text_encoder.device),
attention_mask=prompt_attention_mask,
)
prompt_embeds = prompt_embeds.last_hidden_state
return prompt_embeds, prompt_attention_mask
def create_text_encoder(args: TextEncoderArgs) -> BaseTextEncoder:
if args.config_name == "ViT-B/32":
return CLIP(args)
elif args.config_name in ["Qwen/Qwen2.5-VL-3B-Instruct", "Qwen/Qwen2.5-VL-7B-Instruct"]:
return Qwen2_5_VL(args)
elif args.config_name == "Gemma2_2B_it":
return Gemma2_2B_it(args)
elif args.config_name == "umt5-xxl":
return T5XXL(args)
else:
raise ValueError(f"Unknown text encoder: {args.config_name}")