activity_notification provides email notification to the notification targets.
Set up SMTP server configuration for ActionMailer. Then, you need to set up the default URL options for the activity_notification mailer in each environment. Here is a possible configuration for config/environments/development.rb:
config.action_mailer.default_url_options = { host: 'localhost', port: 3000 }
Email notification is disabled as default. You can configure it to enable email notification in initializer activity_notification.rb.
config.email_enabled = true
You can also configure them for each model by acts_as roles like these:
class User < ActiveRecord::Base
# Example using confirmed_at of devise field
# to decide whether activity_notification sends notification email to this user
acts_as_target email: :email, email_allowed: :confirmed_at
end
class Comment < ActiveRecord::Base
belongs_to :article
belongs_to :user
acts_as_notifiable :users,
targets: ->(comment, key) {
([comment.article.user] + comment.article.reload.commented_users.to_a - [comment.user]).uniq
},
# Allow notification email
email_allowed: true,
notifiable_path: :article_notifiable_path
def article_notifiable_path
article_path(article)
end
end
You can configure the notification "from" address inside of activity_notification.rb in two ways.
Using a simple email address as String:
config.mailer_sender = '[email protected]'
Using a Proc to configure the sender based on the notification.key:
config.mailer_sender = ->(key){ key == 'inquiry.post' ? '[email protected]' : '[email protected]' }
activity_notification will look for email template in a similar way as notification views, but the view file name does not start with an underscore. For example, if you have a notification with :key set to "notification.comment.reply" and target_type users, the gem will look for a partial in app/views/activity_notification/mailer/users/comment/reply.html.(|erb|haml|slim|something_else).
If this template is missing, the gem will use default as the target type which means activity_notification/mailer/default/default.html.(|erb|haml|slim|something_else).
activity_notification will use "Notification of #{@notification.notifiable.printable_type.downcase}"
as default email subject. If it is defined, activity_notification will resolve email subject from overriding_notification_email_subject method in notifiable models. You can customize email subject like this:
class Comment < ActiveRecord::Base
belongs_to :article
belongs_to :user
acts_as_notifiable :users,
targets: ->(comment, key) {
([comment.article.user] + comment.article.reload.commented_users.to_a - [comment.user]).uniq
},
notifiable_path: :article_notifiable_path
def overriding_notification_email_subject(target, key)
if key == "comment.create"
"New comment to your article!"
else
"Notification for new comments!"
end
end
end
If you use i18n for email, you can configure email subject in your locale files. See i18n for email.
Similarly to the Email subject, the From
, Reply-To
and Message-ID
headers are configurable per notifiable model. From and reply to will override the config.mailer_sender
config setting.
class Comment < ActiveRecord::Base
belongs_to :article
belongs_to :user
acts_as_notifiable :users,
targets: ->(comment, key) {
([comment.article.user] + comment.article.commented_users.to_a - [comment.user]).uniq
},
notifiable_path: :article_notifiable_path
def overriding_notification_email_from(target, key)
"[email protected]"
end
def overriding_notification_email_reply_to(target, key)
"no-reply.article+comment-#{self.id}@example.com"
end
def overriding_notification_email_message_id(target, key)
"https://www.example.com/article/#{article.id}@example.com/"
end
end
The subject of notification email can be put in your locale .yml files as mail_subject field:
notification:
user:
comment:
post:
text: "<p>Someone posted comments to your article</p>"
mail_subject: 'New comment to your article'
activity_notification provides batch email notification to the notification targets. You can send notification email daily, hourly or weekly and so on with a scheduler like whenever.
Set up SMTP server configuration for ActionMailer and the default URL options for the activity_notification mailer in each environment.
Batch email notification is disabled as default. You can configure it to enable email notification in initializer activity_notification.rb like single email notification.
config.email_enabled = true
You can also configure them for each target model by acts_as_target role like this.
class User < ActiveRecord::Base
# Example using confirmed_at of devise field
# to decide whether activity_notification sends batch notification email to this user
acts_as_target email: :email, batch_email_allowed: :confirmed_at
end
Then, you can send batch notification email for unopened notifications only to the all specified targets with batch_key.
# Send batch notification email to the users with unopened notifications
User.send_batch_unopened_notification_email(batch_key: 'batch.comment.post')
You can also add conditions to filter notifications, like this:
# Send batch notification email to the users with unopened notifications of specified key in 1 hour
User.send_batch_unopened_notification_email(batch_key: 'batch.comment.post', filtered_by_key: 'comment.post', custom_filter: ["created_at >= ?", time.hour.ago])
activity_notification uses same sender configuration of real-time email notification as batch email sender. You can configure config.mailer_sender as simply String or Proc based on the batch_key:
config.mailer_sender = ->(batch_key){ batch_key == 'batch.inquiry.post' ? '[email protected]' : '[email protected]' }
batch_key is specified by :batch_key option. If this option is not specified, the key of the first notification will be used as batch_key.
activity_notification will look for batch email template in the same way as email notification using batch_key.
activity_notification will resolve batch email subject as the same way as email subject with batch_key.
If you use i18n for batch email, you can configure batch email subject in your locale files. See i18n for batch email.
The subject of batch notification email also can be put in your locale .yml files as mail_subject field for batch_key.
notification:
user:
batch:
comment:
post:
mail_subject: 'New comments to your article'
activity_notification provides the function for automatically grouping notifications. When you created a notification like this, all unopened notifications to the same target will be grouped by article set as :group options:
@comment.notify :users key: 'comment.post', group: @comment.article
When you use default notification view, it is helpful to configure acts_as_notification_group (or acts_as_group) with :printable_name option to render group instance.
class Article < ActiveRecord::Base
belongs_to :user
acts_as_notification_group printable_name: ->(article) { "article \"#{article.title}\"" }
end
You can use group_owners_only scope to filter owner notifications representing each group:
# custom_notifications_controller.rb
def index
@notifications = @target.notifications.group_owners_only
end
notification_index and notification_index_with_attributes methods also use group_owners_only scope internally.
And you can render them in a view like this:
<% if notification.group_member_exists? %>
<%= "#{notification.notifier.name} and #{notification.group_member_count} other users" %>
<% else %>
<%= "#{notification.notifier.name}" %>
<% end %>
<%= "posted comments to your article \"#{notification.group.title}\"" %>
This presentation will be shown to target users as Kevin and 7 other users posted comments to your article "Let's use Ruby".
You can also use %{group_member_count}
, %{group_notification_count}
, %{group_member_notifier_count}
and %{group_notifier_count}
in i18n text as a field:
notification:
user:
comment:
post:
text: "<p>%{notifier_name} and %{group_member_notifier_count} other users posted %{group_notification_count} comments to your article</p>"
mail_subject: 'New comment to your article'
Then, you will see "Kevin and 7 other users posted 10 comments to your article".
activity_notification provides the function for subscription management of notifications and notification email.
Subscription management is disabled as default. You can configure it to enable subscription management in initializer activity_notification.rb.
config.subscription_enabled = true
This makes all target model subscribers. You can also configure them for each target model by acts_as_target role like this:
class User < ActiveRecord::Base
# Example using confirmed_at of devise field
# to decide whether activity_notification manages subscriptions of this user
acts_as_target email: :email, email_allowed: :confirmed_at, subscription_allowed: :confirmed_at
end
If you do not have a subscriptions table in you database, create a migration for subscriptions and migrate the database in your Rails project:
$ bin/rails generate activity_notification:migration CreateSubscriptions -t subscriptions
$ bin/rake db:migrate
If you are using a different table name than the default "subscriptions", change the settings in your config/initializers/activity_notification.rb file, e.g, if you use the table name "notifications_subscription" instead:
config.subscription_table_name = "notifications_subscriptions"
Subscriptions are managed by instances of ActivityNotification::Subscription model which belongs to target and key of the notification. Subscription#subscribing manages subscription of notifications. true means the target will receive the notifications with this key. false means the target will not receive these notifications. Subscription#subscribing_to_email manages subscription of notification email. true means the target will receive the notification email with this key including batch notification email with this batch_key. false means the target will not receive these notification email.
As default, all target subscribes to notification and notification email when subscription record does not exist in your database. You can change this subscribe_as_default parameter in initializer activity_notification.rb.
config.subscribe_as_default = false
Then, all target does not subscribe to notification and notification email and will not receive any notifications as default.
As default, email and optional target subscriptions will use the same default subscription value as defined in subscribe_as_default. You can disable them by providing subscribe_to_email_as_default or subscribe_to_optional_targets_as_default parameter(s) in initializer activity_notification.rb.
# Enable subscribe as default, but disable it for emails
config.subscribe_as_default = true
config.subscribe_to_email_as_default = false
config.subscribe_to_optional_targets_as_default = true
However if subscribe_as_default is not enabled, subscribe_to_email_as_default and subscribe_to_optional_targets_as_default won't change anything.
You can create subscription record from subscription API in your target model like this:
# Subscribe 'comment.reply' notifications and notification email
user.create_subscription(key: 'comment.reply')
# Subscribe 'comment.reply' notifications but does not subscribe notification email
user.create_subscription(key: 'comment.reply', subscribing_to_email: false)
# Unsubscribe 'comment.reply' notifications and notification email
user.create_subscription(key: 'comment.reply', subscribing: false)
You can also update subscriptions like this:
# Subscribe 'comment.reply' notifications and notification email
user.find_or_create_subscription('comment.reply').subscribe
# Unsubscribe 'comment.reply' notifications and notification email
user.find_or_create_subscription('comment.reply').unsubscribe
# Unsubscribe 'comment.reply' notification email
user.find_or_create_subscription('comment.reply').unsubscribe_to_email
activity_notification provides basic controllers and views to manage the subscriptions.
Add subscription routing to config/routes.rb for the target (e.g. :users):
Rails.application.routes.draw do
subscribed_by :users
end
or, you can also configure it with notifications like this:
Rails.application.routes.draw do
notify_to :users, with_subscription: true
end
Then, you can access users/1/subscriptions and use ActivityNotification::SubscriptionsController or ActivityNotification::SubscriptionsWithDeviseController to manage the subscriptions.
You can see sample subscription management view in demo application here: https://activity-notification-example.herokuapp.com/users/1/subscriptions
If you would like to customize subscription controllers or views, you can use generators like notifications:
-
Customize subscription controllers
-
Create your custom controllers using controller generator with a target:
$ bin/rails generate activity_notification:controllers users -c subscriptions subscriptions_with_devise
-
Tell the router to use this controller:
notify_to :users, with_subscription: { controller: 'users/subscriptions' }
-
-
Customize subscription views
$ bin/rails generate activity_notification:views users -v subscriptions
activity_notification provides REST API backend to operate notifications and subscriptions.
You can configure activity_notification routes as REST API backend with :api_mode option of notify_to method. See Routes as REST API backend for more details. With :api_mode option, activity_notification uses ActivityNotification::NotificationsApiController instead of ActivityNotification::NotificationsController.
In addition, you can use :with_subscription option with :api_mode to enable subscription management like this:
Rails.application.routes.draw do
scope :api do
scope :"v2" do
notify_to :users, api_mode: true, with_subscription: true
end
end
end
Then, activity_notification uses ActivityNotification::SubscriptionsApiController instead of ActivityNotification::SubscriptionsController, and you can call activity_notification REST API as /api/v2/notifications and /api/v2/subscriptions from your frontend application.
When you want to use REST API backend integrated with Devise authentication, see REST API backend with Devise Token Auth.
You can see sample single page application using Vue.js as a part of example Rails application. This sample application works with activity_notification REST API backend.
activity_notification provides API reference as OpenAPI Specification.
OpenAPI Specification in online demo is published here: https://activity-notification-example.herokuapp.com/api/v2/apidocs
Public API reference is also hosted in SwaggerHub here: https://app.swaggerhub.com/apis-docs/simukappu/activity-notification/
You can also publish OpenAPI Specification in your own application using ActivityNotification::ApidocsController like this:
Rails.application.routes.draw do
scope :api do
scope :"v2" do
resources :apidocs, only: [:index], controller: 'activity_notification/apidocs'
end
end
end
You can use Swagger UI with this OpenAPI Specification to visualize and interact with activity_notification API’s resources.
activity_notification supports to integrate with devise authentication.
Add :with_devise option in notification routing to config/routes.rb for the target:
Rails.application.routes.draw do
devise_for :users
# Integrated with Devise
notify_to :users, with_devise: :users
end
Then activity_notification will use ActivityNotification::NotificationsWithDeviseController as a notifications controller. The controller actions automatically call authenticate_user! and the user will be restricted to access and operate own notifications only, not others'.
Hint: HTTP 403 Forbidden will be returned for unauthorized notifications.
You can also use different model from Devise resource as a target. When you will add this to config/routes.rb:
Rails.application.routes.draw do
devise_for :users
# Integrated with Devise for different model
notify_to :admins, with_devise: :users
end
and add :devise_resource option to acts_as_target in the target model:
class Admin < ActiveRecord::Base
belongs_to :user
acts_as_target devise_resource: :user
end
activity_notification will authenticate :admins notifications with devise authentication for :users. In this example, activity_notification will confirm admin belonging to authenticated user by Devise.
You can configure simple default routes for authenticated users, like /notifications instead of /users/1/notifications. Use :devise_default_routes option like this:
Rails.application.routes.draw do
devise_for :users
notify_to :users, with_devise: :users, devise_default_routes: true
end
If you use multiple notification targets with Devise, you can also use this option with scope like this:
Rails.application.routes.draw do
devise_for :users
# Integrated with Devise for different model, and use with scope
scope :admins, as: :admins do
notify_to :admins, with_devise: :users, devise_default_routes: true, routing_scope: :admins
end
end
Then, you can access /admins/notifications instead of /admins/1/notifications.
We can also integrate REST API backend with Devise Token Auth. Use :with_devise option with :api_mode option config/routes.rb for the target like this:
Rails.application.routes.draw do
devise_for :users
# Configure authentication API with Devise Token Auth
namespace :api do
scope :"v2" do
mount_devise_token_auth_for 'User', at: 'auth'
end
end
# Integrated with Devise Token Auth
scope :api do
scope :"v2" do
notify_to :users, api_mode: true, with_devise: :users, with_subscription: true
end
end
end
You can also configure it as simple default routes and with different model from Devise resource as a target:
Rails.application.routes.draw do
devise_for :users
# Configure authentication API with Devise Token Auth
namespace :api do
scope :"v2" do
mount_devise_token_auth_for 'User', at: 'auth'
end
end
# Integrated with Devise Token Auth as simple default routes and with different model from Devise resource as a target
scope :api do
scope :"v2" do
scope :admins, as: :admins do
notify_to :admins, api_mode: true, with_devise: :users, devise_default_routes: true, with_subscription: true
end
end
end
end
Then activity_notification will use ActivityNotification::NotificationsApiWithDeviseController as a notifications controller. The controller actions automatically call authenticate_user! and the user will be restricted to access and operate own notifications only, not others'.
At first, you have to set up Devise Token Auth configuration. You also have to configure your target model like this:
class User < ActiveRecord::Base
devise :database_authenticatable, :confirmable
include DeviseTokenAuth::Concerns::User
acts_as_target
end
To sign in and get access-token from Devise Token Auth, call sign_in API which you configured by mount_devise_token_auth_for method:
$ curl -X POST -H "Content-Type: application/json" -D - -d '{"email": "[email protected]","password": "changeit"}' https://activity-notification-example.herokuapp.com/api/v2/auth/sign_in
HTTP/1.1 200 OK
...
Content-Type: application/json; charset=utf-8
access-token: ZiDvw8vJGtbESy5Qpw32Kw
token-type: Bearer
client: W0NkGrTS88xeOx4VDOS-Xg
expiry: 1576387310
uid: [email protected]
...
{
"data": {
"id": 1,
"email": "[email protected]",
"provider": "email",
"uid": "[email protected]",
"name": "Ichiro"
}
}
Then, call activity_notification API with returned access-token, client and uid as HTTP headers:
$ curl -X GET -H "Content-Type: application/json" -H "access-token: ZiDvw8vJGtbESy5Qpw32Kw" -H "client: W0NkGrTS88xeOx4VDOS-Xg" -H "uid: [email protected]" -D - https://activity-notification-example.herokuapp.com/api/v2/notifications
HTTP/1.1 200 OK
...
{
"count": 7,
"notifications": [
...
]
}
Without valid access-token, API returns 401 Unauthorized:
$ curl -X GET -H "Content-Type: application/json" -D - https://activity-notification-example.herokuapp.com/api/v2/notifications
HTTP/1.1 401 Unauthorized
...
{
"errors": [
"You need to sign in or sign up before continuing."
]
}
When you request restricted resources of unauthorized targets, activity_notification API returns 403 Forbidden:
$ curl -X GET -H "Content-Type: application/json" -H "access-token: ZiDvw8vJGtbESy5Qpw32Kw" -H "client: W0NkGrTS88xeOx4VDOS-Xg" -H "uid: [email protected]" -D - https://activity-notification-example.herokuapp.com/api/v2/notifications/1
HTTP/1.1 403 Forbidden
...
{
"gem": "activity_notification",
"error": {
"code": 403,
"message": "Forbidden because of invalid parameter",
"type": "Wrong target is specified"
}
}
See Devise Token Auth documents for more details.
activity_notification supports push notification with Action Cable by WebSocket.
activity_notification only provides Action Cable channels implementation, does not connections.
You can use default implementaion in Rails or your custom ApplicationCable::Connection
for Action Cable connections.
Broadcasting notifications to Action Cable channels is provided as optional notification targets implementation. This optional targets is disabled as default. You can configure it to enable Action Cable broadcasting in initializer activity_notification.rb.
# Enable Action Cable broadcasting as HTML view
config.action_cable_enabled = true
# Enable Action Cable API broadcasting as formatted JSON
config.action_cable_api_enabled = true
You can also configure them for each model by acts_as roles like these:
class User < ActiveRecord::Base
# Allow Action Cable broadcasting
acts_as_target action_cable_allowed: true
end
class Comment < ActiveRecord::Base
belongs_to :article
belongs_to :user
acts_as_notifiable :users,
targets: ->(comment, key) {
([comment.article.user] + comment.article.reload.commented_users.to_a - [comment.user]).uniq
},
# Allow Action Cable broadcasting as HTML view
action_cable_allowed: true,
# Enable Action Cable API broadcasting as formatted JSON
action_cable_api_allowed: true
end
Then, activity_notification will broadcast configured notifications to target channels by ActivityNotification::OptionalTarget::ActionCableChannel and/or ActivityNotification::OptionalTarget::ActionCableApiChannel as optional targets.
activity_notification provides ActivityNotification::NotificationChannel and ActivityNotification::NotificationApiChannel to subscribe broadcasted notifications with Action Cable.
You can simply create subscriptions for the specified target in your view like this:
<script type="text/javascript" src="https://cdnjs.cloudflare.com/ajax/libs/push.js/1.0.9/push.min.js"></script>
<script>
App.activity_notification = App.cable.subscriptions.create(
{
channel: "ActivityNotification::NotificationChannel",
target_type: "<%= @target.to_class_name %>", target_id: "<%= @target.id %>"
},
{
connected: function() {
// Connected
},
disconnected: function() {
// Disconnected
},
rejected: function() {
// Rejected
},
received: function(notification) {
// Display notification
// Push notificaion using Web Notification API by Push.js
Push.create('ActivityNotification', {
body: notification.text,
timeout: 5000,
onClick: function () {
location.href = notification.notifiable_path;
this.close();
}
});
}
}
);
</script>
or create subscriptions in your single page application with API channels like this:
// Vue.js implementation with actioncable-vue
export default {
// ...
mounted () {
this.subscribeActionCable();
},
channels: {
'ActivityNotification::NotificationApiChannel': {
connected() {
// Connected
},
disconnected() {
// Disconnected
},
rejected() {
// Rejected
},
received(data) {
this.notify(data);
}
}
},
methods: {
subscribeActionCable () {
this.$cable.subscribe({
channel: 'ActivityNotification::NotificationApiChannel',
target_type: this.target_type, target_id: this.target_id
});
},
notify (data) {
// Display notification
// Push notificaion using Web Notification API by Push.js
Push.create('ActivityNotification', {
body: data.notification.text,
timeout: 5000,
onClick: function () {
location.href = data.notification.notifiable_path;
this.close();
}
});
}
}
}
Then, activity_notification will push desktop notification using Web Notification API.
To use Devise integration, enable subscribing notifications with Devise authentication in initializer activity_notification.rb.
config.action_cable_with_devise = true
You can also configure them for each target model by acts_as_target like this:
class User < ActiveRecord::Base
acts_as_target action_cable_allowed: true,
# Allow Action Cable broadcasting and enable subscribing notifications with Devise authentication
action_cable_with_devise: true
end
When you set action_cable_with_devise option to true, ActivityNotification::NotificationChannel will reject your subscription requests for the target type.
activity_notification also provides ActivityNotification::NotificationWithDeviseChannel to create subscriptions integrated with Devise authentication. You can simply use ActivityNotification::NotificationWithDeviseChannel instead of ActivityNotification::NotificationChannel:
App.activity_notification = App.cable.subscriptions.create(
{
channel: "ActivityNotification::NotificationWithDeviseChannel",
target_type: "<%= @target.to_class_name %>", target_id: "<%= @target.id %>"
},
{
// ...
}
);
You can also create these subscriptions with devise_type parameter instead of target_id parameter like this:
App.activity_notification = App.cable.subscriptions.create(
{
channel: "ActivityNotification::NotificationWithDeviseChannel",
target_type: "users", devise_type: "users"
},
{
// ...
}
);
ActivityNotification::NotificationWithDeviseChannel will confirm subscription requests from authenticated cookies by Devise. If the user has not signed in, the subscription request will be rejected. If the user has signed in as unauthorized user, the subscription request will be also rejected.
In addtion, you can use Target#notification_action_cable_channel_class_name
method to select channel class depending on your action_cable_with_devise configuration for the target.
App.activity_notification = App.cable.subscriptions.create(
{
channel: "<%= @target.notification_action_cable_channel_class_name %>",
target_type: "<%= @target.to_class_name %>", target_id: "<%= @target.id %>"
},
{
// ...
}
);
This script is also implemented in default notifications index view of activity_notification.
To use Devise Token Auth integration, also enable subscribing notifications with Devise authentication in initializer activity_notification.rb.
config.action_cable_with_devise = true
You can also configure them for each target model by acts_as_target like this:
class User < ActiveRecord::Base
acts_as_target action_cable_api_allowed: true,
# Allow Action Cable broadcasting and enable subscribing notifications API with Devise Token Auth
action_cable_with_devise: true
end
When you set action_cable_with_devise option to true, ActivityNotification::NotificationApiChannel will reject your subscription requests for the target type.
activity_notification also provides ActivityNotification::NotificationApiWithDeviseChannel to create subscriptions integrated with Devise Token Auth. You can simply use ActivityNotification::NotificationApiWithDeviseChannel instead of ActivityNotification::NotificationApiChannel. Note that you have to pass authenticated token by Devise Token Auth in subscription requests like this:
export default {
// ...
channels: {
'ActivityNotification::NotificationApiWithDeviseChannel': {
// ...
}
},
methods: {
subscribeActionCable () {
this.$cable.subscribe({
channel: 'ActivityNotification::NotificationApiWithDeviseChannel',
target_type: this.target_type, target_id: this.target_id,
'access-token': this.authHeaders['access-token'],
'client': this.authHeaders['client'],
'uid': this.authHeaders['uid']
});
}
}
}
You can also create these subscriptions with devise_type parameter instead of target_id parameter like this:
export default {
// ...
methods: {
subscribeActionCable () {
this.$cable.subscribe({
channel: 'ActivityNotification::NotificationApiWithDeviseChannel',
target_type: "users", devise_type: "users",
'access-token': this.authHeaders['access-token'],
'client': this.authHeaders['client'],
'uid': this.authHeaders['uid']
});
}
}
}
ActivityNotification::NotificationWithDeviseChannel will confirm subscription requests from authenticated token by Devise Token Auth. If the token is invalid, the subscription request will be rejected. If the token of unauthorized user is passed, the subscription request will be also rejected.
This script is also implemented in notifications index in sample single page application.
Since broadcasting notifications to Action Cable channels is provided as optional notification targets implementation, you can manage subscriptions as :action_cable_channel and :action_cable_api_channel optional target. See subscription management of optional targets for more details.
activity_notification supports configurable optional notification targets like Amazon SNS, Slack, SMS and so on.
activity_notification provides default optional target implementation for Amazon SNS and Slack. You can develop any optional target classes which extends ActivityNotification::OptionalTarget::Base, and configure them to notifiable model by acts_as_notifiable like this:
class Comment < ActiveRecord::Base
belongs_to :article
belongs_to :user
require 'activity_notification/optional_targets/amazon_sns'
require 'activity_notification/optional_targets/slack'
require 'custom_optional_targets/console_output'
acts_as_notifiable :admins, targets: [Admin.first].compact,
notifiable_path: :article_notifiable_path,
# Set optional target implementation class and initializing parameters
optional_targets: {
ActivityNotification::OptionalTarget::AmazonSNS => { topic_arn: 'arn:aws:sns:XXXXX:XXXXXXXXXXXX:XXXXX' },
ActivityNotification::OptionalTarget::Slack => {
webhook_url: 'https://hooks.slack.com/services/XXXXXXXXX/XXXXXXXXX/XXXXXXXXXXXXXXXXXXXXXXXX',
slack_name: :slack_name, channel: 'activity_notification', username: 'ActivityNotification', icon_emoji: ":ghost:"
},
CustomOptionalTarget::ConsoleOutput => {}
}
def article_notifiable_path
article_path(article)
end
end
Write require statement for optional target implementation classes and set them with initializing parameters to acts_as_notifiable. activity_notification will publish all notifications of those targets and notifiables to optional targets.
Optional targets prepare publishing messages from notification instance using view template like rendering notifications. As default, all optional targets use app/views/activity_notification/optional_targets/default/base/_default.text.erb. You can customize this template by creating app/views/activity_notification/optional_targets/<target_class_name>/<optional_target_class_name>/<notification_key>.text.(|erb|haml|slim|something_else). For example, if you have a notification for :users target with :key set to "notification.comment.reply" and ActivityNotification::OptionalTarget::AmazonSNS optional target is configured, the gem will look for a partial in app/views/activity_notification/optional_targets/users/amazon_sns/comment/_reply.text.erb. The gem will also look for templates whose <target_class_name> is default, <optional_target_class_name> is base and <notification_key> is default, which means app/views/activity_notification/optional_targets/users/amazon_sns/_default.text.erb, app/views/activity_notification/optional_targets/users/base/_default.text.erb, app/views/activity_notification/optional_targets/default/amazon_sns/_default.text.erb and app/views/activity_notification/optional_targets/default/base/_default.text.erb.
activity_notification provides ActivityNotification::OptionalTarget::ActionCableChannel and ActivityNotification::OptionalTarget::ActionCableApiChannel as default optional target implementation to broadcast notifications to Action Cable channels.
Simply write require 'activity_notification/optional_targets/action_cable_channel'
or require 'activity_notification/optional_targets/action_cable_api_channel'
statement in your notifiable model and set ActivityNotification::OptionalTarget::ActionCableChannel or ActivityNotification::OptionalTarget::ActionCableApiChannel to acts_as_notifiable with initializing parameters. If you don't specify initializing parameters ActivityNotification::OptionalTarget::ActionCableChannel and ActivityNotification::OptionalTarget::ActionCableApiChannel uses configuration in ActivityNotification.config.
# Set Action Cable broadcasting as HTML view using optional target
class Comment < ActiveRecord::Base
require 'activity_notification/optional_targets/action_cable_channel'
acts_as_notifiable :admins, targets: [Admin.first].compact,
optional_targets: {
ActivityNotification::OptionalTarget::ActionCableChannel => { channel_prefix: 'admin_notification' }
}
end
# Set Action Cable API broadcasting as formatted JSON using optional target
class Comment < ActiveRecord::Base
require 'activity_notification/optional_targets/action_cable_api_channel'
acts_as_notifiable :admins, targets: [Admin.first].compact,
optional_targets: {
ActivityNotification::OptionalTarget::ActionCableApiChannel => { channel_prefix: 'admin_notification_api' }
}
end
activity_notification provides ActivityNotification::OptionalTarget::AmazonSNS as default optional target implementation for Amazon SNS.
First, add aws-sdk or aws-sdk-sns (>= AWS SDK for Ruby v3) gem to your Gemfile and set AWS Credentials for SDK (See Configuring the AWS SDK for Ruby).
gem 'aws-sdk', '~> 2'
# --- or ---
gem 'aws-sdk-sns', '~> 1'
require 'aws-sdk'
# --- or ---
require 'aws-sdk-sns'
Aws.config.update(
region: 'your_region',
credentials: Aws::Credentials.new('your_access_key_id', 'your_secret_access_key')
)
Then, write require 'activity_notification/optional_targets/amazon_sns'
statement in your notifiable model and set ActivityNotification::OptionalTarget::AmazonSNS to acts_as_notifiable with :topic_arn, :target_arn or :phone_number initializing parameters.
Any other options for Aws::SNS::Client.new
are available as initializing parameters. See API Reference of Class: Aws::SNS::Client for more details.
class Comment < ActiveRecord::Base
require 'activity_notification/optional_targets/amazon_sns'
acts_as_notifiable :admins, targets: [Admin.first].compact,
optional_targets: {
ActivityNotification::OptionalTarget::AmazonSNS => { topic_arn: 'arn:aws:sns:XXXXX:XXXXXXXXXXXX:XXXXX' }
}
end
activity_notification provides ActivityNotification::OptionalTarget::Slack as default optional target implementation for Slack.
First, add slack-notifier gem to your Gemfile and create Incoming WebHooks in Slack (See Incoming WebHooks).
gem 'slack-notifier'
Then, write require 'activity_notification/optional_targets/slack'
statement in your notifiable model and set ActivityNotification::OptionalTarget::Slack to acts_as_notifiable with :webhook_url and :target_username initializing parameters. :webhook_url is created WebHook URL and required, :target_username is target's slack user name as String value, symbol method name or lambda function and is optional.
Any other options for Slack::Notifier.new
are available as initializing parameters. See Github slack-notifier and API Reference of Class: Slack::Notifier for more details.
class Comment < ActiveRecord::Base
require 'activity_notification/optional_targets/slack'
acts_as_notifiable :admins, targets: [Admin.first].compact,
optional_targets: {
ActivityNotification::OptionalTarget::Slack => {
webhook_url: 'https://hooks.slack.com/services/XXXXXXXXX/XXXXXXXXX/XXXXXXXXXXXXXXXXXXXXXXXX',
target_username: :slack_username, channel: 'activity_notification', username: 'ActivityNotification', icon_emoji: ":ghost:"
}
}
end
You can develop any custom optional targets. Custom optional target class must extend ActivityNotification::OptionalTarget::Base and override initialize_target and notify method. You can use render_notification_message method to prepare message from notification instance using view template.
For example, create lib/custom_optional_targets/amazon_sns.rb as follows:
module CustomOptionalTarget
# Custom optional target implementation for mobile push notification or SMS using Amazon SNS.
class AmazonSNS < ActivityNotification::OptionalTarget::Base
require 'aws-sdk'
# Initialize method to prepare Aws::SNS::Client
def initialize_target(options = {})
@topic_arn = options.delete(:topic_arn)
@target_arn = options.delete(:target_arn)
@phone_number = options.delete(:phone_number)
@sns_client = Aws::SNS::Client.new(options)
end
# Publishes notification message to Amazon SNS
def notify(notification, options = {})
@sns_client.publish(
topic_arn: notification.target.resolve_value(options.delete(:topic_arn) || @topic_arn),
target_arn: notification.target.resolve_value(options.delete(:target_arn) || @target_arn),
phone_number: notification.target.resolve_value(options.delete(:phone_number) || @phone_number),
message: render_notification_message(notification, options)
)
end
end
end
Then, you can configure them to notifiable model by acts_as_notifiable like this:
class Comment < ActiveRecord::Base
require 'custom_optional_targets/amazon_sns'
acts_as_notifiable :admins, targets: [Admin.first].compact,
optional_targets: {
CustomOptionalTarget::AmazonSNS => { topic_arn: 'arn:aws:sns:XXXXX:XXXXXXXXXXXX:XXXXX' }
}
end
acts_as_notifiable creates optional target instances and calls initialize_target method with initializing parameters.
ActivityNotification::Subscription model provides API to subscribe and unsubscribe optional notification targets. Call these methods with optional target name like this:
# Subscribe Acltion Cable channel for 'comment.reply' notifications
user.find_or_create_subscription('comment.reply').subscribe_to_optional_target(:action_cable_channel)
# Subscribe Acltion Cable API channel for 'comment.reply' notifications
user.find_or_create_subscription('comment.reply').subscribe_to_optional_target(:action_cable_api_channel)
# Unsubscribe Slack notification for 'comment.reply' notifications
user.find_or_create_subscription('comment.reply').unsubscribe_to_optional_target(:slack)
You can also manage subscriptions of optional targets by subscriptions REST API. See REST API backend for more details.
You can see sample subscription management view in demo application here: https://activity-notification-example.herokuapp.com/users/1/subscriptions