1 Star 2 Fork 1

learning-limitless / DuEE-transformers

加入 Gitee
与超过 1200万 开发者一起发现、参与优秀开源项目,私有仓库也完全免费 :)
免费加入
该仓库未声明开源许可证文件(LICENSE),使用请关注具体项目描述及其代码上游依赖。
克隆/下载
duee.py 13.22 KB
一键复制 编辑 原始数据 按行查看 历史
fx 提交于 2020-08-30 16:44 . 修改数据集类型名
# coding=utf-8
# Copyright 2018 The Google AI Language Team Authors and The HuggingFace Inc. team.
# Copyright (c) 2018, NVIDIA CORPORATION. All rights reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
""" Fine-tuning the library models for named entity recognition on CoNLL-2003 (Bert or Roberta). """
import json
import logging
import os
import sys
import argparse
from typing import Dict, List, Optional, Tuple
import numpy as np
from dataclasses import dataclass, field
from seqeval.metrics import f1_score, precision_score, recall_score
from torch import nn
from tqdm import tqdm
from transformers import (
AutoConfig,
EvalPrediction,
HfArgumentParser,
Trainer,
TrainingArguments,
set_seed,
BertTokenizer
)
from nn.bert_for_duee import BertForDuEE
from util.duee_utils import *
from util.file_utils import *
from seqeval.metrics.sequence_labeling import get_entities
logger = logging.getLogger(__name__)
@dataclass
class ModelArguments:
"""
Arguments pertaining to which model/config/tokenizer we are going to fine-tune from.
"""
model_name_or_path: str = field(
metadata={"help": "Path to pretrained model or model identifier from huggingface.co/models"}
)
config_name: Optional[str] = field(
default=None, metadata={"help": "Pretrained config name or path if not the same as model_name"}
)
tokenizer_name: Optional[str] = field(
default=None, metadata={"help": "Pretrained tokenizer name or path if not the same as model_name"}
)
use_fast: bool = field(default=False, metadata={"help": "Set this flag to use fast tokenization."})
# If you want to tweak more attributes on your tokenizer, you should do it in a distinct script,
# or just modify its tokenizer_config.json.
cache_dir: Optional[str] = field(
default=None, metadata={"help": "Where do you want to store the pretrained models downloaded from s3"}
)
@dataclass
class DataTrainingArguments:
"""
Arguments pertaining to what data we are going to input our model for training and eval.
"""
data_dir: str = field(
metadata={"help": "The input data dir. Should contain the .txt files for a CoNLL-2003-formatted task."}
)
labels: Optional[str] = field(
metadata={"help": "Path to a file containing all labels. If not specified, CoNLL-2003 labels are used."}
)
max_seq_length: int = field(
default=128,
metadata={
"help": "The maximum total input sequence length after tokenization. Sequences longer "
"than this will be truncated, sequences shorter will be padded."
},
)
overwrite_cache: bool = field(
default=False, metadata={"help": "Overwrite the cached training and evaluation sets"}
)
def main():
# See all possible arguments in src/transformers/training_args.py
# or by passing the --help flag to this script.
# We now keep distinct sets of args, for a cleaner separation of concerns.
parser = HfArgumentParser((ModelArguments, DataTrainingArguments, TrainingArguments))
arg_parser = argparse.ArgumentParser()
arg_parser.add_argument("--config_path", type=str, default='')
arg_parser.add_argument("--local_rank", type=int, default=-1)
arg_parser.add_argument("--task", type=str, default='trigger_label')
args = arg_parser.parse_args()
task = args.task
config_path = args.config_path
if not config_path.endswith(".json"):
raise ValueError('--config_path must end with ".json"')
# If we pass only one argument to the script and it's the path to a json file,
# let's parse it to get our arguments.
model_args, data_args, training_args = parser.parse_json_file(json_file=os.path.abspath(config_path))
training_args.local_rank = args.local_rank
# 如果已经训练过并且不进行训练 则直接加载训练过的模型
use_checkpoint = os.path.exists(training_args.output_dir) and not training_args.do_train
origin_output_dir = training_args.output_dir
training_args.output_dir = origin_output_dir + '/' \
+ ('fp16_' if training_args.fp16 else '') \
+ f'{data_args.max_seq_length}_' \
+ f'{training_args.per_device_train_batch_size}_' \
+ f'{int(training_args.num_train_epochs)}_' \
+ f'{training_args.seed}'
if (
os.path.exists(training_args.output_dir)
and os.listdir(training_args.output_dir)
and training_args.do_train
and not training_args.overwrite_output_dir
):
raise ValueError(
f"Output directory ({training_args.output_dir}) already exists and is not empty. Use --overwrite_output_dir to overcome."
)
# Setup logging
logging.basicConfig(
format="%(asctime)s - %(levelname)s - %(name)s - %(message)s",
datefmt="%m/%d/%Y %H:%M:%S",
level=logging.INFO if training_args.local_rank in [-1, 0] else logging.WARN,
)
logger.warning(
"Process rank: %s, device: %s, n_gpu: %s, distributed training: %s, 16-bits training: %s",
training_args.local_rank,
training_args.device,
training_args.n_gpu,
bool(training_args.local_rank != -1),
training_args.fp16,
)
logger.info("Training/evaluation parameters %s", training_args)
# Set seed
set_seed(training_args.seed)
labels = get_labels(data_args.labels)
label_map: Dict[int, str] = {i: label for i, label in enumerate(labels)}
num_labels = len(labels)
# Load pretrained model and tokenizer
#
# Distributed training:
# The .from_pretrained methods guarantee that only one local process can concurrently
# download model & vocab.
config = AutoConfig.from_pretrained(
model_args.config_name if model_args.config_name else model_args.model_name_or_path,
num_labels=num_labels,
id2label=label_map,
label2id={label: i for i, label in enumerate(labels)},
cache_dir=model_args.cache_dir,
)
if not use_checkpoint:
tokenizer = BertTokenizer.from_pretrained(
model_args.tokenizer_name if model_args.tokenizer_name else model_args.model_name_or_path,
cache_dir=model_args.cache_dir,
use_fast=model_args.use_fast,
)
model = BertForDuEE.from_pretrained(
model_args.model_name_or_path,
from_tf=bool(".ckpt" in model_args.model_name_or_path),
config=config,
cache_dir=model_args.cache_dir,
)
else:
tokenizer = BertTokenizer.from_pretrained(training_args.output_dir)
model = BertForDuEE.from_pretrained(training_args.output_dir)
# Get datasets
train_dataset = (
SeqLabelingDataset(
data_dir=data_args.data_dir,
tokenizer=tokenizer,
labels=labels,
model_type=config.model_type,
max_seq_length=data_args.max_seq_length,
overwrite_cache=data_args.overwrite_cache,
mode=Split.train,
task=task
)
if training_args.do_train
else None
)
eval_dataset = (
SeqLabelingDataset(
data_dir=data_args.data_dir,
tokenizer=tokenizer,
labels=labels,
model_type=config.model_type,
max_seq_length=data_args.max_seq_length,
overwrite_cache=data_args.overwrite_cache,
mode=Split.dev,
task=task
)
if training_args.do_eval
else None
)
def align_predictions(predictions: np.ndarray, label_ids: np.ndarray) -> Tuple[List[List[int]], List[List[int]]]:
preds = np.argmax(predictions, axis=2)
print('preds:', preds)
batch_size, seq_len = preds.shape
out_label_list = [[] for _ in range(batch_size)]
preds_list = [[] for _ in range(batch_size)]
for i in range(batch_size):
for j in range(seq_len):
if label_ids[i, j] != nn.CrossEntropyLoss().ignore_index:
out_label_list[i].append(label_map[label_ids[i][j]])
preds_list[i].append(label_map[preds[i][j]])
return preds_list, out_label_list
def compute_metrics(p: EvalPrediction) -> Dict:
preds_list, out_label_list = align_predictions(p.predictions, p.label_ids)
result = dict()
result['precision'] = precision_score(out_label_list, preds_list)
result["recall"] = recall_score(out_label_list, preds_list)
result["f1"] = f1_score(out_label_list, preds_list)
return result
# Initialize our Trainer
trainer = Trainer(
model=model,
args=training_args,
train_dataset=train_dataset,
eval_dataset=eval_dataset,
compute_metrics=compute_metrics,
data_collator=duee_data_collator
)
# Training
if training_args.do_train:
trainer.train(
model_path=model_args.model_name_or_path if os.path.isdir(model_args.model_name_or_path) else None
)
trainer.save_model()
# For convenience, we also re-save the tokenizer to the same directory,
# so that you can share your model easily on huggingface.co/models =)
if trainer.is_world_master():
tokenizer.save_pretrained(training_args.output_dir)
# Evaluation
results = {}
if training_args.do_eval:
logger.info("*** Evaluate ***")
result = trainer.evaluate()
output_eval_file = os.path.join(training_args.output_dir, "eval_results.txt")
if trainer.is_world_master():
with open(output_eval_file, "w") as writer:
logger.info("***** Eval results *****")
for key, value in result.items():
logger.info(" %s = %s", key, value)
writer.write("%s = %s\n" % (key, value))
results.update(result)
# Predict
if training_args.do_predict:
data_split = Split.test
test_dataset = SeqLabelingDataset(
data_dir=data_args.data_dir,
tokenizer=tokenizer,
labels=labels,
model_type=config.model_type,
max_seq_length=data_args.max_seq_length,
overwrite_cache=data_args.overwrite_cache,
mode=data_split,
task=task
)
predictions, label_ids, metrics = trainer.predict(test_dataset)
preds_list, out_label_list = align_predictions(predictions, label_ids)
output_test_results_file = os.path.join(training_args.output_dir, "test_results.txt")
if trainer.is_world_master():
with open(output_test_results_file, "w") as writer:
for key, value in metrics.items():
logger.info(" %s = %s", key, value)
writer.write("%s = %s\n" % (key, value))
# Save predictions
output_test_predictions_file = os.path.join(training_args.output_dir, "test_predictions.txt")
result_entities_dict = dict()
if trainer.is_world_master():
with open(output_test_predictions_file, "w", encoding='utf8') as writer:
examples = read_examples_from_file(data_args.data_dir, data_split, tokenizer)
for example_id in range(len(examples)):
output_line = f"the {example_id}-th example\n"
writer.write(output_line)
example = examples[example_id]
pred_len = len(preds_list[example_id])
result_entities_dict[example.guid] = {
'tokens': example.words,
'labels': preds_list[example_id]
}
for i in range(len(example.words)):
word = example.words[i]
if i < pred_len:
origin_label = out_label_list[example_id][i]
label = preds_list[example_id][i]
else:
origin_label = "O"
# label = "NOT-PREDICTED"
label = "O"
desc = ""
# logger.warning(
# "Maximum sequence length exceeded: No prediction for '%s'.", word
# )
output_line = word + " " + origin_label + " " + label + "\n"
writer.write(output_line)
fp = open(training_args.output_dir + '/result_entities_dict.json', 'w')
json.dump(result_entities_dict, fp, indent=1, ensure_ascii=False)
fp.close()
return results
def _mp_fn(index):
# For xla_spawn (TPUs)
main()
if __name__ == "__main__":
main()
Python
1
https://gitee.com/leaning-limitless/DuEE-transformers.git
git@gitee.com:leaning-limitless/DuEE-transformers.git
leaning-limitless
DuEE-transformers
DuEE-transformers
master

搜索帮助