当前位置:   article > 正文

大模型应用开发——问答系统回答准确性评估的三类方法_大模型如何判断准确性验证

大模型如何判断准确性验证

在开发了基于文档的问答系统之后,需要评估系统对问题回答的准确性,将系统的回答与正确答案进行比对并给出评分。

我们实践了以下三类方法,最终对比发现,在评估系统回答的准确性时,用大模型来评估最有效。本文旨在给出大模型的prompt供参考,可以根据自己的需求调整。

另两类方法仅作简单介绍。

方案一:用大模型评估系统回答与正确答案的相似度。

大模型prompt

  1. prompt1 = '''
  2. 你是一个天文学领域专家。
  3. 你将收到一个问题、正确答案和模型回答。
  4. 你的任务是通过将模型回答与正确答案进行比较,判断模型回答的准确程度,给出准确程度accuracy。
  5. 其中,accuracy的范围为0-1,模型回答越接近标准答案分数越高。
  6. 评价标准和步骤如下:
  7. -1.详细阅读提交的问题。
  8. -2.思考这个问题,并阅读给定的正确答案,确保理解了问题的内容以及正确答案的含义。
  9. -3.阅读模型的回答。
  10. -4.比较模型的回答与正确答案,理解模型回答中的信息和正确答案的相似程度以及不同之处。
  11. -5.评价模型的回答,给出accuracy。如果模型的回答完全正确,无误差,给1分。如果模型的回答部分正确,但有一些信息缺失,可以给予中等的分数。如果模型的回答部分正确,部分错误,可以给定偏低的分数。如果模型的回答完全错误,或者与给定的正确答案无关,可以给0分。
  12. -6.根据我的示例对待打分的问答对打分。
  13. -7.不要给出思考过程,直接给出结果accuracy。
  14. 我的示例如下:
  15. 问题:空间站多功能光学设施的主要任务是什么?
  16. 正确答案:空间站多功能光学设施的主要任务是大规模天文巡天。空间站多功能光学设施是我国载人航天工程规划建设的大型空间天文望远镜,口径2米,兼具大视场和高像质的优异性能,并具备在轨维护升级的能力。其观测模式包括位置切换观测模式和OTF观测模式,其中OTF观测模式主要用于大面积天区的高效成图观测。
  17. 模型回答:空间站多功能光学设施的主要任务是大规模天文巡天。
  18. accuracy:0.6
  19. 待打分的问答对:
  20. 问题:
  21. {{question}}
  22. 正确答案:
  23. {{correct_answer}}
  24. 模型回答:
  25. {{model_answer}}
  26. 模型结果:
  27. -accuracy:
  28. '''

后续无论是用文心一言还是chatgpt都可以用这个prompt来实现,注意文心一言的系统指令是写在字段“system”里的。

以下给出用文心一言来判断的参考代码:

  1. # 设置百度文心一言的API密钥和端点
  2. API_KEY = "your_api_key"
  3. SECRET_KEY = "your_secret_key"
  4. import requests
  5. import requests
  6. import json
  7. import time
  8. # 配置文心一言的密钥和端点
  9. def get_access_token():
  10. """
  11. 使用 AK,SK 生成鉴权签名(Access Token)
  12. :return: access_token,或是None(如果错误)
  13. """
  14. url = "https://aip.baidubce.com/oauth/2.0/token"
  15. params = {"grant_type": "client_credentials", "client_id": API_KEY, "client_secret": SECRET_KEY}
  16. return str(requests.post(url, params=params).json().get("access_token"))
  17. # 大模型评估回答准确率
  18. def evaluate_accuracy(question, correct_answer, model_answer):
  19. url = "https://aip.baidubce.com/rpc/2.0/ai_custom/v1/wenxinworkshop/chat/completions?access_token=" + get_access_token()
  20. content= "判断模型回答的准确程度"
  21. prompt = prompt1.replace("{{question}}", question).replace("{{correct_answer}}", correct_answer).replace("{{model_answer}}", model_answer)
  22. payload = json.dumps({
  23. "messages": [
  24. {
  25. "role": "user",
  26. "content": content
  27. }
  28. ],
  29. "temperature": 0.95,
  30. "top_p": 0.8,
  31. "system":prompt
  32. })
  33. headers = {
  34. 'Content-Type': 'application/json'
  35. }
  36. start_time = time.time()
  37. response = requests.request("POST", url, headers=headers, data=payload)
  38. x = json.loads(response.text)
  39. print("耗时", time.time() - start_time)
  40. print(question)
  41. print(x)
  42. if response.status_code == 200:
  43. return x['result']
  44. else:
  45. print(f"Error: {response.status_code}")
  46. print(response.content)
  47. return None
  48. # 如果想要将大模型评估的结果提取出具体的准确率分数,可以用下面这个函数,将上面函数的x['result']作为本函数的入参
  49. import re
  50. def extract_accuracy(row):
  51. try:
  52. match = re.search(r'accuracy[\s::]+([0-9.]+)', row)
  53. if match:
  54. return float(match.group(1))
  55. else:
  56. return np.nan
  57. except Exception as e:
  58. return np.nan

方案二:Semantic Textual Similarity (STS)语义相似度检测

可以自行搜索原理,参考代码如下:

  1. from sentence_transformers import SentenceTransformer, util
  2. # 初始化模型
  3. model = SentenceTransformer('paraphrase-MiniLM-L6-v2')
  4. def compute_sts(sentence1, sentence2):
  5. # 计算句子的嵌入
  6. embedding1 = model.encode(sentence1, convert_to_tensor=True)
  7. embedding2 = model.encode(sentence2, convert_to_tensor=True)
  8. # 计算余弦相似度
  9. similarity = util.pytorch_cos_sim(embedding1, embedding2).item()
  10. return similarity
  11. # 示例使用
  12. sentence1 = "量数据缺乏或完备度、准确度不够的分子光谱,在实验室进行测定。"
  13. sentence2 = "在实验室进行测定。"
  14. sts_score = compute_sts(sentence1, sentence2)
  15. print(f"STS Score: {sts_score}")

方案三:BLEU/ROUGE/Exact Match/BERTScore等基于字符串匹配的方法

这里给出BLEU、ROUGE、bert_score的参考代码:

  1. from sklearn.metrics import accuracy_score
  2. from nltk.translate.bleu_score import sentence_bleu
  3. from rouge import Rouge
  4. from bert_score import score as bert_score
  5. import numpy as np
  6. # 定义方法
  7. def evaluate_responses(predictions, references):
  8. # 初始化评估指标
  9. bleu_scores = []
  10. rouge = Rouge()
  11. rouge_scores = []
  12. exact_matches = []
  13. for pred, ref in zip(predictions, references):
  14. # BLEU Score
  15. bleu_score_value = sentence_bleu([ref.split()], pred.split())
  16. bleu_scores.append(bleu_score_value)
  17. # ROUGE Score
  18. rouge_score_value = rouge.get_scores(pred, ref)[0]
  19. rouge_scores.append(rouge_score_value)
  20. # Exact Match
  21. exact_match = 1 if pred == ref else 0
  22. exact_matches.append(exact_match)
  23. # BERTScore
  24. P, R, F1 = bert_score(predictions, references, lang="zh", verbose=True)
  25. bert_scores = F1.tolist()
  26. # 计算平均得分
  27. avg_bleu = np.mean(bleu_scores)
  28. avg_rouge = {key: np.mean([score[key]['f'] for score in rouge_scores]) for key in rouge_scores[0]}
  29. avg_exact_match = np.mean(exact_matches)
  30. avg_bert_score = np.mean(bert_scores)
  31. results = {
  32. "BLEU": avg_bleu,
  33. "ROUGE": avg_rouge,
  34. "Exact Match": avg_exact_match,
  35. "BERTScore": avg_bert_score
  36. }
  37. return results
  38. # 示例使用
  39. predictions = ["这是系统生成的答案", "另一个系统答案"]
  40. references = ["这是标准答案", "另一个标准答案"]
  41. results = evaluate_responses(predictions, references)
  42. print(results)

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/一键难忘520/article/detail/1015121
推荐阅读
相关标签
  

闽ICP备14008679号