• 使用seq2seq架构实现英译法


    e5fcd827ceb04f33b1ba3f49f54fefba.jpeg

    seq2seq介绍 

    模型架构:9e4e8495162c4cb1919afa68ea45933a.png

    Seq2Seq(Sequence-to-Sequence)模型是一种在自然语言处理(NLP)中广泛应用的架构,其核心思想是将一个序列作为输入,并输出另一个序列。这种模型特别适用于机器翻译、聊天机器人、自动文摘等场景,其中输入和输出的长度都是可变的。

    • embedding层在seq2seq模型中起着将离散单词转换为连续向量表示的关键作用,为后续的自然语言处理任务提供了有效的特征输入。 

    数据集 

    下载: https://download.pytorch.org/tutorial/data.zip

    🍸️步骤:

    基于GRU的seq2seq模型架构实现翻译的过程:

    • 导入必备的工具包.
    • 对文件中数据进行处理,满足模型训练要求.
    • 构建基于GRU的编码器和解码
    • 构建模型训练函数,并进行训练
    • 构建模型评估函数,并进行测试以及Attention效果分析

    2e56c3e1f6204fcfbaf53decb45c1c3b.png

    1. # 从io工具包导入open方法
    2. from io import open
    3. # 用于字符规范化
    4. import unicodedata
    5. # 用于正则表达式
    6. import re
    7. # 用于随机生成数据
    8. import random
    9. # 用于构建网络结构和函数的torch工具包
    10. import torch
    11. import torch.nn as nn
    12. import torch.nn.functional as F
    13. # torch中预定义的优化方法工具包
    14. from torch import optim
    15. # 设备选择, 我们可以选择在cuda或者cpu上运行你的代码
    16. device = torch.device("cuda" if torch.cuda.is_available() else "cpu")

    数据预处理

    b7e432a96dff4958b39b36b22bc45285.png

    将指定语言中的词汇映射成数值💫

    1. # 起始标志
    2. SOS_token = 0
    3. # 结束标志
    4. EOS_token = 1
    5. class Lang:
    6. def __init__(self, name):
    7. self.name = name
    8. self.word2index = {}
    9. self.index2word = {0: "SOS", 1: "EOS"}
    10. self.n_words = 2
    11. def addSentence(self, sentence):
    12. for word in sentence.split(' '):
    13. self.addWord(word)
    14. def addWord(self, word):
    15. if word not in self.word2index:
    16. self.word2index[word] = self.n_words
    17. self.index2word[self.n_words] = words
    18. self.n_words += 1
    • 测试:实例化参数: 
    1. name = "eng"
    2. sentence = "hello I am Jay"
    3. engl = Lang(name)
    4. engl.addSentence(sentence)
    5. print("word2index:", engl.word2index)
    6. print("index2word:", engl.index2word)
    7. print("n_words:", engl.n_words)
    8. # 输出
    9. word2index: {'hello': 2, 'I': 3, 'am': 4, 'Jay': 5}
    10. index2word: {0: 'SOS', 1: 'EOS', 2: 'hello', 3: 'I', 4: 'am', 5: 'Jay'}
    11. n_words: 6

     字符规范化💫

    1. def unicodeToAscii(s):
    2. return ''.join(
    3. c for c in unicodedata.normalize('NFD', s)
    4. if unicodedata.category(c) != 'Mn'
    5. )
    6. def normalizeString(s):
    7. s = unicodeToAscii(s.lower().strip())
    8. s = re.sub(r"([.!?])", r" \1", s)
    9. s = re.sub(r"[^a-zA-Z.!?]+", r" ", s)
    10. return s

    将文件中的数据加载到内存,实例化类Lang💫

    1. data_path = 'eng-fra.txt'
    2. def readLangs(lang1, lang2):
    3. """读取语言函数, 参数lang1是源语言的名字, 参数lang2是目标语言的名字
    4. 返回对应的class Lang对象, 以及语言对列表"""
    5. # 从文件中读取语言对并以/n划分存到列表lines中
    6. lines = open(data_path, encoding='utf-8').read().strip().split('\n')
    7. # 对lines列表中的句子进行标准化处理,并以\t进行再次划分, 形成子列表, 也就是语言对
    8. pairs = [[normalizeString(s) for s in l.split('\t')] for l in lines]
    9. # 然后分别将语言名字传入Lang类中, 获得对应的语言对象, 返回结果
    10. input_lang = Lang(lang1)
    11. output_lang = Lang(lang2)
    12. return input_lang, output_lang, pairs
    • 测试:输入参数:
    1. lang1 = "eng"
    2. lang2 = "fra"
    3. input_lang, output_lang, pairs = readLangs(lang1, lang2)
    4. print("pairs中的前五个:", pairs[:5])
    5. # 输出
    6. pairs中的前五个: [['go .', 'va !'], ['run !', 'cours !'], ['run !', 'courez !'], ['wow !', 'ca alors !'], ['fire !', 'au feu !']]

    过滤出符合我们要求的语言对💫

    1. # 设置组成句子中单词或标点的最多个数
    2. MAX_LENGTH = 10
    3. eng_prefixes = (
    4. "i am ", "i m ",
    5. "he is", "he s ",
    6. "she is", "she s ",
    7. "you are", "you re ",
    8. "we are", "we re ",
    9. "they are", "they re "
    10. )
    11. def filterPair(p):
    12. return len(p[0].split(' ')) < MAX_LENGTH and \
    13. p[0].startswith(eng_prefixes) and \
    14. len(p[1].split(' ')) < MAX_LENGTH
    15. def filterPairs(pairs):
    16. return [pair for pair in pairs if filterPair(pair)]

    对以上数据准备函数进行整合💫

    1. def prepareData(lang1, lang2):
    2. input_lang, output_lang, pairs = readLangs(lang1, lang2)
    3. pairs = filterPairs(pairs)
    4. for pair in pairs:
    5. input_lang.addSentence(pair[0])
    6. output_lang.addSentence(pair[1])
    7. return input_lang, output_lang, pairs

    将语言对转化为模型输入需要的张量💫

    1. def tensorFromSentence(lang, sentence):
    2. indexes = [lang.word2index[word] for word in sentence.split(' ')]
    3. indexes.append(EOS_token)
    4. return torch.tensor(indexes, dtype=torch.long, device=device).view(-1, 1)
    5. def tensorsFromPair(pair):
    6. input_tensor = tensorFromSentence(input_lang, pair[0])
    7. target_tensor = tensorFromSentence(output_lang, pair[1])
    8. return (input_tensor, target_tensor)
    • 测试输入:
    1. # 取pairs的第一条
    2. pair = pairs[0]
    3. pair_tensor = tensorsFromPair(pair)
    4. print(pair_tensor)
    5. # 输出
    6. (tensor([[2],
    7. [3],
    8. [4],
    9. [1]]),
    10. tensor([[2],
    11. [3],
    12. [4],
    13. [5],
    14. [1]]))

    构建编码器和解码器

    22c77655e7a243bcb6ad3078af321335.png

    构建基于GRU的编码器 

    • “embedding”指的是一个将离散变量(如单词、符号等)转换为连续向量表示的过程或技术
    • “embedded”是embedding过程的输出,即已经通过嵌入矩阵转换后的连续向量。在神经网络中,这些向量将作为后续层的输入。
    1. class EncoderRNN(nn.Module):
    2. def __init__(self, input_size, hidden_size):
    3. super(EncoderRNN, self).__init__()
    4. self.hidden_size = hidden_size
    5. self.embedding = nn.Embedding(input_size, hidden_size)
    6. self.gru = nn.GRU(hidden_size, hidden_size)
    7. def forward(self, input, hidden):
    8. output = self.embedding(input).view(1, 1, -1)
    9. output, hidden = self.gru(output, hidden)
    10. return output, hidden
    11. def initHidden(self):
    12. return torch.zeros(1, 1, self.hidden_size, device=device)
    •  测试:参数:
    1. hidden_size = 25
    2. input_size = 20
    3. # pair_tensor[0]代表源语言即英文的句子,pair_tensor[0][0]代表句子中
    4. 的第一个词
    5. input = pair_tensor[0][0]
    6. # 初始化第一个隐层张量,1x1xhidden_size的0张量
    7. hidden = torch.zeros(1, 1, hidden_size)
    8. encoder = EncoderRNN(input_size, hidden_size)
    9. encoder_output, hidden = encoder(input, hidden)
    10. print(encoder_output)
    11. # 输出
    12. tensor([[[ 1.9149e-01, -2.0070e-01, -8.3882e-02, -3.3037e-02, -1.3491e-01,
    13. -8.8831e-02, -1.6626e-01, -1.9346e-01, -4.3996e-01, 1.8020e-02,
    14. 2.8854e-02, 2.2310e-01, 3.5153e-01, 2.9635e-01, 1.5030e-01,
    15. -8.5266e-02, -1.4909e-01, 2.4336e-04, -2.3522e-01, 1.1359e-01,
    16. 1.6439e-01, 1.4872e-01, -6.1619e-02, -1.0807e-02, 1.1216e-02]]],
    17. grad_fn=)

    构建基于GRU的解码器

    1. class DecoderRNN(nn.Module):
    2. def __init__(self, hidden_size, output_size):
    3. super(DecoderRNN, self).__init__()
    4. self.hidden_size = hidden_size
    5. self.embedding = nn.Embedding(output_size, hidden_size)
    6. self.gru = nn.GRU(hidden_size, hidden_size)
    7. self.out = nn.Linear(hidden_size, output_size)
    8. self.softmax = nn.LogSoftmax(dim=1)
    9. def forward(self, input, hidden):
    10. output = self.embedding(input).view(1, 1, -1)
    11. output = F.relu(output)
    12. output, hidden = self.gru(output, hidden)
    13. output = self.softmax(self.out(output[0]))
    14. return output, hidden
    15. def initHidden(self):
    16. return torch.zeros(1, 1, self.hidden_size, device=device)

    构建基于GRU和Attention的解码器💥

    💥三个输入:

    • prev_hidden:指上一个时间步解码器的隐藏状态
    • input:input 是当前时间步解码器的输入。在解码的开始阶段,它可能是一个特殊的起始符号。在随后的解码步骤中,input 通常是上一个时间步解码器输出的词(或对应的词向量)。
    • encoder_outputs :是编码器处理输入序列后生成的一系列输出向量,在基于Attention的解码器中,这些输出向量将作为注意力机制的候选记忆单元,用于计算当前解码步与输入序列中不同位置的相关性。
    1. class AttnDecoderRNN(nn.Module):
    2. def __init__(self, hidden_size, output_size, dropout_p=0.1, max_length=MAX_LENGTH):
    3. super(AttnDecoderRNN, self).__init__()
    4. self.hidden_size = hidden_size
    5. self.output_size = output_size
    6. self.dropout_p = dropout_p
    7. self.max_length = max_length
    8. self.embedding = nn.Embedding(self.output_size, self.hidden_size)
    9. self.attn = nn.Linear(self.hidden_size * 2, self.max_length)
    10. self.attn_combine = nn.Linear(self.hidden_size * 2, self.hidden_size)
    11. self.dropout = nn.Dropout(self.dropout_p)
    12. self.gru = nn.GRU(self.hidden_size, self.hidden_size)
    13. self.out = nn.Linear(self.hidden_size, self.output_size)
    14. def forward(self, input, hidden, encoder_outputs):
    15. embedded = self.embedding(input).view(1, 1, -1)
    16. embedded = self.dropout(embedded)
    17. attn_weights = F.softmax(
    18. self.attn(torch.cat((embedded[0], hidden[0]), 1)), dim=1)
    19. attn_applied = torch.bmm(attn_weights.unsqueeze(0),
    20. encoder_outputs.unsqueeze(0))
    21. output = torch.cat((embedded[0], attn_applied[0]), 1)
    22. output = self.attn_combine(output).unsqueeze(0)
    23. output = F.relu(output)
    24. output, hidden = self.gru(output, hidden)
    25. output = F.log_softmax(self.out(output[0]), dim=1)
    26. return output, hidden, attn_weights
    27. def initHidden(self):
    28. return torch.zeros(1, 1, self.hidden_size, device=device)

    构建模型训练函数

    2a8c5559c3064e22877f2d88e17ad51a.png

    teacher_forcing介绍

    Teacher Forcing是一种在训练序列生成模型,特别是循环神经网络(RNN)和序列到序列(seq2seq)模型时常用的技术。在seq2seq架构中,根据循环神经网络理论,解码器每次应该使用上一步的结果作为输入的一部分, 但是训练过程中,一旦上一步的结果是错误的,就会导致这种错误被累积,无法达到训练效果,我们需要一种机制改变上一步出错的情况,因为训练时我们是已知正确的输出应该是什么,因此可以强制将上一步结果设置成正确的输出, 这种方式就叫做teacher_forcing。

    teacher_forcing的作用

    • 加速模型收敛与稳定训练:通过使用真实的历史数据作为解码器的输入,Teacher Forcing技术可以加速模型的收敛速度,并使得训练过程更加稳定,因为它避免了因模型早期预测错误而导致的累积误差。
    • 矫正预测并避免误差放大:Teacher Forcing在训练时能够矫正模型的预测,防止在序列生成过程中误差的进一步放大,从而提高了模型的预测准确性。
    1. # 设置teacher_forcing比率为0.5
    2. teacher_forcing_ratio = 0.5
    3. def train(input_tensor, target_tensor, encoder, decoder, encoder_optimizer, decoder_optimizer, criterion, max_length=MAX_LENGTH):
    4. encoder_hidden = encoder.initHidden()
    5. encoder_optimizer.zero_grad()
    6. decoder_optimizer.zero_grad()
    7. input_length = input_tensor.size(0)
    8. target_length = target_tensor.size(0)
    9. encoder_outputs = torch.zeros(max_length, encoder.hidden_size, device=device)
    10. loss = 0
    11. for ei in range(input_length):
    12. encoder_output, encoder_hidden = encoder(
    13. input_tensor[ei], encoder_hidden)
    14. encoder_outputs[ei] = encoder_output[0, 0]
    15. decoder_input = torch.tensor([[SOS_token]], device=device)
    16. decoder_hidden = encoder_hidden
    17. use_teacher_forcing = True if random.random() < teacher_forcing_ratio else False
    18. if use_teacher_forcing:
    19. for di in range(target_length):
    20. decoder_output, decoder_hidden, decoder_attention = decoder(
    21. decoder_input, decoder_hidden, encoder_outputs)
    22. loss += criterion(decoder_output, target_tensor[di])
    23. decoder_input = target_tensor[di]
    24. else:
    25. for di in range(target_length):
    26. decoder_output, decoder_hidden, decoder_attention = decoder(
    27. decoder_input, decoder_hidden, encoder_outputs)
    28. topv, topi = decoder_output.topk(1)
    29. loss += criterion(decoder_output, target_tensor[di])
    30. if topi.squeeze().item() == EOS_token:
    31. break
    32. decoder_input = topi.squeeze().detach()
    33. # 误差进行反向传播
    34. loss.backward()
    35. # 编码器和解码器进行优化即参数更新
    36. encoder_optimizer.step()
    37. decoder_optimizer.step()
    38. # 返回平均损失
    39. return loss.item() / target_length

    构建时间计算函数

    1. import time
    2. import math
    3. def timeSince(since):
    4. now = time.time()
    5. # 获得时间差
    6. s = now - since
    7. # 将秒转化为分钟
    8. m = math.floor(s / 60)
    9. s -= m * 60
    10. return '%dm %ds' % (m, s)

    调用训练函数并打印日志和制图

    1. import matplotlib.pyplot as plt
    2. def trainIters(encoder, decoder, n_iters, print_every=1000, plot_every=100, learning_rate=0.01):
    3. start = time.time()
    4. plot_losses = []
    5. print_loss_total = 0
    6. plot_loss_total = 0
    7. encoder_optimizer = optim.SGD(encoder.parameters(), lr=learning_rate)
    8. decoder_optimizer = optim.SGD(decoder.parameters(), lr=learning_rate)
    9. criterion = nn.NLLLoss()
    10. for iter in range(1, n_iters + 1):
    11. training_pair = tensorsFromPair(random.choice(pairs))
    12. input_tensor = training_pair[0]
    13. target_tensor = training_pair[1]
    14. loss = train(input_tensor, target_tensor, encoder,
    15. decoder, encoder_optimizer, decoder_optimizer, criterion)
    16. print_loss_total += loss
    17. plot_loss_total += loss
    18. if iter % print_every == 0:
    19. print_loss_avg = print_loss_total / print_every
    20. print_loss_total = 0
    21. print('%s (%d %d%%) %.4f' % (timeSince(start),
    22. iter, iter / n_iters * 100, print_loss_avg))
    23. if iter % plot_every == 0:
    24. plot_loss_avg = plot_loss_total / plot_every
    25. plot_losses.append(plot_loss_avg)
    26. plot_loss_total = 0
    27. plt.figure()
    28. plt.plot(plot_losses)
    29. plt.savefig("loss.png")

    💥训练模型:

    1. # 设置隐层大小为256 ,也是词嵌入维度
    2. hidden_size = 256
    3. # 通过input_lang.n_words获取输入词汇总数,与hidden_size一同传入EncoderRNN类中
    4. # 得到编码器对象encoder1
    5. encoder1 = EncoderRNN(input_lang.n_words, hidden_size).to(device)
    6. # 通过output_lang.n_words获取目标词汇总数,与hidden_size和dropout_p一同传入AttnDecoderRNN类中
    7. # 得到解码器对象attn_decoder1
    8. attn_decoder1 = AttnDecoderRNN(hidden_size, output_lang.n_words, dropout_p=0.1).to(device)
    9. # 设置迭代步数
    10. n_iters = 80000
    11. # 设置日志打印间隔
    12. print_every = 5000
    13. trainIters(encoder1, attn_decoder1, n_iters, print_every=print_every)

    模型会不断打印loss损失值并且绘制图像

    d037317aa28d40b49bf1dac1cf22f680.png

    • 一直下降的损失曲线, 说明模型正在收敛 

    构建模型评估函数

    50f947b7416249b695abe3738cc64164.png

    1. def evaluate(encoder, decoder, sentence, max_length=MAX_LENGTH):
    2. with torch.no_grad():
    3. # 对输入的句子进行张量表示
    4. input_tensor = tensorFromSentence(input_lang, sentence)
    5. # 获得输入的句子长度
    6. input_length = input_tensor.size()[0]
    7. encoder_hidden = encoder.initHidden()
    8. encoder_outputs = torch.zeros(max_length, encoder.hidden_size, device=device)
    9. for ei in range(input_length):
    10. encoder_output, encoder_hidden = encoder(input_tensor[ei],
    11. encoder_hidden)
    12. encoder_outputs[ei] += encoder_output[0, 0]
    13. decoder_input = torch.tensor([[SOS_token]], device=device)
    14. decoder_hidden = encoder_hidden
    15. decoded_words = []
    16. # 初始化attention张量
    17. decoder_attentions = torch.zeros(max_length, max_length)
    18. # 开始循环解码
    19. for di in range(max_length):
    20. decoder_output, decoder_hidden, decoder_attention = decoder(
    21. decoder_input, decoder_hidden, encoder_outputs)
    22. decoder_attentions[di] = decoder_attention.data
    23. topv, topi = decoder_output.data.topk(1)
    24. if topi.item() == EOS_token:
    25. decoded_words.append('')
    26. break
    27. else:
    28. decoded_words.append(output_lang.index2word[topi.item()])
    29. decoder_input = topi.squeeze().detach()
    30. return decoded_words, decoder_attentions[:di + 1]

     随机选择指定数量的数据进行评估

    1. def evaluateRandomly(encoder, decoder, n=6):
    2. for i in range(n):
    3. pair = random.choice(pairs)
    4. # > 代表输入
    5. print('>', pair[0])
    6. # = 代表正确的输出
    7. print('=', pair[1])
    8. # 调用evaluate进行预测
    9. output_words, attentions = evaluate(encoder, decoder, pair[0])
    10. # 将结果连成句子
    11. output_sentence = ' '.join(output_words)
    12. # < 代表模型的输出
    13. print('<', output_sentence)
    14. print('')
    15. evaluateRandomly(encoder1, attn_decoder1)

    效果:

    1. > i m impressed with your french .
    2. = je suis impressionne par votre francais .
    3. < je suis impressionnee par votre francais .
    4. > i m more than a friend .
    5. = je suis plus qu une amie .
    6. < je suis plus qu une amie .
    7. > she is beautiful like her mother .
    8. = elle est belle comme sa mere .
    9. < elle est sa sa mere .
    10. > you re winning aren t you ?
    11. = vous gagnez n est ce pas ?
    12. < tu restez n est ce pas ?
    13. > he is angry with you .
    14. = il est en colere apres toi .
    15. < il est en colere apres toi .
    16. > you re very timid .
    17. = vous etes tres craintifs .
    18. < tu es tres craintive .

    Attention张量制图

    1. sentence = "we re both teachers ."
    2. # 调用评估函数
    3. output_words, attentions = evaluate(
    4. encoder1, attn_decoder1, sentence)
    5. print(output_words)
    6. # 将attention张量转化成numpy, 使用matshow绘制
    7. plt.matshow(attentions.numpy())
    8. plt.savefig("attn.png")

    如果迭代次数过少,训练不充分,那么注意力就不会很好:

    703e1e4cd170498c8fb211aa10694c02.png

    💯迭代次数变大:

    5a4477724f3147ecaf4e846972d24293.png

  • 相关阅读:
    1546_AURIX_TC275_CPU子系统_指令耗时以及程序存储接口
    尚医通_第9章_部署医院模拟系统和搭建环境
    【软件与系统安全笔记】三、基础技术
    JDBC、ORM、mybatis之间的关系
    LeetCode刷题系列 -- 652. 寻找重复的子树
    Paste v4.1.2(Mac剪切板)
    【Android安全】Frida 指定classloader | hook动态加载的类 | 安卓多apk hook
    项目采购管理
    数据结构绪论思维导图
    day065:IO流、字节流、字节流写数据
  • 原文地址:https://blog.csdn.net/qq_64685283/article/details/139569864