File size: 7,943 Bytes
26e4a00 |
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 |
import os
os.environ["CUDA_VISIBLE_DEVICES"] = '0'
import numpy as np, argparse, time, pickle, random
import torch
import matplotlib
import torch.nn as nn
import torch.optim as optim
from dataloader import IEMOCAPDataset
from model import *
from sklearn.metrics import f1_score, confusion_matrix, accuracy_score, classification_report, \
precision_recall_fscore_support, ConfusionMatrixDisplay
import matplotlib.pyplot as plt
from trainer import train_or_eval_model, save_badcase
from dataset import IEMOCAPDataset
from dataloader import get_IEMOCAP_loaders
from transformers import AdamW
import copy
# We use seed = 100 for reproduction of the results reported in the paper.
seed = 100
def seed_everything(seed=seed):
random.seed(seed)
np.random.seed(seed)
torch.manual_seed(seed)
torch.cuda.manual_seed(seed)
torch.cuda.manual_seed_all(seed)
torch.backends.cudnn.benchmark = False
torch.backends.cudnn.deterministic = True
def evaluate(model, dataloader, cuda, args, speaker_vocab, label_vocab):
preds, labels = [], []
scores, vids = [], []
dialogs = []
speakers = []
model.eval()
for data in dataloader:
features, label, adj,s_mask, s_mask_onehot,lengths, speaker, utterances = data
if cuda:
features = features.cuda()
label = label.cuda()
adj = adj.cuda()
s_mask_onehot = s_mask_onehot.cuda()
s_mask = s_mask.cuda()
lengths = lengths.cuda()
log_prob = model(features, adj,s_mask, s_mask_onehot, lengths) # (B, N, C)
label = label.cpu().numpy().tolist() # (B, N)
pred = torch.argmax(log_prob, dim = 2).cpu().numpy().tolist() # (B, N)
preds += pred
labels += label
dialogs += utterances
speakers += speaker
if preds != []:
new_preds = []
new_labels = []
for i,label in enumerate(labels):
for j,l in enumerate(label):
if l != -1:
new_labels.append(l)
new_preds.append(preds[i][j])
else:
return
avg_accuracy = round(accuracy_score(new_labels, new_preds) * 100, 2)
if args.dataset_name in ['IEMOCAP', 'MELD', 'EmoryNLP']:
avg_fscore = round(f1_score(new_labels, new_preds, average='weighted') * 100, 2)
# get f1 score for each class to generate confusion matrix
# fscore_perclass = f1_score(new_labels, new_preds, average=None)
# print('fscore_perclass', fscore_perclass)
print('test_accuracy', avg_accuracy)
print('test_f1', avg_fscore)
# confusion matrix test, not working on colab
# print(new_labels)
# cm = confusion_matrix(new_labels, new_preds, labels=[0, 1, 2, 3, 4, 5, 6])
# print(cm)
# per_class_accuracies = {}
#
# # Calculate the accuracy for each one of our classes
# for idx, cls in enumerate(label_vocab['itos']):
# # True negatives are all the samples that are not our current GT class (not the current row)
# # and were not predicted as the current class (not the current column)
# true_negatives = np.sum(np.delete(np.delete(cm, idx, axis=0), idx, axis=1))
#
# # True positives are all the samples of our current GT class that were predicted as such
# true_positives = cm[idx, idx]
#
# # The accuracy for the current class is the ratio between correct predictions to all predictions
# per_class_accuracies[cls] = (true_positives + true_negatives) / np.sum(cm)
# print('acc:', per_class_accuracies)
# disp = ConfusionMatrixDisplay(confusion_matrix=cm, display_labels=label_vocab['itos'])
# disp.plot()
# plt.show()
return
else:
avg_micro_fscore = round(f1_score(new_labels, new_preds, average='micro', labels=list(range(1, 7))) * 100, 2)
avg_macro_fscore = round(f1_score(new_labels, new_preds, average='macro') * 100, 2)
print('test_accuracy', avg_accuracy)
print('test_micro_f1', avg_micro_fscore)
print('test_macro_f1', avg_macro_fscore)
return
if __name__ == '__main__':
#path = './saved_models/'
parser = argparse.ArgumentParser()
parser.add_argument('--bert_model_dir', type=str, default='')
parser.add_argument('--bert_tokenizer_dir', type=str, default='')
parser.add_argument('--state_dict_file', type=str, default='')
parser.add_argument('--bert_dim', type = int, default=1024)
parser.add_argument('--hidden_dim', type = int, default=300)
parser.add_argument('--mlp_layers', type=int, default=2, help='Number of output mlp layers.')
parser.add_argument('--gnn_layers', type=int, default=2, help='Number of gnn layers.')
parser.add_argument('--emb_dim', type=int, default=1024, help='Feature size.')
parser.add_argument('--attn_type', type=str, default='rgcn', choices=['dotprod','linear','bilinear', 'rgcn'], help='Feature size.')
parser.add_argument('--no_rel_attn', action='store_true', default=False, help='no relation for edges' )
parser.add_argument('--max_sent_len', type=int, default=200,
help='max content length for each text, if set to 0, then the max length has no constrain')
parser.add_argument('--no_cuda', action='store_true', default=False, help='does not use GPU')
parser.add_argument('--dataset_name', default='IEMOCAP', type= str, help='dataset name, IEMOCAP or MELD or DailyDialog')
parser.add_argument('--windowp', type=int, default=1,
help='context window size for constructing edges in graph model for past utterances')
parser.add_argument('--windowf', type=int, default=0,
help='context window size for constructing edges in graph model for future utterances')
parser.add_argument('--max_grad_norm', type=float, default=5.0, help='Gradient clipping.')
parser.add_argument('--lr', type=float, default=1e-3, metavar='LR', help='learning rate')
parser.add_argument('--dropout', type=float, default=0, metavar='dropout', help='dropout rate')
parser.add_argument('--batch_size', type=int, default=8, metavar='BS', help='batch size')
parser.add_argument('--epochs', type=int, default=20, metavar='E', help='number of epochs')
parser.add_argument('--tensorboard', action='store_true', default=False, help='Enables tensorboard log')
parser.add_argument('--nodal_att_type', type=str, default=None, choices=['global', 'past'],
help='type of nodal attention')
parser.add_argument('--curriculum', action='store_true', default=False, help='Enables curriculum learning')
parser.add_argument('--bucket_number', type=int, default=0, help='Number of buckets using')
args = parser.parse_args()
print(args)
seed_everything()
args.cuda = torch.cuda.is_available() and not args.no_cuda
if args.cuda:
print('Running on GPU')
else:
print('Running on CPU')
if args.tensorboard:
from tensorboardX import SummaryWriter
writer = SummaryWriter()
cuda = args.cuda
n_epochs = args.epochs
batch_size = args.batch_size
valid_loader, test_loader, speaker_vocab, label_vocab, person_vec = get_IEMOCAP_loaders(
dataset_name=args.dataset_name, batch_size=batch_size, num_workers=0, args=args)
n_classes = len(label_vocab['itos'])
print('building model..')
model = DAGERC_fushion(args, n_classes)
if torch.cuda.device_count() > 1:
print('Multi-GPU...........')
model = nn.DataParallel(model,device_ids = range(torch.cuda.device_count()))
if cuda:
model.cuda()
state_dict = torch.load(args.state_dict_file)
model.load_state_dict(state_dict)
evaluate(model, test_loader, cuda, args, speaker_vocab, label_vocab) |