You cannot select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
openai-cookbook/examples/Search_reranking_with_cross...

818 lines
51 KiB
Plaintext

This file contains ambiguous Unicode characters!

This file contains ambiguous Unicode characters that may be confused with others in your current locale. If your use case is intentional and legitimate, you can safely ignore this warning. Use the Escape button to highlight these characters.

{
"cells": [
{
"cell_type": "markdown",
"id": "7f30b8b2",
"metadata": {},
"source": [
"# Search reranking with cross-encoders\n",
"\n",
"This notebook takes you through examples of using a cross-encoder to re-rank search results.\n",
"\n",
"This is a common use case with our customers, where you've implemented semantic search using embeddings (produced using a [bi-encoder](https://www.sbert.net/examples/applications/retrieve_rerank/README.html#retrieval-bi-encoder)) but the results are not as accurate as your use case requires. A possible cause is that there is some business rule you can use to rerank the documents such as how recent or how popular a document is. \n",
"\n",
"However, often there are subtle domain-specific rules that help determine relevancy, and this is where a cross-encoder can be useful. Cross-encoders are more accurate than bi-encoders but they don't scale well, so using them to re-order a shortened list returned by semantic search is the ideal use case.\n",
"\n",
"### Example\n",
"\n",
"Consider a search task with D documents and Q queries.\n",
"\n",
"The brute force approach of computing every pairwise relevance is expensive; its cost scales as ```D * Q```. This is known as **cross-encoding**.\n",
"\n",
"A faster approach is **embeddings-based search**, in which an embedding is computed once for each document and query, and then re-used multiple times to cheaply compute pairwise relevance. Because embeddings are only computed once, its cost scales as ```D + Q```. This is known as **bi-encoding**.\n",
"\n",
"Although embeddings-based search is faster, the quality can be worse. To get the best of both, one common approach is to use embeddings (or another bi-encoder) to cheaply identify top candidates, and then use GPT (or another cross-encoder) to expensively re-rank those top candidates. The cost of this hybrid approach scales as ```(D + Q) * cost of embedding + (N * Q) * cost of re-ranking```, where ```N``` is the number of candidates re-ranked.\n",
"\n",
"### Walkthrough\n",
"\n",
"To illustrate this approach we'll use ```text-davinci-003``` with ```logprobs``` enabled to build a GPT-powered cross-encoder. Our GPT models have strong general language understanding, which when tuned with some few-shot examples can provide a simple and effective cross-encoding option.\n",
"\n",
"This notebook drew on this great [article](https://weaviate.io/blog/cross-encoders-as-reranker) by Weaviate, and this [excellent explanation](https://www.sbert.net/examples/applications/cross-encoder/README.html) of bi-encoders vs. cross-encoders from Sentence Transformers."
]
},
{
"cell_type": "code",
"execution_count": null,
"id": "71cb361f",
"metadata": {},
"outputs": [],
"source": [
"!pip install openai\n",
"!pip install arxiv\n",
"!pip install tenacity\n",
"!pip install pandas\n",
"!pip install tiktoken"
]
},
{
"cell_type": "code",
"execution_count": 1,
"id": "90f3b829",
"metadata": {},
"outputs": [],
"source": [
"import arxiv\n",
"from math import exp\n",
"import openai\n",
"import os\n",
"import pandas as pd\n",
"from tenacity import retry, wait_random_exponential, stop_after_attempt\n",
"import tiktoken\n",
"\n",
"client = OpenAI(api_key=os.environ.get(\"OPENAI_API_KEY\", \"<your OpenAI API key if not set as env var>\"))\n",
"\n",
"OPENAI_MODEL = \"gpt-4\""
]
},
{
"cell_type": "markdown",
"id": "fdada886",
"metadata": {},
"source": [
"## Search\n",
"\n",
"We'll use the arXiv search service for this example, but this step could be performed by any search service you have. The key item to consider is over-fetching slightly to capture all the potentially relevant documents, before re-sorting them.\n"
]
},
{
"cell_type": "code",
"execution_count": 2,
"id": "bf16c893",
"metadata": {},
"outputs": [],
"source": [
"query = \"how do bi-encoders work for sentence embeddings\"\n",
"search = arxiv.Search(\n",
" query=query, max_results=20, sort_by=arxiv.SortCriterion.Relevance\n",
")"
]
},
{
"cell_type": "code",
"execution_count": 3,
"id": "4b020a1b",
"metadata": {},
"outputs": [],
"source": [
"result_list = []\n",
"\n",
"for result in search.results():\n",
" result_dict = {}\n",
"\n",
" result_dict.update({\"title\": result.title})\n",
" result_dict.update({\"summary\": result.summary})\n",
"\n",
" # Taking the first url provided\n",
" result_dict.update({\"article_url\": [x.href for x in result.links][0]})\n",
" result_dict.update({\"pdf_url\": [x.href for x in result.links][1]})\n",
" result_list.append(result_dict)"
]
},
{
"cell_type": "code",
"execution_count": 4,
"id": "4fdce882",
"metadata": {},
"outputs": [
{
"data": {
"text/plain": [
"{'title': 'SBERT studies Meaning Representations: Decomposing Sentence Embeddings into Explainable Semantic Features',\n",
" 'summary': 'Models based on large-pretrained language models, such as S(entence)BERT,\\nprovide effective and efficient sentence embeddings that show high correlation\\nto human similarity ratings, but lack interpretability. On the other hand,\\ngraph metrics for graph-based meaning representations (e.g., Abstract Meaning\\nRepresentation, AMR) can make explicit the semantic aspects in which two\\nsentences are similar. However, such metrics tend to be slow, rely on parsers,\\nand do not reach state-of-the-art performance when rating sentence similarity.\\n In this work, we aim at the best of both worlds, by learning to induce\\n$S$emantically $S$tructured $S$entence BERT embeddings (S$^3$BERT). Our\\nS$^3$BERT embeddings are composed of explainable sub-embeddings that emphasize\\nvarious semantic sentence features (e.g., semantic roles, negation, or\\nquantification). We show how to i) learn a decomposition of the sentence\\nembeddings into semantic features, through approximation of a suite of\\ninterpretable AMR graph metrics, and how to ii) preserve the overall power of\\nthe neural embeddings by controlling the decomposition learning process with a\\nsecond objective that enforces consistency with the similarity ratings of an\\nSBERT teacher model. In our experimental studies, we show that our approach\\noffers interpretability -- while fully preserving the effectiveness and\\nefficiency of the neural sentence embeddings.',\n",
" 'article_url': 'http://arxiv.org/abs/2206.07023v2',\n",
" 'pdf_url': 'http://arxiv.org/pdf/2206.07023v2'}"
]
},
"execution_count": 4,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"result_list[0]"
]
},
{
"cell_type": "code",
"execution_count": 5,
"id": "7e6abb5b",
"metadata": {},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"1: SBERT studies Meaning Representations: Decomposing Sentence Embeddings into Explainable Semantic Features\n",
"2: Are Classes Clusters?\n",
"3: Semantic Composition in Visually Grounded Language Models\n",
"4: Evaluating the Construct Validity of Text Embeddings with Application to Survey Questions\n",
"5: Learning Probabilistic Sentence Representations from Paraphrases\n",
"6: Exploiting Twitter as Source of Large Corpora of Weakly Similar Pairs for Semantic Sentence Embeddings\n",
"7: How to Probe Sentence Embeddings in Low-Resource Languages: On Structural Design Choices for Probing Task Evaluation\n",
"8: Clustering and Network Analysis for the Embedding Spaces of Sentences and Sub-Sentences\n",
"9: Vec2Sent: Probing Sentence Embeddings with Natural Language Generation\n",
"10: Non-Linguistic Supervision for Contrastive Learning of Sentence Embeddings\n",
"11: SentPWNet: A Unified Sentence Pair Weighting Network for Task-specific Sentence Embedding\n",
"12: Learning Joint Representations of Videos and Sentences with Web Image Search\n",
"13: Character-based Neural Networks for Sentence Pair Modeling\n",
"14: Train Once, Test Anywhere: Zero-Shot Learning for Text Classification\n",
"15: Hierarchical GPT with Congruent Transformers for Multi-Sentence Language Models\n",
"16: Sentence-T5: Scalable Sentence Encoders from Pre-trained Text-to-Text Models\n",
"17: In Search for Linear Relations in Sentence Embedding Spaces\n",
"18: Learning to Borrow -- Relation Representation for Without-Mention Entity-Pairs for Knowledge Graph Completion\n",
"19: Efficient and Flexible Topic Modeling using Pretrained Embeddings and Bag of Sentences\n",
"20: Relational Sentence Embedding for Flexible Semantic Matching\n"
]
}
],
"source": [
"for i, result in enumerate(result_list):\n",
" print(f\"{i + 1}: {result['title']}\")"
]
},
{
"cell_type": "markdown",
"id": "d5727678",
"metadata": {},
"source": [
"## Cross-encoder\n",
"\n",
"We'll create a cross-encoder using the ```Completions``` endpoint - the key factors to consider here are:\n",
"- Make your examples domain-specific - the strength of cross-encoders comes when you tailor them to your domain.\n",
"- There is a trade-off between how many potential examples to re-rank vs. processing speed. Consider batching and parallel processing cross-encoder requests to process them more quickly.\n",
"\n",
"The steps here are:\n",
"- Build a prompt to assess relevance and provide few-shot examples to tune it to your domain.\n",
"- Add a ```logit bias``` for the tokens for ``` Yes``` and ``` No``` to decrease the likelihood of any other tokens occurring.\n",
"- Return the classification of yes/no as well as the ```logprobs```.\n",
"- Rerank the results by the ```logprobs``` keyed on ``` Yes```."
]
},
{
"cell_type": "code",
"execution_count": 6,
"id": "ca634bf9",
"metadata": {},
"outputs": [
{
"data": {
"text/plain": [
"([3363], [1400])"
]
},
"execution_count": 6,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"tokens = [\" Yes\", \" No\"]\n",
"tokenizer = tiktoken.encoding_for_model(OPENAI_MODEL)\n",
"ids = [tokenizer.encode(token) for token in tokens]\n",
"ids[0], ids[1]"
]
},
{
"cell_type": "code",
"execution_count": 7,
"id": "4fdf8c11",
"metadata": {},
"outputs": [],
"source": [
"prompt = '''\n",
"You are an Assistant responsible for helping detect whether the retrieved document is relevant to the query. For a given input, you need to output a single token: \"Yes\" or \"No\" indicating the retrieved document is relevant to the query.\n",
"\n",
"Query: How to plant a tree?\n",
"Document: \"\"\"Cars were invented in 1886, when German inventor Carl Benz patented his Benz Patent-Motorwagen.[3][4][5] Cars became widely available during the 20th century. One of the first cars affordable by the masses was the 1908 Model T, an American car manufactured by the Ford Motor Company. Cars were rapidly adopted in the US, where they replaced horse-drawn carriages.[6] In Europe and other parts of the world, demand for automobiles did not increase until after World War II.[7] The car is considered an essential part of the developed economy.\"\"\"\n",
"Relevant: No\n",
"\n",
"Query: Has the coronavirus vaccine been approved?\n",
"Document: \"\"\"The Pfizer-BioNTech COVID-19 vaccine was approved for emergency use in the United States on December 11, 2020.\"\"\"\n",
"Relevant: Yes\n",
"\n",
"Query: What is the capital of France?\n",
"Document: \"\"\"Paris, France's capital, is a major European city and a global center for art, fashion, gastronomy and culture. Its 19th-century cityscape is crisscrossed by wide boulevards and the River Seine. Beyond such landmarks as the Eiffel Tower and the 12th-century, Gothic Notre-Dame cathedral, the city is known for its cafe culture and designer boutiques along the Rue du Faubourg Saint-Honoré.\"\"\"\n",
"Relevant: Yes\n",
"\n",
"Query: What are some papers to learn about PPO reinforcement learning?\n",
"Document: \"\"\"Proximal Policy Optimization and its Dynamic Version for Sequence Generation: In sequence generation task, many works use policy gradient for model optimization to tackle the intractable backpropagation issue when maximizing the non-differentiable evaluation metrics or fooling the discriminator in adversarial learning. In this paper, we replace policy gradient with proximal policy optimization (PPO), which is a proved more efficient reinforcement learning algorithm, and propose a dynamic approach for PPO (PPO-dynamic). We demonstrate the efficacy of PPO and PPO-dynamic on conditional sequence generation tasks including synthetic experiment and chit-chat chatbot. The results show that PPO and PPO-dynamic can beat policy gradient by stability and performance.\"\"\"\n",
"Relevant: Yes\n",
"\n",
"Query: Explain sentence embeddings\n",
"Document: \"\"\"Inside the bubble: exploring the environments of reionisation-era Lyman-α emitting galaxies with JADES and FRESCO: We present a study of the environments of 16 Lyman-α emitting galaxies (LAEs) in the reionisation era (5.8<z<8) identified by JWST/NIRSpec as part of the JWST Advanced Deep Extragalactic Survey (JADES). Unless situated in sufficiently (re)ionised regions, Lyman-α emission from these galaxies would be strongly absorbed by neutral gas in the intergalactic medium (IGM). We conservatively estimate sizes of the ionised regions required to reconcile the relatively low Lyman-α velocity offsets (ΔvLyα<300kms1) with moderately high Lyman-α escape fractions (fesc,Lyα>5%) observed in our sample of LAEs, indicating the presence of ionised ``bubbles'' with physical sizes of the order of 0.1pMpc≲Rion≲1pMpc in a patchy reionisation scenario where the bubbles are embedded in a fully neutral IGM. Around half of the LAEs in our sample are found to coincide with large-scale galaxy overdensities seen in FRESCO at z5.8-5.9 and z7.3, suggesting Lyman-α transmission is strongly enhanced in such overdense regions, and underlining the importance of LAEs as tracers of the first large-scale ionised bubbles. Considering only spectroscopically confirmed galaxies, we find our sample of UV-faint LAEs (MUV≳20mag) and their direct neighbours are generally not able to produce the required ionised regions based on the Lyman-α transmission properties, suggesting lower-luminosity sources likely play an important role in carving out these bubbles. These observations demonstrate the combined power of JWST multi-object and slitless spectroscopy in acquiring a unique view of the early stages of Cosmic Reionisation via the most distant LAEs.\"\"\"\n",
"Relevant: No\n",
"\n",
"Query: {query}\n",
"Document: \"\"\"{document}\"\"\"\n",
"Relevant:\n",
"'''\n",
"\n",
"\n",
"@retry(wait=wait_random_exponential(min=1, max=40), stop=stop_after_attempt(3))\n",
"def document_relevance(query, document):\n",
" response = openai.chat.completions.create(\n",
" model=\"text-davinci-003\",\n",
" message=prompt.format(query=query, document=document),\n",
" temperature=0,\n",
" logprobs=True,\n",
" logit_bias={3363: 1, 1400: 1},\n",
" )\n",
"\n",
" return (\n",
" query,\n",
" document,\n",
" response.choices[0].message.content,\n",
" response.choices[0].logprobs.token_logprobs[0],\n",
" )"
]
},
{
"cell_type": "code",
"execution_count": 8,
"id": "753cd363",
"metadata": {},
"outputs": [],
"source": [
"content = result_list[0][\"title\"] + \": \" + result_list[0][\"summary\"]\n",
"\n",
"# Set logprobs to 1 so our response will include the most probable token the model identified\n",
"response = openai.chat.completions.create(\n",
" model=OPENAI_MODEL,\n",
" prompt=prompt.format(query=query, document=content),\n",
" temperature=0,\n",
" logprobs=1,\n",
" logit_bias={3363: 1, 1400: 1},\n",
" max_tokens=1,\n",
")"
]
},
{
"cell_type": "code",
"execution_count": 9,
"id": "7efef2fe",
"metadata": {},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"Result was Yes\n",
"Logprobs was -0.05869877\n",
"\n",
"Below is the full logprobs object\n",
"\n",
"\n",
"{\n",
" \"tokens\": [\n",
" \"Yes\"\n",
" ],\n",
" \"token_logprobs\": [\n",
" -0.05869877\n",
" ],\n",
" \"top_logprobs\": [\n",
" {\n",
" \"Yes\": -0.05869877\n",
" }\n",
" ],\n",
" \"text_offset\": [\n",
" 5764\n",
" ]\n",
"}\n"
]
}
],
"source": [
"result = response.choices[0]\n",
"print(f\"Result was {result.message.content}\")\n",
"print(f\"Logprobs was {result.logprobs.token_logprobs[0]}\")\n",
"print(\"\\nBelow is the full logprobs object\\n\\n\")\n",
"print(result[\"logprobs\"])"
]
},
{
"cell_type": "code",
"execution_count": 10,
"id": "7683b6f7",
"metadata": {},
"outputs": [],
"source": [
"output_list = []\n",
"for x in result_list:\n",
" content = x[\"title\"] + \": \" + x[\"summary\"]\n",
"\n",
" try:\n",
" output_list.append(document_relevance(query, document=content))\n",
"\n",
" except Exception as e:\n",
" print(e)"
]
},
{
"cell_type": "code",
"execution_count": 11,
"id": "57576313",
"metadata": {},
"outputs": [
{
"data": {
"text/plain": [
"[('how do bi-encoders work for sentence embeddings',\n",
" 'SBERT studies Meaning Representations: Decomposing Sentence Embeddings into Explainable Semantic Features: Models based on large-pretrained language models, such as S(entence)BERT,\\nprovide effective and efficient sentence embeddings that show high correlation\\nto human similarity ratings, but lack interpretability. On the other hand,\\ngraph metrics for graph-based meaning representations (e.g., Abstract Meaning\\nRepresentation, AMR) can make explicit the semantic aspects in which two\\nsentences are similar. However, such metrics tend to be slow, rely on parsers,\\nand do not reach state-of-the-art performance when rating sentence similarity.\\n In this work, we aim at the best of both worlds, by learning to induce\\n$S$emantically $S$tructured $S$entence BERT embeddings (S$^3$BERT). Our\\nS$^3$BERT embeddings are composed of explainable sub-embeddings that emphasize\\nvarious semantic sentence features (e.g., semantic roles, negation, or\\nquantification). We show how to i) learn a decomposition of the sentence\\nembeddings into semantic features, through approximation of a suite of\\ninterpretable AMR graph metrics, and how to ii) preserve the overall power of\\nthe neural embeddings by controlling the decomposition learning process with a\\nsecond objective that enforces consistency with the similarity ratings of an\\nSBERT teacher model. In our experimental studies, we show that our approach\\noffers interpretability -- while fully preserving the effectiveness and\\nefficiency of the neural sentence embeddings.',\n",
" 'Yes',\n",
" -0.05326408),\n",
" ('how do bi-encoders work for sentence embeddings',\n",
" 'Are Classes Clusters?: Sentence embedding models aim to provide general purpose embeddings for\\nsentences. Most of the models studied in this paper claim to perform well on\\nSTS tasks - but they do not report on their suitability for clustering. This\\npaper looks at four recent sentence embedding models (Universal Sentence\\nEncoder (Cer et al., 2018), Sentence-BERT (Reimers and Gurevych, 2019), LASER\\n(Artetxe and Schwenk, 2019), and DeCLUTR (Giorgi et al., 2020)). It gives a\\nbrief overview of the ideas behind their implementations. It then investigates\\nhow well topic classes in two text classification datasets (Amazon Reviews (Ni\\net al., 2019) and News Category Dataset (Misra, 2018)) map to clusters in their\\ncorresponding sentence embedding space. While the performance of the resulting\\nclassification model is far from perfect, it is better than random. This is\\ninteresting because the classification model has been constructed in an\\nunsupervised way. The topic classes in these real life topic classification\\ndatasets can be partly reconstructed by clustering the corresponding sentence\\nembeddings.',\n",
" 'No',\n",
" -0.009535169),\n",
" ('how do bi-encoders work for sentence embeddings',\n",
" \"Semantic Composition in Visually Grounded Language Models: What is sentence meaning and its ideal representation? Much of the expressive\\npower of human language derives from semantic composition, the mind's ability\\nto represent meaning hierarchically & relationally over constituents. At the\\nsame time, much sentential meaning is outside the text and requires grounding\\nin sensory, motor, and experiential modalities to be adequately learned.\\nAlthough large language models display considerable compositional ability,\\nrecent work shows that visually-grounded language models drastically fail to\\nrepresent compositional structure. In this thesis, we explore whether & how\\nmodels compose visually grounded semantics, and how we might improve their\\nability to do so.\\n Specifically, we introduce 1) WinogroundVQA, a new compositional visual\\nquestion answering benchmark, 2) Syntactic Neural Module Distillation, a\\nmeasure of compositional ability in sentence embedding models, 3) Causal\\nTracing for Image Captioning Models to locate neural representations vital for\\nvision-language composition, 4) Syntactic MeanPool to inject a compositional\\ninductive bias into sentence embeddings, and 5) Cross-modal Attention\\nCongruence Regularization, a self-supervised objective function for\\nvision-language relation alignment. We close by discussing connections of our\\nwork to neuroscience, psycholinguistics, formal semantics, and philosophy.\",\n",
" 'No',\n",
" -0.008887106),\n",
" ('how do bi-encoders work for sentence embeddings',\n",
" \"Evaluating the Construct Validity of Text Embeddings with Application to Survey Questions: Text embedding models from Natural Language Processing can map text data\\n(e.g. words, sentences, documents) to supposedly meaningful numerical\\nrepresentations (a.k.a. text embeddings). While such models are increasingly\\napplied in social science research, one important issue is often not addressed:\\nthe extent to which these embeddings are valid representations of constructs\\nrelevant for social science research. We therefore propose the use of the\\nclassic construct validity framework to evaluate the validity of text\\nembeddings. We show how this framework can be adapted to the opaque and\\nhigh-dimensional nature of text embeddings, with application to survey\\nquestions. We include several popular text embedding methods (e.g. fastText,\\nGloVe, BERT, Sentence-BERT, Universal Sentence Encoder) in our construct\\nvalidity analyses. We find evidence of convergent and discriminant validity in\\nsome cases. We also show that embeddings can be used to predict respondent's\\nanswers to completely new survey questions. Furthermore, BERT-based embedding\\ntechniques and the Universal Sentence Encoder provide more valid\\nrepresentations of survey questions than do others. Our results thus highlight\\nthe necessity to examine the construct validity of text embeddings before\\ndeploying them in social science research.\",\n",
" 'No',\n",
" -0.008583762),\n",
" ('how do bi-encoders work for sentence embeddings',\n",
" 'Learning Probabilistic Sentence Representations from Paraphrases: Probabilistic word embeddings have shown effectiveness in capturing notions\\nof generality and entailment, but there is very little work on doing the\\nanalogous type of investigation for sentences. In this paper we define\\nprobabilistic models that produce distributions for sentences. Our\\nbest-performing model treats each word as a linear transformation operator\\napplied to a multivariate Gaussian distribution. We train our models on\\nparaphrases and demonstrate that they naturally capture sentence specificity.\\nWhile our proposed model achieves the best performance overall, we also show\\nthat specificity is represented by simpler architectures via the norm of the\\nsentence vectors. Qualitative analysis shows that our probabilistic model\\ncaptures sentential entailment and provides ways to analyze the specificity and\\npreciseness of individual words.',\n",
" 'No',\n",
" -0.011975748),\n",
" ('how do bi-encoders work for sentence embeddings',\n",
" \"Exploiting Twitter as Source of Large Corpora of Weakly Similar Pairs for Semantic Sentence Embeddings: Semantic sentence embeddings are usually supervisedly built minimizing\\ndistances between pairs of embeddings of sentences labelled as semantically\\nsimilar by annotators. Since big labelled datasets are rare, in particular for\\nnon-English languages, and expensive, recent studies focus on unsupervised\\napproaches that require not-paired input sentences. We instead propose a\\nlanguage-independent approach to build large datasets of pairs of informal\\ntexts weakly similar, without manual human effort, exploiting Twitter's\\nintrinsic powerful signals of relatedness: replies and quotes of tweets. We use\\nthe collected pairs to train a Transformer model with triplet-like structures,\\nand we test the generated embeddings on Twitter NLP similarity tasks (PIT and\\nTURL) and STSb. We also introduce four new sentence ranking evaluation\\nbenchmarks of informal texts, carefully extracted from the initial collections\\nof tweets, proving not only that our best model learns classical Semantic\\nTextual Similarity, but also excels on tasks where pairs of sentences are not\\nexact paraphrases. Ablation studies reveal how increasing the corpus size\\ninfluences positively the results, even at 2M samples, suggesting that bigger\\ncollections of Tweets still do not contain redundant information about semantic\\nsimilarities.\",\n",
" 'No',\n",
" -0.01219046),\n",
" ('how do bi-encoders work for sentence embeddings',\n",
" \"How to Probe Sentence Embeddings in Low-Resource Languages: On Structural Design Choices for Probing Task Evaluation: Sentence encoders map sentences to real valued vectors for use in downstream\\napplications. To peek into these representations - e.g., to increase\\ninterpretability of their results - probing tasks have been designed which\\nquery them for linguistic knowledge. However, designing probing tasks for\\nlesser-resourced languages is tricky, because these often lack large-scale\\nannotated data or (high-quality) dependency parsers as a prerequisite of\\nprobing task design in English. To investigate how to probe sentence embeddings\\nin such cases, we investigate sensitivity of probing task results to structural\\ndesign choices, conducting the first such large scale study. We show that\\ndesign choices like size of the annotated probing dataset and type of\\nclassifier used for evaluation do (sometimes substantially) influence probing\\noutcomes. We then probe embeddings in a multilingual setup with design choices\\nthat lie in a 'stable region', as we identify for English, and find that\\nresults on English do not transfer to other languages. Fairer and more\\ncomprehensive sentence-level probing evaluation should thus be carried out on\\nmultiple languages in the future.\",\n",
" 'No',\n",
" -0.015550519),\n",
" ('how do bi-encoders work for sentence embeddings',\n",
" 'Clustering and Network Analysis for the Embedding Spaces of Sentences and Sub-Sentences: Sentence embedding methods offer a powerful approach for working with short\\ntextual constructs or sequences of words. By representing sentences as dense\\nnumerical vectors, many natural language processing (NLP) applications have\\nimproved their performance. However, relatively little is understood about the\\nlatent structure of sentence embeddings. Specifically, research has not\\naddressed whether the length and structure of sentences impact the sentence\\nembedding space and topology. This paper reports research on a set of\\ncomprehensive clustering and network analyses targeting sentence and\\nsub-sentence embedding spaces. Results show that one method generates the most\\nclusterable embeddings. In general, the embeddings of span sub-sentences have\\nbetter clustering properties than the original sentences. The results have\\nimplications for future sentence embedding models and applications.',\n",
" 'No',\n",
" -0.012663184),\n",
" ('how do bi-encoders work for sentence embeddings',\n",
" 'Vec2Sent: Probing Sentence Embeddings with Natural Language Generation: We introspect black-box sentence embeddings by conditionally generating from\\nthem with the objective to retrieve the underlying discrete sentence. We\\nperceive of this as a new unsupervised probing task and show that it correlates\\nwell with downstream task performance. We also illustrate how the language\\ngenerated from different encoders differs. We apply our approach to generate\\nsentence analogies from sentence embeddings.',\n",
" 'Yes',\n",
" -0.004863006),\n",
" ('how do bi-encoders work for sentence embeddings',\n",
" 'Non-Linguistic Supervision for Contrastive Learning of Sentence Embeddings: Semantic representation learning for sentences is an important and\\nwell-studied problem in NLP. The current trend for this task involves training\\na Transformer-based sentence encoder through a contrastive objective with text,\\ni.e., clustering sentences with semantically similar meanings and scattering\\nothers. In this work, we find the performance of Transformer models as sentence\\nencoders can be improved by training with multi-modal multi-task losses, using\\nunpaired examples from another modality (e.g., sentences and unrelated\\nimage/audio data). In particular, besides learning by the contrastive loss on\\ntext, our model clusters examples from a non-linguistic domain (e.g.,\\nvisual/audio) with a similar contrastive loss at the same time. The reliance of\\nour framework on unpaired non-linguistic data makes it language-agnostic,\\nenabling it to be widely applicable beyond English NLP. Experiments on 7\\nsemantic textual similarity benchmarks reveal that models trained with the\\nadditional non-linguistic (/images/audio) contrastive objective lead to higher\\nquality sentence embeddings. This indicates that Transformer models are able to\\ngeneralize better by doing a similar task (i.e., clustering) with unpaired\\nexamples from different modalities in a multi-task fashion.',\n",
" 'No',\n",
" -0.013869206)]"
]
},
"execution_count": 11,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"output_list[:10]"
]
},
{
"cell_type": "code",
"execution_count": 12,
"id": "29a4dc08",
"metadata": {},
"outputs": [
{
"data": {
"text/html": [
"<div>\n",
"<style scoped>\n",
" .dataframe tbody tr th:only-of-type {\n",
" vertical-align: middle;\n",
" }\n",
"\n",
" .dataframe tbody tr th {\n",
" vertical-align: top;\n",
" }\n",
"\n",
" .dataframe thead th {\n",
" text-align: right;\n",
" }\n",
"</style>\n",
"<table border=\"1\" class=\"dataframe\">\n",
" <thead>\n",
" <tr style=\"text-align: right;\">\n",
" <th></th>\n",
" <th>index</th>\n",
" <th>query</th>\n",
" <th>document</th>\n",
" <th>prediction</th>\n",
" <th>logprobs</th>\n",
" <th>probability</th>\n",
" <th>yes_probability</th>\n",
" </tr>\n",
" </thead>\n",
" <tbody>\n",
" <tr>\n",
" <th>0</th>\n",
" <td>0</td>\n",
" <td>how do bi-encoders work for sentence embeddings</td>\n",
" <td>SBERT studies Meaning Representations: Decompo...</td>\n",
" <td>Yes</td>\n",
" <td>-0.053264</td>\n",
" <td>0.948130</td>\n",
" <td>0.948130</td>\n",
" </tr>\n",
" <tr>\n",
" <th>1</th>\n",
" <td>1</td>\n",
" <td>how do bi-encoders work for sentence embeddings</td>\n",
" <td>Are Classes Clusters?: Sentence embedding mode...</td>\n",
" <td>No</td>\n",
" <td>-0.009535</td>\n",
" <td>0.990510</td>\n",
" <td>0.009490</td>\n",
" </tr>\n",
" <tr>\n",
" <th>2</th>\n",
" <td>2</td>\n",
" <td>how do bi-encoders work for sentence embeddings</td>\n",
" <td>Semantic Composition in Visually Grounded Lang...</td>\n",
" <td>No</td>\n",
" <td>-0.008887</td>\n",
" <td>0.991152</td>\n",
" <td>0.008848</td>\n",
" </tr>\n",
" <tr>\n",
" <th>3</th>\n",
" <td>3</td>\n",
" <td>how do bi-encoders work for sentence embeddings</td>\n",
" <td>Evaluating the Construct Validity of Text Embe...</td>\n",
" <td>No</td>\n",
" <td>-0.008584</td>\n",
" <td>0.991453</td>\n",
" <td>0.008547</td>\n",
" </tr>\n",
" <tr>\n",
" <th>4</th>\n",
" <td>4</td>\n",
" <td>how do bi-encoders work for sentence embeddings</td>\n",
" <td>Learning Probabilistic Sentence Representation...</td>\n",
" <td>No</td>\n",
" <td>-0.011976</td>\n",
" <td>0.988096</td>\n",
" <td>0.011904</td>\n",
" </tr>\n",
" </tbody>\n",
"</table>\n",
"</div>"
],
"text/plain": [
" index query \\\n",
"0 0 how do bi-encoders work for sentence embeddings \n",
"1 1 how do bi-encoders work for sentence embeddings \n",
"2 2 how do bi-encoders work for sentence embeddings \n",
"3 3 how do bi-encoders work for sentence embeddings \n",
"4 4 how do bi-encoders work for sentence embeddings \n",
"\n",
" document prediction logprobs \\\n",
"0 SBERT studies Meaning Representations: Decompo... Yes -0.053264 \n",
"1 Are Classes Clusters?: Sentence embedding mode... No -0.009535 \n",
"2 Semantic Composition in Visually Grounded Lang... No -0.008887 \n",
"3 Evaluating the Construct Validity of Text Embe... No -0.008584 \n",
"4 Learning Probabilistic Sentence Representation... No -0.011976 \n",
"\n",
" probability yes_probability \n",
"0 0.948130 0.948130 \n",
"1 0.990510 0.009490 \n",
"2 0.991152 0.008848 \n",
"3 0.991453 0.008547 \n",
"4 0.988096 0.011904 "
]
},
"execution_count": 12,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"output_df = pd.DataFrame(\n",
" output_list, columns=[\"query\", \"document\", \"prediction\", \"logprobs\"]\n",
").reset_index()\n",
"# Use exp() to convert logprobs into probability\n",
"output_df[\"probability\"] = output_df[\"logprobs\"].apply(exp)\n",
"# Reorder based on likelihood of being Yes\n",
"output_df[\"yes_probability\"] = output_df.apply(\n",
" lambda x: x[\"probability\"] * -1 + 1\n",
" if x[\"prediction\"] == \"No\"\n",
" else x[\"probability\"],\n",
" axis=1,\n",
")\n",
"output_df.head()"
]
},
{
"cell_type": "code",
"execution_count": 13,
"id": "a647f120",
"metadata": {},
"outputs": [
{
"data": {
"text/html": [
"<div>\n",
"<style scoped>\n",
" .dataframe tbody tr th:only-of-type {\n",
" vertical-align: middle;\n",
" }\n",
"\n",
" .dataframe tbody tr th {\n",
" vertical-align: top;\n",
" }\n",
"\n",
" .dataframe thead th {\n",
" text-align: right;\n",
" }\n",
"</style>\n",
"<table border=\"1\" class=\"dataframe\">\n",
" <thead>\n",
" <tr style=\"text-align: right;\">\n",
" <th></th>\n",
" <th>level_0</th>\n",
" <th>index</th>\n",
" <th>query</th>\n",
" <th>document</th>\n",
" <th>prediction</th>\n",
" <th>logprobs</th>\n",
" <th>probability</th>\n",
" <th>yes_probability</th>\n",
" </tr>\n",
" </thead>\n",
" <tbody>\n",
" <tr>\n",
" <th>0</th>\n",
" <td>16</td>\n",
" <td>16</td>\n",
" <td>how do bi-encoders work for sentence embeddings</td>\n",
" <td>In Search for Linear Relations in Sentence Emb...</td>\n",
" <td>Yes</td>\n",
" <td>-0.004824</td>\n",
" <td>0.995187</td>\n",
" <td>0.995187</td>\n",
" </tr>\n",
" <tr>\n",
" <th>1</th>\n",
" <td>8</td>\n",
" <td>8</td>\n",
" <td>how do bi-encoders work for sentence embeddings</td>\n",
" <td>Vec2Sent: Probing Sentence Embeddings with Nat...</td>\n",
" <td>Yes</td>\n",
" <td>-0.004863</td>\n",
" <td>0.995149</td>\n",
" <td>0.995149</td>\n",
" </tr>\n",
" <tr>\n",
" <th>2</th>\n",
" <td>19</td>\n",
" <td>19</td>\n",
" <td>how do bi-encoders work for sentence embeddings</td>\n",
" <td>Relational Sentence Embedding for Flexible Sem...</td>\n",
" <td>Yes</td>\n",
" <td>-0.038814</td>\n",
" <td>0.961930</td>\n",
" <td>0.961930</td>\n",
" </tr>\n",
" <tr>\n",
" <th>3</th>\n",
" <td>0</td>\n",
" <td>0</td>\n",
" <td>how do bi-encoders work for sentence embeddings</td>\n",
" <td>SBERT studies Meaning Representations: Decompo...</td>\n",
" <td>Yes</td>\n",
" <td>-0.053264</td>\n",
" <td>0.948130</td>\n",
" <td>0.948130</td>\n",
" </tr>\n",
" <tr>\n",
" <th>4</th>\n",
" <td>15</td>\n",
" <td>15</td>\n",
" <td>how do bi-encoders work for sentence embeddings</td>\n",
" <td>Sentence-T5: Scalable Sentence Encoders from P...</td>\n",
" <td>No</td>\n",
" <td>-0.291893</td>\n",
" <td>0.746849</td>\n",
" <td>0.253151</td>\n",
" </tr>\n",
" <tr>\n",
" <th>5</th>\n",
" <td>6</td>\n",
" <td>6</td>\n",
" <td>how do bi-encoders work for sentence embeddings</td>\n",
" <td>How to Probe Sentence Embeddings in Low-Resour...</td>\n",
" <td>No</td>\n",
" <td>-0.015551</td>\n",
" <td>0.984570</td>\n",
" <td>0.015430</td>\n",
" </tr>\n",
" <tr>\n",
" <th>6</th>\n",
" <td>18</td>\n",
" <td>18</td>\n",
" <td>how do bi-encoders work for sentence embeddings</td>\n",
" <td>Efficient and Flexible Topic Modeling using Pr...</td>\n",
" <td>No</td>\n",
" <td>-0.015296</td>\n",
" <td>0.984820</td>\n",
" <td>0.015180</td>\n",
" </tr>\n",
" <tr>\n",
" <th>7</th>\n",
" <td>9</td>\n",
" <td>9</td>\n",
" <td>how do bi-encoders work for sentence embeddings</td>\n",
" <td>Non-Linguistic Supervision for Contrastive Lea...</td>\n",
" <td>No</td>\n",
" <td>-0.013869</td>\n",
" <td>0.986227</td>\n",
" <td>0.013773</td>\n",
" </tr>\n",
" <tr>\n",
" <th>8</th>\n",
" <td>12</td>\n",
" <td>12</td>\n",
" <td>how do bi-encoders work for sentence embeddings</td>\n",
" <td>Character-based Neural Networks for Sentence P...</td>\n",
" <td>No</td>\n",
" <td>-0.012866</td>\n",
" <td>0.987216</td>\n",
" <td>0.012784</td>\n",
" </tr>\n",
" <tr>\n",
" <th>9</th>\n",
" <td>7</td>\n",
" <td>7</td>\n",
" <td>how do bi-encoders work for sentence embeddings</td>\n",
" <td>Clustering and Network Analysis for the Embedd...</td>\n",
" <td>No</td>\n",
" <td>-0.012663</td>\n",
" <td>0.987417</td>\n",
" <td>0.012583</td>\n",
" </tr>\n",
" </tbody>\n",
"</table>\n",
"</div>"
],
"text/plain": [
" level_0 index query \\\n",
"0 16 16 how do bi-encoders work for sentence embeddings \n",
"1 8 8 how do bi-encoders work for sentence embeddings \n",
"2 19 19 how do bi-encoders work for sentence embeddings \n",
"3 0 0 how do bi-encoders work for sentence embeddings \n",
"4 15 15 how do bi-encoders work for sentence embeddings \n",
"5 6 6 how do bi-encoders work for sentence embeddings \n",
"6 18 18 how do bi-encoders work for sentence embeddings \n",
"7 9 9 how do bi-encoders work for sentence embeddings \n",
"8 12 12 how do bi-encoders work for sentence embeddings \n",
"9 7 7 how do bi-encoders work for sentence embeddings \n",
"\n",
" document prediction logprobs \\\n",
"0 In Search for Linear Relations in Sentence Emb... Yes -0.004824 \n",
"1 Vec2Sent: Probing Sentence Embeddings with Nat... Yes -0.004863 \n",
"2 Relational Sentence Embedding for Flexible Sem... Yes -0.038814 \n",
"3 SBERT studies Meaning Representations: Decompo... Yes -0.053264 \n",
"4 Sentence-T5: Scalable Sentence Encoders from P... No -0.291893 \n",
"5 How to Probe Sentence Embeddings in Low-Resour... No -0.015551 \n",
"6 Efficient and Flexible Topic Modeling using Pr... No -0.015296 \n",
"7 Non-Linguistic Supervision for Contrastive Lea... No -0.013869 \n",
"8 Character-based Neural Networks for Sentence P... No -0.012866 \n",
"9 Clustering and Network Analysis for the Embedd... No -0.012663 \n",
"\n",
" probability yes_probability \n",
"0 0.995187 0.995187 \n",
"1 0.995149 0.995149 \n",
"2 0.961930 0.961930 \n",
"3 0.948130 0.948130 \n",
"4 0.746849 0.253151 \n",
"5 0.984570 0.015430 \n",
"6 0.984820 0.015180 \n",
"7 0.986227 0.013773 \n",
"8 0.987216 0.012784 \n",
"9 0.987417 0.012583 "
]
},
"execution_count": 13,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"# Return reranked results\n",
"reranked_df = output_df.sort_values(\n",
" by=[\"yes_probability\"], ascending=False\n",
").reset_index()\n",
"reranked_df.head(10)"
]
},
{
"cell_type": "code",
"execution_count": 14,
"id": "610b2c7f",
"metadata": {},
"outputs": [
{
"data": {
"text/plain": [
"'In Search for Linear Relations in Sentence Embedding Spaces: We present an introductory investigation into continuous-space vector\\nrepresentations of sentences. We acquire pairs of very similar sentences\\ndiffering only by a small alterations (such as change of a noun, adding an\\nadjective, noun or punctuation) from datasets for natural language inference\\nusing a simple pattern method. We look into how such a small change within the\\nsentence text affects its representation in the continuous space and how such\\nalterations are reflected by some of the popular sentence embedding models. We\\nfound that vector differences of some embeddings actually reflect small changes\\nwithin a sentence.'"
]
},
"execution_count": 14,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"# Inspect our new top document following reranking\n",
"reranked_df[\"document\"][0]"
]
},
{
"cell_type": "markdown",
"id": "f372d311",
"metadata": {},
"source": [
"## Conclusion\n",
"\n",
"We've shown how to create a tailored cross-encoder to rerank academic papers. This approach will work best where there are domain-specific nuances that can be used to pick the most relevant corpus for your users, and where some pre-filtering has taken place to limit the amount of data the cross-encoder will need to process. \n",
"\n",
"A few typical use cases we've seen are:\n",
"- Returning a list of 100 most relevant stock reports, then re-ordering into a top 5 or 10 based on the detailed context of a particular set of customer portfolios\n",
"- Running after a classic rules-based search that gets the top 100 or 1000 most relevant results to prune it according to a specific user's context\n",
"\n",
"\n",
"### Taking this forward\n",
"\n",
"Taking the few-shot approach, as we have here, can work well when the domain is general enough that a small number of examples will cover most reranking cases. However, as the differences between documents become more specific you may want to consider the ```Fine-tuning``` endpoint to make a more elaborate cross-encoder with a wider variety of examples.\n",
"\n",
"There is also a latency impact of using ```text-davinci-003``` that you'll need to consider, with even our few examples above taking a couple seconds each - again, the ```Fine-tuning``` endpoint may help you here if you are able to get decent results from an ```ada``` or ```babbage``` fine-tuned model.\n",
"\n",
"We've used the ```Completions``` endpoint from OpenAI to build our cross-encoder, but this area is well-served by the open-source community. [Here](https://huggingface.co/jeffwan/mmarco-mMiniLMv2-L12-H384-v1) is an example from HuggingFace, for example.\n",
"\n",
"We hope you find this useful for tuning your search use cases, and look forward to seeing what you build."
]
}
],
"metadata": {
"kernelspec": {
"display_name": "openai_test",
"language": "python",
"name": "openai_test"
},
"language_info": {
"codemirror_mode": {
"name": "ipython",
"version": 3
},
"file_extension": ".py",
"mimetype": "text/x-python",
"name": "python",
"nbconvert_exporter": "python",
"pygments_lexer": "ipython3",
"version": "3.10.11"
}
},
"nbformat": 4,
"nbformat_minor": 5
}