Please refer to this document if you want to add your own modules/heuristics to the library.
Before diving deep into how the components of this repository work, there are some points of notice:
- For implementing new modules, we have to follow a standardized structure which can consist of fine details. However, there is nothing to worry about since all the necessary steps to implement new modules are explained below.
- Every little contribution counts - We are aware that not all the users checking
bricks
out would be proficient in python or any programming language for that matter. This shouldn't discourage anyone from contributing their ideas. For example, just opening a new issue consisting of some new idea is considered a valid contribution. The implementation will then be taken care of by us.
- Structure of this repository
- How to contribute ideas
- How to contribute modules
- Test your module
- Quality assurance
- What happens next?
We have structured this repository into two main folders:
classifiers
: this is where the modules will go into that are used to classify a given text into a specific category. For example, a module that classifies a text into the categorynews
orblog
would go into this folder. It can also be about enrichments, e.g. to detect languages and such.extractors
: this is where the modules will go into that are used to extract information from a given text. For example, a module that extracts the author of a text would go into this folder.generators
: this is where the modules will go that are used to produce values based on the provided text. For example, a module that corrects spelling mistakes while take an incorrect text and generate the corrected text.
Since bricks 2.0, brick modules will be grouped together with similar modules. For example, there may be one brick called sentiment brick
, which then contains different algorithms to classify a text by the sentiment (like VADER, GPT, etc.). The user is then able to choose the desired algorithm.
A group may consist of as little as one implementation. There is no limit to how many implementations a group can contain.
Structure of brick modules: __init__.py
, README.md
, code_snippet_refinery.md
, code_snippet_common.md
and config.py
Each module has a folder with the following structure:
__init__.py
: if the module can be executed as a script, this file contains the entry point.README.md
: a description of the module, which is displayed on the platform on the detail page of the module.code_snippet_common.md
: the displayed code snippet for any Python env on the detail page of the module. This is showed on the detail page of the module.code_snippet_refinery.md
: the displayed code snippet based on a SpaCy input. This is showed on the detail page of the module.config.py
: a config script to synchronize this repository with the online platform.
If you have an idea for a new module/heuristic, please open an issue in this repository. We will discuss the idea and if it is a good fit for the library, we will add it to the library. This means you don't have to write the code yourself and can still contribute to the library. If you want to write the code yourself, please refer to the next section.
- As stated above, please first add the idea as an issue. We'll use this to document the origin of the module, and will use it to help you during the contribution.
- Create a new branch with the name of the module you want to add. Please do not add multiple modules in one branch.
- Duplicate the
_template
directory of the type of module you want to add (e.g.extractors/_template
) and rename the directory to the name of your module. - Start by changing the
config.py
file by updating the issueId to the issue you created in step 1. - Implement the
__init__.py
file. This is the entry point of the module, and will be executed when the module is run. If you are not sure about the expected output of the function, please read the output section. - Add your function to the top-level
__init__.py
of your module type, so either inextractors/__init.py__
,classifiers/__init.py__
, orgenerators/__init.py__
. If the brick module if part of a new brick group, create a new folder for the group and import the brick from there. - Test your module.
- Modify
code_snippet_refinery.md
, and keep in mind that this must fit the interface of refinery. Optionally, you can also add a filecode_snippet_common.md
, which contains code that can be executed in any Python environment. If you copied from the_template
directory, you will already see the expected interface. All the variables holding the user defined inputs shall be defined as constants (all capital letters). If you are not sure about the expected output of the function, please read the output section. - Document and describe your function in the
README.md
file. This will be displayed on the detail page of the module, which means you can go more into detail with your description. Make sure the module description inREADME.md
tails the description from the docstring you wrote in__init__.py
. - Finally, make your last changes to the
config.py
by updating the name of the function you implemented in this module. Add other parameters of theconfig.py
. - Create a pull request to the
main
branch of the repository. Add a commentimplements #<your-issue-id>
to the pull request, so that we can link the pull request to the issue.
If you have any questions along the way, please don't hesitate to reach out to us, either in the issue you created, or via Discord.
Providing the common code for a brick is easy, but there are a few thing you need to ensure so that all bricks are uniform. Here's the tldr:
- The code snippet should consist of a function that takes in only one string at a time. Add additional params as needed.
- Please add docstrings and type hints to the function, ideally similar to the ones you'll find in the example below.
- You may add additional helper functions.
- Please include a function called
example_integration()
at the bottom, where you provide a couple of examples and use the brick function you've built. Please ensure to separate the main function and the example integration. - Have fun coding! Don't stress out over details, we're all here to learn and making errors is ok!
Below you can find an example for the code snippet:
from vaderSentiment.vaderSentiment import SentimentIntensityAnalyzer
def vader_sentiment_classifier(text: str) -> str:
"""
@param text: text you want to analyze
@return: either 'negative', 'neutral' or 'positive' depending on the score
"""
analyzer = SentimentIntensityAnalyzer()
vs = analyzer.polarity_scores(text)
return lookup_label(vs["compound"])
def lookup_label(score:float) -> str:
if score <= -0.05:
return "negative"
if score < 0.05:
return "neutral"
return "positive"
# ↑ necessary bricks function
# -----------------------------------------------------------------------------------------
# ↓ example implementation
def example_integration():
texts = ["I hate this!","This is a negative example.","I don't know how this is.", "This is a fine example.", "I love this!"]
for text in texts:
print(f"the sentiment of \"{text}\" is \"{vader_sentiment_classifier(text)}\"")
example_integration()
As you can see, the main function and the example integration are clearly separated. Please use this in your brick as well so that it is clear what the actual code of the brick is but the users also get an understanding of how they might integrate it and what kind of input they should use.
We use spaCy for extractor modules, as it helps to put texts into correct tokens. Please use spaCy for extractor modules, and match character returns with token-level returns. For instance, in the __init__.py
file:
def date_extraction(request: DateExtraction):
text = request.text
# load the spaCy module as a singleton
nlp = SpacySingleton.get_nlp(request.spacyTokenizer)
doc = nlp(text)
# process e.g. via a regular expression
regex = re.compile(r"(?:[0-9]{1,2}|Jan(?:uary)?|Feb(?:ruary)?|Mar(?:ch)?|Apr(?:il)?|May|Jun(?:e)?|Jul(?:y)?|Aug(?:ust)?|Sep(?:tember)?|Oct(?:ober)?|Nov(?:ember)?|Dec(?:ember)?)[\/\. -]{1}(?:[0-9]{1,2}|Jan(?:uary)?|Feb(?:ruary)?|Mar(?:ch)?|Apr(?:il)?|May|Jun(?:e)?|Jul(?:y)?|Aug(?:ust)?|Sep(?:tember)?|Oct(?:ober)?|Nov(?:ember)?|Dec(?:ember)?)[,\/\. -]{1}(?:[0-9]{2,4})")
# match the found character indices to spaCy
spans = []
for match in regex.finditer(text):
start, end = match.span()
span = doc.char_span(start, end)
spans.append([span.start, span.end, span.text])
return {"spans": spans}
Note that spaCy doesn't have to be used in the code_snippet.md
file, as this is only used for the code snippet in the library. refinery uses spaCy under the hood, such that all records are already tokenized.
This file syncs the brick with an online CMS. This is done via a configuration file to avoid the need to do this manually.
If you struggle with this file: Don't worry! You can leave a blank dictionary for now. A member of our team will gladly help you to set it up afterward.
The upper half of the config contains most of the general information of the brick.
input_example
: A dictionary calledINPUT_EXAMPLE
should be set in the__init__.py
and imported into theconfig.py
.issue_id
: Is the corresponding GitHub issue number of the brick module. If no issue was created for a brick, you can do so here.tabler_icon
: Refers to the icon that should be displayed for this brick. An icon can be chosen here.min_refinery_version
: If the brick requires a Python package, it might only be available after the dev-team has added this package to the execution environment to refinery. Themin_refinery_version
refers to the first version in which the needed library was added to refinery.state
: Thestate
parameter simply refers to if this bricks should be publicly visible yet. Set this toDRAFT
if you think this needs some more work.type
: If the brick uses a paid API, it is also then apremium
function. Otherwise it's apython_function
.docker_image
: We plan to offer certain bricks as adocker_image
in the future. The name of the image will then be entered here.available_for
: Theavailable_for
containing"refinery"
if the"code_snippet_refinery.md"
exists and/or"commom"
to"code_snippet_common.md"
exists. The first containing code that expects a SpaCy dictionary as an input, the latter containing code which can directly be executed in any Python environment without the need for SpaCy.part_of_group
: Every brick is also part of at least two groups: the parent directory, i.e."sentiment"
,"spelling"
etc. This is set atpart_of_group
.
def get_config():
return build_generator_function_config(
function=levenshtein_distance,
input_example=INPUT_EXAMPLE,
issue_id=22,
tabler_icon="SquareRoundedLetterL",
min_refinery_version="1.7.0",
state=State.PUBLIC.value,
type="python_function",
available_for=["refinery", "common"],
part_of_group=["distance"],
At the bottom of the config, you will find the section "integratior inputs". You can leave this section blank and leave it for the Kern AI team do fill it out. This section is mean for the bricks integrator, which allows the integration of bricks into our main tool Kern AI refinery. The integrator should always have at least the following structure:
integrator_inputs={
"name": "levenshtein_distance",
"refineryDataType": "text",
"outputs": ["yes", "no"],
"constants": {
"inputAttribute": { # previously ATTRIBUTE, never optional
"selectionType": "string",
"defaultValue": "your-text",
},
},
}
)
The name refers to the name of the module. refineryDataType is the type of input to be set in refinery, this can be category, text, integer, float or boolean for attribute calculation. For bricks that should be used as labeling functions, this should be set to text. Outputs is a list containing possible outputs. This list does not server as a rule of which outputs are allowed, but rather provides some default values which might be changed later on. The constants affect anything that should be set in the code_snippet_refinery.md. Everything configurable here can then be set via the bricks integrator, which paste the constants into the code which will be used in refinery.
We use that structure to a) standardize module implementations, making it easier to maintain the underlying code of modules, and b) to synchronize the repository with the online platform. This means that if you add a new module to the repository, it will be added to the platform via a script that reads the config.py
file.
The output that is expected by the actual endpoint in bricks (your __init__.py
) and the source code for refinery (your code_snippet.md
) differ a bit. This section should provide a guideline on how the output of the modules should look like.
Classifiers:
The output that is returned in the function in __init__.py
will be displayed on bricks and should look similar to this:
...
return {"name-of-classifiation-task": classification_result}
The output that is returned in the function of the source code in code_snippet.md
should be usable in refinery and should look like this:
...
return classification_result
Extractors: The extractors should return the span at the position of the text in which the desired part of the text can be found.
The output that is returned in the function in __init__.py
will be displayed on bricks and should look similar to this:
...
return {"labels": ["label-name-here", span.start, span.end]}
The output of the function in code_snippet.md
should be usable in refinery. To label individual tokens, please use yield
instead of return
. Similar to this:
...
yield "label-name-here", span.start, span.end
Generators:
The output that is returned in the generator function in __init__.py
will be displayed on bricks and should look similar to this:
...
return {"output": output}
The output that is returned in the function of the source code in code_snippet.md
should be usable in refinery and should look like this:
...
return output
Testing the correct functioning can be done by using FastAPI, which let's you interact with an interface to test out the module as an actual endpoint on your local machine. To start FastAPI, type:
uvicorn api:api --reload
This will start up FastAPI and automatically reload the API once you saved any changes made to your code.
Please note that you have to have your function registered at the top-level __init__.py
of your module type. Otherwise it will not show up in the FastAPI web interface.
After starting FastAPI, head over to http://localhost:8000/docs
where you can access all of the created modules. Search for the module that you have created and click on it. On the right side, you will see a button stating try it out
.
If you correctly filled in the __init__.py
file of your module, the example request body should already contain an example text you specified as the EXAMPLE_INPUT
in the __init__.py
. Click on execute, and the response will contain a response code as well as a response body. If everything works well, the response code will be 200
.
If you get different response codes, your module probably needs some rework. There are many possible errors that can occur. Here is a list of all response codes.
We want to make sure that things work nicely and that the modules are of high quality. Therefore, when reviewing your submission, we'll do blackbox tests and check for the above criteria. Again, this is about collaboration, so please don't worry about this too much. We'll help you with this!
We have a content management system up and running, in which we enter newly registered endpoints. As soon as your endpoint is merged into the main
branch, we'll add it to the CMS. This triggers a task for our dev rel team, so it usually doesn't take too long. You can then find it on our online platform :)