Skip to content

Commit

Permalink
Browse files Browse the repository at this point in the history
…into baijumeswani/remove-webgpu-build-arg
  • Loading branch information
baijumeswani committed Jan 24, 2025
2 parents 14643d7 + 34847a2 commit 6e0a380
Show file tree
Hide file tree
Showing 5 changed files with 135 additions and 4 deletions.
127 changes: 127 additions & 0 deletions examples/python/model-chat.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,127 @@
# Copyright (c) Microsoft Corporation. All rights reserved.
# Licensed under the MIT License.

import onnxruntime_genai as og
import argparse
import time

def main(args):
if args.verbose: print("Loading model...")
if args.timings:
started_timestamp = 0
first_token_timestamp = 0

config = og.Config(args.model_path)
config.clear_providers()
if args.execution_provider != "cpu":
if args.verbose: print(f"Setting model to {args.execution_provider}")
config.append_provider(args.execution_provider)
model = og.Model(config)

if args.verbose: print("Model loaded")

tokenizer = og.Tokenizer(model)
tokenizer_stream = tokenizer.create_stream()
if args.verbose: print("Tokenizer created")
if args.verbose: print()

search_options = {name:getattr(args, name) for name in ['do_sample', 'max_length', 'min_length', 'top_p', 'top_k', 'temperature', 'repetition_penalty'] if name in args}
search_options['batch_size'] = 1

if args.verbose: print(search_options)

if args.chat_template:
if args.chat_template.count('{') != 1 or args.chat_template.count('}') != 1:
raise ValueError("Chat template must have exactly one pair of curly braces with input word in it, e.g. '<|user|>\n{input} <|end|>\n<|assistant|>'")
else:
if model.type.startswith("phi"):
args.chat_template = '<|user|>\n{input} <|end|>\n<|assistant|>'
elif model.type.startswith("llama"):
args.chat_template = '<|start_header_id|>user<|end_header_id|>{input}<|eot_id|><|start_header_id|>assistant<|end_header_id|>'
else:
raise ValueError(f"Chat Template for model type {model.type} is not known. Please provide chat template using --chat_template")

if args.verbose:
print("Model type is:", model.type)
print("Chat Template is:", args.chat_template)

params = og.GeneratorParams(model)
params.set_search_options(**search_options)
generator = og.Generator(model, params)
if args.verbose: print("Generator created")

# Set system prompt
system_prompt = args.system_prompt
system_tokens = tokenizer.encode(system_prompt)
generator.append_tokens(system_tokens)
system_prompt_length = len(system_tokens)

# Keep asking for input prompts in a loop
while True:
text = input("Input: ")
if not text:
print("Error, input cannot be empty")
continue

if args.timings: started_timestamp = time.time()

# If there is a chat template, use it
prompt = text
if args.chat_template:
prompt = f'{args.chat_template.format(input=text)}'

input_tokens = tokenizer.encode(prompt)

generator.append_tokens(input_tokens)

if args.verbose: print("Running generation loop ...")
if args.timings:
first = True
new_tokens = []

print()
print("Output: ", end='', flush=True)

try:
while not generator.is_done():
generator.generate_next_token()
if args.timings:
if first:
first_token_timestamp = time.time()
first = False

new_token = generator.get_next_tokens()[0]
print(tokenizer_stream.decode(new_token), end='', flush=True)
if args.timings: new_tokens.append(new_token)
except KeyboardInterrupt:
print(" --control+c pressed, aborting generation--")
print()
print()

if args.timings:
prompt_time = first_token_timestamp - started_timestamp
run_time = time.time() - first_token_timestamp
print(f"Prompt length: {len(input_tokens)}, New tokens: {len(new_tokens)}, Time to first: {(prompt_time):.2f}s, Prompt tokens per second: {len(input_tokens)/prompt_time:.2f} tps, New tokens per second: {len(new_tokens)/run_time:.2f} tps")

# Rewind the generator to the system prompt
if args.rewind:
generator.rewind_to(system_prompt_length)

if __name__ == "__main__":
parser = argparse.ArgumentParser(argument_default=argparse.SUPPRESS, description="End-to-end AI Question/Answer example for gen-ai")
parser.add_argument('-m', '--model_path', type=str, required=True, help='Onnx model folder path (must contain genai_config.json and model.onnx)')
parser.add_argument('-e', '--execution_provider', type=str, required=True, choices=["cpu", "cuda", "dml"], help="Execution provider to run ONNX model with")
parser.add_argument('-i', '--min_length', type=int, help='Min number of tokens to generate including the prompt')
parser.add_argument('-l', '--max_length', type=int, help='Max number of tokens to generate including the prompt')
parser.add_argument('-ds', '--do_random_sampling', action='store_true', help='Do random sampling. When false, greedy or beam search are used to generate the output. Defaults to false')
parser.add_argument('-p', '--top_p', type=float, help='Top p probability to sample with')
parser.add_argument('-k', '--top_k', type=int, help='Top k tokens to sample from')
parser.add_argument('-t', '--temperature', type=float, help='Temperature to sample with')
parser.add_argument('-re', '--repetition_penalty', type=float, help='Repetition penalty to sample with')
parser.add_argument('-v', '--verbose', action='store_true', default=False, help='Print verbose output and timing information. Defaults to false')
parser.add_argument('-g', '--timings', action='store_true', default=False, help='Print timing information for each generation step. Defaults to false')
parser.add_argument('-c', '--chat_template', type=str, default='', help='Chat template to use for the prompt. User input will be injected into {input}')
parser.add_argument('-s', '--system_prompt', type=str, default='You are a helpful assistant.', help='System prompt to use for the prompt.')
parser.add_argument('-r', '--rewind', action='store_true', default=False, help='Rewind to the system prompt after each generation. Defaults to false')
args = parser.parse_args()
main(args)
3 changes: 1 addition & 2 deletions examples/python/model-qa.py
Original file line number Diff line number Diff line change
Expand Up @@ -29,8 +29,7 @@ def main(args):

if args.chat_template:
if args.chat_template.count('{') != 1 or args.chat_template.count('}') != 1:
print("Error, chat template must have exactly one pair of curly braces, e.g. '<|user|>\n{input} <|end|>\n<|assistant|>'")
exit(1)
raise ValueError("Chat template must have exactly one pair of curly braces with input word in it, e.g. '<|user|>\n{input} <|end|>\n<|assistant|>'")

params = og.GeneratorParams(model)
params.set_search_options(**search_options)
Expand Down
1 change: 1 addition & 0 deletions src/python/python.cpp
Original file line number Diff line number Diff line change
Expand Up @@ -443,6 +443,7 @@ PYBIND11_MODULE(onnxruntime_genai, m) {
.def(pybind11::init([](const std::string& config_path) {
return CreateModel(GetOrtEnv(), config_path.c_str());
}))
.def_property_readonly("type", [](const Model& model) { return model.config_->model.type; })
.def_property_readonly(
"device_type", [](const Model& model) { return to_string(model.device_type_); }, "The device type the model is running on")
.def("create_multimodal_processor", [](const Model& model) { return model.CreateMultiModalProcessor(); });
Expand Down
6 changes: 5 additions & 1 deletion test/csharp/TestOnnxRuntimeGenAIAPI.cs
Original file line number Diff line number Diff line change
Expand Up @@ -86,10 +86,14 @@ private static string GetDirectoryInTreeThatContains(string currentDirectory, st
});

private static string _adaptersPath => _lazyAdaptersPath.Value;

private static OgaHandle ogaHandle;

public OnnxRuntimeGenAITests(ITestOutputHelper o)
{
// Initialize GenAI and register a handler to dispose it on process exit
ogaHandle = new OgaHandle();
AppDomain.CurrentDomain.ProcessExit += (sender, e) => ogaHandle.Dispose();

this.output = o;
}

Expand Down
2 changes: 1 addition & 1 deletion test/python/test_onnxruntime_genai_api.py
Original file line number Diff line number Diff line change
Expand Up @@ -438,7 +438,7 @@ def _split(onnx_model_path: os.PathLike, output_dir: os.PathLike):
generator.generate_next_token()

expected_output = [
'This is a test.\n # TOD import * doct proofingredients',
'This is a test.\n # TOD import * doct proofingrad',
'Rats are awesome pets!\n """\n\n',
'The quick brown fox jumps over the lazy dog.\n """\n\n',
]
Expand Down

0 comments on commit 6e0a380

Please sign in to comment.