Skip to contentSkip to navigationSkip to topbar
Rate this page:
On this page

Send Appointment Reminders with Ruby and Rails


(information)

Info

Ahoy! We now recommend you build your appointment reminders with Twilio's built in Message Scheduling functionality. Head on over to the Message Scheduling documentation to learn more about scheduling messages!

Ready to implement appointment reminders in your application? Here's how it works at a high level:

  1. An administrator creates an appointment for a future date and time, and stores a customer's phone number in the database for that appointment
  2. A background process checks the database on a regular interval, looking for appointments that require a reminder to be sent out
  3. At a configured time in advance of the appointment, an SMS reminder is sent out to the customer to remind them of their appointment

Building Blocks

building-blocks page anchor

Here are the technologies we'll use to get this done:


How To Read This Tutorial

how-to-read-this-tutorial page anchor

To implement appointment reminders, we will be working through a series of user stories(link takes you to an external page) that describe how to fully implement appointment reminders in a web application. We'll walk through the code required to satisfy each story, and explore what we needed to add at each step.

All this can be done with the help of Twilio in under half an hour.


As a user, I want to create an appointment with a name, guest phone numbers, and a time in the future.

In order to build an automated appointment reminder app, we probably should start with an appointment. This story requires that we create a bit of UI and a model object to create and save a new Appointment in our system. At a high level, here's what we will need to add:

  • A form to enter details about the appointment
  • A route and controller function on the server to render the form
  • A route and controller function on the server to handle the form POST request
  • A persistent Appointment model object to store information about the user

Let's start by looking at the model, where we decide what information we want to store with the appointment.


Usually at this point in the tutorial we would build our model, view and controller from scratch (see account verification as an example). But since the appointment model is so straight-forward, and we really just want the basic CRUD scaffolding, we're going to use the Rails generator for once.

A Note about Tools

In this app we're using Rails 4, but it will be very similar for 3 and below. We will also be using the twilio-ruby(link takes you to an external page) helper library. Lastly we use bootstrap to simplify design, and in this case there is a gem that will generate bootstrap-themed views called twitter-bootstrap-rails(link takes you to an external page). Please check out these tools when you have a chance, now let's move on to generating our scaffolding.

Generate a Model, View and Controller

Rails generate(link takes you to an external page) is a command-line tool that generates rails components like models, views, tests and more. For our purposes we are going to use the big kahuna generator, scaffold to generate everything at once.

Here's how we did it. From inside our rails app, we ran:


_10
$ bin/rails generate scaffold Appointment name:string phone_number:string time:datetime

This tells our generator to create the 'scaffolding' for a resource called Appointment, which has the properties name, phone_number and time.

Now let's go to the model that was generated and add some stuff to it.


The appointment model is pretty simple out of the box, but since humans will be interacting with it let's make sure we add some data validation.

Data Validation

Validations are important since we want to make sure only accurate data is being saved into our database. In this case, we only want to validate that all of our required fields are present. We can do this by creating a validates statement with presence: true.

It is likely that our Appointment Model would be created by an admin person at the site of the appointment. Well it would be great if we could give our admin user some feedback when they create the appointment. Luckily in Rails if we add validations to our models we get error reporting for free with the session's flash object.

One note: in order to run this demo you would need to run rake db:migrate which would run the migrations in our db/migrate folder. For this tutorial we're gonna focus on the core concepts but if you want to learn more about migrations you can read the Rails guide(link takes you to an external page) on the subject.

Appointment Model

appointment-model-1 page anchor

app/models/appointment.rb


_28
class Appointment < ActiveRecord::Base
_28
validates :name, presence: true
_28
validates :phone_number, presence: true
_28
validates :time, presence: true
_28
_28
after_create :reminder
_28
_28
# Notify our appointment attendee X minutes before the appointment time
_28
def reminder
_28
@twilio_number = ENV['TWILIO_NUMBER']
_28
account_sid = ENV['TWILIO_ACCOUNT_SID']
_28
@client = Twilio::REST::Client.new account_sid, ENV['TWILIO_AUTH_TOKEN']
_28
time_str = ((self.time).localtime).strftime("%I:%M%p on %b. %d, %Y")
_28
body = "Hi #{self.name}. Just a reminder that you have an appointment coming up at #{time_str}."
_28
message = @client.messages.create(
_28
:from => @twilio_number,
_28
:to => self.phone_number,
_28
:body => body,
_28
)
_28
end
_28
_28
def when_to_run
_28
minutes_before_appointment = 30.minutes
_28
time - minutes_before_appointment
_28
end
_28
_28
handle_asynchronously :reminder, :run_at => Proc.new { |i| i.when_to_run }
_28
end

Now we're ready to move up to the controller level of the application, starting with the HTTP request routes we'll need.


In a Rails application, Resource Routing(link takes you to an external page) automatically maps a resource's CRUD capabilities to its controller. Since our Appointment is an ActiveRecord resource, we can simply tell Rails that we want to use these routes, which will save us some lines of code.

This means that in this one line of code we automatically have an appointment/new route which will automatically render our appointment/new.html.erb file.

config/routes.rb


_10
Rails.application.routes.draw do
_10
resources :appointments
_10
_10
# You can have the root of your site routed with "root"
_10
root 'appointments#welcome'
_10
end

Let's take a look at this form up close.


When we create a new appointment, we need a guest name, a phone number and a time. By using the rails form_for tag we can bind the form to the model object. This will generate the necessary html markup that will create a new Appointment on submit.

app/views/appointments/_form.html.erb


_55
<%= form_for @appointment, :html => { :class => "form-horizontal appointment" } do |f| %>
_55
_55
<% if @appointment.errors.any? %>
_55
<div id="error_expl" class="panel panel-danger">
_55
<div class="panel-heading">
_55
<h3 class="panel-title"><%= pluralize(@appointment.errors.count, "error") %> prohibited this appointment from being saved:</h3>
_55
</div>
_55
<div class="panel-body">
_55
<ul>
_55
<% @appointment.errors.full_messages.each do |msg| %>
_55
<li><%= msg %></li>
_55
<% end %>
_55
</ul>
_55
</div>
_55
</div>
_55
<% end %>
_55
_55
<div class="form-group">
_55
<%= f.label :name, :class => 'control-label col-lg-2' %>
_55
<div class="col-lg-10">
_55
<%= f.text_field :name, :class => 'form-control' %>
_55
</div>
_55
<%=f.error_span(:name) %>
_55
</div>
_55
<div class="form-group">
_55
<%= f.label :phone_number, :class => 'control-label col-lg-2' %>
_55
<div class="col-lg-10">
_55
<%= f.text_field :phone_number, :class => 'form-control' %>
_55
</div>
_55
<%=f.error_span(:phone_number) %>
_55
</div>
_55
<div class="form-group">
_55
<%= f.label :time, "Time and Date", :class => 'control-label col-lg-2' %>
_55
<!-- Rails expects time_select when dealing with ActiveRecord forms -->
_55
<div class="col-lg-2">
_55
<%= time_select :appointment, :time, {:class => "form-control" } %>
_55
</div>
_55
<div class="col-lg-4">
_55
<%= date_select :appointment, :time, {:class => "form-control" } %>
_55
</div>
_55
<div class="col-lg-2">
_55
<%= f.time_zone_select :time_zone, ActiveSupport::TimeZone.all.sort, default: "Pacific Time (US & Canada)" %>
_55
</div>
_55
<%=f.error_span(:time) %>
_55
</div>
_55
_55
<div class="form-group">
_55
<div class="col-lg-offset-2 col-lg-10">
_55
<%= f.submit nil, :class => 'btn btn-primary' %>
_55
<%= link_to t('.cancel', :default => t("helpers.links.cancel")),
_55
appointments_path, :class => 'btn btn-default' %>
_55
</div>
_55
</div>
_55
_55
<% end %>

Let's point out one specific helper tag that Rails gives us for model-bound forms.


One potential time-suck is figuring out how to handle the date and time of the appointment. In reality this is two separate user inputs, one for the day and one for the time of the appointment. We need a way to combine these two separate inputs into one paramater on the server-side. Again Rails handles this by giving us the data_select and time_select tags which the server automatically gathers into one paramater that maps to the appointment.time property.

app/views/appointments/_form.html.erb


_55
<%= form_for @appointment, :html => { :class => "form-horizontal appointment" } do |f| %>
_55
_55
<% if @appointment.errors.any? %>
_55
<div id="error_expl" class="panel panel-danger">
_55
<div class="panel-heading">
_55
<h3 class="panel-title"><%= pluralize(@appointment.errors.count, "error") %> prohibited this appointment from being saved:</h3>
_55
</div>
_55
<div class="panel-body">
_55
<ul>
_55
<% @appointment.errors.full_messages.each do |msg| %>
_55
<li><%= msg %></li>
_55
<% end %>
_55
</ul>
_55
</div>
_55
</div>
_55
<% end %>
_55
_55
<div class="form-group">
_55
<%= f.label :name, :class => 'control-label col-lg-2' %>
_55
<div class="col-lg-10">
_55
<%= f.text_field :name, :class => 'form-control' %>
_55
</div>
_55
<%=f.error_span(:name) %>
_55
</div>
_55
<div class="form-group">
_55
<%= f.label :phone_number, :class => 'control-label col-lg-2' %>
_55
<div class="col-lg-10">
_55
<%= f.text_field :phone_number, :class => 'form-control' %>
_55
</div>
_55
<%=f.error_span(:phone_number) %>
_55
</div>
_55
<div class="form-group">
_55
<%= f.label :time, "Time and Date", :class => 'control-label col-lg-2' %>
_55
<!-- Rails expects time_select when dealing with ActiveRecord forms -->
_55
<div class="col-lg-2">
_55
<%= time_select :appointment, :time, {:class => "form-control" } %>
_55
</div>
_55
<div class="col-lg-4">
_55
<%= date_select :appointment, :time, {:class => "form-control" } %>
_55
</div>
_55
<div class="col-lg-2">
_55
<%= f.time_zone_select :time_zone, ActiveSupport::TimeZone.all.sort, default: "Pacific Time (US & Canada)" %>
_55
</div>
_55
<%=f.error_span(:time) %>
_55
</div>
_55
_55
<div class="form-group">
_55
<div class="col-lg-offset-2 col-lg-10">
_55
<%= f.submit nil, :class => 'btn btn-primary' %>
_55
<%= link_to t('.cancel', :default => t("helpers.links.cancel")),
_55
appointments_path, :class => 'btn btn-default' %>
_55
</div>
_55
</div>
_55
_55
<% end %>

Let's jump back over to the controller to see what happens when we create this appointment.


One of the other handy controllers created by our Appointment resource route was appointment/create which handles the POST from our form.

In our controller, we take the input from our form and create a new Appointment model. If the appointment is saved to the database successfully, we redirect to the appointment details view which will show the creator the new appointment and allow them to edit or delete it.

Handle the Form POST, create an Appointment

handle-the-form-post-create-an-appointment page anchor

app/controllers/appointments_controller.rb


_80
class AppointmentsController < ApplicationController
_80
before_action :find_appointment, only: [:show, :edit, :update, :destroy]
_80
_80
# GET /appointments
_80
# GET /appointments.json
_80
def index
_80
@appointments = Appointment.all
_80
if @appointments.length.zero?
_80
flash[:alert] = 'You have no appointments. Create one now to get started.'
_80
end
_80
end
_80
_80
# GET /appointments/1
_80
# GET /appointments/1.json
_80
def show
_80
end
_80
_80
# GET /appointments/new
_80
def new
_80
@appointment = Appointment.new
_80
@min_date = DateTime.now
_80
end
_80
_80
# GET /appointments/1/edit
_80
def edit
_80
end
_80
_80
# POST /appointments
_80
# POST /appointments.json
_80
def create
_80
Time.zone = appointment_params[:time_zone]
_80
@appointment = Appointment.new(appointment_params)
_80
_80
respond_to do |format|
_80
if @appointment.save
_80
format.html { redirect_to @appointment, notice: 'Appointment was successfully created.' }
_80
format.json { render :show, status: :created, location: @appointment }
_80
else
_80
format.html { render :new }
_80
format.json { render json: @appointment.errors, status: :unprocessable_entity }
_80
end
_80
end
_80
end
_80
_80
# PATCH/PUT /appointments/1
_80
# PATCH/PUT /appointments/1.json
_80
def update
_80
respond_to do |format|
_80
if @appointment.update(appointment_params)
_80
format.html { redirect_to @appointment, notice: 'Appointment was successfully updated.' }
_80
format.json { render :show, status: :ok, location: @appointment }
_80
else
_80
format.html { render :edit }
_80
format.json { render json: @appointment.errors, status: :unprocessable_entity }
_80
end
_80
end
_80
end
_80
_80
# DELETE /appointments/1
_80
# DELETE /appointments/1.json
_80
def destroy
_80
@appointment.destroy
_80
respond_to do |format|
_80
format.html { redirect_to appointments_url, notice: 'Appointment was successfully destroyed.' }
_80
format.json { head :no_content }
_80
end
_80
end
_80
_80
private
_80
# Use callbacks to share common setup or constraints between actions.
_80
# See above ---> before_action :set_appointment, only: [:show, :edit, :update, :destroy]
_80
def find_appointment
_80
@appointment = Appointment.find(params[:id])
_80
end
_80
_80
# Never trust parameters from the scary internet, only allow the white list through.
_80
def appointment_params
_80
params.require(:appointment).permit(:name, :phone_number, :time, :time_zone)
_80
end
_80
end

Next we're going to take a look at the generated controllers for edit and delete.


Interacting with Appointments

interacting-with-appointments page anchor

As a user, I want to view a list of all future appointments, and be able to delete those appointments.

If you're an organization that handles a lot of appointments, you probably want to be able to view and manage them in a single interface. That's what we'll tackle in this user story. We'll create a UI to:

  • Show all appointments
  • Delete individual appoinments

Let's start by looking at the controller.


Show a List of Appointments

show-a-list-of-appointments page anchor

At the controller level, all we'll do is get a list of all the appointments in the database and rendering them with a view. We should also add a prompt if there aren't any appointments, since this demo relies on there being at least one appointment in the future.

app/controllers/appointments_controller.rb


_80
class AppointmentsController < ApplicationController
_80
before_action :find_appointment, only: [:show, :edit, :update, :destroy]
_80
_80
# GET /appointments
_80
# GET /appointments.json
_80
def index
_80
@appointments = Appointment.all
_80
if @appointments.length.zero?
_80
flash[:alert] = 'You have no appointments. Create one now to get started.'
_80
end
_80
end
_80
_80
# GET /appointments/1
_80
# GET /appointments/1.json
_80
def show
_80
end
_80
_80
# GET /appointments/new
_80
def new
_80
@appointment = Appointment.new
_80
@min_date = DateTime.now
_80
end
_80
_80
# GET /appointments/1/edit
_80
def edit
_80
end
_80
_80
# POST /appointments
_80
# POST /appointments.json
_80
def create
_80
Time.zone = appointment_params[:time_zone]
_80
@appointment = Appointment.new(appointment_params)
_80
_80
respond_to do |format|
_80
if @appointment.save
_80
format.html { redirect_to @appointment, notice: 'Appointment was successfully created.' }
_80
format.json { render :show, status: :created, location: @appointment }
_80
else
_80
format.html { render :new }
_80
format.json { render json: @appointment.errors, status: :unprocessable_entity }
_80
end
_80
end
_80
end
_80
_80
# PATCH/PUT /appointments/1
_80
# PATCH/PUT /appointments/1.json
_80
def update
_80
respond_to do |format|
_80
if @appointment.update(appointment_params)
_80
format.html { redirect_to @appointment, notice: 'Appointment was successfully updated.' }
_80
format.json { render :show, status: :ok, location: @appointment }
_80
else
_80
format.html { render :edit }
_80
format.json { render json: @appointment.errors, status: :unprocessable_entity }
_80
end
_80
end
_80
end
_80
_80
# DELETE /appointments/1
_80
# DELETE /appointments/1.json
_80
def destroy
_80
@appointment.destroy
_80
respond_to do |format|
_80
format.html { redirect_to appointments_url, notice: 'Appointment was successfully destroyed.' }
_80
format.json { head :no_content }
_80
end
_80
end
_80
_80
private
_80
# Use callbacks to share common setup or constraints between actions.
_80
# See above ---> before_action :set_appointment, only: [:show, :edit, :update, :destroy]
_80
def find_appointment
_80
@appointment = Appointment.find(params[:id])
_80
end
_80
_80
# Never trust parameters from the scary internet, only allow the white list through.
_80
def appointment_params
_80
params.require(:appointment).permit(:name, :phone_number, :time, :time_zone)
_80
end
_80
end

Let's go back to the template to see our list of appointments.


The index view lists all of the appointments which are automatically ordered by date_created. The only thing we need to add to fulfil our user story is a delete button. We'll add the edit button just for kicks.

URL Helpers

You may notice that instead of hard-coding the urls for Edit and Delete we are using a Rails URL helper(link takes you to an external page). If you view the rendered markup you will see these paths:

  • /appointments/ID/edit for edit
  • /appointments/ID for delete, with an HTTP DELETE method appended to the query

These URL helpers can take either an appointment object, or an ID.

There are some other helpers in this code that Rails generates for us. The one I want to point out is the :confirm tag. The confirm tag is a data attribute that interrupts the actual DELETE request with a javascript alert. This is best-practices when calling DELETE on an object. If the user confirms we process the request normally, otherwise no action will be taken.

app/views/appointments/index.html.erb


_40
<%- model_class = Appointment -%>
_40
<div class="page-header">
_40
<h1><%=t '.title', :default => model_class.model_name.human.pluralize.titleize %></h1>
_40
</div>
_40
<table class="table table-striped">
_40
<thead>
_40
<tr>
_40
<th><%= model_class.human_attribute_name(:id) %></th>
_40
<th><%= model_class.human_attribute_name(:name) %></th>
_40
<th><%= model_class.human_attribute_name(:phone_number) %></th>
_40
<th><%= model_class.human_attribute_name(:time) %></th>
_40
<th><%= model_class.human_attribute_name(:created_at) %></th>
_40
<th><%=t '.actions', :default => t("helpers.actions") %></th>
_40
</tr>
_40
</thead>
_40
<tbody>
_40
<% @appointments.each do |appointment| %>
_40
<tr>
_40
<td><%= link_to appointment.id, appointment_path(appointment) %></td>
_40
<td><%= appointment.name %></td>
_40
<td><%= appointment.phone_number %></td>
_40
<td><%= appointment.time %></td>
_40
<td><%=l appointment.created_at %></td>
_40
<td>
_40
<%= link_to "Edit",
_40
edit_appointment_path(appointment), :class => 'btn btn-default btn-xs' %>
_40
<%= link_to "Delete",
_40
appointment_path(appointment),
_40
:method => :delete,
_40
:data => { :confirm => t('.confirm', :default => t("helpers.links.confirm", :default => 'Are you sure?')) },
_40
:class => 'btn btn-xs btn-danger' %>
_40
</td>
_40
</tr>
_40
<% end %>
_40
</tbody>
_40
</table>
_40
_40
<%= link_to "New",
_40
new_appointment_path,
_40
:class => 'btn btn-primary' %>

Now let's take a look at what happens in the controller when we ask to delete an appointment.


In this controller we need to pull up an appointment record and then delete it. Let's take a look at how we're grabbing the appointment first.

Since we're probably going to need an appointment record in most of our views, we should just create a private instance method that can be shared across multiple controllers.

In set_appointment we use the id paramater, passed through from the route, to look up the appointment. Then at the top of our controller we use the before_action filter like so:


_10
before_action :set_appointment, only: [:show, :edit, :update, :destroy]

This tells our application which controllers to apply this filter to. In this case we only need an appointment when the controller deals with a single appointment.

app/controllers/appointments_controller.rb


_80
class AppointmentsController < ApplicationController
_80
before_action :find_appointment, only: [:show, :edit, :update, :destroy]
_80
_80
# GET /appointments
_80
# GET /appointments.json
_80
def index
_80
@appointments = Appointment.all
_80
if @appointments.length.zero?
_80
flash[:alert] = 'You have no appointments. Create one now to get started.'
_80
end
_80
end
_80
_80
# GET /appointments/1
_80
# GET /appointments/1.json
_80
def show
_80
end
_80
_80
# GET /appointments/new
_80
def new
_80
@appointment = Appointment.new
_80
@min_date = DateTime.now
_80
end
_80
_80
# GET /appointments/1/edit
_80
def edit
_80
end
_80
_80
# POST /appointments
_80
# POST /appointments.json
_80
def create
_80
Time.zone = appointment_params[:time_zone]
_80
@appointment = Appointment.new(appointment_params)
_80
_80
respond_to do |format|
_80
if @appointment.save
_80
format.html { redirect_to @appointment, notice: 'Appointment was successfully created.' }
_80
format.json { render :show, status: :created, location: @appointment }
_80
else
_80
format.html { render :new }
_80
format.json { render json: @appointment.errors, status: :unprocessable_entity }
_80
end
_80
end
_80
end
_80
_80
# PATCH/PUT /appointments/1
_80
# PATCH/PUT /appointments/1.json
_80
def update
_80
respond_to do |format|
_80
if @appointment.update(appointment_params)
_80
format.html { redirect_to @appointment, notice: 'Appointment was successfully updated.' }
_80
format.json { render :show, status: :ok, location: @appointment }
_80
else
_80
format.html { render :edit }
_80
format.json { render json: @appointment.errors, status: :unprocessable_entity }
_80
end
_80
end
_80
end
_80
_80
# DELETE /appointments/1
_80
# DELETE /appointments/1.json
_80
def destroy
_80
@appointment.destroy
_80
respond_to do |format|
_80
format.html { redirect_to appointments_url, notice: 'Appointment was successfully destroyed.' }
_80
format.json { head :no_content }
_80
end
_80
end
_80
_80
private
_80
# Use callbacks to share common setup or constraints between actions.
_80
# See above ---> before_action :set_appointment, only: [:show, :edit, :update, :destroy]
_80
def find_appointment
_80
@appointment = Appointment.find(params[:id])
_80
end
_80
_80
# Never trust parameters from the scary internet, only allow the white list through.
_80
def appointment_params
_80
params.require(:appointment).permit(:name, :phone_number, :time, :time_zone)
_80
end
_80
end

Now let's take a look at what happens when an appointment is actually deleted.


Now that we have the appointment, we simply need to call .destroy on it. In a production app you may want to evaluate whether to use .delete instead of destroy, since both are valid ways to delete a database row in Rails. For our purposes we will use the less-eficient destroy for two reasons:

  1. It handles database clean-up
  2. It keeps the Appointment in memory, so that we can flash a success message to the user

app/controllers/appointments_controller.rb


_80
class AppointmentsController < ApplicationController
_80
before_action :find_appointment, only: [:show, :edit, :update, :destroy]
_80
_80
# GET /appointments
_80
# GET /appointments.json
_80
def index
_80
@appointments = Appointment.all
_80
if @appointments.length.zero?
_80
flash[:alert] = 'You have no appointments. Create one now to get started.'
_80
end
_80
end
_80
_80
# GET /appointments/1
_80
# GET /appointments/1.json
_80
def show
_80
end
_80
_80
# GET /appointments/new
_80
def new
_80
@appointment = Appointment.new
_80
@min_date = DateTime.now
_80
end
_80
_80
# GET /appointments/1/edit
_80
def edit
_80
end
_80
_80
# POST /appointments
_80
# POST /appointments.json
_80
def create
_80
Time.zone = appointment_params[:time_zone]
_80
@appointment = Appointment.new(appointment_params)
_80
_80
respond_to do |format|
_80
if @appointment.save
_80
format.html { redirect_to @appointment, notice: 'Appointment was successfully created.' }
_80
format.json { render :show, status: :created, location: @appointment }
_80
else
_80
format.html { render :new }
_80
format.json { render json: @appointment.errors, status: :unprocessable_entity }
_80
end
_80
end
_80
end
_80
_80
# PATCH/PUT /appointments/1
_80
# PATCH/PUT /appointments/1.json
_80
def update
_80
respond_to do |format|
_80
if @appointment.update(appointment_params)
_80
format.html { redirect_to @appointment, notice: 'Appointment was successfully updated.' }
_80
format.json { render :show, status: :ok, location: @appointment }
_80
else
_80
format.html { render :edit }
_80
format.json { render json: @appointment.errors, status: :unprocessable_entity }
_80
end
_80
end
_80
end
_80
_80
# DELETE /appointments/1
_80
# DELETE /appointments/1.json
_80
def destroy
_80
@appointment.destroy
_80
respond_to do |format|
_80
format.html { redirect_to appointments_url, notice: 'Appointment was successfully destroyed.' }
_80
format.json { head :no_content }
_80
end
_80
end
_80
_80
private
_80
# Use callbacks to share common setup or constraints between actions.
_80
# See above ---> before_action :set_appointment, only: [:show, :edit, :update, :destroy]
_80
def find_appointment
_80
@appointment = Appointment.find(params[:id])
_80
end
_80
_80
# Never trust parameters from the scary internet, only allow the white list through.
_80
def appointment_params
_80
params.require(:appointment).permit(:name, :phone_number, :time, :time_zone)
_80
end
_80
end

Now that we can interact with our appointments, let's dive into sending out reminders when one of these appointments is coming up.


As an appointment system, I want to notify a user via SMS an arbitrary interval before a future appointment.

There are a lot of ways to build this part of our application, but no matter how you implement it there should be two moving parts:

  • A script that checks the database for any appointment that is upcoming, then sends an sms
  • A worker that runs that script continuously

app/models/appointment.rb


_28
class Appointment < ActiveRecord::Base
_28
validates :name, presence: true
_28
validates :phone_number, presence: true
_28
validates :time, presence: true
_28
_28
after_create :reminder
_28
_28
# Notify our appointment attendee X minutes before the appointment time
_28
def reminder
_28
@twilio_number = ENV['TWILIO_NUMBER']
_28
account_sid = ENV['TWILIO_ACCOUNT_SID']
_28
@client = Twilio::REST::Client.new account_sid, ENV['TWILIO_AUTH_TOKEN']
_28
time_str = ((self.time).localtime).strftime("%I:%M%p on %b. %d, %Y")
_28
body = "Hi #{self.name}. Just a reminder that you have an appointment coming up at #{time_str}."
_28
message = @client.messages.create(
_28
:from => @twilio_number,
_28
:to => self.phone_number,
_28
:body => body,
_28
)
_28
end
_28
_28
def when_to_run
_28
minutes_before_appointment = 30.minutes
_28
time - minutes_before_appointment
_28
end
_28
_28
handle_asynchronously :reminder, :run_at => Proc.new { |i| i.when_to_run }
_28
end

Let's take a look at how we decided to implement the latter with Delayed::Job.


Working with Delayed::Job

working-with-delayedjob page anchor

As we mentioned before, there are a lot of ways to implement a scheduler/worker, but in Rails Delayed::Job is the most established.

Delayed Job needs a backend of some kind to queue the upcoming jobs. Here we have added the ActiveRecord adapter for delayed_job, which uses our database to store the 'Jobs' database. There are plenty of backends supported(link takes you to an external page), so use the correct gem for your application.

Once we included the gem, we need to run bundle install and run the rake task to create the database.

rails g delayed_job:active_record

You can see all of these steps in the github repo for this project(link takes you to an external page).

Gemfile for Appointment Reminders

gemfile-for-appointment-reminders page anchor

The Rails Generator

Gemfile

_68
# frozen_string_literal: true
_68
_68
source 'https://rubygems.org'
_68
git_source(:github) { |repo| "https://github.com/#{repo}.git" }
_68
_68
ruby '~> 2.6'
_68
_68
# Bundle edge Rails instead: gem 'rails', github: 'rails/rails'
_68
gem 'rails', '~> 6.1.4'
_68
# Use sqlite3 as the database for Active Record
_68
gem 'sqlite3', '~> 1.4'
_68
# Use Puma as the app server
_68
gem 'puma', '~> 5.4'
_68
# Use SCSS for stylesheets
_68
gem 'sass-rails', '>= 6'
_68
# Transpile app-like JavaScript. Read more: https://github.com/rails/webpacker
_68
gem 'webpacker', '~> 5.4'
_68
# Turbolinks makes navigating your web application faster. Read more: https://github.com/turbolinks/turbolinks
_68
gem 'turbolinks', '~> 5'
_68
# Build JSON APIs with ease. Read more: https://github.com/rails/jbuilder
_68
gem 'jbuilder', '~> 2.11'
_68
_68
# Reduces boot times through caching; required in config/boot.rb
_68
_68
# Use CoffeeScript for .coffee assets and views
_68
gem 'coffee-rails', '~> 5.0'
_68
_68
gem 'rails-controller-testing'
_68
_68
# Use jquery as the JavaScript library
_68
gem 'jquery-rails'
_68
_68
gem 'bootstrap', '~> 5.0'
_68
# Use bootstrap themes
_68
gem 'twitter-bootstrap-rails', :git => 'git://github.com/seyhunak/twitter-bootstrap-rails.git'
_68
_68
# Use delayed job for running background jobs
_68
gem 'delayed_job_active_record'
_68
_68
# Need daemons to start delayed_job
_68
gem 'daemons'
_68
_68
gem 'bootsnap', '>= 1.4.2', require: false
_68
_68
group :development, :test do
_68
# Call 'byebug' anywhere in the code to stop execution and get a debugger console
_68
gem 'byebug', platforms: %i[mri mingw x64_mingw]
_68
_68
gem 'dotenv-rails', '~> 2.7'
_68
end
_68
_68
group :development do
_68
# Access an interactive console on exception pages or by calling 'console' anywhere in the code.
_68
gem 'listen', '>= 3.0.5', '< 3.7'
_68
gem 'web-console', '>= 3.3.0'
_68
# Spring speeds up development by keeping your application running in the background. Read more: https://github.com/rails/spring
_68
gem 'spring'
_68
gem 'spring-watcher-listen', '~> 2.0.0'
_68
_68
gem 'overcommit', '~> 0.58.0', require: false
_68
gem 'rubocop', '~> 1.18.4', require: false
_68
gem 'rubocop-rails', '~> 2.11', require: false
_68
end
_68
_68
# Windows does not include zoneinfo files, so bundle the tzinfo-data gem
_68
gem 'tzinfo-data', platforms: %i[mingw mswin x64_mingw jruby]
_68
_68
gem 'twilio-ruby', '~> 5.57'

Now we're ready to create the actual job.


The next step in sending a reminder to our user is creating the script that we'll fire at some interval before the appointment time. We will end up wanting to schedule this reminder when the appointment is created, so it makes sense to write it as a method on the Appointment model.

The first thing we do is create a Twilio client that will send our SMS via the Twilio REST API. We'll need three things to create the Twilio client:

  • Our Twilio account SID
  • Our Twilio auth token
  • A Twilio number in our account that can send text messages

All of these can be found in your console.

Then all we need to do to send an sms is use the built in messages.create() to send an SMS to the user's phone.

Model Callback

Because we made our reminder script a method on the model we get one very handy tool; a callback(link takes you to an external page). By using the before_create callback we ensure that the :reminder gets called whenever an Appointment is created.

app/models/appointment.rb


_28
class Appointment < ActiveRecord::Base
_28
validates :name, presence: true
_28
validates :phone_number, presence: true
_28
validates :time, presence: true
_28
_28
after_create :reminder
_28
_28
# Notify our appointment attendee X minutes before the appointment time
_28
def reminder
_28
@twilio_number = ENV['TWILIO_NUMBER']
_28
account_sid = ENV['TWILIO_ACCOUNT_SID']
_28
@client = Twilio::REST::Client.new account_sid, ENV['TWILIO_AUTH_TOKEN']
_28
time_str = ((self.time).localtime).strftime("%I:%M%p on %b. %d, %Y")
_28
body = "Hi #{self.name}. Just a reminder that you have an appointment coming up at #{time_str}."
_28
message = @client.messages.create(
_28
:from => @twilio_number,
_28
:to => self.phone_number,
_28
:body => body,
_28
)
_28
end
_28
_28
def when_to_run
_28
minutes_before_appointment = 30.minutes
_28
time - minutes_before_appointment
_28
end
_28
_28
handle_asynchronously :reminder, :run_at => Proc.new { |i| i.when_to_run }
_28
end

The last step is making sure this callback always ends up being scheduled by Delayed Job.


Well we're almost done, now all we need to do is write an extremely complicated schedule controller that does the following:

  • Look up each future appointment
  • Add it to a Jobs table
  • Check whether it is within the minutes_before_appointment interval
  • Fire the reminder method

Oh wait, Delayed Job(link takes you to an external page) does this for free in one handy method called handle_asynchronously which tells Delayed Job to schedule this job whenever this method is fired. Since our job time is dependent on the individual Appointment instance we need to pass the handle_asynchronously method a function that will calculate the time. In this case minutes_before_appointment is set to 30 minutes, but you can use any Time interval here.

Now when we create an appointment we will see a new row in the Jobs table, with a time and a method that needs to be fired. Additionally, delayed_job saves errors, and attempts so we can debug any weirdness before it fails. Once it fires a job it removes it from the database, so on a good day we should see an empty database.

app/models/appointment.rb


_28
class Appointment < ActiveRecord::Base
_28
validates :name, presence: true
_28
validates :phone_number, presence: true
_28
validates :time, presence: true
_28
_28
after_create :reminder
_28
_28
# Notify our appointment attendee X minutes before the appointment time
_28
def reminder
_28
@twilio_number = ENV['TWILIO_NUMBER']
_28
account_sid = ENV['TWILIO_ACCOUNT_SID']
_28
@client = Twilio::REST::Client.new account_sid, ENV['TWILIO_AUTH_TOKEN']
_28
time_str = ((self.time).localtime).strftime("%I:%M%p on %b. %d, %Y")
_28
body = "Hi #{self.name}. Just a reminder that you have an appointment coming up at #{time_str}."
_28
message = @client.messages.create(
_28
:from => @twilio_number,
_28
:to => self.phone_number,
_28
:body => body,
_28
)
_28
end
_28
_28
def when_to_run
_28
minutes_before_appointment = 30.minutes
_28
time - minutes_before_appointment
_28
end
_28
_28
handle_asynchronously :reminder, :run_at => Proc.new { |i| i.when_to_run }
_28
end

All Done

all-done page anchor

Wow, that was quite an undertaking, but in reality we had to write very little code to get automated appointment reminders firing with Twilio.


And with a little code and a dash of configuration, we're ready to get automated appointment reminders firing in our application. Good work!

If you are a Ruby developer working with Twilio, you might want to check out other tutorials in Ruby:

Click to Call

Put a button on your web page that connects visitors to live support or sales people via telephone.

Two-Factor Authentication

Improve the security of your Ruby app's login functionality by adding two-factor authentication via text message.

Thanks for checking out this tutorial! If you have any feedback to share with us, please reach out on Twitter(link takes you to an external page)... we'd love to hear your thoughts, and know what you're building!


Rate this page: