ChatGPT提示词工程(一):Guidelines准则

目录

  • 一、说明
  • 二、安装环境
  • 三、Guidelines
    • 准则一:写出明确而具体的说明
      • 方法1:使用分隔符清楚地表示输入的不同部分
      • 方法2:用结构化输出:如直接要求它以HTML或者JSON格式输出
      • 方法3:请模型检查是否满足条件
      • 方法4:Prompt中包含少量样本
    • 准则二:给模型一些思考的时间
      • 方法1:指定完成任务所需的步骤
      • 方法2:指示模型在匆忙得出结论之前制定出自己的解决方案
  • 四、模型的限制

一、说明

这是吴恩达 《ChatGPT Prompt Engineering for Developers》 的课程笔记系列。
本文是第二讲的内容:Guidelines
课程主讲:Andrew Ng,Isa Fulford
Isa Fulford也是《OpenAI Cookbook》的主要贡献者之一

二、安装环境

1. 下载openai

pip install openai 

如果是在jupyter notebook上安装,前面需要带英文感叹号(!),之后需要执行bash指令的地方都这样

!pip install openai 

2. 导入openai,并配置openai api key

import openai
import osfrom dotenv import load_dotenv, find_dotenv
_ = load_dotenv(find_dotenv())openai.api_key = os.getenv('OPENAI_API_KEY')

这里的OPENAI_API_KEY是设置在环境变量里的值,为你的openai api key
设置环境变量bash指令:

!export OPENAI_API_KEY='sk-...'		

或者,在代码中直接这样写:

openai.api_key = 'sk-...'    

3. 辅助函数
调用openai接口

def get_completion(prompt, model="gpt-3.5-turbo"):messages = [{"role": "user", "content": prompt}]response = openai.ChatCompletion.create(model=model,messages=messages,temperature=0, # this is the degree of randomness of the model's output)return response.choices[0].message["content"]


三、Guidelines

准则一:写出明确而具体的说明

方法1:使用分隔符清楚地表示输入的不同部分

分隔符可以是:

 ```,  """,  < >,  <tag> </tag>,  :   

它可以防止prompt注入,以免给模型产生混乱的理解

例子:

text = f"""
You should express what you want a model to do by \ 
providing instructions that are as clear and \ 
specific as you can possibly make them. \ 
This will guide the model towards the desired output, \ 
and reduce the chances of receiving irrelevant \ 
or incorrect responses. Don't confuse writing a \ 
clear prompt with writing a short prompt. \ 
In many cases, longer prompts provide more clarity \ 
and context for the model, which can lead to \ 
more detailed and relevant outputs.
"""
prompt = f"""
Summarize the text delimited by triple backticks \ 
into a single sentence.
```{text}```
"""
response = get_completion(prompt)
print(response)

{text} 就是使用符合 ```分隔的内容
以上代码输出的结果为,打印的一句话总结的text的结果:
在这里插入图片描述

方法2:用结构化输出:如直接要求它以HTML或者JSON格式输出

例子:

prompt = f"""
Generate a list of three made-up book titles along \ 
with their authors and genres. 
Provide them in JSON format with the following keys: 
book_id, title, author, genre.
"""
response = get_completion(prompt)
print(response)

代码中,要求生成三个虚拟的图书,以JSON格式输出,运行结果:
在这里插入图片描述

方法3:请模型检查是否满足条件

要求检查:要求模型先检查是否满足某个条件后,再进行输出,如果条件不满足可以直接告知。
例子:

text_1 = f"""
Making a cup of tea is easy! First, you need to get some \ 
water boiling. While that's happening, \ 
grab a cup and put a tea bag in it. Once the water is \ 
hot enough, just pour it over the tea bag. \ 
Let it sit for a bit so the tea can steep. After a \ 
few minutes, take out the tea bag. If you \ 
like, you can add some sugar or milk to taste. \ 
And that's it! You've got yourself a delicious \ 
cup of tea to enjoy.
"""
prompt = f"""
You will be provided with text delimited by triple quotes. 
If it contains a sequence of instructions, \ 
re-write those instructions in the following format:Step 1 - ...
Step 2 - …
…
Step N - …If the text does not contain a sequence of instructions, \ 
then simply write \"No steps provided.\"\"\"\"{text_1}\"\"\"
"""
response = get_completion(prompt)
print("Completion for Text 1:")
print(response)

代码中,text的内容是泡一杯茶的步骤,prompt要求模型理解这段内容,告知是否能把它分解成一步一步的步骤的结构,如果能,则按照步骤描述重写,如果不能则给出则返回No steps provided。代码输出结果:
在这里插入图片描述
下面这个例子则给出的是不能分解成步骤的一段话:

text_2 = f"""
The sun is shining brightly today, and the birds are \
singing. It's a beautiful day to go for a \ 
walk in the park. The flowers are blooming, and the \ 
trees are swaying gently in the breeze. People \ 
are out and about, enjoying the lovely weather. \ 
Some are having picnics, while others are playing \ 
games or simply relaxing on the grass. It's a \ 
perfect day to spend time outdoors and appreciate the \ 
beauty of nature.
"""
prompt = f"""
You will be provided with text delimited by triple quotes. 
If it contains a sequence of instructions, \ 
re-write those instructions in the following format:Step 1 - ...
Step 2 - …
…
Step N - …If the text does not contain a sequence of instructions, \ 
then simply write \"No steps provided.\"\"\"\"{text_2}\"\"\"
"""
response = get_completion(prompt)
print("Completion for Text 2:")
print(response)

在这里插入图片描述

方法4:Prompt中包含少量样本

例子:

prompt = f"""
Your task is to answer in a consistent style.<child>: Teach me about patience.<grandparent>: The river that carves the deepest \ 
valley flows from a modest spring; the \ 
grandest symphony originates from a single note; \ 
the most intricate tapestry begins with a solitary thread.<child>: Teach me about resilience.
"""
response = get_completion(prompt)
print(response)

代码中,给了一个child和grandparent对话的样本,要求再次按照这个样本给出grandparent的答复,运行结果:
在这里插入图片描述

https://blog.csdn.net/Jay_Xio/article/details/130450026



准则二:给模型一些思考的时间

方法1:指定完成任务所需的步骤

例子:

text = f"""
In a charming village, siblings Jack and Jill set out on \ 
a quest to fetch water from a hilltop \ 
well. As they climbed, singing joyfully, misfortune \ 
struck—Jack tripped on a stone and tumbled \ 
down the hill, with Jill following suit. \ 
Though slightly battered, the pair returned home to \ 
comforting embraces. Despite the mishap, \ 
their adventurous spirits remained undimmed, and they \ 
continued exploring with delight.
"""prompt_1 = f"""
Perform the following actions: 
1 - Summarize the following text delimited by triple \
backticks with 1 sentence.
2 - Translate the summary into French.
3 - List each name in the French summary.
4 - Output a json object that contains the following \
keys: french_summary, num_names.Separate your answers with line breaks.Text:
```{text}```
"""response = get_completion(prompt_1)
print("Completion for prompt 1:")
print(response)

代码中,prompt给出模型要执行任务的步骤
步骤1,用一句话总结text内容
步骤2,翻译成法语
步骤3,列出名字
步骤4,以JSON格式输出
执行代码,模型按照这个步骤输出:
在这里插入图片描述

prompt_2 = f"""
Your task is to perform the following actions: 
1 - Summarize the following text delimited by <> with 1 sentence.
2 - Translate the summary into French.
3 - List each name in the French summary.
4 - Output a json object that contains the following keys: french_summary, num_names.Use the following format:
Text: <text to summarize>
Summary: <summary>
Translation: <summary translation>
Names: <list of names in Italian summary>
Output JSON: <json with summary and num_names>Text: <{text}>
"""
response = get_completion(prompt_2)
print("\nCompletion

在这里插入图片描述

方法2:指示模型在匆忙得出结论之前制定出自己的解决方案

prompt = f"""
Determine if the student's solution is correct or not.Question:
I'm building a solar power installation and I need \help working out the financials. 
- Land costs $100 / square foot
- I can buy solar panels for $250 / square foot
- I negotiated a contract for maintenance that will cost \ 
me a flat $100k per year, and an additional $10 / square \
foot
What is the total cost for the first year of operations 
as a function of the number of square feet.Student's Solution:
Let x be the size of the installation in square feet.
Costs:
1. Land cost: 100x
2. Solar panel cost: 250x
3. Maintenance cost: 100,000 + 100x
Total cost: 100x + 250x + 100,000 + 100x = 450x + 100,000
"""
response = get_completion(prompt)
print(response)

代码中,要求模型判断学生的结题是否正确,运行结果:
在这里插入图片描述
明显第3部,MainTenance const: 应该是 100000 + 10x,而学生给出的是错误的,模型没有判断出这个步骤有误,因为它只判断了 Total cost: 100x + 250x + 100,000 + 100x = 450x + 100,000 是正确的,就给出了正确的结论。

下面的示例,要求模型先自己按照步骤一步一步给出解题步骤,然后再判断学生的解题步骤是否正确:

prompt = f"""
Your task is to determine if the student's solution \
is correct or not.
To solve the problem do the following:
- First, work out your own solution to the problem. 
- Then compare your solution to the student's solution \ 
and evaluate if the student's solution is correct or not. 
Don't decide if the student's solution is correct until 
you have done the problem yourself.Use the following format:
Question:
```
question here
```
Student's solution:
```
student's solution here
```
Actual solution:
```
steps to work out the solution and your solution here
```
Is the student's solution the same as actual solution \
just calculated:
```
yes or no
```
Student grade:
```
correct or incorrect
```Question:
```
I'm building a solar power installation and I need help \
working out the financials. 
- Land costs $100 / square foot
- I can buy solar panels for $250 / square foot
- I negotiated a contract for maintenance that will cost \
me a flat $100k per year, and an additional $10 / square \
foot
What is the total cost for the first year of operations \
as a function of the number of square feet.
```
Student's solution:
```
Let x be the size of the installation in square feet.
Costs:
1. Land cost: 100x
2. Solar panel cost: 250x
3. Maintenance cost: 100,000 + 100x
Total cost: 100x + 250x + 100,000 + 100x = 450x + 100,000
```
Actual solution:
"""
response = get_completion(prompt)
print(response)

运行结果: 给出了正确解法,并判断学生的是错误的
在这里插入图片描述

https://blog.csdn.net/Jay_Xio/article/details/130450026



四、模型的限制

prompt = f"""
Tell me about AeroGlide UltraSlim Smart Toothbrush by Boie
"""
response = get_completion(prompt)
print(response)

要求模型介绍Boie这个公司的电动牙刷,其实这个公司不存在,产品也不存在,但是模型会煞有其事的介绍
在这里插入图片描述
这种模型的限制,称为模型的幻觉。

要减少这种幻觉,需要模型先从文本中找到任何相关的引用,然后请它使用这些引用来回答问题,并且把回答追溯到源文件

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.rhkb.cn/news/13132.html

如若内容造成侵权/违法违规/事实不符,请联系长河编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

ChatGPT - 使用故事和隐喻来帮助记忆

文章目录 Prompt Prompt 我目前正在学习[主题]。将该主题的关键教训转化为引人入胜的故事和隐喻&#xff0c;以帮助我记忆。

Redisson分布式限流RRateLimiter的实现原理

我们目前在工作中遇到一个性能问题&#xff0c;我们有个定时任务需要处理大量的数据&#xff0c;为了提升吞吐量&#xff0c;所以部署了很多台机器&#xff0c;但这个任务在运行前需要从别的服务那拉取大量的数据&#xff0c;随着数据量的增大&#xff0c;如果同时多台机器并发…

详解Redisson分布式限流的实现原理

我们目前在工作中遇到一个性能问题&#xff0c;我们有个定时任务需要处理大量的数据&#xff0c;为了提升吞吐量&#xff0c;所以部署了很多台机器&#xff0c;但这个任务在运行前需要从别的服务那拉取大量的数据&#xff0c;随着数据量的增大&#xff0c;如果同时多台机器并发…

聊聊Sentinel集群限流探索

最近看了下关于分布式限流的部分&#xff0c;看到Sentinel的分布式限流&#xff0c;也就是集群限流的部分&#xff0c;想搭个环境看看&#xff0c;结果发现网上关于这方面的内容基本可以说没有&#xff0c;你甚至很难跑起来他的demo&#xff0c;就算能跑起来&#xff0c;估计也…

ChatGPT专业应用:生成生日主题

正文共 925 字&#xff0c;阅读大约需要 4 分钟 人力资源等必备技巧&#xff0c;您将在4分钟后获得以下超能力&#xff1a; 生成生日主题 Beezy评级 &#xff1a;A级 *经过寻找和一段时间的学习&#xff0c;一部分人能掌握。主要提升效率并增强自身技能。 推荐人 | Kim 编辑者…

UI设计如何结合AIGC工具?轻松设计出彩的UI界面

大家好。我是不知名设计师 l1m0_&#xff0c;今天分享内容为&#xff1a;UI设计如何结合AIGC工具发挥“奇”效。文中我会针对UI设计的流程和几款人工智能AI工具的功能&#xff0c;来向大家进行介绍AIGC如何在这个过程中发挥作用。对UI设计和AI工具感兴趣的朋友一定不能错过&…

chatgpt赋能python:Python声音处理入门指南

Python声音处理入门指南 如果你是一个音乐爱好者或者处理声音的工程师&#xff0c;Python语言是值得你考虑的一种工具&#xff0c;它拥有丰富的库&#xff0c;可以帮助你在声音分析、编辑、压缩和转换等方面做出成果。 Python声音处理库 Python语言拥有一个大量的声音处理库…

【回答问题】ChatGPT上线了!给我推荐比较流行的音频处理算法模型

给我推荐比较流行的音频处理算法模型 音频处理算法模型有很多种,我给你列举一些比较流行的: 声音分类:用于将声音信号分成不同的类别,比如人声、自然声、机器声等。 声音分离:用于从混合的声音信号中分离出单独的声音源。 语音识别:用于将语音转换成文本。 语音合成…

AIGC领域优秀的资源汇总(应用、论文、开源项目)

AIGC领域介绍&#xff0c;及一些比较优秀的应用&#xff0c;和论文&#xff0c;开源项目汇总。 AIGC大纲 一、AIGC概念 ​ AIGC&#xff0c;全名“AI generated content”&#xff0c;又称生成式AI&#xff0c;意为人工智能生成内容。例如AI文本续写&#xff0c;文字转图像的…

白嫖GPT-4最强竞品!20秒速通92页论文,不怕跟不上技术进展了

梦晨 发自 凹非寺量子位 | 公众号 QbitAI GPT-4最强竞品Claude前两天来了个史诗升级&#xff0c;支持十万token上下文&#xff0c;可以一次输入一本书&#xff0c;把大模型卷到新高度。 可惜的是&#xff0c;从Anthropic官网申请试用要收费&#xff0c;不少感兴趣的读者表示想玩…

将springboot单体项目部署到腾讯云服务器上

前言 在服务器上运行springboot项目&#xff0c;需要有jdk环境&#xff0c;而此文的项目案例使用的数据库是mysql&#xff0c;所以也需要安装mysql&#xff0c;教程如下&#xff1a; CentOS7安装jdk8CentOS7快速安装mysql 1.打包springboot单体项目 1.springboot单体小项目…

【干货贴】当人工智能与艺术碰撞 | AI写诗

生成式人工智能产品&#xff08;AIGC&#xff09; ​前几天&#xff0c;扎克伯格称&#xff1a;Meta 将组建顶级 AI 团队&#xff0c;专注生成式人工智能产品&#xff0c;在短期内&#xff0c;公司将专注于构建创造性和表现力的工具。 说到富有创造力和表现力的艺术行为&#…

ChatGPT被广泛应用,潜在的法律风险有哪些?

ChatGPT由OpenAI开发&#xff0c;2022年11月一经面世便引发热烈讨论&#xff0c;用户数持续暴涨。2023年初&#xff0c;微软成功将ChatGPT接入其搜索引擎Bing中&#xff0c;市场影响力迅速提升&#xff0c;几乎同一时间&#xff0c;谷歌宣布其研发的一款类似人工智能应用Bard上…

张峥、小白谈GPT与人工智能:可能是好事,也可能不是

张峥、小白&#xff08;章静绘&#xff09; 最近几个月&#xff0c;以ChatGPT为代表的聊天机器人引起全世界的广泛关注。GPT是如何工作的&#xff1f;它会有自我意识吗&#xff1f;人工智能将对我们的社会、文化、知识系统造成何种冲击和重构&#xff1f;奇点到了吗&#xff1f…

我们现在怎样做父亲

离开了中学的课本后再没读过鲁迅的文章&#xff0c;今年想再读鲁迅。《我们现在怎样做父亲》这个题目本是鲁迅《坟》杂文集中的一篇&#xff0c;怎样做父亲是个人生大命题&#xff0c;毕竟一生中在这件事上不太能靠积累经验来熟练。所以&#xff0c;在做父亲这件事上不是一个技…

获英伟达和Accel9000万美金投资,AI视频Synthesia要对标Runway?

AI的狂欢已不再仅仅属于ChatGPT&#xff0c;下一个风口将剑指AI视频生成。 制作出高质量的专业视频内容耗时且昂贵&#xff0c;但人工智能的技术进步促使企业掌握了更多筹码和选择。一家总部位于英国伦敦的AI视频创作平台Sunthesia正在AI视频生成的路上摸索。Synthesia历经七年…

巴比特 | 元宇宙每日必读:OpenAI CEO称短期内不会训练GPT5,公司正通过外部审计等措施评估潜在危险...

摘要&#xff1a;据财联社报道&#xff0c;OpenAI首席执行官Sam Altman周三&#xff08;6月7日&#xff09;在印度《经济时报》主办的一次会议上称&#xff0c;目前OpenAI仍然没有培训GPT-5。Altmam还反驳了一些对人工智能最直言不讳的担忧声&#xff0c;称该公司已经在通过外部…

未来已来,大模型无处不在。音视频技术人,你准备好了吗?

“音视频领域正面临着一场人机交互体验的革命&#xff0c;是算力、连接、显示整个端到端革命的升级&#xff0c;市场也在呼唤着颠覆式的终端&#xff0c;现象级的内容以及全新的产业生态。” 技术是从什么时候开始改变我们的生活的&#xff1f; 打开电视&#xff0c;电影《瞬息…

阿里CTO线退出历史舞台/ AI视频公司Runway估值破百亿/ OpenAI确认不用API数据训练…今日更多新鲜事在此...

日报君 发自 凹非寺量子位 | 公众号 QbitAI 大家好&#xff0c;今天是5月6日&#xff0c;又一个“星期五”。 科技圈更多新鲜事儿&#xff0c;下滑走起&#xff5e; 阿里CTO线退出历史舞台 据雪豹财经社独家消息&#xff0c;充当各业务技术中台的阿里CTO线近日完成了组织架构的…

快影内测多款AIGC新功能,短视频智能创作时代即将到来?

AIGC作为AI细分之下的重要赛道&#xff0c;迅速在短视频、绘画、音乐创作等领域出圈&#xff0c;吸引了如阿里、字节、百度、美团等多个互联网大厂&#xff0c;并纷纷布局和计划推出AI类的产品。 特别是百度旗下生成式AI产品“文心一言”&#xff0c;已成为不少文字创作者的辅助…