django-email-signals


Namedjango-email-signals JSON
Version 2.0.0 PyPI version JSON
download
home_pagehttps://github.com/Salaah01/django-email-signals
SummaryA Django app that allows users to dynamically send emails whenever there are some changes on some tables.
upload_time2024-03-05 02:10:12
maintainer
docs_urlNone
authorSalaah Amin
requires_python>=3.8
licenseMIT
keywords
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            # Django Email Signals
A Django application that provides functionality to create signals via the admin panel which will send emails based on some changes to some models.

The application allows you to set your own constraints and email templates and aims to achieve this with minimal configuration.


## Sections
- [Django Email Signals](#django-email-signals)
  - [Sections](#sections)
  - [Use Cases](#use-cases)
  - [Usage Example](#usage-example)
    - [Creating the base signal](#creating-the-base-signal)
    - [Setting the signal constraints](#setting-the-signal-constraints)
  - [Installation](#installation)
  - [Setup](#setup)
  - [Adding Signals](#adding-signals)
  - [Playground](#playground)
  - [Contributing](#contributing)
    - [Writing Code](#writing-code)
    - [Formatting and Linting](#formatting-and-linting)
  - [Testing](#testing)

## Use Cases
**Admins are able to setup signals/emails themselves**

If an admin user has requested for an email to be sent when something happens on the database, what do we do? We developers create a new signal, set any constraints, create the email templates, piece everything together, create unit tests and then deploy. Relatively simple, but still time-consuming especially when there are multiple signals to set up for various changes. This quickly becomes a quite lengthy process.

This application aims to solve this by providing a way for admins to create these signals themselves rather than having to request the feature and wait for deployment. This is a great way to ease the pressure off developers whilst giving admins the ability to get results quickly.

*How would an admin know what fields to enter for the params?*
The application validates the form before saving but also provides autocomplete for the fields.

**Quickly prototyping and testing an email template**

Creating and testing templates for some bigger teams can be a time-consuming process. This is particularly true when the request is from someone who for whatever reason cannot view your screen and relies on you deploying to a test environment to be able to test the template.

The process then can become a bit tedious. Ever been in a scenario where you deploy some code to test, have it reviewed, have to tweak some code, redeploy it, and have the process repeated a few times?

This application aims to solve this by providing a way for admins to create the HTML content themselves using a rich text editor. This allows admins to quickly prototype and test the email content themselves. Once ready, all they need to do is click on "show source code", and send that sweet source code to you.

## Usage Example
Let us imagine that we want to notify a particular team whenever a new order is placed on our website.

### Creating the base signal
We would start off by setting the following signal:
![Creating signal](img/creating-signal.png)

In this screenshot we notice a couple of things.

The **model** has been set to "sample_app | order". For this example we have created an order model (can be found in `example/sample_app/models.py`) and we have set **signal type** to **post save**.

This means that we are creating a post save signal on the order model.

In this example, we have entered values for the plain text and HTML content fields. You will notice that just like we do with templates, we are able to add placeholders for context using the curly braces.

We have used these in the following way:
```html
Order ID: {{ instance.id }}
Customer Name {{ instance.customer.id }}
Customer Email {{ instance.customer.email }}
```

As this signal relates to the `Order` model, `instance` represents a single `Order` instance.

When the email is sent, the placeholders will be replaced with the actual context values.

**It is important to note that the only context available is `instance`, and so any other context must be accessible via the `instance` object.**

This is one way to provide template context. If you prefer, you are instead able to provide a value for **template** field which is a path to a template file.

We can also see that we have set **mailing list** to `new_order_mailing_list`. In our order model, we have a corresponding `new_order_mailing_list` method which returns a list of emails. This means, this particular email will be sent to the emails returned by `Order.new_order_mailing_list`. By creating various methods containing different lists of emails, we effectively have a way of creating different mailing lists. Alternatively, we can just use a list of comma separated emails for the mailing list.

Before we start to add any constraints, we nee to save the signal. This will make setting signal constraints easy as it will allow the autocomplete feature to help us. If you are worried about the time between saving the signal and setting the signal constraints, you can always set the **active** flag to false beforehand. This will prevent any email from being sent. 


### Setting the signal constraints
We can now set the constraints for the signal. We will create two constraints:
1. Must be a new instance (`created == True`).
2. Customer ID must be greater than 10 (`customer.id` > 10). 

![Setting Constraints](img/signals-constraint-setup.png)

One common check when creating a `post_save` signal is to check is the instance is a new instance. This can be done by setting the parameter to `created` and the comparison to "Is True".

Our order model has a `customer` field which is a foreign key to the `customer` model. We can traverse through the `customer` object to get the `id` of the customer. We can then check if `customer.id > 10`.

The app has a handy autocomplete feature which will help you traverse through model fields and any cached properties. Don't worry about making any mistakes as there is validation in place to reject any parameters that can not be accessed.

Saving this signal will now ensure that the signal will only be sent when the order is a new instance and the customer ID is greater than 10.

## Installation
To install the application, run the following command:
```
pip install django-email-signals
```

The pip install command will be all that is required for most people, however if you want to look under the hood and see what's going on, you can clone the source directory:
```
git clone https://github.com/Salaah01/django-email-signals.git
```

## Setup
**1. Add to `INSTALLED_APPS`**
i. Add Add `tinymce` to your `INSTALLED_APPS` in your `settings.py` file.

```python
INSTALLED_APPS = [
  'app_1`,
  'app_2`,
  '...',
  'tinymce',
]
```

ii. Add `email_signals` to your `INSTALLED_APPS` in your `settings.py` file. This should be added after any apps which contain models for which you would like to create signals using this application.

```python
INSTALLED_APPS = [
  'app_1`,
  'app_2`,
  '...',
  'tinymce',
  'email_signals`
]
```

**2. Run Migrations and Collect Static**
```
python manage.py migrate
python manage.py collectstatic
```

**3. Update URLs (Optional)**
Update your root `urls.py` file to include the following:
```python
from django.urls import include

url_patterns = [
  path('email-signals/', include('email_signals.urls')),
  path('tinymce/', include('tinymce.urls')),
]
```
We recommend changing the URL to something a bit harder to guess, just to make life harder for those pesky snoopers. The application paths all require the user to be a staff member to be able to access the links.

Though this step is optional, we recommend doing it as it will make setting constraints in the admin area much easier. The URLs are needed to provide a dropdown with options when building your constraints.

**4. Add a Default Email (Optional)**
Add `EMAIL_SIGNAL_DEFAULT_SENDER` to your settings.
e.g: `EMAIL_SIGNAL_DEFAULT_SENDER = 'someone@mail.com`
If you don't want to explicitly specify a sender email for every signal you define, you can set `EMAIL_SIGNAL_DEFAULT_SENDER` in your project `settings.py`.

**5. Add the Model Mixin**
On the models that you want to raise signals, you will need to add the following mixin as a dependency to the models: `email_signals.models.EmailSignalMixin`.

Example:
Let's suppose you have the following model.
```python
from django.db import models

class Customer(models.Model):
    name = models.CharField(max_length=200, null=True)
    email = models.CharField(max_length=200)
```
You would need to change this model to the following:

```python
from email_signals.models import EmailSignalMixin

class Customer(models.Model, EmailSignalMixin):
    name = models.CharField(max_length=200, null=True)
    email = models.CharField(max_length=200)
```

**6. Add Recipients**
Depending on the change to the data, you may want to send an email to different people. We facilitate this by setting up the various possible mailing lists into the model itself. This one is easier to show first then explain:

```python
from email_signals.models import EmailSignalMixin

class Customer(models.Model, EmailSignalMixin):
    name = models.CharField(max_length=200, null=True)
    email = models.CharField(max_length=200)

    def customer_emails(self):
        """Recipient is the customer."""
        return [self.email]
    
    def management_mailing_list(self):
        """Recipient list includes management."""
        return ['manager@somewhere.com', 'supervisor@somewhere.com']
```

We've created two functions called `customer_emails` and `management_mailing_list` which each return a collection of email addresses. Later on, when we setup the signals, we will be asked to set the mailing list to use for each signal. This is where we would enter our function names ``customer_emails` or `management_mailing_list`.

This therefore, allows us to set up different mailing lists within our models.
## Adding Signals
Now that the setup is complete, signals can be added via the admin (or by updating the database directly).

We will imagine I am running a site on localhost and so the admin panel can be found by navigating to http://localhost:8000/admin/. The signals can then be accessed by navigating to http://localhost:8000/admin/email_signals/signal/. We will start by adding some signals. Click on "add signal" to get started.

A wise man taught me *it's better to sound silly for a moment than not know something and feel stupid forever*. So, in that vein, though it might seem obvious, we'll go through the options in the form and discuss what each option
is responsible for.

| Field Label        | Field Name    | Description                                                                                                                                                                                                                                                                                                                                                                                                                      |
| ------------------ | ------------- | -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
| Name               | name          | An name for your signal, just to make it easier to distinguish from other records.                                                                                                                                                                                                                                                                                                                                               |
| Description        | description   | (Optional) Description for your signal.                                                                                                                                                                                                                                                                                                                                                                                          |
| Model (Table)      | content_type  | Choose from the drop down the model this signal relates to.                                                                                                                                                                                                                                                                                                                                                                      |
| Plain text content | plain_message | (Optional) Plain text email to send.                                                                                                                                                                                                                                                                                                                                                                                             |
| HTML content       | html_message  | (Optional) HTML email to send.                                                                                                                                                                                                                                                                                                                                                                                                   |
| Subject            | subject       | Email subject                                                                                                                                                                                                                                                                                                                                                                                                                    |
| From email         | from_email    | (Optional) The email sender. Defaults to `settings.EMAIL_SIGNAL_DEFAULT_SENDER`.                                                                                                                                                                                                                                                                                                                                                 |
| Mailing list       | mailing_list  | The recipient list where the text you enter, corresponds to a method called in the model class with the same name. e.g: If you enter `customer_mails`, then there will need to be a method called `customer_mails` that returns a collection of emails in the model class. Alternatively, this can be a list of emails separated by a comma. e.g: `test@email.com,test2@email.com` would send the email to both of these emails. |
| Template           | template      | (Optional) Path to a template, should you wish to render an email from a template. This uses Django's template loader, so as the value you provide here should be relative to `settings.TEMPLATES[i]['DIRS']`.                                                                                                                                                                                                                   |
| Signal Type        | signal_type   | Type of signal to raise for this record.                                                                                                                                                                                                                                                                                                                                                                                         |
| Active             | active        | A switch to turn this signal on and off.                                                                                                                                                                                                                                                                                                                                                                                         |

**Signal Constraints**
This inline model is where you can set some constraints which will determine if the signal should be raised on a case by case basis.

| Field Label | Field Name | Description                                                                                                                                                                                                                                                                                                                                                                                                                                  |
| ----------- | ---------- | -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
| Parameter 1 | param_1    | The first parameter to use when testing a constraint. This parameter must exist in the signal kwargs or the model instance.                                                                                                                                                                                                                                                                                                                  |
| Comparison  | comparison | Define how to compare the parameters. E.g: parameter 1 is **greater than** parameter 2.                                                                                                                                                                                                                                                                                                                                                      |
| Parameter 1 | param_1    | (Optional) The second parameter to use when testing a constraint. This parameter can be left empty when the constraint is something sensible. For example, if constraint is "Is True" then there is no need for parameter 2. But if the constraint is, "Greater Than", then parameter 2 is needed. Parameter 2 can also be a primitive type such as 'a', '1', '1.1'. The application will attempt to convert strings into numbers if it can. |

**Parameters are Deep**
Both parameters 1 and 2 allow you to search deep inside an object.
Let's suppose we have the following structure and signal has received a `CustomerOrder` instance.

```mermaid
classDiagram
    User <| -- Customer
    Customer <| -- CustomerOrder

    class User {
      id
      first_name
      last_name
      email
    }
    
    class Customer {
      id
      user
      fav_language
    }

    class CustomerOrder {
      id
      customer
      order_id
      total
    }
```

Given a `CustomerOrder` instance (we'll call this variable `order`), we can set the following in our constraints:

| \#  | Parameter 1                  | Comparison   | Parameter 2                 |
| --- | ---------------------------- | ------------ | --------------------------- |
| 1   | `'customer.user.id'`         | Greater Than | `'5'`                       |
| 2   | `'customer.user.first_name'` | Equal To     | `'customer.user.last_name'` |

Constraint 1 will check the following:
```python
order.customer.user.id > 5
```
Similarly, constraint 2 will check the following:
```python
order.customer.user.first_name == order.customer.user.last_name
```

Only when all constraints are satisfied will the email be sent.

## Playground
The repository comes with an example project to get you started. If you prefer to test this application yourself then I recommend cloning the repository.

Navigating to `example` and running the Django project inside.

## Contributing
If you have any suggestions or improvements, please feel free to open an issue or pull request.

### Writing Code
If you wish to contribute code, please follow the following steps:

1. Fork the repository
2. Create an issue to discuss the feature you wish to add or bug you wish to fix
3. Clone the repository
4. Create a new branch for your feature or bug fix
5. Create a virtual environment and install the requirements
6. Run `npm install` to install the dependencies for the example project
7. If you intent to make changes to the TypeScript or Sass files, run `npm start` to start the webpack dev server. This will watch for changes and recompile the files. Otherwise, run `npm run build` to compile the files once.
8. Write some awesome code
9. Run tests (instructions are [here](#testing))
10. When you're ready to submit your code, run the [formatter and linter](#formatting-and-linting)
11. Commit your changes, push to your fork and open a pull request

### Formatting and Linting
When contributing, please ensure that you have added tests for your changes and that all your tests pass (see [testing](#testing)). Please also insure that your code is formatted correctly and that your code passes linting.

We use `black` and `flake8` to format and lint our code.
If you have `make` installed you can run the following to format and lint your code:

```bash
make format
make lint
```

Alternatively, you can run the following commands:

```bash
black email_signals
flake8 --exclude=migrations email_signals
```



## Testing
This repository uses `tox` to run tests against multiple versions of Python and Django. If you have `make` installed, you can simply run the tests by running `make tox`. Otherwise, you can run the tests by running `tox -s` in the root of the repository.

If you wish to run the tests for your current Python version only, you can either run `tox -e py` or `python3 runtests.py`.



            

Raw data

            {
    "_id": null,
    "home_page": "https://github.com/Salaah01/django-email-signals",
    "name": "django-email-signals",
    "maintainer": "",
    "docs_url": null,
    "requires_python": ">=3.8",
    "maintainer_email": "",
    "keywords": "",
    "author": "Salaah Amin",
    "author_email": "",
    "download_url": "https://files.pythonhosted.org/packages/08/af/b9d945e2cd9701cbf757665ee5a453cfc3d46b953051e73f983cb15ebac1/django-email-signals-2.0.0.tar.gz",
    "platform": null,
    "description": "# Django Email Signals\nA Django application that provides functionality to create signals via the admin panel which will send emails based on some changes to some models.\n\nThe application allows you to set your own constraints and email templates and aims to achieve this with minimal configuration.\n\n\n## Sections\n- [Django Email Signals](#django-email-signals)\n  - [Sections](#sections)\n  - [Use Cases](#use-cases)\n  - [Usage Example](#usage-example)\n    - [Creating the base signal](#creating-the-base-signal)\n    - [Setting the signal constraints](#setting-the-signal-constraints)\n  - [Installation](#installation)\n  - [Setup](#setup)\n  - [Adding Signals](#adding-signals)\n  - [Playground](#playground)\n  - [Contributing](#contributing)\n    - [Writing Code](#writing-code)\n    - [Formatting and Linting](#formatting-and-linting)\n  - [Testing](#testing)\n\n## Use Cases\n**Admins are able to setup signals/emails themselves**\n\nIf an admin user has requested for an email to be sent when something happens on the database, what do we do? We developers create a new signal, set any constraints, create the email templates, piece everything together, create unit tests and then deploy. Relatively simple, but still time-consuming especially when there are multiple signals to set up for various changes. This quickly becomes a quite lengthy process.\n\nThis application aims to solve this by providing a way for admins to create these signals themselves rather than having to request the feature and wait for deployment. This is a great way to ease the pressure off developers whilst giving admins the ability to get results quickly.\n\n*How would an admin know what fields to enter for the params?*\nThe application validates the form before saving but also provides autocomplete for the fields.\n\n**Quickly prototyping and testing an email template**\n\nCreating and testing templates for some bigger teams can be a time-consuming process. This is particularly true when the request is from someone who for whatever reason cannot view your screen and relies on you deploying to a test environment to be able to test the template.\n\nThe process then can become a bit tedious. Ever been in a scenario where you deploy some code to test, have it reviewed, have to tweak some code, redeploy it, and have the process repeated a few times?\n\nThis application aims to solve this by providing a way for admins to create the HTML content themselves using a rich text editor. This allows admins to quickly prototype and test the email content themselves. Once ready, all they need to do is click on \"show source code\", and send that sweet source code to you.\n\n## Usage Example\nLet us imagine that we want to notify a particular team whenever a new order is placed on our website.\n\n### Creating the base signal\nWe would start off by setting the following signal:\n![Creating signal](img/creating-signal.png)\n\nIn this screenshot we notice a couple of things.\n\nThe **model** has been set to \"sample_app | order\". For this example we have created an order model (can be found in `example/sample_app/models.py`) and we have set **signal type** to **post save**.\n\nThis means that we are creating a post save signal on the order model.\n\nIn this example, we have entered values for the plain text and HTML content fields. You will notice that just like we do with templates, we are able to add placeholders for context using the curly braces.\n\nWe have used these in the following way:\n```html\nOrder ID: {{ instance.id }}\nCustomer Name {{ instance.customer.id }}\nCustomer Email {{ instance.customer.email }}\n```\n\nAs this signal relates to the `Order` model, `instance` represents a single `Order` instance.\n\nWhen the email is sent, the placeholders will be replaced with the actual context values.\n\n**It is important to note that the only context available is `instance`, and so any other context must be accessible via the `instance` object.**\n\nThis is one way to provide template context. If you prefer, you are instead able to provide a value for **template** field which is a path to a template file.\n\nWe can also see that we have set **mailing list** to `new_order_mailing_list`. In our order model, we have a corresponding `new_order_mailing_list` method which returns a list of emails. This means, this particular email will be sent to the emails returned by `Order.new_order_mailing_list`. By creating various methods containing different lists of emails, we effectively have a way of creating different mailing lists. Alternatively, we can just use a list of comma separated emails for the mailing list.\n\nBefore we start to add any constraints, we nee to save the signal. This will make setting signal constraints easy as it will allow the autocomplete feature to help us. If you are worried about the time between saving the signal and setting the signal constraints, you can always set the **active** flag to false beforehand. This will prevent any email from being sent. \n\n\n### Setting the signal constraints\nWe can now set the constraints for the signal. We will create two constraints:\n1. Must be a new instance (`created == True`).\n2. Customer ID must be greater than 10 (`customer.id` > 10). \n\n![Setting Constraints](img/signals-constraint-setup.png)\n\nOne common check when creating a `post_save` signal is to check is the instance is a new instance. This can be done by setting the parameter to `created` and the comparison to \"Is True\".\n\nOur order model has a `customer` field which is a foreign key to the `customer` model. We can traverse through the `customer` object to get the `id` of the customer. We can then check if `customer.id > 10`.\n\nThe app has a handy autocomplete feature which will help you traverse through model fields and any cached properties. Don't worry about making any mistakes as there is validation in place to reject any parameters that can not be accessed.\n\nSaving this signal will now ensure that the signal will only be sent when the order is a new instance and the customer ID is greater than 10.\n\n## Installation\nTo install the application, run the following command:\n```\npip install django-email-signals\n```\n\nThe pip install command will be all that is required for most people, however if you want to look under the hood and see what's going on, you can clone the source directory:\n```\ngit clone https://github.com/Salaah01/django-email-signals.git\n```\n\n## Setup\n**1. Add to `INSTALLED_APPS`**\ni. Add Add `tinymce` to your `INSTALLED_APPS` in your `settings.py` file.\n\n```python\nINSTALLED_APPS = [\n  'app_1`,\n  'app_2`,\n  '...',\n  'tinymce',\n]\n```\n\nii. Add `email_signals` to your `INSTALLED_APPS` in your `settings.py` file. This should be added after any apps which contain models for which you would like to create signals using this application.\n\n```python\nINSTALLED_APPS = [\n  'app_1`,\n  'app_2`,\n  '...',\n  'tinymce',\n  'email_signals`\n]\n```\n\n**2. Run Migrations and Collect Static**\n```\npython manage.py migrate\npython manage.py collectstatic\n```\n\n**3. Update URLs (Optional)**\nUpdate your root `urls.py` file to include the following:\n```python\nfrom django.urls import include\n\nurl_patterns = [\n  path('email-signals/', include('email_signals.urls')),\n  path('tinymce/', include('tinymce.urls')),\n]\n```\nWe recommend changing the URL to something a bit harder to guess, just to make life harder for those pesky snoopers. The application paths all require the user to be a staff member to be able to access the links.\n\nThough this step is optional, we recommend doing it as it will make setting constraints in the admin area much easier. The URLs are needed to provide a dropdown with options when building your constraints.\n\n**4. Add a Default Email (Optional)**\nAdd `EMAIL_SIGNAL_DEFAULT_SENDER` to your settings.\ne.g: `EMAIL_SIGNAL_DEFAULT_SENDER = 'someone@mail.com`\nIf you don't want to explicitly specify a sender email for every signal you define, you can set `EMAIL_SIGNAL_DEFAULT_SENDER` in your project `settings.py`.\n\n**5. Add the Model Mixin**\nOn the models that you want to raise signals, you will need to add the following mixin as a dependency to the models: `email_signals.models.EmailSignalMixin`.\n\nExample:\nLet's suppose you have the following model.\n```python\nfrom django.db import models\n\nclass Customer(models.Model):\n    name = models.CharField(max_length=200, null=True)\n    email = models.CharField(max_length=200)\n```\nYou would need to change this model to the following:\n\n```python\nfrom email_signals.models import EmailSignalMixin\n\nclass Customer(models.Model, EmailSignalMixin):\n    name = models.CharField(max_length=200, null=True)\n    email = models.CharField(max_length=200)\n```\n\n**6. Add Recipients**\nDepending on the change to the data, you may want to send an email to different people. We facilitate this by setting up the various possible mailing lists into the model itself. This one is easier to show first then explain:\n\n```python\nfrom email_signals.models import EmailSignalMixin\n\nclass Customer(models.Model, EmailSignalMixin):\n    name = models.CharField(max_length=200, null=True)\n    email = models.CharField(max_length=200)\n\n    def customer_emails(self):\n        \"\"\"Recipient is the customer.\"\"\"\n        return [self.email]\n    \n    def management_mailing_list(self):\n        \"\"\"Recipient list includes management.\"\"\"\n        return ['manager@somewhere.com', 'supervisor@somewhere.com']\n```\n\nWe've created two functions called `customer_emails` and `management_mailing_list` which each return a collection of email addresses. Later on, when we setup the signals, we will be asked to set the mailing list to use for each signal. This is where we would enter our function names ``customer_emails` or `management_mailing_list`.\n\nThis therefore, allows us to set up different mailing lists within our models.\n## Adding Signals\nNow that the setup is complete, signals can be added via the admin (or by updating the database directly).\n\nWe will imagine I am running a site on localhost and so the admin panel can be found by navigating to http://localhost:8000/admin/. The signals can then be accessed by navigating to http://localhost:8000/admin/email_signals/signal/. We will start by adding some signals. Click on \"add signal\" to get started.\n\nA wise man taught me *it's better to sound silly for a moment than not know something and feel stupid forever*. So, in that vein, though it might seem obvious, we'll go through the options in the form and discuss what each option\nis responsible for.\n\n| Field Label        | Field Name    | Description                                                                                                                                                                                                                                                                                                                                                                                                                      |\n| ------------------ | ------------- | -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |\n| Name               | name          | An name for your signal, just to make it easier to distinguish from other records.                                                                                                                                                                                                                                                                                                                                               |\n| Description        | description   | (Optional) Description for your signal.                                                                                                                                                                                                                                                                                                                                                                                          |\n| Model (Table)      | content_type  | Choose from the drop down the model this signal relates to.                                                                                                                                                                                                                                                                                                                                                                      |\n| Plain text content | plain_message | (Optional) Plain text email to send.                                                                                                                                                                                                                                                                                                                                                                                             |\n| HTML content       | html_message  | (Optional) HTML email to send.                                                                                                                                                                                                                                                                                                                                                                                                   |\n| Subject            | subject       | Email subject                                                                                                                                                                                                                                                                                                                                                                                                                    |\n| From email         | from_email    | (Optional) The email sender. Defaults to `settings.EMAIL_SIGNAL_DEFAULT_SENDER`.                                                                                                                                                                                                                                                                                                                                                 |\n| Mailing list       | mailing_list  | The recipient list where the text you enter, corresponds to a method called in the model class with the same name. e.g: If you enter `customer_mails`, then there will need to be a method called `customer_mails` that returns a collection of emails in the model class. Alternatively, this can be a list of emails separated by a comma. e.g: `test@email.com,test2@email.com` would send the email to both of these emails. |\n| Template           | template      | (Optional) Path to a template, should you wish to render an email from a template. This uses Django's template loader, so as the value you provide here should be relative to `settings.TEMPLATES[i]['DIRS']`.                                                                                                                                                                                                                   |\n| Signal Type        | signal_type   | Type of signal to raise for this record.                                                                                                                                                                                                                                                                                                                                                                                         |\n| Active             | active        | A switch to turn this signal on and off.                                                                                                                                                                                                                                                                                                                                                                                         |\n\n**Signal Constraints**\nThis inline model is where you can set some constraints which will determine if the signal should be raised on a case by case basis.\n\n| Field Label | Field Name | Description                                                                                                                                                                                                                                                                                                                                                                                                                                  |\n| ----------- | ---------- | -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |\n| Parameter 1 | param_1    | The first parameter to use when testing a constraint. This parameter must exist in the signal kwargs or the model instance.                                                                                                                                                                                                                                                                                                                  |\n| Comparison  | comparison | Define how to compare the parameters. E.g: parameter 1 is **greater than** parameter 2.                                                                                                                                                                                                                                                                                                                                                      |\n| Parameter 1 | param_1    | (Optional) The second parameter to use when testing a constraint. This parameter can be left empty when the constraint is something sensible. For example, if constraint is \"Is True\" then there is no need for parameter 2. But if the constraint is, \"Greater Than\", then parameter 2 is needed. Parameter 2 can also be a primitive type such as 'a', '1', '1.1'. The application will attempt to convert strings into numbers if it can. |\n\n**Parameters are Deep**\nBoth parameters 1 and 2 allow you to search deep inside an object.\nLet's suppose we have the following structure and signal has received a `CustomerOrder` instance.\n\n```mermaid\nclassDiagram\n    User <| -- Customer\n    Customer <| -- CustomerOrder\n\n    class User {\n      id\n      first_name\n      last_name\n      email\n    }\n    \n    class Customer {\n      id\n      user\n      fav_language\n    }\n\n    class CustomerOrder {\n      id\n      customer\n      order_id\n      total\n    }\n```\n\nGiven a `CustomerOrder` instance (we'll call this variable `order`), we can set the following in our constraints:\n\n| \\#  | Parameter 1                  | Comparison   | Parameter 2                 |\n| --- | ---------------------------- | ------------ | --------------------------- |\n| 1   | `'customer.user.id'`         | Greater Than | `'5'`                       |\n| 2   | `'customer.user.first_name'` | Equal To     | `'customer.user.last_name'` |\n\nConstraint 1 will check the following:\n```python\norder.customer.user.id > 5\n```\nSimilarly, constraint 2 will check the following:\n```python\norder.customer.user.first_name == order.customer.user.last_name\n```\n\nOnly when all constraints are satisfied will the email be sent.\n\n## Playground\nThe repository comes with an example project to get you started. If you prefer to test this application yourself then I recommend cloning the repository.\n\nNavigating to `example` and running the Django project inside.\n\n## Contributing\nIf you have any suggestions or improvements, please feel free to open an issue or pull request.\n\n### Writing Code\nIf you wish to contribute code, please follow the following steps:\n\n1. Fork the repository\n2. Create an issue to discuss the feature you wish to add or bug you wish to fix\n3. Clone the repository\n4. Create a new branch for your feature or bug fix\n5. Create a virtual environment and install the requirements\n6. Run `npm install` to install the dependencies for the example project\n7. If you intent to make changes to the TypeScript or Sass files, run `npm start` to start the webpack dev server. This will watch for changes and recompile the files. Otherwise, run `npm run build` to compile the files once.\n8. Write some awesome code\n9. Run tests (instructions are [here](#testing))\n10. When you're ready to submit your code, run the [formatter and linter](#formatting-and-linting)\n11. Commit your changes, push to your fork and open a pull request\n\n### Formatting and Linting\nWhen contributing, please ensure that you have added tests for your changes and that all your tests pass (see [testing](#testing)). Please also insure that your code is formatted correctly and that your code passes linting.\n\nWe use `black` and `flake8` to format and lint our code.\nIf you have `make` installed you can run the following to format and lint your code:\n\n```bash\nmake format\nmake lint\n```\n\nAlternatively, you can run the following commands:\n\n```bash\nblack email_signals\nflake8 --exclude=migrations email_signals\n```\n\n\n\n## Testing\nThis repository uses `tox` to run tests against multiple versions of Python and Django. If you have `make` installed, you can simply run the tests by running `make tox`. Otherwise, you can run the tests by running `tox -s` in the root of the repository.\n\nIf you wish to run the tests for your current Python version only, you can either run `tox -e py` or `python3 runtests.py`.\n\n\n",
    "bugtrack_url": null,
    "license": "MIT",
    "summary": "A Django app that allows users to dynamically send emails whenever there are some changes on some tables.",
    "version": "2.0.0",
    "project_urls": {
        "Homepage": "https://github.com/Salaah01/django-email-signals"
    },
    "split_keywords": [],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "f9f8b13a4d4a0c1d93bf182e2a992bf97970ac23774a067c7188def6d1a34b68",
                "md5": "7956bb982515e08ffc41bc3f02665448",
                "sha256": "12a18e94a1605f5d474819b3a55369d9ad0544d889d981bf2045ad739323d9d9"
            },
            "downloads": -1,
            "filename": "django_email_signals-2.0.0-py3-none-any.whl",
            "has_sig": false,
            "md5_digest": "7956bb982515e08ffc41bc3f02665448",
            "packagetype": "bdist_wheel",
            "python_version": "py3",
            "requires_python": ">=3.8",
            "size": 38028,
            "upload_time": "2024-03-05T02:10:11",
            "upload_time_iso_8601": "2024-03-05T02:10:11.700432Z",
            "url": "https://files.pythonhosted.org/packages/f9/f8/b13a4d4a0c1d93bf182e2a992bf97970ac23774a067c7188def6d1a34b68/django_email_signals-2.0.0-py3-none-any.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "08afb9d945e2cd9701cbf757665ee5a453cfc3d46b953051e73f983cb15ebac1",
                "md5": "32d4fa64bde2dab4053e5469223d7bb2",
                "sha256": "036c895d2a44e233e2c9cd1b9dac693475d1ba4cd4d08f83b4301e3c3230b464"
            },
            "downloads": -1,
            "filename": "django-email-signals-2.0.0.tar.gz",
            "has_sig": false,
            "md5_digest": "32d4fa64bde2dab4053e5469223d7bb2",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": ">=3.8",
            "size": 28065,
            "upload_time": "2024-03-05T02:10:12",
            "upload_time_iso_8601": "2024-03-05T02:10:12.818413Z",
            "url": "https://files.pythonhosted.org/packages/08/af/b9d945e2cd9701cbf757665ee5a453cfc3d46b953051e73f983cb15ebac1/django-email-signals-2.0.0.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2024-03-05 02:10:12",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "Salaah01",
    "github_project": "django-email-signals",
    "travis_ci": false,
    "coveralls": false,
    "github_actions": true,
    "requirements": [],
    "tox": true,
    "lcname": "django-email-signals"
}
        
Elapsed time: 0.25171s