| | """ |
| | This file loads sentences from a provided text file. It is expected, that the there is one sentence per line in that text file. |
| | |
| | CT will be training using these sentences. Checkpoints are stored every 500 steps to the output folder. |
| | |
| | Usage: |
| | python train_ct_from_file.py path/to/sentences.txt |
| | |
| | """ |
| | import math |
| | from sentence_transformers import models, losses |
| | from sentence_transformers import LoggingHandler, SentenceTransformer |
| | import logging |
| | from datetime import datetime |
| | import gzip |
| | import sys |
| | import tqdm |
| |
|
| | |
| | logging.basicConfig(format='%(asctime)s - %(message)s', |
| | datefmt='%Y-%m-%d %H:%M:%S', |
| | level=logging.INFO, |
| | handlers=[LoggingHandler()]) |
| | |
| |
|
| | |
| | model_name = 'distilbert-base-uncased' |
| | batch_size = 16 |
| | pos_neg_ratio = 8 |
| | num_epochs = 1 |
| | max_seq_length = 75 |
| |
|
| | |
| | if len(sys.argv) < 2: |
| | print("Run this script with: python {} path/to/sentences.txt".format(sys.argv[0])) |
| | exit() |
| |
|
| | filepath = sys.argv[1] |
| |
|
| | |
| | output_name = '' |
| | if len(sys.argv) >= 3: |
| | output_name = "-"+sys.argv[2].replace(" ", "_").replace("/", "_").replace("\\", "_") |
| |
|
| | model_output_path = 'output/train_ct{}-{}'.format(output_name, datetime.now().strftime("%Y-%m-%d_%H-%M-%S")) |
| |
|
| |
|
| | |
| | word_embedding_model = models.Transformer(model_name, max_seq_length=max_seq_length) |
| |
|
| | |
| | pooling_model = models.Pooling(word_embedding_model.get_word_embedding_dimension()) |
| | model = SentenceTransformer(modules=[word_embedding_model, pooling_model]) |
| |
|
| | |
| | train_sentences = [] |
| | with gzip.open(filepath, 'rt', encoding='utf8') if filepath.endswith('.gz') else open(filepath, encoding='utf8') as fIn: |
| | for line in tqdm.tqdm(fIn, desc='Read file'): |
| | line = line.strip() |
| | if len(line) >= 10: |
| | train_sentences.append(line) |
| |
|
| |
|
| | logging.info("Train sentences: {}".format(len(train_sentences))) |
| |
|
| | |
| | train_dataloader = losses.ContrastiveTensionDataLoader(train_sentences, batch_size=batch_size, pos_neg_ratio=pos_neg_ratio) |
| |
|
| | |
| | train_loss = losses.ContrastiveTensionLoss(model) |
| |
|
| |
|
| | warmup_steps = math.ceil(len(train_dataloader) * num_epochs * 0.1) |
| | logging.info("Warmup-steps: {}".format(warmup_steps)) |
| |
|
| | |
| | model.fit(train_objectives=[(train_dataloader, train_loss)], |
| | epochs=num_epochs, |
| | warmup_steps=warmup_steps, |
| | optimizer_params={'lr': 5e-5}, |
| | checkpoint_path=model_output_path, |
| | show_progress_bar=True, |
| | use_amp=False |
| | ) |
| |
|