Skip to content

Commit

Permalink
Hot fix for the repetition penalty and topp topk (#214)
Browse files Browse the repository at this point in the history
* refactor repetition_penalty

* done

* make mypy happy
  • Loading branch information
sunggg committed Feb 16, 2024
1 parent 5e36d1b commit 7495bd0
Show file tree
Hide file tree
Showing 10 changed files with 92 additions and 48 deletions.
1 change: 1 addition & 0 deletions serve/mlc_serve/engine/base.py
Original file line number Diff line number Diff line change
Expand Up @@ -316,6 +316,7 @@ class RequestState:

request_id: RequestId
prompt_token_ids: list[int]
prompt_mask: Optional[list[bool]]
sampling_params: SamplingParams
generation_sequences: list[GenerationSequence]
stopping_criteria: StoppingCriteria
Expand Down
44 changes: 20 additions & 24 deletions serve/mlc_serve/engine/engine_common.py
Original file line number Diff line number Diff line change
Expand Up @@ -2,11 +2,11 @@
Common utilites for engine classes.
"""

import torch
import time
from typing import Tuple, Deque, Dict, Optional, Union, Callable, List
from typing import Tuple, Deque, Dict, Optional, Callable, List
from collections import deque
from threading import Condition, Lock
import numpy as np

import structlog

Expand Down Expand Up @@ -38,8 +38,12 @@
LOG = structlog.stdlib.get_logger(__name__)


# TODO: check if we can drop vocab_size here
def get_new_request_state(
request: Request, conversation_template: ConversationTemplate, tokenizer: TokenizerP
request: Request,
conversation_template: ConversationTemplate,
tokenizer: TokenizerP,
vocab_size: int,
) -> RequestState:
if request.debug_options.prompt_token_ids is not None:
prompt_token_ids = request.debug_options.prompt_token_ids
Expand All @@ -51,6 +55,14 @@ def get_new_request_state(

prompt_token_ids = tokenizer.encode(prompt)

# TODO: Currently, always create this. But we only need this for the requests with repetition penalty
# Follow-up and optimize when it has been stabilized.
# Create prompt mask for repetition penalty
tokens = np.array([prompt_token_ids], dtype=np.int64)
prompt_mask = np.zeros((vocab_size + 1,), dtype=bool)
prompt_mask[tokens] = True
prompt_mask = list(prompt_mask[:vocab_size])

validation_err = None
if request.validate_tokens is not None:
validation_err = request.validate_tokens(request, prompt_token_ids)
Expand All @@ -68,6 +80,7 @@ def get_new_request_state(
return RequestState(
request_id=request.request_id,
prompt_token_ids=prompt_token_ids,
prompt_mask=prompt_mask,
generation_sequences=gen_seqs,
sampling_params=request.sampling_params,
stopping_criteria=request.stopping_criteria,
Expand Down Expand Up @@ -111,9 +124,7 @@ def detokenize_incrementally(
prefix_end_offset = max(len(output_tokens) - 1, 0)
else:
# Put new_token_id in a list so skip_special_tokens is respected
new_tokens = tokenizer.convert_ids_to_tokens(
[new_token_id]
)
new_tokens = tokenizer.convert_ids_to_tokens([new_token_id])
output_tokens = generation_sequence.prev_tokens + new_tokens

prefix_begin_offset = generation_sequence.prefix_begin_offset
Expand Down Expand Up @@ -241,18 +252,6 @@ def prepare_output(
return delta, out_logprob_info


def set_mask_prompt_to(state: RequestState):
# Prompt tokens
tokens=torch.tensor(state.prompt_token_ids, dtype=torch.long)
vocab_size = state.sampling_params.vocab_size
bin_counts = torch.zeros((vocab_size + 1,),
dtype=torch.long,
device=tokens.device)
bin_counts.scatter_add_(0, tokens, torch.ones_like(tokens))
bin_counts = bin_counts[:vocab_size]
state.sampling_params.mask_prompt = bin_counts > 0


def get_requests_to_process(
current_states: list[RequestState],
cache_manager: KVCacheManager,
Expand All @@ -277,13 +276,11 @@ def get_requests_to_process(
if is_prompt_batch:
for state in current_states:
if is_evicted_parallel_sampling_request(state):
# TODO(vvchernov): we still need mask if apply_penalty = True
# if state.sampling_params.repetition_penalty != 1.0:
# set_mask_prompt_to(state)
requests.append(
PrefillRequest(
request_id=state.request_id,
token_ids=state.prompt_token_ids,
prompt_mask=state.prompt_mask,
num_sequence=state.num_sequences,
sampling_params=state.sampling_params,
)
Expand Down Expand Up @@ -327,13 +324,11 @@ def get_requests_to_process(
else:
token_ids = state.prompt_token_ids

# TODO(vvchernov): we still need mask if apply_penalty = True
# if state.sampling_params.repetition_penalty != 1.0:
set_mask_prompt_to(state)
requests.append(
PrefillRequest(
request_id=state.request_id,
token_ids=token_ids,
prompt_mask=state.prompt_mask,
num_sequence=state.num_sequences,
sampling_params=state.sampling_params,
)
Expand All @@ -355,6 +350,7 @@ def get_requests_to_process(
DecodeRequest(
sequence_id=gen_seq.seq_id,
prompt_token_counts=prompt_counts,
prompt_mask=state.prompt_mask,
token_ids=gen_seq.generated_token_ids,
sampling_params=state.sampling_params,
)
Expand Down
2 changes: 2 additions & 0 deletions serve/mlc_serve/engine/model_module.py
Original file line number Diff line number Diff line change
Expand Up @@ -21,6 +21,7 @@ class PrefillRequest:
request_id: RequestId
# `token_ids` contains prompt token ids
token_ids: List[int]
prompt_mask: Optional[List[bool]]
# Number of sequences to generate
num_sequence: int
sampling_params: SamplingParams
Expand All @@ -36,6 +37,7 @@ class PrefillRequest:
class DecodeRequest:
sequence_id: SequenceId
prompt_token_counts: int
prompt_mask: Optional[List[bool]]
# Decoded tokens for this sequence
token_ids: List[int]
sampling_params: SamplingParams
Expand Down
2 changes: 0 additions & 2 deletions serve/mlc_serve/engine/sampling_params.py
Original file line number Diff line number Diff line change
Expand Up @@ -7,7 +7,6 @@
from enum import IntEnum
from functools import cached_property
from typing import Dict, Optional, Any
import torch

_SAMPLING_EPS = 1e-5
LOGPROB_TOP_K_MAX = 5
Expand Down Expand Up @@ -76,7 +75,6 @@ class SamplingParams:
vocab_size: int = 32000
json_schema: Optional[Dict[str, Any]] = None
logits_processor: Optional[Any] = None
mask_prompt: Optional[torch.Tensor] = None

def __post_init__(self):
if self.logit_bias:
Expand Down
5 changes: 4 additions & 1 deletion serve/mlc_serve/engine/staging_engine.py
Original file line number Diff line number Diff line change
Expand Up @@ -120,7 +120,10 @@ def add(self, requests: list[Request]):

# If the request violates the tokenization, this returns None, so skip.
state = get_new_request_state(
req, self.conversation_template, self.tokenizer
req,
self.conversation_template,
self.tokenizer,
self.model_artifact_config.vocab_size,
)
new_request_states.append(state)

Expand Down
5 changes: 4 additions & 1 deletion serve/mlc_serve/engine/sync_engine.py
Original file line number Diff line number Diff line change
Expand Up @@ -64,7 +64,10 @@ def add(self, requests: list[Request]):
assert isinstance(req.stopping_criteria.stop_sequences, list)

state = get_new_request_state(
req, self.conversation_template, self.tokenizer
req,
self.conversation_template,
self.tokenizer,
self.model_artifact_config.vocab_size,
)
new_request_states.append(state)
self.num_sequences_per_requests[state.request_id] = state.num_sequences
Expand Down
3 changes: 3 additions & 0 deletions serve/mlc_serve/model/model_common.py
Original file line number Diff line number Diff line change
Expand Up @@ -89,6 +89,7 @@ def sample_from_logits(
torch_dtype: torch.dtype,
torch_dev: str,
past_decode_tokens: List[List[int]],
prompt_masks: List[List[bool]],
) -> List[TextGenerationResult]:
batch_size = logits.shape[0]
assert batch_size == len(requests)
Expand Down Expand Up @@ -144,13 +145,15 @@ def sample_from_logits(
logits_per_token = logits[i]
sampling_param = sampling_state.sampling_params[i]
past_decode_tokens_per_request = past_decode_tokens[i]
prompt_mask = prompt_masks[i]
# NOTE: Rerun the preparation for simplicity.
# Assume this code path is taken rarely and the recomputation overhead is
# marginal.
with torch.cuda.stream(copy_stream):
new_sampling_state = SamplingState.from_sampling_params(
[sampling_param],
[past_decode_tokens_per_request],
[prompt_mask],
torch_dtype,
torch_dev,
vocab_size,
Expand Down
30 changes: 16 additions & 14 deletions serve/mlc_serve/model/sampler.py
Original file line number Diff line number Diff line change
Expand Up @@ -129,7 +129,11 @@ def from_lists(
)
# `mask_top_logprob` will be on cpu
mask_top_logprob = torch.from_numpy(list_mask_top_logprob)
mask_prompt = torch.stack(list_mask_prompt)
mask_prompt = torch.tensor(
list_mask_prompt,
dtype=torch.bool,
device="cpu",
)
temp = torch.tensor(
list_temperatures,
dtype=dtype,
Expand Down Expand Up @@ -252,12 +256,12 @@ def from_sampling_params(
cls,
sampling_params: List[SamplingParams],
list_past_output_tokens: List[List[int]],
list_mask_prompt: List[List[bool]],
dtype: torch.dtype,
dev: str,
vocab_size: int,
):
list_mask_random = []
list_mask_prompt = []
list_temperatures = []
list_top_ps = []
list_top_ks = []
Expand Down Expand Up @@ -293,10 +297,8 @@ def from_sampling_params(
if param.sampling_type == SamplingType.RANDOM:
list_mask_random.append(True)
idx_random += 1
list_top_ps.append(param.top_p)
list_top_ks.append(param.top_k if param.top_k != -1 else vocab_size)
do_top_p |= list_top_ps[-1] < 1.0 - SAMPLING_EPS
do_top_k |= list_top_ks[-1] != vocab_size
do_top_p |= param.top_p < 1.0 - SAMPLING_EPS
do_top_k |= param.top_k != vocab_size
else:
list_mask_random.append(False)
idx_greedy += 1
Expand All @@ -312,10 +314,12 @@ def from_sampling_params(
or abs(param.frequency_penalty) >= SAMPLING_EPS
or abs(param.repetition_penalty - 1.0) >= SAMPLING_EPS
)

list_top_ps.append(param.top_p)
list_top_ks.append(param.top_k if param.top_k != -1 else vocab_size)
list_frequency_penalties.append(param.frequency_penalty)
list_presence_penalties.append(param.presence_penalty)
list_repetition_penalties.append(param.repetition_penalty)
list_mask_prompt.append(param.mask_prompt)

if param.logit_bias_index:
assert param.logit_bias_value
Expand All @@ -325,6 +329,7 @@ def from_sampling_params(
list_logit_bias_values.append(param.logit_bias_value)
else:
list_logit_bias_indices.append([])
list_logit_bias_values.append([])

num_random_samples = idx_random + 1
num_greedy_samples = idx_greedy + 1
Expand Down Expand Up @@ -387,20 +392,17 @@ def get_bin_counts_and_mask(
vocab_size: int,
num_seqs: int,
) -> Tuple[torch.Tensor, torch.Tensor]:
bin_counts = torch.zeros((num_seqs, vocab_size + 1),
dtype=torch.long,
device=tokens.device)
bin_counts = torch.zeros(
(num_seqs, vocab_size + 1), dtype=torch.long, device=tokens.device
)
bin_counts.scatter_add_(1, tokens, torch.ones_like(tokens))
bin_counts = bin_counts[:, :vocab_size]
mask = bin_counts > 0

return bin_counts, mask


def adjust_logits(
logits: torch.Tensor,
sampling_state: SamplingState,
vocab_size: int):
def adjust_logits(logits: torch.Tensor, sampling_state: SamplingState, vocab_size: int):
batch_size = logits.shape[0]
(
apply_top_p_top_k,
Expand Down
9 changes: 9 additions & 0 deletions serve/mlc_serve/model/tvm_model.py
Original file line number Diff line number Diff line change
Expand Up @@ -263,6 +263,7 @@ def generate_multi_query(
last_query_offsets: List[int] = []
sampling_params = []
past_decode_tokens = []
prompt_masks: List[List[bool]] = []
for request in requests:
assert not isinstance(request.queries, DraftTokens)
sequence_ids.append(request.sequence_id)
Expand All @@ -273,6 +274,8 @@ def generate_multi_query(
last_query_offsets[-1] + request.queries.num_tokens
)
sampling_params.append(request.sampling_params)
# TODO: Empty mask for now. This is for repetion penalty
prompt_masks.append([False])
# Use `vocab_size` as a padding
past_decode_tokens.append([self.vocab_size, *request.queries.token_ids])

Expand All @@ -282,6 +285,7 @@ def generate_multi_query(
sampling_state = SamplingState.from_sampling_params(
sampling_params,
past_decode_tokens,
prompt_masks,
self.torch_dtype,
self.torch_dev,
self.vocab_size,
Expand Down Expand Up @@ -344,6 +348,7 @@ def generate_multi_query(
self.torch_dtype,
self.torch_dev,
past_decode_tokens,
prompt_masks,
)

def generate(
Expand Down Expand Up @@ -371,6 +376,7 @@ def generate(
num_decode_query_tokens = 1
sampling_params = []
past_decode_tokens = []
prompt_masks = []

for request in requests:
if isinstance(request, PrefillRequest):
Expand All @@ -392,6 +398,7 @@ def generate(
raise Exception("`EvalMultiQueryRequest` should not reach here.")

past_decode_tokens.append(request_past_decode_tokens)
prompt_masks.append(request.prompt_mask)
sequence_ids.append(seq_id)

assert not isinstance(request, EvalMultiQueryRequest)
Expand All @@ -404,6 +411,7 @@ def generate(
sampling_state = SamplingState.from_sampling_params(
sampling_params,
past_decode_tokens,
prompt_masks,
self.torch_dtype,
self.torch_dev,
self.vocab_size,
Expand Down Expand Up @@ -528,6 +536,7 @@ def generate(
self.torch_dtype,
self.torch_dev,
past_decode_tokens,
prompt_masks,
)


Expand Down
Loading

0 comments on commit 7495bd0

Please sign in to comment.