Tutorial: Creating a Custom RegexBooster Component

Write your own component, upload it to deepset Cloud, and use it in your pipelines. In this tutorial, you'll create a RegexBooster component that adjusts document scores based on regex patterns. You'll then learn how to add it to your pipelines.

  • Level: Intermediate
  • Time to complete: 20 minutes
  • Prerequisites:
    • Good knowledge of Python.
    • Basic knowledge of regular expressions.
    • Understanding of how components and pipelines work. Read the following resources:
    • A GitHub account and basic knowledge of working with GitHub repositories.
    • deepset Cloud API key. For instructions, see Generate an API Key
  • Goal: After completing this tutorial, you'll have created a custom component that boosts document scores based on regex patterns. You'll then have uploaded this component to your deepset Cloud workspace and added it to a pipeline.

Prepare the Custom Components Template

You'll create the component using a template we provide. First, we need to prepare it.

  1. Fork the dc-custom-component-template GitHub repository.
  2. Clone the forked repository to your local machine.
  3. Navigate to the ./dc-custom-component-template/src/dc_custom_component/example_components/ directory.
  4. Delete the preprocessors folder.
  5. Rename the example_componentsfolder to custom_components and open it.
    The forked repo should now have the following structure: ./dc-custom-component-template/src/dc_custom_component/custom_components/rankers/.
  6. Open the rankers folder and rename the keyword_booster.py file to regex_booster.py.

Result: Your template now has the following structure:

dc-custom-component-template/
├── src/
│   └── dc_custom_component/
│       └── custom_components/
│           ├── __about__.py
│           ├── __init__.py
│           └── rankers/
│               └── regex_booster.py
├── pyproject.toml
├── readme.md
└── tests/

Set Up a Virtual Environment

  1. Install Hatch by running: pip install hatch.
  2. In your terminal, navigate to the root directory (./dc-custom-component-template) of your cloned repository.
  3. Create a virtual environment by running: hatch shell.

Result: The virtual environment is running.

Implement RegexBooster

  1. Open the ./dc-custom-component-template/src/dc_custom_component/custom_components/rankers/regex_booster.py file.

  2. Paste the following code replacing all the file contents, and save the file.

    import re
    from typing import Dict, List
    from haystack import component, Document
    
    @component
    class RegexBooster:
        r"""
        A component for boosting document scores based on regex patterns.
    
        This component adjusts the scores of documents based on whether their content
        matches specified regular expression patterns. After adjusting scores, it
        sorts the documents in descending order of their new scores. 
    
        Note:
            - Regex matching is case-insensitive by default.
            - Multiple regex patterns can match a single document, in which case
              the boosts are multiplied together.
            - Documents that don't match any patterns keep their original score.
            - The component assumes documents already have a 'score' attribute.
              Documents without a score are treated as having a score of 0.
    
        Example:
            ```python
            booster = RegexBooster({
                r"\bpython\b": 1.5,       # Boost documents mentioning "python" by 50%
                r"machine\s+learning": 1.3,  # Boost "machine learning" by 30%
                r"\bsql\b": 0.8,          # Reduce score for documents mentioning "sql" by 20%
            })
            ```
        In this example, a document containing both "python" and "machine learning"
        would have its score multiplied by 1.5 * 1.3 = 1.95, effectively boosting
        it by 95%.
        """
    
        def __init__(self, regex_boosts: Dict[str, float]):
            self.regex_boosts = {re.compile(k, re.IGNORECASE): v for k, v in regex_boosts.items()}
            """
            Initialize the component.
            
            :param regex_boosts: A dictionary where:
                - Keys are string representations of regular expression patterns.
                - Values are float numbers representing the boost factor.
    
                The boost factor must be greater than 1.0 to increase the score,
                or between 0 and 1 to decrease it. A boost of exactly 1.0 will
                have no effect.
            """
    
        @component.output_types(documents=List[Document])
        def run(self, documents: List[Document]) -> Dict[str, List[Document]]:
            """
            Apply regex-based score boosting to the input documents.
    
            :param documents: The list of documents to process.
    
            Returns: A dictionary with a single key 'documents',
                containing the list of processed documents, sorted by their new scores.
            """
            for regex, boost in self.regex_boosts.items():
                for doc in documents:
                    if doc.score is not None and regex.search(doc.content):
                        doc.score *= boost
    
            documents = sorted(documents, key=lambda x: x.score or 0, reverse=True)
    
            return {"documents": documents}
    

Or follow this recipe for a step-by-step explanation of the code.

  1. Format your code by running hatch run code-quality:all from the project root directory.
  2. Update RegexBooster version:
    1. Open the file ./dc-custom-component-template/src/dc_custom_component/__about__.py..
    2. Change the version to __version__ = "1.0.0".

Result: The Python implementation for the RegexBooster component is now in the regex_booster.py file, the code is formatted, and the component version is updated.

Add Tests

  1. Open the ./dc-custom-component-template/tests folder.

  2. Create a file called test_regex_booster.py.

  3. Paste this code into this file and save it:

    import pytest
    from typing import List, Dict, Any
    from haystack import component, Document, Pipeline
    from haystack.components.joiners import DocumentJoiner
    from dc_custom_component.custom_components.rankers.regex_booster import RegexBooster
    
    # Unit Tests
    
    def test_regex_booster_initialization():
        booster = RegexBooster({"pattern": 1.5})
        assert len(booster.regex_boosts) == 1
        assert list(booster.regex_boosts.values())[0] == 1.5
    
    def test_regex_booster_case_insensitivity():
        booster = RegexBooster({r"\bPython\b": 1.5})
        doc = Document(content="python is great", score=1.0)
        result = booster.run(documents=[doc])
        assert result["documents"][0].score == 1.5
    
    def test_regex_booster_multiple_patterns():
        booster = RegexBooster({r"\bPython\b": 1.5, r"\bgreat\b": 1.2})
        doc = Document(content="Python is great", score=1.0)
        result = booster.run(documents=[doc])
        assert result["documents"][0].score == 1.5 * 1.2
    
    def test_regex_booster_no_match():
        booster = RegexBooster({r"\bJava\b": 1.5})
        doc = Document(content="Python is great", score=1.0)
        result = booster.run(documents=[doc])
        assert result["documents"][0].score == 1.0
    
    def test_regex_booster_sorting():
        booster = RegexBooster({r"\bPython\b": 1.5, r"\bJava\b": 1.2})
        docs = [
            Document(content="Java is okay", score=1.0),
            Document(content="Python is great", score=1.0),
            Document(content="C++ is fast", score=1.0)
        ]
        result = booster.run(documents=docs)
        assert [doc.content for doc in result["documents"]] == ["Python is great", "Java is okay", "C++ is fast"]
    
    def test_regex_booster_no_score():
        booster = RegexBooster({r"\bPython\b": 1.5})
        doc = Document(content="Python is great")
        result = booster.run(documents=[doc])
        assert result["documents"][0].score is None
    
    # Integration Tests
    
    @component
    class MockRetriever:
        @component.output_types(documents=List[Document])
        def run(self, query: str) -> Dict[str, Any]:
            docs = [
                Document(content="Python is a programming language", score=0.9),
                Document(content="Java is also a programming language", score=0.7),
                Document(content="Machine learning is a subset of AI", score=0.5)
            ]
            return {"documents": docs}
    
    @pytest.fixture
    def regex_pipeline():
        retriever = MockRetriever()
        regex_booster = RegexBooster({r"\bPython\b": 1.5, r"\bAI\b": 1.3})
        joiner = DocumentJoiner()
        
        pipeline = Pipeline()
        pipeline.add_component("retriever", retriever)
        pipeline.add_component("regex_booster", regex_booster)
        pipeline.add_component("joiner", joiner)
        
        pipeline.connect("retriever.documents", "regex_booster.documents")
        pipeline.connect("regex_booster.documents", "joiner.documents")
        
        return pipeline
    
    def test_regex_booster_in_pipeline(regex_pipeline):
        results = regex_pipeline.run(data={"query": "programming languages"})
        documents = results["joiner"]["documents"]
        
        assert len(documents) == 3
        assert documents[0].content == "Python is a programming language"
        assert pytest.approx(documents[0].score, 0.01) == 0.9 * 1.5
        assert documents[1].content == "Java is also a programming language"
        assert pytest.approx(documents[1].score, 0.01) == 0.7
        assert documents[2].content == "Machine learning is a subset of AI"
        assert pytest.approx(documents[2].score, 0.01) == 0.5 * 1.3
    
    def test_regex_booster_pipeline_no_matches():
        @component
        class NoMatchRetriever:
            @component.output_types(documents=List[Document])
            def run(self, query: str) -> Dict[str, Any]:
                return {
                    "documents": [
                        Document(content="C++ is a compiled language", score=0.8),
                        Document(content="Ruby is dynamic", score=0.6)
                    ]
                }
        
        new_pipeline = Pipeline()
        new_pipeline.add_component("retriever", NoMatchRetriever())
        new_pipeline.add_component("regex_booster", RegexBooster({r"\bPython\b": 1.5, r"\bAI\b": 1.3}))
        new_pipeline.add_component("joiner", DocumentJoiner())
        
        new_pipeline.connect("retriever.documents", "regex_booster.documents")
        new_pipeline.connect("regex_booster.documents", "joiner.documents")
        
        results = new_pipeline.run(data={"query": "programming languages"})
        documents = results["joiner"]["documents"]
        
        assert len(documents) == 2
        assert documents[0].content == "C++ is a compiled language"
        assert pytest.approx(documents[0].score, 0.01) == 0.8
        assert documents[1].content == "Ruby is dynamic"
        assert pytest.approx(documents[1].score, 0.01) == 0.6
    
    
    
    
  4. From the root directory of your project, where the pyproject.toml is located, run:

    hatch run tests
    

If the tests pass, you can upload your component to deepset Cloud.

Import RegexBooster to deepset Cloud

  • On macOS and Linux,:
    1. Set up your deepset Cloud API key:
    export API_KEY=<your_api_key>
    
    1. Navigate to ./dc-custom-component-template and run:
    hatch run dc:build-and-push
    

This creates a .zip file called custom_component.zip in the dist directory and uploads it to deepset Cloud.

  • On Windows:
    1. Zip the repository from the template folder by running:
    Compress-Archive -Path .\* -DestinationPath ..\custom_component.zip -Force
    
    1. In the project root folder, run the following command replacing api_XXX with your actual API key:
    curl 
    --request POST \
    --url https://api.cloud.deepset.ai/api/v2/custom_components \
    --header 'accept: application/json' \
    --header 'Authorization: Bearer api_XXX' \
    --form 'file=@"/<parent_folder>/custom_component.zip";type=application/zip'
    

Verify if the import was correct by running:

curl --request GET \
     --url https://api.cloud.deepset.ai/api/v2/custom_components \
     --header 'accept: application/json' \
     --header 'Authorization: Bearer api_XXX'

If the component status is finished, it means it was correctly uploaded and is now ready to be used in pipelines.

Result: RegexBooster is in deepset Cloud, ready to be added to a pipeline.

Add RegexBooster to a Pipeline

Let's quickly create a pipeline. If you have one ready, open it for edition in Studio

  1. Go to Pipeline Templates and switch to the deepset Cloud 2.0 tab.

    The pipelines page with the deepset Cloud 2.0 tab highlighted
  2. Choose Document Search templates, hover over Semantic Document Search, and click Use template.

    The templates page with deepset Cloud v2.0 open and the Keyword Document Search pipeline highlighted
  3. Click Create a pipeline. You're redirected to the Pipelines page.

  4. Find your newly created pipeline (it should be at the top of the page), click More actions next to it and choose Edit.

    The More Actions menu expanded next to the keyword search pipeline and the Edit option selected
  5. Open the Query tab and find the Ranker in your query pipeline components.

  6. Click the Ranker card to bring up action icons above it and choose Delete.

    The ranker component in studio with three icons above its card: delete, documentation, bookmark.
  7. In the component library, expand Rankers and drag RegexBooster onto the canvas.

    Component library in Studio with the Rankers section expanded.  RegexBooster is highlighted in this section and there's an arrow towards the canvas.
  8. On the RegexBooster card, click Configure under the regex_boosts parameter and enter the following configuration:

    '\bcovid-19\b|\bcoronavirus\b': 2.0
    '\bcancer\b': 1.5
    '\basthma\b': 1.3
    '\btreatment\b': 1.2
    '\bsymptoms\b': 1.1
    
  9. Draw a connection from embedding_retriever's documents output to RegexBooster's documents input.

  10. Draw another connection from RegexBooster's documents output to Output's documents. This is what your canvas should look like:

    Retriever connected to RegexBooster and then RegexBooster connected to the Output component on Studio's canvas

This is what your query pipeline should look like:

The complete query pipeline drawn in Studio. It starts with a text input, then

Use the code switcher in the upper right corner to switch to the YAML view. Here's the complete YAML configuration of your pipeline:

components:
  query_embedder:
    type: haystack.components.embedders.sentence_transformers_text_embedder.SentenceTransformersTextEmbedder
    init_parameters:
      model: intfloat/e5-base-v2
  embedding_retriever:
    type: haystack_integrations.components.retrievers.opensearch.embedding_retriever.OpenSearchEmbeddingRetriever
    init_parameters:
      document_store:
        type: haystack_integrations.document_stores.opensearch.document_store.OpenSearchDocumentStore
        init_parameters:
          use_ssl: true
          verify_certs: false
          hosts:
            - ${OPENSEARCH_HOST}
          http_auth:
            - ${OPENSEARCH_USER}
            - ${OPENSEARCH_PASSWORD}
          embedding_dim: 768
          similarity: cosine
      top_k: 20
  RegexBooster:
    type: dc_custom_component.custom_components.rankers.regex_booster.RegexBooster
    init_parameters:
      regex_boosts:
        \bcovid-19\b|\bcoronavirus\b: 2
        \bcancer\b: 1.5
        \basthma\b: 1.3
        \btreatment\b: 1.2
        \bsymptoms\b: 1.1
connections:
  - sender: query_embedder.embedding
    receiver: embedding_retriever.query_embedding
  - sender: embedding_retriever.documents
    receiver: RegexBooster.documents
max_loops_allowed: 100
metadata: {}
inputs:
  query:
    - query_embedder.text
  filters:
    - embedding_retriever.filters
outputs:
  documents: RegexBooster.documents

  1. Save and deploy your pipeline.

Test the Pipeline with RegexBooster

Let's see if it works on actual files.

  1. Download this set of medical articlesand extract it to your machine. You should have a set of 10 articles.
  2. In deepset Cloud, open the same workspace where you created the Semantic_Document_Search pipeline and go to Files.
  3. Click Upload files, choose the files you extracted in step 1, and click Upload.
  4. Let's create a document search pipeline without RegexBooster to compare the results:
    1. Go to Pipeline Templates and switch to the deepset Cloud 2.0 tab.
    2. Choose Document Search templates, hover over Semantic Document Search, and click Use template.
    3. Change the pipeline name to no_regex and click Create Pipeline.
    4. Find the no_regex pipeline on the Pipelines page and deploy it.
  5. When the pipeline is indexed, go to Playground and choose the Semantic_Document_Search pipeline.
  6. In the Search field, type the following query: Tell me about ongoing medical research. You can see that the top three documents are about coronavirus, cancer, and asthma. All of them are keywords RegexBooster prioritizes.
  7. Now, let's change the pipeline to the no_regex one and repeat the same query. The top three documents are about Alzheimer, coronavirus, and cancer. The ranking of documents is different if we're not prioritizing certain keywords.

Congratulations!: You have implemented your custom component and imported it to deepset Cloud. You can now run pipelines with RegexBooster!