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:
Here are the technologies we'll use to get this done:
To implement appointment reminders, we will be working through a series of user stories 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:
POST
requestAppointment
model object to store information about the userLet'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 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. 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 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:
1$ bin/rails generate scaffold Appointment name:string phone_number:string time:datetime2
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.
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 on the subject.
app/models/appointment.rb
1class Appointment < ActiveRecord::Base2validates :name, presence: true3validates :phone_number, presence: true4validates :time, presence: true56after_create :reminder78# Notify our appointment attendee X minutes before the appointment time9def reminder10@twilio_number = ENV['TWILIO_NUMBER']11account_sid = ENV['TWILIO_ACCOUNT_SID']12@client = Twilio::REST::Client.new account_sid, ENV['TWILIO_AUTH_TOKEN']13time_str = ((self.time).localtime).strftime("%I:%M%p on %b. %d, %Y")14body = "Hi #{self.name}. Just a reminder that you have an appointment coming up at #{time_str}."15message = @client.messages.create(16:from => @twilio_number,17:to => self.phone_number,18:body => body,19)20end2122def when_to_run23minutes_before_appointment = 30.minutes24time - minutes_before_appointment25end2627handle_asynchronously :reminder, :run_at => Proc.new { |i| i.when_to_run }28end
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 automatically maps a resource's CRUD capabilities to its controller. Since our Appointment
is an ActiveRecord resource, we can 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
1Rails.application.routes.draw do2resources :appointments34# You can have the root of your site routed with "root"5root 'appointments#welcome'6end
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
1<%= form_for @appointment, :html => { :class => "form-horizontal appointment" } do |f| %>23<% if @appointment.errors.any? %>4<div id="error_expl" class="panel panel-danger">5<div class="panel-heading">6<h3 class="panel-title"><%= pluralize(@appointment.errors.count, "error") %> prohibited this appointment from being saved:</h3>7</div>8<div class="panel-body">9<ul>10<% @appointment.errors.full_messages.each do |msg| %>11<li><%= msg %></li>12<% end %>13</ul>14</div>15</div>16<% end %>1718<div class="form-group">19<%= f.label :name, :class => 'control-label col-lg-2' %>20<div class="col-lg-10">21<%= f.text_field :name, :class => 'form-control' %>22</div>23<%=f.error_span(:name) %>24</div>25<div class="form-group">26<%= f.label :phone_number, :class => 'control-label col-lg-2' %>27<div class="col-lg-10">28<%= f.text_field :phone_number, :class => 'form-control' %>29</div>30<%=f.error_span(:phone_number) %>31</div>32<div class="form-group">33<%= f.label :time, "Time and Date", :class => 'control-label col-lg-2' %>34<!-- Rails expects time_select when dealing with ActiveRecord forms -->35<div class="col-lg-2">36<%= time_select :appointment, :time, {:class => "form-control" } %>37</div>38<div class="col-lg-4">39<%= date_select :appointment, :time, {:class => "form-control" } %>40</div>41<div class="col-lg-2">42<%= f.time_zone_select :time_zone, ActiveSupport::TimeZone.all.sort, default: "Pacific Time (US & Canada)" %>43</div>44<%=f.error_span(:time) %>45</div>4647<div class="form-group">48<div class="col-lg-offset-2 col-lg-10">49<%= f.submit nil, :class => 'btn btn-primary' %>50<%= link_to t('.cancel', :default => t("helpers.links.cancel")),51appointments_path, :class => 'btn btn-default' %>52</div>53</div>5455<% 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 parameter 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 parameter that maps to the appointment.time
property.
app/views/appointments/_form.html.erb
1<%= form_for @appointment, :html => { :class => "form-horizontal appointment" } do |f| %>23<% if @appointment.errors.any? %>4<div id="error_expl" class="panel panel-danger">5<div class="panel-heading">6<h3 class="panel-title"><%= pluralize(@appointment.errors.count, "error") %> prohibited this appointment from being saved:</h3>7</div>8<div class="panel-body">9<ul>10<% @appointment.errors.full_messages.each do |msg| %>11<li><%= msg %></li>12<% end %>13</ul>14</div>15</div>16<% end %>1718<div class="form-group">19<%= f.label :name, :class => 'control-label col-lg-2' %>20<div class="col-lg-10">21<%= f.text_field :name, :class => 'form-control' %>22</div>23<%=f.error_span(:name) %>24</div>25<div class="form-group">26<%= f.label :phone_number, :class => 'control-label col-lg-2' %>27<div class="col-lg-10">28<%= f.text_field :phone_number, :class => 'form-control' %>29</div>30<%=f.error_span(:phone_number) %>31</div>32<div class="form-group">33<%= f.label :time, "Time and Date", :class => 'control-label col-lg-2' %>34<!-- Rails expects time_select when dealing with ActiveRecord forms -->35<div class="col-lg-2">36<%= time_select :appointment, :time, {:class => "form-control" } %>37</div>38<div class="col-lg-4">39<%= date_select :appointment, :time, {:class => "form-control" } %>40</div>41<div class="col-lg-2">42<%= f.time_zone_select :time_zone, ActiveSupport::TimeZone.all.sort, default: "Pacific Time (US & Canada)" %>43</div>44<%=f.error_span(:time) %>45</div>4647<div class="form-group">48<div class="col-lg-offset-2 col-lg-10">49<%= f.submit nil, :class => 'btn btn-primary' %>50<%= link_to t('.cancel', :default => t("helpers.links.cancel")),51appointments_path, :class => 'btn btn-default' %>52</div>53</div>5455<% 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.
app/controllers/appointments_controller.rb
1class AppointmentsController < ApplicationController2before_action :find_appointment, only: [:show, :edit, :update, :destroy]34# GET /appointments5# GET /appointments.json6def index7@appointments = Appointment.all8if @appointments.length.zero?9flash[:alert] = 'You have no appointments. Create one now to get started.'10end11end1213# GET /appointments/114# GET /appointments/1.json15def show16end1718# GET /appointments/new19def new20@appointment = Appointment.new21@min_date = DateTime.now22end2324# GET /appointments/1/edit25def edit26end2728# POST /appointments29# POST /appointments.json30def create31Time.zone = appointment_params[:time_zone]32@appointment = Appointment.new(appointment_params)3334respond_to do |format|35if @appointment.save36format.html { redirect_to @appointment, notice: 'Appointment was successfully created.' }37format.json { render :show, status: :created, location: @appointment }38else39format.html { render :new }40format.json { render json: @appointment.errors, status: :unprocessable_entity }41end42end43end4445# PATCH/PUT /appointments/146# PATCH/PUT /appointments/1.json47def update48respond_to do |format|49if @appointment.update(appointment_params)50format.html { redirect_to @appointment, notice: 'Appointment was successfully updated.' }51format.json { render :show, status: :ok, location: @appointment }52else53format.html { render :edit }54format.json { render json: @appointment.errors, status: :unprocessable_entity }55end56end57end5859# DELETE /appointments/160# DELETE /appointments/1.json61def destroy62@appointment.destroy63respond_to do |format|64format.html { redirect_to appointments_url, notice: 'Appointment was successfully destroyed.' }65format.json { head :no_content }66end67end6869private70# Use callbacks to share common setup or constraints between actions.71# See above ---> before_action :set_appointment, only: [:show, :edit, :update, :destroy]72def find_appointment73@appointment = Appointment.find(params[:id])74end7576# Never trust parameters from the scary internet, only allow the white list through.77def appointment_params78params.require(:appointment).permit(:name, :phone_number, :time, :time_zone)79end80end
Next we're going to take a look at the generated controllers for edit and delete.
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:
Let's start by looking at the controller.
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
1class AppointmentsController < ApplicationController2before_action :find_appointment, only: [:show, :edit, :update, :destroy]34# GET /appointments5# GET /appointments.json6def index7@appointments = Appointment.all8if @appointments.length.zero?9flash[:alert] = 'You have no appointments. Create one now to get started.'10end11end1213# GET /appointments/114# GET /appointments/1.json15def show16end1718# GET /appointments/new19def new20@appointment = Appointment.new21@min_date = DateTime.now22end2324# GET /appointments/1/edit25def edit26end2728# POST /appointments29# POST /appointments.json30def create31Time.zone = appointment_params[:time_zone]32@appointment = Appointment.new(appointment_params)3334respond_to do |format|35if @appointment.save36format.html { redirect_to @appointment, notice: 'Appointment was successfully created.' }37format.json { render :show, status: :created, location: @appointment }38else39format.html { render :new }40format.json { render json: @appointment.errors, status: :unprocessable_entity }41end42end43end4445# PATCH/PUT /appointments/146# PATCH/PUT /appointments/1.json47def update48respond_to do |format|49if @appointment.update(appointment_params)50format.html { redirect_to @appointment, notice: 'Appointment was successfully updated.' }51format.json { render :show, status: :ok, location: @appointment }52else53format.html { render :edit }54format.json { render json: @appointment.errors, status: :unprocessable_entity }55end56end57end5859# DELETE /appointments/160# DELETE /appointments/1.json61def destroy62@appointment.destroy63respond_to do |format|64format.html { redirect_to appointments_url, notice: 'Appointment was successfully destroyed.' }65format.json { head :no_content }66end67end6869private70# Use callbacks to share common setup or constraints between actions.71# See above ---> before_action :set_appointment, only: [:show, :edit, :update, :destroy]72def find_appointment73@appointment = Appointment.find(params[:id])74end7576# Never trust parameters from the scary internet, only allow the white list through.77def appointment_params78params.require(:appointment).permit(:name, :phone_number, :time, :time_zone)79end80end
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. 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 queryThese 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
1<%- model_class = Appointment -%>2<div class="page-header">3<h1><%=t '.title', :default => model_class.model_name.human.pluralize.titleize %></h1>4</div>5<table class="table table-striped">6<thead>7<tr>8<th><%= model_class.human_attribute_name(:id) %></th>9<th><%= model_class.human_attribute_name(:name) %></th>10<th><%= model_class.human_attribute_name(:phone_number) %></th>11<th><%= model_class.human_attribute_name(:time) %></th>12<th><%= model_class.human_attribute_name(:created_at) %></th>13<th><%=t '.actions', :default => t("helpers.actions") %></th>14</tr>15</thead>16<tbody>17<% @appointments.each do |appointment| %>18<tr>19<td><%= link_to appointment.id, appointment_path(appointment) %></td>20<td><%= appointment.name %></td>21<td><%= appointment.phone_number %></td>22<td><%= appointment.time %></td>23<td><%=l appointment.created_at %></td>24<td>25<%= link_to "Edit",26edit_appointment_path(appointment), :class => 'btn btn-default btn-xs' %>27<%= link_to "Delete",28appointment_path(appointment),29:method => :delete,30:data => { :confirm => t('.confirm', :default => t("helpers.links.confirm", :default => 'Are you sure?')) },31:class => 'btn btn-xs btn-danger' %>32</td>33</tr>34<% end %>35</tbody>36</table>3738<%= link_to "New",39new_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 parameter, 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:
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
1class AppointmentsController < ApplicationController2before_action :find_appointment, only: [:show, :edit, :update, :destroy]34# GET /appointments5# GET /appointments.json6def index7@appointments = Appointment.all8if @appointments.length.zero?9flash[:alert] = 'You have no appointments. Create one now to get started.'10end11end1213# GET /appointments/114# GET /appointments/1.json15def show16end1718# GET /appointments/new19def new20@appointment = Appointment.new21@min_date = DateTime.now22end2324# GET /appointments/1/edit25def edit26end2728# POST /appointments29# POST /appointments.json30def create31Time.zone = appointment_params[:time_zone]32@appointment = Appointment.new(appointment_params)3334respond_to do |format|35if @appointment.save36format.html { redirect_to @appointment, notice: 'Appointment was successfully created.' }37format.json { render :show, status: :created, location: @appointment }38else39format.html { render :new }40format.json { render json: @appointment.errors, status: :unprocessable_entity }41end42end43end4445# PATCH/PUT /appointments/146# PATCH/PUT /appointments/1.json47def update48respond_to do |format|49if @appointment.update(appointment_params)50format.html { redirect_to @appointment, notice: 'Appointment was successfully updated.' }51format.json { render :show, status: :ok, location: @appointment }52else53format.html { render :edit }54format.json { render json: @appointment.errors, status: :unprocessable_entity }55end56end57end5859# DELETE /appointments/160# DELETE /appointments/1.json61def destroy62@appointment.destroy63respond_to do |format|64format.html { redirect_to appointments_url, notice: 'Appointment was successfully destroyed.' }65format.json { head :no_content }66end67end6869private70# Use callbacks to share common setup or constraints between actions.71# See above ---> before_action :set_appointment, only: [:show, :edit, :update, :destroy]72def find_appointment73@appointment = Appointment.find(params[:id])74end7576# Never trust parameters from the scary internet, only allow the white list through.77def appointment_params78params.require(:appointment).permit(:name, :phone_number, :time, :time_zone)79end80end
Now let's take a look at what happens when an appointment is actually deleted.
Now that we have the appointment, we 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:
Appointment
in memory, so that we can flash a success message to the userapp/controllers/appointments_controller.rb
1class AppointmentsController < ApplicationController2before_action :find_appointment, only: [:show, :edit, :update, :destroy]34# GET /appointments5# GET /appointments.json6def index7@appointments = Appointment.all8if @appointments.length.zero?9flash[:alert] = 'You have no appointments. Create one now to get started.'10end11end1213# GET /appointments/114# GET /appointments/1.json15def show16end1718# GET /appointments/new19def new20@appointment = Appointment.new21@min_date = DateTime.now22end2324# GET /appointments/1/edit25def edit26end2728# POST /appointments29# POST /appointments.json30def create31Time.zone = appointment_params[:time_zone]32@appointment = Appointment.new(appointment_params)3334respond_to do |format|35if @appointment.save36format.html { redirect_to @appointment, notice: 'Appointment was successfully created.' }37format.json { render :show, status: :created, location: @appointment }38else39format.html { render :new }40format.json { render json: @appointment.errors, status: :unprocessable_entity }41end42end43end4445# PATCH/PUT /appointments/146# PATCH/PUT /appointments/1.json47def update48respond_to do |format|49if @appointment.update(appointment_params)50format.html { redirect_to @appointment, notice: 'Appointment was successfully updated.' }51format.json { render :show, status: :ok, location: @appointment }52else53format.html { render :edit }54format.json { render json: @appointment.errors, status: :unprocessable_entity }55end56end57end5859# DELETE /appointments/160# DELETE /appointments/1.json61def destroy62@appointment.destroy63respond_to do |format|64format.html { redirect_to appointments_url, notice: 'Appointment was successfully destroyed.' }65format.json { head :no_content }66end67end6869private70# Use callbacks to share common setup or constraints between actions.71# See above ---> before_action :set_appointment, only: [:show, :edit, :update, :destroy]72def find_appointment73@appointment = Appointment.find(params[:id])74end7576# Never trust parameters from the scary internet, only allow the white list through.77def appointment_params78params.require(:appointment).permit(:name, :phone_number, :time, :time_zone)79end80end
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:
app/models/appointment.rb
1class Appointment < ActiveRecord::Base2validates :name, presence: true3validates :phone_number, presence: true4validates :time, presence: true56after_create :reminder78# Notify our appointment attendee X minutes before the appointment time9def reminder10@twilio_number = ENV['TWILIO_NUMBER']11account_sid = ENV['TWILIO_ACCOUNT_SID']12@client = Twilio::REST::Client.new account_sid, ENV['TWILIO_AUTH_TOKEN']13time_str = ((self.time).localtime).strftime("%I:%M%p on %b. %d, %Y")14body = "Hi #{self.name}. Just a reminder that you have an appointment coming up at #{time_str}."15message = @client.messages.create(16:from => @twilio_number,17:to => self.phone_number,18:body => body,19)20end2122def when_to_run23minutes_before_appointment = 30.minutes24time - minutes_before_appointment25end2627handle_asynchronously :reminder, :run_at => Proc.new { |i| i.when_to_run }28end
Let's take a look at how we decided to implement the latter with Delayed::Job
.
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, 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.
The Rails Generator
1# frozen_string_literal: true23source 'https://rubygems.org'4git_source(:github) { |repo| "https://github.com/#{repo}.git" }56ruby '~> 2.6'78# Bundle edge Rails instead: gem 'rails', github: 'rails/rails'9gem 'rails', '~> 6.1.4'10# Use sqlite3 as the database for Active Record11gem 'sqlite3', '~> 1.4'12# Use Puma as the app server13gem 'puma', '~> 5.4'14# Use SCSS for stylesheets15gem 'sass-rails', '>= 6'16# Transpile app-like JavaScript. Read more: https://github.com/rails/webpacker17gem 'webpacker', '~> 5.4'18# Turbolinks makes navigating your web application faster. Read more: https://github.com/turbolinks/turbolinks19gem 'turbolinks', '~> 5'20# Build JSON APIs with ease. Read more: https://github.com/rails/jbuilder21gem 'jbuilder', '~> 2.11'2223# Reduces boot times through caching; required in config/boot.rb2425# Use CoffeeScript for .coffee assets and views26gem 'coffee-rails', '~> 5.0'2728gem 'rails-controller-testing'2930# Use jquery as the JavaScript library31gem 'jquery-rails'3233gem 'bootstrap', '~> 5.0'34# Use bootstrap themes35gem 'twitter-bootstrap-rails', :git => 'git://github.com/seyhunak/twitter-bootstrap-rails.git'3637# Use delayed job for running background jobs38gem 'delayed_job_active_record'3940# Need daemons to start delayed_job41gem 'daemons'4243gem 'bootsnap', '>= 1.4.2', require: false4445group :development, :test do46# Call 'byebug' anywhere in the code to stop execution and get a debugger console47gem 'byebug', platforms: %i[mri mingw x64_mingw]4849gem 'dotenv-rails', '~> 2.7'50end5152group :development do53# Access an interactive console on exception pages or by calling 'console' anywhere in the code.54gem 'listen', '>= 3.0.5', '< 3.7'55gem 'web-console', '>= 3.3.0'56# Spring speeds up development by keeping your application running in the background. Read more: https://github.com/rails/spring57gem 'spring'58gem 'spring-watcher-listen', '~> 2.0.0'5960gem 'overcommit', '~> 0.58.0', require: false61gem 'rubocop', '~> 1.18.4', require: false62gem 'rubocop-rails', '~> 2.11', require: false63end6465# Windows does not include zoneinfo files, so bundle the tzinfo-data gem66gem 'tzinfo-data', platforms: %i[mingw mswin x64_mingw jruby]6768gem '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:
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. By using the before_create
callback we ensure that the :reminder
gets called whenever an Appointment is created.
app/models/appointment.rb
1class Appointment < ActiveRecord::Base2validates :name, presence: true3validates :phone_number, presence: true4validates :time, presence: true56after_create :reminder78# Notify our appointment attendee X minutes before the appointment time9def reminder10@twilio_number = ENV['TWILIO_NUMBER']11account_sid = ENV['TWILIO_ACCOUNT_SID']12@client = Twilio::REST::Client.new account_sid, ENV['TWILIO_AUTH_TOKEN']13time_str = ((self.time).localtime).strftime("%I:%M%p on %b. %d, %Y")14body = "Hi #{self.name}. Just a reminder that you have an appointment coming up at #{time_str}."15message = @client.messages.create(16:from => @twilio_number,17:to => self.phone_number,18:body => body,19)20end2122def when_to_run23minutes_before_appointment = 30.minutes24time - minutes_before_appointment25end2627handle_asynchronously :reminder, :run_at => Proc.new { |i| i.when_to_run }28end
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:
minutes_before_appointment
intervalOh wait, Delayed Job 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
1class Appointment < ActiveRecord::Base2validates :name, presence: true3validates :phone_number, presence: true4validates :time, presence: true56after_create :reminder78# Notify our appointment attendee X minutes before the appointment time9def reminder10@twilio_number = ENV['TWILIO_NUMBER']11account_sid = ENV['TWILIO_ACCOUNT_SID']12@client = Twilio::REST::Client.new account_sid, ENV['TWILIO_AUTH_TOKEN']13time_str = ((self.time).localtime).strftime("%I:%M%p on %b. %d, %Y")14body = "Hi #{self.name}. Just a reminder that you have an appointment coming up at #{time_str}."15message = @client.messages.create(16:from => @twilio_number,17:to => self.phone_number,18:body => body,19)20end2122def when_to_run23minutes_before_appointment = 30.minutes24time - minutes_before_appointment25end2627handle_asynchronously :reminder, :run_at => Proc.new { |i| i.when_to_run }28end
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:
Put a button on your web page that connects visitors to live support or sales people via telephone.
Improve the security of your Ruby app's login functionality by adding two-factor authentication via text message.