• ChatGPT实战-Embeddings打造定制化AI智能客服


    本文介绍Embeddings的基本概念,并使用最少但完整的代码讲解Embeddings是如何使用的,帮你打造专属AI聊天机器人(智能客服),你可以拿到该代码进行修改以满足实际需求。

    ChatGPT的Embeddings解决了什么问题?

    如果直接问ChatGPT:What is langchain? If you do not know please do not answer.,由于ChatGPT不知道2021年9月份之后的事情,而langchain比较新,是在那之后才有的,所以ChatGPT会回答不知道:

    I’m sorry, but I don’t have any information on “langchain.” It appears to be a term that is not widely recognized or used in general knowledge.

    如果我们用上Embeddings,用上面的问题提问,它可以给出答案:

    LangChain is a framework for developing applications powered by language models.

    有了这个技术,我们就可以对自己的文档进行提问,从而拓展ChatGPT的知识范围,打造定制化的AI智能客服。例如在官网接入ChatGPT,根据网站的文档让他回答用户的问题。

    Embeddings相关基本概念介绍

    什么是Embeddings?

    在跳进代码之前,先简要介绍一下什么是Embeddings。在介绍Embeddings之前我们需要先学习一下「向量」这个概念。

    我们可以将一个事物从多个维度来描述,例如声音可以从「时域」和「频域」来描述(傅里叶变换可能很多人都听过),维度拆分的越多就越能描述一个事物,在向量空间上的接近往往意味着这两个事物有更多的联系,而向量空间又是比较好计算的,于是我们可以通过计算向量来判断事物的相似程度。
    向量
    在自然语言处理 (NLP) 的中,Embeddings是将单词或句子转换为数值向量的一种方法。这些向量捕获单词或句子的语义,使我们能够对它们执行数学运算。例如,我们可以计算两个向量之间的余弦相似度来衡量它们在语义上的相似程度。
    embedding

    Embeddings使用流程讲解

    如何让ChatGPT回答没有训练过的内容?流程如下,一图胜千言。
    在这里插入图片描述
    分步解释:

    • 首先是获取本地数据的embeddings结果,由于一次embeddings调用的token数量是有限制的,先将数据进行分段然后以依次行调用获得所有数据的embeddings结果。
    • 然后我们开始提问,同样的,将提问的内容也做一次embedding,得到一个结果。
    • 再将提问的intending结果和之前所有数据的embedded结果进行距离的计算,这里的距离就是指向量之间的距离,然后我们获取距离最近的几段段数据来作为我们提问的「上下文」(例如这里找到data2/data3是和问题最相关的内容)。
    • 获得上下文之后我们开始构造真正的问题,问题会将上下文也附属在后面一并发送给chat gpt,这样它就可以回答之前不知道的问题了。

    总结来说:

    之所以能够让ChatGPT回答他不知道的内容,其实是因为我们把相关的上下文传递给了他,他从上下文中获取的答案。如何确定要发送哪些上下文给他,就是通过计算向量距离得到的。

    embedding实战代码(python)

    让我来看看实际的代码。

    前置条件

    • Python 3.6 或更高版本。
    • OpenAI API 密钥,或者其他提供API服务的也可以。
    • 安装了以下 Python 软件包: requestsbeautifulsoup4pandastiktokenopenainumpy
    • 私有文本数据集。在这个示例中,使用名为 langchainintro.txt 的文本文件,这里面是langchain官网的一些文档说明,文档比较新所以ChatGPT肯定不知道,以此来测试效果。

    代码:

    代码来自于OpenAI官网,我做了一些改动和精简。

    import os
    import numpy as np
    import openai
    import pandas as pd
    import tiktoken
    from ast import literal_eval
    from openai.embeddings_utils import distances_from_embeddings
    import traceback
    
    tokenizer = tiktoken.get_encoding("cl100k_base")
    
    
    def get_api_key():
        return os.getenv('OPENAI_API_KEY')
    
    
    def set_openai_config():
        openai.api_key = get_api_key()
        openai.api_base = "https://openai.api2d.net/v1"
    
    
    def remove_newlines(serie):
        serie = serie.str.replace('\n', ' ')
        serie = serie.str.replace('\\n', ' ')
        serie = serie.str.replace('  ', ' ')
        serie = serie.str.replace('  ', ' ')
        return serie
    
    
    def load_text_files(file_name):
        with open(file_name, "r", encoding="UTF-8") as f:
            text = f.read()
        return text
    
    
    def prepare_directory(dir_name="processed"):
        if not os.path.exists(dir_name):
            os.mkdir(dir_name)
    
    
    def split_into_many(text, max_tokens):
        # Split the text into sentences
        sentences = text.split('. ')
    
        # Get the number of tokens for each sentence
        n_tokens = [len(tokenizer.encode(" " + sentence)) for sentence in sentences]
    
        chunks = []
        tokens_so_far = 0
        chunk = []
    
        # Loop through the sentences and tokens joined together in a tuple
        for sentence, token in zip(sentences, n_tokens):
    
            # If the number of tokens so far plus the number of tokens in the current sentence is greater
            # than the max number of tokens, then add the chunk to the list of chunks and reset
            # the chunk and tokens so far
            if tokens_so_far + token > max_tokens:
                chunks.append(". ".join(chunk) + ".")
                chunk = []
                tokens_so_far = 0
    
            # If the number of tokens in the current sentence is greater than the max number of
            # tokens, split the sentence into smaller parts and add them to the chunk
            while token > max_tokens:
                part = sentence[:max_tokens]
                chunk.append(part)
                sentence = sentence[max_tokens:]
                token = len(tokenizer.encode(" " + sentence))
    
            # Otherwise, add the sentence to the chunk and add the number of tokens to the total
            chunk.append(sentence)
            tokens_so_far += token + 1
    
        # Add the last chunk to the list of chunks
        if chunk:
            chunks.append(". ".join(chunk) + ".")
    
        return chunks
    
    
    def shorten_texts(df, max_tokens):
        shortened = []
    
        # Loop through the dataframe
        for row in df.iterrows():
            # If the text is None, go to the next row
            if row[1]['text'] is None:
                continue
    
            # If the number of tokens is greater than the max number of tokens, split the text into chunks
            if row[1]['n_tokens'] > max_tokens:
                shortened += split_into_many(row[1]['text'], max_tokens)
    
            # Otherwise, add the text to the list of shortened texts
            else:
                shortened.append(row[1]['text'])
    
        df = pd.DataFrame(shortened, columns=['text'])
        df['n_tokens'] = df.text.apply(lambda x: len(tokenizer.encode(x)))
    
        return df
    
    
    def create_embeddings(df):
        df['embeddings'] = df.text.apply(
            lambda x: openai.Embedding.create(input=x, engine='text-embedding-ada-002')['data'][0]['embedding'])
        df.to_csv('processed/embeddings.csv')
        return df
    
    
    def load_embeddings():
        df = pd.read_csv('processed/embeddings.csv', index_col=0)
        df['embeddings'] = df['embeddings'].apply(literal_eval).apply(np.array)
        return df
    
    
    def create_context(
            question, df, max_len=1800, size="ada"
    ):
        """
        Create a context for a question by finding the most similar context from the dataframe
        """
        # print(f'start create_context')
        # Get the embeddings for the question
        q_embeddings = openai.Embedding.create(input=question, engine='text-embedding-ada-002')['data'][0]['embedding']
        # print(f'q_embeddings:{q_embeddings}')
    
        # Get the distances from the embeddings
        df['distances'] = distances_from_embeddings(q_embeddings, df['embeddings'].values, distance_metric='cosine')
        # print(f'df[distances]:{df["distances"]}')
    
        returns = []
        cur_len = 0
    
        # Sort by distance and add the text to the context until the context is too long
        for i, row in df.sort_values('distances', ascending=True).iterrows():
            # print(f'i:{i}, row:{row}')
            # Add the length of the text to the current length
            cur_len += row['n_tokens'] + 4
    
            # If the context is too long, break
            if cur_len > max_len:
                break
    
            # Else add it to the text that is being returned
            returns.append(row["text"])
    
        # Return the context
        return "\n\n###\n\n".join(returns)
    
    
    def answer_question(
            df,
            model="text-davinci-003",
            question="Am I allowed to publish model outputs to Twitter, without a human review?",
            max_len=1800,
            size="ada",
            debug=False,
            max_tokens=150,
            stop_sequence=None
    ):
        """
        Answer a question based on the most similar context from the dataframe texts
        """
        context = create_context(
            question,
            df,
            max_len=max_len,
            size=size,
        )
        # If debug, print the raw model response
        if debug:
            print("Context:\n" + context)
            print("\n\n")
    
        prompt = f"Answer the question based on the context below, \n\nContext: {context}\n\n---\n\nQuestion: {question}\nAnswer:"
        messages = [
            {
                'role': 'user',
                'content': prompt
            }
        ]
        try:
            # Create a completions using the questin and context
            response = openai.ChatCompletion.create(
                messages=messages,
                temperature=0,
                max_tokens=max_tokens,
                stop=stop_sequence,
                model=model,
            )
            return response["choices"][0]["message"]["content"]
        except Exception as e:
            # print stack
            traceback.print_exc()
            print(e)
            return ""
    
    
    def main():
        # 设置API key
        set_openai_config()
    
        # 载入本地数据
        texts = []
        text = load_text_files("langchainintro.txt")
        texts.append(('langchainintro', text))
        prepare_directory("processed")
    
        # 创建一个dataframe,包含fname和text两列
        df = pd.DataFrame(texts, columns=['fname', 'text'])
        df['text'] = df.fname + ". " + remove_newlines(df.text)
        df.to_csv('processed/scraped.csv')
    
        # 计算token数量
        df.columns = ['title', 'text']
        df['n_tokens'] = df.text.apply(lambda x: len(tokenizer.encode(x)))
        # print(f'{df}')
        df = shorten_texts(df, 500)
    
        # 如果processed/embeddings.csv已经存在,直接load,不存在则create
        if os.path.exists('processed/embeddings.csv'):
            df = load_embeddings()
        else:
            df = create_embeddings(df)
    
        print(f"What is langchain? If you do not know please do not answer.")
        ans = answer_question(df, model='gpt-3.5-turbo', question="What is langchain? If you do not know please do not answer.", debug=False)
        print(f'ans:{ans}')
    
    
    if __name__ == '__main__':
        main()
    
    
    • 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
    • 200
    • 201
    • 202
    • 203
    • 204
    • 205
    • 206
    • 207
    • 208
    • 209
    • 210
    • 211
    • 212
    • 213
    • 214
    • 215
    • 216
    • 217
    • 218
    • 219
    • 220
    • 221
    • 222
    • 223
    • 224
    • 225
    • 226
    • 227
    • 228
    • 229
    • 230
    • 231
    • 232
    • 233
    • 234
    • 235

    代码流程与时序图的流程基本一致,注意api_key需要放入环境变量,也可以自己改动。

    如果直接问ChatGPT:What is langchain? If you do not know please do not answer.,ChatGPT会回答不知道:

    I’m sorry, but I don’t have any information on “langchain.” It appears to be a term that is not widely recognized or used in general knowledge.

    运行上面的代码,它可以给出答案:

    LangChain is a framework for developing applications powered by language models.

    可以看到它使用了我们提供的文档来回答。

    拓展

    • 注意token消耗,如果你的本地数据非常多,embedding阶段将会消耗非常多的token,请注意使用。
    • embedding阶段仍然会将本地数据传给ChatGPT,如果你有隐私需求,需要注意。
    • 一般生产环境会将向量结果存入「向量数据库」而不是本地文件,此处为了演示直接使用的文本文件存放。
  • 相关阅读:
    Google Earth Engine(GEE)——Sentinel-2数据你真的用对了吗?
    C#打包表情图片至Dll文件中供winform中调用
    input输入表头保存excel文件
    测试人生 | 毕业2年,拒绝独角兽入职名企大厂涨薪10万+,这个95后小姐姐好飒
    vue实战-产品详情页(轮播图、放大镜)
    第一次Java面试
    打家劫舍问题
    【团队协作】都2022年了,前后端合作开发还不使用Apifox?
    C程序函数调用&系统调用
    fiddler 手机抓包
  • 原文地址:https://blog.csdn.net/shanchuan2012/article/details/133012204