Buffer Tweet Scheduler
rails new scheduled_tweets
GET /about HTTP/1.1
Host: 127.0.0.1
Matches for the URL that is requested
GET for /about
I see you requested /about
, we’ll give that to the AboutController
to handle
Database wrapper
User
Your response body content
This is what gets sent back to the browser and displayed
Decide how to process a request and define a response
First thing we need to do is to config our routes.rb
In config/routes.rb
Rails.application.routes.draw do
# GET /about
get 'about', to: 'about#index'
end
get 'about', to: 'about#index'
# | | └── action (function)
# | └── about controller
# └── /about route
# this route will look for a controller about_controller (rails convention)
Create the about
controller following rails convention
touch app/controllers/about_controller.rb
In app/controllers/about_controller.rb
We need the define the about
controller, but as a Ruby Class (Title case without underscores) and we need to inherit from ApplicationController
.
ApplicationController
so we can have access to all functionality from rails.action/function
index. Right now this can be an empty action
, because we are inheriting from the ApplicationController
and if don’t have anything defined inside our action/function
, the ApplicationController
has a default action to handle this case which is to serve an HTML file.
class AboutController < ApplicationController
def index
end
end
Create the about
html file, by convention we rails will look for a folder called about
in our views
folder. And inside this folder for a file called index.html.erb
touch app/views/about/index.html.erb
In app/views/about/index.html.erb
Add a simple h1
tag
<h1>About Us</h1>
We can defile only the part of the app that we want to create, later this code will be injected in our layout (app/views/layouts/application.html.erb
).
The layout
is a wrapper that will define all our StyleSheets
, JavaScripts
, favicon
… All that are defined inside our layout
.
The layout
will yield
and replace with our view
content using erb/ruby tags.
<!DOCTYPE html>
<html>
<head>
<title>ScheduledTweets</title>
<meta name="viewport" content="width=device-width,initial-scale=1">
<%= csrf_meta_tags %>
<%= csp_meta_tag %>
<%= stylesheet_link_tag 'application', media: 'all', 'data-turbolinks-track': 'reload' %>
<%= javascript_pack_tag 'application', 'data-turbolinks-track': 'reload' %>
</head>
<body>
<%= yield %>
</body>
</html>
For all our Rails app, we need to define the root
controller.
In development mode, rails serve us with the default view that only works for development. It will throw an error if we deploy the production version without defining the root route
In config/routes.rb
We can define the main root as:
get "", to: 'main#index'
But because the root is special, we can define as:
root to: 'main#index'
Rails.application.routes.draw do
# GEt /about
get 'about', to: 'about#index'
# get "", to: 'main#index'
root to: 'main#index'
end
Create the main
controller following rails convention
touch app/controllers/main_controller.rb
In app/controllers/main_controller.rb
class MainController < ApplicationController
def index
end
end
Create the index.html.erb
In app/views/main/index.html.erb
Add a simple message
<h1>Welcome to Scheduled Tweets</h1>
<link href="https://cdn.jsdelivr.net/npm/bootstrap@5.0.0-beta2/dist/css/bootstrap.min.css" rel="stylesheet" integrity="sha384-BmbxuPwQa2lc/FVzBcNJ7UAyJxM6wuqIj61tLrc4wSX0szH/Ev+nYRRuWlolflfl" crossorigin="anonymous">
In app/views/layouts/application.html.erb
<!DOCTYPE html>
<html>
<head>
<title>ScheduledTweets</title>
<meta name="viewport" content="width=device-width,initial-scale=1">
<%= csrf_meta_tags %>
<%= csp_meta_tag %>
<link href="https://cdn.jsdelivr.net/npm/bootstrap@5.0.0-beta2/dist/css/bootstrap.min.css" rel="stylesheet" integrity="sha384-BmbxuPwQa2lc/FVzBcNJ7UAyJxM6wuqIj61tLrc4wSX0szH/Ev+nYRRuWlolflfl" crossorigin="anonymous">
<%= stylesheet_link_tag 'application', media: 'all', 'data-turbolinks-track': 'reload' %>
<%= javascript_pack_tag 'application', 'data-turbolinks-track': 'reload' %>
</head>
<body>
<%= yield %>
</body>
</html>
In app/views/main/index.html.erb
<div class="d-flex align-items-center justify-content-center">
<h1>Welcome to Scheduled Tweets</h1>
</div>
Partial is parts of views that we can render inside our view. In this case the application.html.erb
layout (base template)
In app/views/shared/_navbar.html.erb
Paste the navbar that we copied from bootstrap website
<nav class="navbar navbar-expand-lg navbar-light bg-light">
<div class="container-fluid">
<a class="navbar-brand" href="/">Navbar</a>
<button class="navbar-toggler" type="button" data-bs-toggle="collapse" data-bs-target="#navbarNav" aria-controls="navbarNav" aria-expanded="false" aria-label="Toggle navigation">
<span class="navbar-toggler-icon"></span>
</button>
<div class="collapse navbar-collapse" id="navbarNav">
<ul class="navbar-nav">
<li class="nav-item">
<a class="nav-link active" aria-current="page" href="/">Home</a>
</li>
<li class="nav-item">
<a class="nav-link" href="/about">About</a>
</li>
</li>
</ul>
</div>
</div>
</nav>
In app/views/layouts/application.html.erb
navbar
And we can wrap our view content with a container
class
<%= render partial: 'shared/navbar' %>
<div class="container">
<%= yield %>
</div>
We can replace our hard coded /about
with one that is more dynamic that will help us to change the route (if we want to) more easily in several pages
In app/views/shared/_navbar.html.erb
<!-- From -->
<a class="nav-link" href="/about">About</a>
<!-- To -->
<%= link_to "About", about_path, class: "nav-link" %>
<!-- | | └── css class -->
<!-- | └── href (/about) -->
<!-- └── content (text) -->
the about_path
will generate /about
Update our navbar to use the link_to
helper and url helper
<nav class="navbar navbar-expand-lg navbar-light bg-light">
<div class="container-fluid">
<%= link_to "Navbar", root_path, class: "navbar-brand" %>
<button class="navbar-toggler" type="button" data-bs-toggle="collapse" data-bs-target="#navbarNav" aria-controls="navbarNav" aria-expanded="false" aria-label="Toggle navigation">
<span class="navbar-toggler-icon"></span>
</button>
<div class="collapse navbar-collapse" id="navbarNav">
<ul class="navbar-nav">
<li class="nav-item">
<%= link_to "Home", root_path, class: "nav-link active" %>
</li>
<li class="nav-item">
<%= link_to "About", about_path, class: "nav-link" %>
</li>
</li>
</ul>
</div>
</div>
</nav>
Once we update our navbar
partial, we can update our route to map to a custom route
In config/routes.rb
# Old way (hard coded)
get 'about', to: 'about#index'
# custom route `about-us` using alias
get 'about-us', to: 'about#index', as: :about
# | | | └── alias
# | | └── action (function)
# | └── about controller
# └── /about-us route (custom route)
The flash
method is inherit from ApplicationController
, it’s a feature of controllers
and views
.
We use flash
as a hash (key/value pairs) in Ruby
, and this is going to store the value
into our flash object
The flash object can be assigned in the controllers
but we need to print them out somewhere in our views
flash[:notice] = "Logged in successfully"
# | | └── value/message
# | └── key/variable
# └── method
flash.now[:notice] = "Logged in successfully"
# | | | └── value/message
# | | └── key/variable
# | └── only display the flash message on the current page
# └── method
.now
, this tells Rails to display only for the current page/view/controller
, it won’t persist if we change to another pageBecause the flash object is shared across our entire rails app, we are going to create a shared/partial for it
Create a new partial _flash.html.erb
touch app/views/shared/_flash.html.erb
In app/views/shared/_flash.html.erb
<%= flash[:notice] %>
<%= flash[:alert] %>
In app/views/layouts/application.html.erb
<body>
tag
<body>
<%= render partial: 'shared/navbar' %>
<div class="container">
<%= render partial: 'shared/flash' %>
<%= yield %>
</div>
</body>
We are going to create a user
model to store email
and password
(digest - hashed)
rails g
= rails generatemodel User
= User
(Title case)email
= type stringpassword
= hashed password
rails g model User email:string password_digest:string
# invoke active_record
# create db/migrate/20210228170124_create_users.rb
# create app/models/user.rb
# invoke test_unit
# create test/models/user_test.rb
# create test/fixtures/users.yml
rails db:migrate
# == 20210228170124 CreateUsers: migrating ======================================
# -- create_table(:users)
# -> 0.0021s
# == 20210228170124 CreateUsers: migrated (0.0021s) =============================
In app/models/user.rb
We need to add has_secure_password
, the has_secure_password
will use our password_digest
to add a virtual password
and password confirmation
attributes to our user. It uses bcrypt to authenticate/save the use
| attribute | type | description |
| ——————————- | ——— | ———————— |
| email | string | column in the db |
| password_digest | string | column in the db |
| | | |
| password | string | virtual |
| password_confirmation | string | virtual |
we are never going to interact directly with password_digest
, we’ll always use the password
and password_confirmation
We need to install bcrypt gem for that
class User < ApplicationRecord
has_secure_password
end
After installing bcrypt, we can create our first user using the rails console
rails c
# Running via Spring preloader in process 8223
# Loading development environment (Rails 6.1.3)
User
# => User (call 'User.connection' to establish a connection)
User.all
# (0.4ms) SELECT sqlite_version(*)
# User Load (0.1ms) SELECT "users".* FROM "users" /* loading for inspect */ LIMIT ? [["LIMIT", 11]]
# => #<ActiveRecord::Relation []>
User.create({email: "roger@email.com", password: "123", password_confirmation: "123"})
# (0.5ms) SELECT sqlite_version(*)
# TRANSACTION (0.1ms) begin transaction
# User Create (0.3ms) INSERT INTO "users" ("email", "password_digest", "created_at", "updated_at") VALUES (?, ?, ?, ?) [["email", "roger@email.com"], ["password_digest", "$2a$12$W0lFDMCW.VXzvTAigQpBIuOv2MhomwPRcnjWGzcStNOKQqIwexB7e"], ["created_at", "2021-02-28 17:27:33.442553"], ["updated_at", "2021-02-28 17:27:33.442553"]]
# TRANSACTION (1.6ms) commit transaction
# => #<User id: 1, email: "roger@email.com", password_digest: [FILTERED], created_at: "2021-02-28 17:27:33.442553000 +0000", updated_at: "2021-02-28 17:27:33.442553000 +0000">
User.first
# User Load (0.2ms) SELECT "users".* FROM "users" ORDER BY "users"."id" ASC LIMIT ? [["LIMIT", 1]]
# => #<User id: 1, email: "roger@email.com", password_digest: [FILTERED], created_at: "2021-02-28 17:27:33.442553000 +0000", updated_at: "2021-02-28 17:27:33.442553000 +0000">
In app/models/user.rb
We can use rails validation to check if a field is presence
class User < ApplicationRecord
has_secure_password
validates :email, presence: true
end
validates :email, presence: true
will check if an email is present before saving into the database.Another way to validate the email, is by updating our migration file to require an email
In db/migrate/20210228170124_create_users.rb
Add , null: false
to our email field
class CreateUsers < ActiveRecord::Migration[6.1]
def change
create_table :users do |t|
t.string :email, null: false
t.string :password_digest
t.timestamps
end
end
end
rails db:rollback
# == 20210228170124 CreateUsers: reverting ======================================
# -- drop_table(:users)
# -> 0.0018s
# == 20210228170124
rails db:migrate
# == 20210228170124 CreateUsers: migrating ======================================
# -- create_table(:users)
# -> 0.0016s
# == 20210228170124 CreateUsers: migrated (0.0018s) ============================= CreateUsers: reverted (0.0121s) =============================
# an alternative we could use a single command to do that
rails db
redo
# == 20210228170124 CreateUsers: reverting ======================================
# -- drop_table(:users)
# -> 0.0016s
# == 20210228170124 CreateUsers: reverted (0.0031s) =============================
# == 20210228170124 CreateUsers: migrating ======================================
# -- create_table(:users)
# -> 0.0015s
# == 20210228170124 CreateUsers: migrated (0.0016s) =============================
On Rails Console
, if we try to save an user without email we will get an User of id: nil
, this means that this user wasn’t saved in the database.
rails c
User.create({password: "123", password_confirmation: "123"})
# (0.4ms) SELECT sqlite_version(*)
# => #<User id: nil, email: nil, password_digest: [FILTERED], created_at: nil, updated_at: nil>
In app/models/user.rb
We can add a regex to validate the format
class User < ApplicationRecord
has_secure_password
validates :email, presence: true, format: { with: /\A[^@\s]+@[^@\s]+\z/, message: "must be a valid email address" }
end
rails c
User.create({email: "A", password: "123", password_confirmation: "123"})
# (0.4ms) SELECT sqlite_version(*)
# => #<User id: nil, email: "A", password_digest: [FILTERED], created_at: nil, updated_at: nil>
In config/routes.rb
Add the sign_up
route and map to registrations
controller > new
action/function
Rails.application.routes.draw do
# GEt /about
# get 'about', to: 'about#index'
get 'about-us', to: 'about#index', as: :about
get 'sign_up', to: 'registrations#new'
root to: 'main#index'
end
Create a the registration_controller.rb
touch app/controllers/registrations_controller.rb
In app/controllers/registrations_controller.rb
@user
, when we create an instance variable this variable is available in our views
class RegistrationsController < ApplicationController
def new
@user = User.new
end
end
Crate the registrations
> new
view
touch app/views/registrations/new.html.erb
In app/views/registrations/new.html.erb
To work with forms we need to update our routes.rb
In config/routes.rb
Add a POST
route for sign_up
Rails.application.routes.draw do
get 'about-us', to: 'about#index', as: :about
get 'sign_up', to: 'registrations#new'
post 'sign_up', to: 'registrations#create'
root to: 'main#index'
end
In app/views/registrations/new.html.erb
In rails we can generate a form using an instance variable/object to create all the necessary fields
<h1>Sign Up</h1>
<%= form_with model: @user, url: sign_up_path do |form| %>
<%= form.text_field :email %>
<%= form.password_field :password %>
<%= form.password_field :password_confirmation %>
<% end %>
form_with model: @user, url: sign_up_path do |form|
# | | | └── /sign_up (url)
# | | └── instance variable (User model)
# | └── model
# └── create a form with
Display errors
<h1>Sign Up</h1>
<%= form_with model: @user, url: sign_up_path do |form| %>
<% if @user.errors.any? %>
<div class="alert alert-danger">
<% @user.errors.full_messages.each do |message| %>
<div>
<%= message %>
</div>
<% end %>
</div>
<% end %>
<div class="mb-3">
<%= form.label :email%>
<%= form.text_field :email, class: "form-control", placeholder: "your_email@email.com"%>
</div>
<div class="mb-3">
<%= form.label :password%>
<%= form.password_field :password, class: "form-control", placeholder: "password" %>
</div>
<div class="mb-3">
<%= form.label :password_confirmation%>
<%= form.password_field :password_confirmation, class: "form-control", placeholder: "password" %>
</div>
<div class="mb-3">
<%= form.submit "Sign Up", class: "btn btn-primary"%>
</div>
<% end %>
We can get all form information that we submitted using the params
, this could be from the query params
or from our form
that has been added to the params
In app/controllers/registrations_controller.rb
As an example we could send back to the user the form that he just submitted
:user
param
class RegistrationsController < ApplicationController
def new
@user = User.new
end
def create
params
# {"authenticity_token"=>"[FILTERED]", "user"=>{"email"=>"test", "password"=>"[FILTERED]", "password_confirmation"=>"[FILTERED]"}, "commit"=>"Sign Up"}
params[:user]
# "user"=>{"email"=>"test", "password"=>"[FILTERED]", "password_confirmation"=>"[FILTERED]"}
render plain: params[:user]
end
end
Now we can create our create
action using params
We could simply define as:
def create
@user = User.new(params[:user])
end
admin
field as true
(if you had one) and rail would save this new user as an adminTo fix that, we can create a private method to allow only certain fields
private
def user_params
params.require(:user).permit(:email, :password, :password_confirmation)
# | └── permit only these fields
# └── require a user (if not rails will throw an error)
end
Then we could check if the user was successfully save in our database @user.save
yes
, redirect to the root_path
and display the flash[:notice]
msgno
, redirect to the :new
(/sign_up
page)
class RegistrationsController < ApplicationController
def new
@user = User.new
end
def create
# @user = User.new(params[:user])
@user = User.new(user_params)
if @user.save
redirect_to root_path, notice: 'Successfully create account'
else
render :new
end
end
private
def user_params
params.require(:user).permit(:email, :password, :password_confirmation)
end
end
To sign in we are going to use session cookie is stored in the user’s browser. The session cookie is encrypted and no one can read it or modify.
In app/controllers/registrations_controller.rb
We are going to update the create
action to store the @user.id
in the session cookie
In app/controllers/main_controller.rb
In our index
function, we check if there is a cookie before querying the database.
class MainController < ApplicationController
def index
if session[:user_id]
@user = User.find(session[:user_id])
end
end
end
User.find()
, and rails doesn’t find a user, then I will throw an error (break the app).A work around to this problem we can use User.find_by(id: session[:user_id])
= SELECT * FROM users WHERE id = user_id;
In app/views/main/index.html.erb
Then if we have a user, we can go to our main
index
We can check our cookie under Application Tab
HttpOnly
this means that JavaScript cannot access itTo logout from our app, we are going to create a new controller called session_controller.rb
Add a new route that maps a DELETE
request to sessions > destroy
Rails.application.routes.draw do
get 'about-us', to: 'about#index', as: :about
get 'sign_up', to: 'registrations#new'
post 'sign_up', to: 'registrations#create'
delete 'logout', to: 'sessions#destroy'
root to: 'main#index'
end
Create a new controller:
touch app/controllers/sessions_controller.rb
In app/controllers/sessions_controller.rb
Basically our destroy
action will set the current session[:user_id]
to nil
then it will redirect to the home page.
class SessionsController < ApplicationController
def destroy
session[:user_id] = nil
redirect_to root_path, notice: 'Logged out'
end
end
In app/views/main/index.html.erb
We can logout using two ways:
Both will work, but using button_to
is the more appropriate way to logout, because button_to
creates a hidden form that sends a DELETE
method
Create two new routes:
sign in
page/viewsign in
formIn config/routes.rb
Rails.application.routes.draw do
get 'about-us', to: 'about#index', as: :about
get 'sign_up', to: 'registrations#new'
post 'sign_up', to: 'registrations#create'
get 'sign_in', to: 'sessions#new'
post 'sign_in', to: 'sessions#create'
delete 'logout', to: 'sessions#destroy'
root to: 'main#index'
end
In app/controllers/sessions_controller.rb
Create the new
and create
actions
new
action is only used to render the new.html.erb
we don’t need to pass anything to the view. We just need to create the form in our new.html.erb
create
action is used to validate the userauthenticate
method to validate the user password (compare the hashed password with the hashed password in our database)password
and password confirmation
, password_digest
gives us another method to authenticate
the useruser.id
to our session cookie and redirect to the main pageflash
message and redirect again to the new.html.erb
page
class SessionsController < ApplicationController
def new
end
def create
user = User.find_by(email: params[:email])
if user.present? && user.authenticate(params[:password])
session[:user_id]=user.id
redirect_to root_path, notice: 'Logged in successfully'
else
flash[:alert] = 'Invalid email or password'
render :new
end
end
def destroy
session[:user_id] = nil
redirect_to root_path, notice: 'Logged out'
end
end
Create a new folder and file
touch app/views/sessions/new.html.erb
In app/views/sessions/new.html.erb
<h1>Sign In</h1>
<%= form_with url: sign_in_path do |form| %>
<div class="mb-3">
<%= form.label :email%>
<%= form.text_field :email, class: "form-control", placeholder: "your_email@email.com"%>
</div>
<div class="mb-3">
<%= form.label :password%>
<%= form.password_field :password, class: "form-control", placeholder: "password" %>
</div>
<div class="mb-3">
<%= form.submit "Sign In", class: "btn btn-primary"%>
</div>
<% end%>
To use the current authenticated user in any controller/view, we just need to remove from the main_controller
and add to our application_controller
, because all the controllers inherit from the application_controller
In app/controllers/main_controller.rb
class MainController < ApplicationController
end
In app/controllers/application_controller.rb
set_current_user
and set the Current.user
(that we are going to create) to our query, instead of our instance variable @user
Before any action we are going to run set_current_user
class ApplicationController < ActionController::Base
before_action :set_current_user
def set_current_user
Current.user = User.find_by(id: session[:user_id]) if session[:user_id]
end
end
Create a new model called current
touch app/models/current.rb
Our Current
class inherits from ActiveSupport::CurrentAttributes
, and it will have only one attribute
(:user
)
The ActiveSupport
helps us manage the Current.user
from other sessions, this way we can have multiple Current.user
without clashing/overriding other session user.
class Current < ActiveSupport::CurrentAttributes
attribute :user
end
Now that we have configured the Current.user
, we can refactor our views to use the Current.user
instead of the instance @user
In app/views/main/index.html.erb
<div class="d-flex align-items-center justify-content-center">
<h1>Welcome to Scheduled Tweets</h1>
</div>
<% if Current.user %>
Logged in as: <%= Current.user.email %>
<%= button_to "Logout", logout_path, method: :delete %>
<% end %>
Update our navbar to display the current user and add sign up
and login
buttons
In app/views/shared/_navbar.html.erb
<nav class="navbar navbar-expand-lg navbar-light bg-light">
<div class="container-fluid">
<%= link_to "Navbar", root_path, class: "navbar-brand" %>
<button class="navbar-toggler" type="button" data-bs-toggle="collapse" data-bs-target="#navbarNav" aria-controls="navbarNav" aria-expanded="false" aria-label="Toggle navigation">
<span class="navbar-toggler-icon"></span>
</button>
<div class="collapse navbar-collapse" id="navbarNav">
<ul class="navbar-nav">
<li class="nav-item">
<%= link_to "Home", root_path, class: "nav-link active" %>
</li>
<li class="nav-item">
<%= link_to "About", about_path, class: "nav-link" %>
</li>
</li>
</ul>
<ul class="navbar-nav ms-auto mb-2 mb-lg-0">
<% if Current.user %>
<li class="nav-item">
<span class="navbar-text">
<%= Current.user.email %>
</span>
</li>
<li class="nav-item">
<%= button_to "Logout", logout_path, method: :delete, class: "btn btn-outline-secondary" %>
</li>
<% else %>
<li class="nav-item">
<%= link_to "Sign Up", sign_up_path, class: "nav-link" %>
</li>
<li class="nav-item">
<%= link_to "Login", sign_in_path, class: "nav-link"%>
</li>
<% end %>
</ul>
</div>
</div>
</nav>
Add two new routes to our routes.rb
In config/routes.rb
give a new name to our path
get 'password', to: 'passwords#edit', as: :edit_password
patch 'password', to: 'passwords#update'
Before we started coding the password controller, we need to define another “global” method require_user_logged_in
so we can use this method before each private route.
In app/controllers/application_controller.rb
Add the require_user_logged_in
to check if the Current.user
is nil
. If true
, redirect to sign_in
page with an alert message
class ApplicationController < ActionController::Base
before_action :set_current_user
def set_current_user
Current.user = User.find_by(id: session[:user_id]) if session[:user_id]
end
def require_user_logged_in
return unless Current.user.nil?
redirect_to sign_in_path,
alert: 'You must be signed in to do that.'
end
end
Create a new controller
touch app/controllers/passwords_controller.rb
In app/controllers/passwords_controller.rb
Create a private helper to require a :user
andn only allow for :password
and :password_confirmation
to be edited
class PasswordsController < ApplicationController
before_action :require_user_logged_in
def edit
end
def update
if Current.user.update(password_params)
redirect_to root_path, notice: 'Password updated successfully!'
else
render :edit
end
end
private
def password_params
params.require(:user).permit(:password, :password_confirmation)
end
end
Create a new view
touch app/views/passwords/edit.html.erb
In app/views/passwords/edit.html.erb
Create a new form similar to the sign up
form
<h1>Edit Password</h1>
<%= form_with model: @user, url: edit_password_path do |form| %>
<% if @user.errors.any? %>
<div class="alert alert-danger">
<% @user.errors.full_messages.each do |message| %>
<div>
<%= message %>
</div>
<% end %>
</div>
<% end %>
<div class="mb-3">
<%= form.label :password%>
<%= form.password_field :password, class: "form-control", placeholder: "password" %>
</div>
<div class="mb-3">
<%= form.label :password_confirmation%>
<%= form.password_field :password_confirmation, class: "form-control", placeholder: "password" %>
</div>
<div class="mb-3">
<%= form.submit "Udpate Password", class: "btn btn-primary"%>
</div>
<% end %>
In app/views/shared/_navbar.html.erb
Update our navbar to add a link to edit_password
path
<li class="nav-item">
<%= link_to Current.user.email, edit_password_path, class: "nav-link" %>
</li>
Create two new routes to display
(GET
) the form, and another route to submit
(POST
) the form.
In config/routes.rb
get 'password/reset', to: 'password_resets#new'
post 'password/reset', to: 'password_resets#create'
Create a new controller
touch app/controllers/password_resets_controller.rb
In app/controllers/password_resets_controller.rb
new
action to render our form (new.html.erb
)Create create
action to receive the form
PasswordMailer
, set some params (user:
) and call the reset
method to send a reset email. Chain a deliver_later
method to run in the background (async
)deliver_now
, but this will make our app a little slower
class PasswordResetsController < ApplicationController
def new
end
def create
@user = User.find_by(email: params[:email])
return unless @user.present?
PasswordMailer.with(user: @user).reset.deliver_later
redirect_to root_path,
notice: 'If an account with that email was found, we have sent a link to reset your password.'
end
end
We are going to use the CLI to create a mailer (a builtin rails mailer)
rails g mailer Password reset
# | | └── Password Mailer
# | └── mailer
# └── generator
# Running via Spring preloader in process 12749
# create app/mailers/password_mailer.rb
# invoke erb
# create app/views/password_mailer
# create app/views/password_mailer/reset.text.erb
# create app/views/password_mailer/reset.html.erb
# invoke test_unit
# create test/mailers/password_mailer_test.rb
# create test/mailers/previews/password_mailer_preview.rb
app/mailers/password_mailer.rb
for usapp/views/password_mailer/reset.text.erb
(text)app/views/password_mailer/reset.html.erb
(html)Crate a new view
touch app/views/password_resets/new.html.erb
In app/views/password_resets/new.html.erb
<h1>Forgot your password?</h1>
<%= form_with url: password_reset_path do |form| %>
<div class="mb-3">
<%= form.label :email%>
<%= form.text_field :email, class: "form-control", placeholder: "your_email@email.com"%>
</div>
<div class="mb-3">
<%= form.submit "Reset Password", class: "btn btn-primary"%>
</div>
<% end %>
In app/views/sessions/new.html.erb
Add a new link_to
<div class="mb-3">
<%= form.label :password%>
<%= form.password_field :password, class: "form-control", placeholder: "password" %>
<%= link_to "Forgot your password?", password_reset_path %>
</div>
The Password Mailer
is similar to any other controller. We can access the params[:user]
that we passing through our controller (PasswordMailer.with(user: @user)
)
In app/mailers/password_mailer.rb
class PasswordMailer < ApplicationMailer
def reset
@token = params[:user].signed_id(
purpose: 'password_reset',
expires_in: 15.minutes
)
mail to: params[:user].email
end
end
In rails we have a builtin function that can generate a random token for us, we just need to reference a user from our database.
We can also have expiration data in our tokens
rails c
# Running via Spring preloader in process 68865
# Loading development environment (Rails 6.1.3)
user = User.last
# (0.5ms) SELECT sqlite_version(*)
# User Load (0.1ms) SELECT "users".* FROM "users" ORDER BY "users"."id" DESC LIMIT ? [["LIMIT", 1]]
# => #<User id: 5, email: "your_email@gmail.com", password_digest: [FILTERED], created_at: "2021-03-03 00:4...
user.signed_id
# => "eyJfcmFpbHMiOnsibWVzc2FnZSI6Ik5RPT0iLCJleHAiOm51bGwsInB1ciI6InVzZXIifX0=--61bd3be1c2303e3825bf7824712d781b310906370fb5e04af921ae3759f35313"
user.to_global_id
#<GlobalID:0x00007fb158ad15b8 @uri=#<URI::GID gid://scheduled-tweets/User/5>>
user.to_global_id.to_s
# => "gid://scheduled-tweets/User/5"
signed_id
generates an encrypted token with our users information, in this case the user.id
("gid://scheduled-tweets/User/5"
)signed_id
user.signed_id(expires_in: 15.minutes)
# => "eyJfcmFpbHMiOnsibWVzc2FnZSI6Ik5RPT0iLCJleHAiOiIyMDIxLTAzLTA0VDAwOjE4OjU4LjI4MVoiLCJwdXIiOiJ1c2VyIn19--b35f3bbb8935db0396d1bcc72d500363ba823cd64cf7cfadcded30a38ec73abf"
user.signed_id(expires_in: 15.minutes, purpose: "password_reset")
# => "eyJfcmFpbHMiOnsibWVzc2FnZSI6Ik5RPT0iLCJleHAiOiIyMDIxLTAzLTA0VDAwOjIwOjQxLjA3OFoiLCJwdXIiOiJ1c2VyL3Bhc3N3b3JkX3Jlc2V0In19--4b0b719794f414f8d73cff9e6ed66fccdb18982555a88c904fce836ac2ee4083"
To reset our password, we need to create two new routes to handle the requests.
We are going to create a GET
page to render the form, and a PATCH
route to receive the form to update the password
get 'password/reset/edit', to: 'password_resets#edit'
patch 'password/reset/edit', to: 'password_resets#update'
In app/views/password_mailer/reset.html.erb
erb
file adding the path to to our edit
pageInstead of using password_reset_edit_path
we are going to use password_reset_edit_url
password_reset_edit_path
generates a relative path (/something
)password_reset_edit_url
generates the complete path (www.yourwebsite.com/something
)password_reset_edit_url
accepts a parameter token
to attach to the url
that we are sending in our email
Hi <%= params[:user].email%>,
Someone request a reset of your password.
If this was you, click on the link to reset your password. The link will expire automatically in 15 minutes.
<%= link_to "Click Here To Reset Password Your Password", password_reset_edit_url(token: @token) %>
In app/views/password_mailer/reset.text.erb
Hi <%= params[:user].email%>,
Someone request a reset of your password.
If this was you, click on the link to reset your password. The link will expire automatically in 15 minutes.
<%= password_reset_edit_url(token: @token) %>
In development mode, we need to config our environment so rails can get the correct host
In config/environments/development.rb
Add the following config
config.action_mailer.default_url_options = { host: 'localhost:3000' }
In our rails logs, we can see that our email was successfully delivered
[ActiveJob] [ActionMailer::MailDeliveryJob] [fd9e3930-3bfd-4639-ae1f-5f538740765c] Delivered mail 604029fad2409_110b24164-3f7@Rogers-MBP.phub.net.cable.rogers.com.mail (53.0ms)
[ActiveJob] [ActionMailer::MailDeliveryJob] [fd9e3930-3bfd-4639-ae1f-5f538740765c] Date: Wed, 03 Mar 2021 19:29:46 -0500
From: from@example.com
To: your_email@gmail.com
Message-ID: <604029fad2409_110b24164-3f7@Rogers-MBP.phub.net.cable.rogers.com.mail>
Subject: Reset
Mime-Version: 1.0
Content-Type: multipart/alternative;
boundary="--==_mimepart_604029facbb82_110b24164-4b3";
charset=UTF-8
Content-Transfer-Encoding: 7bit
----==_mimepart_604029facbb82_110b24164-4b3
Content-Type: text/plain;
charset=UTF-8
Content-Transfer-Encoding: 7bit
Hi your_email@gmail.com,
Someone request a reset of your password.
If this was you, click on the link to reset your password. The link will expire automatically in 15 minutes.
http://localhost:3000/password/reset/edit?token=eyJfcmFpbHMiOnsibWVzc2FnZSI6Ik5RPT0iLCJleHAiOiIyMDIxLTAzLTA0VDAwOjQ0OjQ2LjgyMFoiLCJwdXIiOiJ1c2VyL3Bhc3N3b3JkX3Jlc2V0In19--817cd5bba1257268efcc810b37077a608a66604ec0d058fd324a171543d7f726
----==_mimepart_604029facbb82_110b24164-4b3
Content-Type: text/html;
charset=UTF-8
Content-Transfer-Encoding: 7bit
<!DOCTYPE html>
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<style>
/* Email styles need to be inline */
</style>
</head>
<body>
Hi your_email@gmail.com,
Someone request a reset of your password.
If this was you, click on the link to reset your password. The link will expire automatically in 15 minutes.
<a href="http://localhost:3000/password/reset/edit?token=eyJfcmFpbHMiOnsibWVzc2FnZSI6Ik5RPT0iLCJleHAiOiIyMDIxLTAzLTA0VDAwOjQ0OjQ2LjgyMFoiLCJwdXIiOiJ1c2VyL3Bhc3N3b3JkX3Jlc2V0In19--817cd5bba1257268efcc810b37077a608a66604ec0d058fd324a171543d7f726">Click Here To Reset Password Your Password</a>
</body>
</html>
----==_mimepart_604029facbb82_110b24164-4b3--
Rendered main/index.html.erb within layouts/application (Duration: 0.5ms | Allocations: 176)
[ActiveJob] [ActionMailer::MailDeliveryJob] [fd9e3930-3bfd-4639-ae1f-5f538740765c] Performed ActionMailer::MailDeliveryJob (Job ID: fd9e3930-3bfd-4639-ae1f-5f538740765c) from Async(default) in 81.79ms
[Webpacker] Everything's up-to-date. Nothing to do
Rendered shared/_navbar.html.erb (Duration: 0.4ms | Allocations: 162)
Rendered shared/_flash.html.erb (Duration: 0.1ms | Allocations: 59)
Rendered layout layouts/application.html.erb (Duration: 32.5ms | Allocations: 4025)
Completed 200 OK in 43ms (Views: 36.3ms | ActiveRecord: 0.0ms | Allocations: 6980)
As we can see we have our reset_url
in the middle of the logs
http://localhost:3000/password/reset/edit?token=eyJfcmFpbHMiOnsibWVzc2FnZSI6Ik5RPT0iLCJleHAiOiIyMDIxLTAzLTA0VDAwOjQ0OjQ2LjgyMFoiLCJwdXIiOiJ1c2VyL3Bhc3N3b3JkX3Jlc2V0In19--817cd5bba1257268efcc810b37077a608a66604ec0d058fd324a171543d7f726
We now need to build the action to edit
and update
the password
In app/controllers/password_resets_controller.rb
Edit Password
find_signed
function instead of normal find_by
The find_signed
checks if our token is still valid, and also gets the user.id
from the token, and checks if the purpose
is correct too
def edit
@user = User.find_signed(params[:token], purpose: 'password_reset')
end
find_signed
method has another version that with an !
mark (find_signed!
) and this version throws an error if the token is expiredLets refactor our action to handle the error
def edit
@user = User.find_signed!(params[:token], purpose: 'password_reset')
rescue ActiveSupport:
:InvalidSignature
redirect_to sign_in_path, alert: 'Your token has expired. Please try again'
end
Update Password
@user
instance that we are sending to our view when we loaded the edit
pageWe need to do that, because we are going to create a private helper that requires
a user
so we can update the password
def update
@user = User.find_signed!(params[:token], purpose: 'password_reset')
if @user.update(password_params)
redirect_to sign_in_path,
notice: 'Your password has been reseted successfully. Please sign in again.'
else
render :edit
end
end
private
def password_params
params.require(:user).permit(:password, :password_confirmation)
end
Create the edit.html.erb
touch app/views/password_resets/edit.html.erb
In app/views/password_resets/edit.html.erb
Without sending the @user
instance
<h1>Reset your password</h1>
<%= form_with url: password_reset_edit_path(token: params[:token]) do |form| %>
<% if form.object.errors.any? %>
<div class="alert alert-danger">
<% form.object.errors.full_messages.each do |message| %>
<div>
<%= message %>
</div>
<% end %>
</div>
<% end %>
<div class="mb-3">
<%= form.label :password%>
<%= form.password_field :password, class: "form-control", placeholder: "password" %>
</div>
<div class="mb-3">
<%= form.label :password_confirmation%>
<%= form.password_field :password_confirmation, class: "form-control", placeholder: "password" %>
</div>
<div class="mb-3">
<%= form.submit "Reset Password", class: "btn btn-primary"%>
</div>
<% end %>
Sending the @user
instance nested in our form (model: @user
)
<h1>Reset your password</h1>
<%= form_with model: @user, url: password_reset_edit_path(token: params[:token]) do |form| %>
<% if form.object.errors.any? %>
<div class="alert alert-danger">
<% form.object.errors.full_messages.each do |message| %>
<div>
<%= message %>
</div>
<% end %>
</div>
<% end %>
<div class="mb-3">
<%= form.label :password%>
<%= form.password_field :password, class: "form-control", placeholder: "password" %>
</div>
<div class="mb-3">
<%= form.label :password_confirmation%>
<%= form.password_field :password_confirmation, class: "form-control", placeholder: "password" %>
</div>
<div class="mb-3">
<%= form.submit "Reset Password", class: "btn btn-primary"%>
</div>
<% end %>
Rails has a builtin environment system that can store and encrypt our environment variables
rails credentials:edit --environment=development
# Adding config/credentials/development.key to store the encryption key: fasdfasdfasdfasdfasdfasdfasdfasdfa
# Save this in a password manager your team can access.
# If you lose the key, no one, including you, can access anything encrypted with it.
# create config/credentials/development.key
# Ignoring config/credentials/development.key so it won't end up in Git history:
# append .gitignore
In 2312312.development.yml
Add your twitter keys
twitter:
api_key: faljsdkfjaljsdfjlsoiifjo
api_secret: fasdfasdg123123klkhkjhlafkhdflaksjdhflk
On Terminal
we can get our api keys
rails c
Rails.application.credentials.twitter
# => {:api_key=>"faljsdkfjaljsdfjlsoiifjo", :api_secret=>"fasdfasdg123123klkhkjhlafkhdflaksjdhflk"}
We can get an individual keys from the hash using dig
Rails.application.credentials.dig(:twitter, :api_key)
# => "faljsdkfjaljsdfjlsoiifjo"
Add the following gems
bundle add omniauth-twitter omniauth-rails_csrf_protection
omniauth-rails_csrf_protection
to be more secure, previously we had to make a GET
request, now we do a POST
request and send some information with the requestThen in our initializes
folder, we have to create a new file called omniauth.rb
touch config/initializers/omniauth.rb
In config/initializers/omniauth.rb
Rails.application.config.middleware.use
.OmniAuth::Builder
Then we specify the provider
as :twitter
(this will make rails look up for the twitter gem for us)
Rails.application.config.middleware.use OmniAuth::Builder do
provider :twitter,
Rails.application.credentials.dig(:twitter, :api_key),
Rails.application.credentials.dig(:twitter, :api_secret)
end
If we check our rails routes [http://localhost:3000/rails/info/routes] we won’t see an OmniAuth
route.
If we try to visit [http://localhost:3000/auth/twitter] we get the following error
No route matches [GET] “/auth/twitter”
This is because OmniAuth only accepts POST
request
In app/views/main/index.html.erb
Let’s create a button so we can make a post request to our /auth/twitter
<div class="d-flex align-items-center justify-content-center">
<h1 class="mt-4">Welcome to Scheduled Tweets</h1>
</div>
<%= button_to "Connect Twitter", "/auth/twitter", method: :post, class: "btn btn-primary" %>
After the user successfully connected his twitter account to our app, twitter will redirect to our callback route, with the oauth_token
and oauth_verifier
params
http://localhost:3000/auth/twitter/callback?oauth_token=QGoDzgAAAAABNU53AAABd_rvTH8&oauth_verifier=iw9nXvXqKhXnNg1QW9UWlKHQmUNp9qYZ
We now can create our new route auth/twitter/callback
to get those params and save in our database to connect our twitter account
In config/routes.rb
Add our callback route
get 'auth/twitter/callback', to: 'omniauth_callbacks#twitter'
Create a new controller omniauth_callbacks_controller.rb
In app/controllers/omniauth_callbacks_controller.rb
class OmniauthCallbacksController < ApplicationController
def twitter
render plain: 'Success!'
end
end
Generate a Twitter model
rails g model TwitterAccount user:belongs_to name username image token secret
# Running via Spring preloader in process 76050
# invoke active_record
# create db/migrate/20210304034024_create_twitter_accounts.rb
# create app/models/twitter_account.rb
# invoke test_unit
# create test/models/twitter_account_test.rb
# create test/fixtures/twitter_accounts.yml
rails db:migrate
# == 20210304034024 CreateTwitterAccounts: migrating ============================
# -- create_table(:twitter_accounts)
# -> 0.0030s
# == 20210304034024 CreateTwitterAccounts: migrated (0.0031s) ===================
user:belongs_to
, each twitter account points to a userIn app/models/twitter_account.rb
Rails generated for us
class TwitterAccount < ApplicationRecord
belongs_to :user
end
In app/models/user.rb
We can do the same thing to connect our User
model with TwitterAccount
model
:twitter_accounts
is pluralCRUD
our twitter account through the User
model
class User < ApplicationRecord
has_many :twitter_accounts
has_secure_password
validates :email,
presence: true,
format: {
with: /\A[^@\s]+@[^@\s]+\z/,
message: 'must be a valid email address'
}
end
On Terminal
rails c
User.last.twitter_accounts
# (0.7ms) SELECT sqlite_version(*)
# User Load (0.4ms) SELECT "users".* FROM "users" ORDER BY "users"."id" DESC LIMIT ? [["LIMIT", 1]]
# TwitterAccount Load (0.4ms) SELECT "twitter_accounts".* FROM "twitter_accounts" WHERE "twitter_accounts"."user_id" = ? /* loading for inspect */ LIMIT ? [["user_id", 5], ["LIMIT", 11]]
# => #<ActiveRecord::Associations::CollectionProxy []>
In app/controllers/omniauth_callbacks_controller.rb
TwitterAccount
tableWe don’t need to define the user.id
, Rails already know because of our association
Current.user.twitter_accounts.create()
OmniAuth
gives us a hash of all of the things that the API sends back
So we can create a method auth
that can help us get all these values
def auth
request.env['omniauth.auth']
end
class OmniauthCallbacksController < ApplicationController
def twitter
# Prints all the values of the auth hash
Rails.logger.info auth
twitter_account = Current.user.twitter_accounts.where(username: auth.info.nickname).first_or_initialize
twitter_account.update(
name: auth.info.name,
username: auth.info.nickname,
image: auth.info.image,
token: auth.credentials.token,
secret: auth.credentials.secret
)
redirect_to root_path, notice: 'Successfully connected your account'
end
def auth
request.env['omniauth.auth']
end
end
.create()
to add twitter info in the database. We can check if there is a username
with this nickname
, .first_or_initialize
will use the first
or create
one if not foundIn app/models/twitter_account.rb
We can update our model to validate the :username
saving
class TwitterAccount < ApplicationRecord
belongs_to :user
validates :username, uniqueness: true
end
On Terminal
rails c
User.last.twitter_accounts.count
# User Load (0.1ms) SELECT "users".* FROM "users" ORDER BY "users"."id" DESC LIMIT ? [["LIMIT", 1]]
# (0.2ms) SELECT COUNT(*) FROM "twitter_accounts" WHERE "twitter_accounts"."user_id" = ? [["user_id", 5]]
# => 1
In config/routes.rb
:twitter_accounts
resourceresources
will generate all the CRUD
operations routes for usAnd also adds automatically the to:
to map to our twitter controller
resources :twitter_accounts
# get 'twitter_accounts/:id'
# delete 'twitter_accounts/:id'
# new, create, update
Create a new controller
touch app/controllers/twitter_accounts_controller.rb
In app/controllers/twitter_accounts_controller.rb
class TwitterAccountsController < ApplicationController
before_action :require_user_logged_in
def index
@twitter_accounts = Current.user.twitter_accounts
end
def destroy
@twitter_account = Current.user.twitter_accounts.find(params[:id])
@twitter_account.destroy
redirect_to twitter_accounts_path
end
end
before_action
to require a user
before executing anythingCreate the twitter account index.html.erb
touch app/views/twitter_accounts/index.html.erb
In app/views/twitter_accounts/index.html.erb
<div class="d-flex align-items-center justify-content-between">
<h1>Twitter Accounts</h1>
<%= link_to "Connect a Twitter Account", "/auth/twitter", method: :post, class: "btn btn-primary"%>
</div>
<% @twitter_accounts.each do |twitter_account| %>
<div class="d-flex align-items-center mb-4">
<div class="me-4">
<%= image_tag twitter_account.image, class: "rounded-circle" %>
<%= link_to "@#{twitter_account.username}", "https://twitter.com/#{twitter_account.username}", target: :_blank %>
</div>
<%= button_to "Disconnect", twitter_account, method: :delete, data: { confirm: "Are you sure?" } %>
</div>
<% end %>
twitter_account
and rails will figure out to find the correct user.id
to use ( delete: 'twitter_accounts/:id'
)data
object, that will prompt the use to confirmUpdate our twitter
callback action to redirect to our new route/page twitter_accounts
In app/controllers/omniauth_callbacks_controller.rb
class OmniauthCallbacksController < ApplicationController
def twitter
# Prints all the values of the auth hash
Rails.logger.info auth
twitter_account = Current.user.twitter_accounts.where(username: auth.info.nickname).first_or_initialize
twitter_account.update(
name: auth.info.name,
username: auth.info.nickname,
image: auth.info.image,
token: auth.credentials.token,
secret: auth.credentials.secret
)
redirect_to twitter_accounts_path, notice: 'Successfully connected your account'
end
def auth
request.env['omniauth.auth']
end
end
We can set a before_action
to set a common variable across actions
In app/controllers/twitter_accounts_controller.rb
destroy
actionset_twitter_account
Require before_action
for only the destroy
action
class TwitterAccountsController < ApplicationController
before_action :require_user_logged_in
before_action :set_twitter_account, only: [:destroy]
def index
@twitter_accounts = Current.user.twitter_accounts
end
def destroy
@twitter_account.destroy
redirect_to twitter_accounts_path,
notice: "Successfully disconnected @#{@twitter_account.username}"
end
private
def set_twitter_account
@twitter_account = Current.user.twitter_accounts.find(params[:id])
end
end
Generate a new Tweet
model to schedule our tweets
rails g model Tweet user:belongs_to twitter_account:belongs_to body:text publish_at:datetime tweet_id:string
# Running via Spring preloader in process 67929
# invoke active_record
# create db/migrate/20210306030431_create_tweets.rb
# create app/models/tweet.rb
# invoke test_unit
# create test/models/tweet_test.rb
# create test/fixtures/tweets.yml
rails db:migrate
# == 20210306030431 CreateTweets: migrating =====================================
# -- create_table(:tweets)
# -> 0.0041s
# == 20210306030431 CreateTweets: migrated (0.0044s) ============================
belongs_to
creates an association between Tweet
and User
and twitter_account
tweet
belongs to a user
and twitter account
tweet_id
is going to be our confirmation that our tweet was sentIn app/models/user.rb
tweets
modelhas_many :tweets
In app/models/twitter_account.rb
tweets
modelTo do so, add has_many :tweets
and we can also add dependent: :destroy
this means that when the user disconnects his account, we also delete his scheduled tweets
class TwitterAccount < ApplicationRecord
belongs_to :user
has_many :tweets, dependent: :destroy
end
In config/routes.rb
Add a the tweet resources
resources :tweets
Create a new controller
touch app/controllers/tweets_controller.rb
In app/controllers/tweets_controller.rb
class TweetsController < ApplicationController
before_action :require_user_logged_in
def index
@tweets = Current.user.tweets
end
def new
@tweet = Tweet.new
end
def create
@tweet = Current.user.tweets.create(tweet_params)
if @tweet.save
redirect_to tweets_path, notice: 'Tweet was schedule successfully'
else
render :new
end
end
private
def tweet_params
params.require(:tweet).permit(:twitter_account_id, :body, :publish_at)
end
end
Create a new view
touch touch app/views/tweets/index.html.erb
In app/views/tweets/index.html.erb
<div class="d-flex justify-content-between align-items-center">
<h1>Tweets</h1>
<% if Current.user.twitter_accounts.any? %>
<%= link_to "Schedule a Tweet", new_tweet_path, class: "btn btn-primary" %>
<% end %>
</div>
<% if Current.user.twitter_accounts.none? %>
<%= link_to "Connect Your Twitter Account", "/auth/twitter", method: :post, class: "btn btn-primary"%>
<% end %>
In app/views/shared/_navbar.html.erb
Change our Home
link to Tweets
<li class="nav-item">
<%= link_to "Tweets", tweets_path, class: "nav-link active" %>
</li>
In app/models/tweet.rb
We can also add something after_initialize
, in this case it will check if the publish_at
has already been set, otherwise, set the datetime
for 24hrs from now
class Tweet < ApplicationRecord
belongs_to :user
belongs_to :twitter_account
validates :body, length: { minimum: 1, maximum: 280 }
validates :publish_at, presence: true
after_initialize do
self.publish_at ||= 24.hours.from_now
end
end
Create the new page
touch app/views/tweets/new.html.erb
touch app/views/shared/_form_errors.html.erb
In app/views/shared/_form_errors.html.erb
Create our shared error msg
<% if form.object.errors.any? %>
<div class="alert alert-danger">
<% form.object.errors.full_messages.each do |message| %>
<div>
<%= message %>
</div>
<% end %>
</div>
<% end %>
In app/views/tweets/new.html.erb
<h1>Schedule a Tweet</h1>
<%= form_with model: @tweet do |form| %>
<div class="mb-3">
<%= form.label :twitter_account_id %>
<%= form.collection_select :twitter_account_id, Current.user.twitter_accounts, :id, :username, {}, { class: "form-control" } %>
<%= link_to "Connect Your Twitter Account", "/auth/twitter" %>
</div>
<div class="mb-3">
<%= form.label :body %>
<%= form.text_area :body, class: "form-control" %>
</div>
<div class="mb-3">
<%= form.label :publish_at %>
<div class="form-control">
<%= form.datetime_select :publish_at %>
</div>
</div>
<%= form.button "Schedule", class: "btn btn-primary" %>
<% end %>
In app/views/tweets/index.html.erb
If we render
an object
<%= render @tweets %>
_tweet.html.erb
Create a new partial to render our query object (@tweets)
touch app/views/tweets/_tweet.html.erb
In app/views/tweets/_tweet.html.erb
<div class="mb-3 card card-body">
<%= tweet.body %>
<div class="me-4">
<%= image_tag tweet.twitter_account.image, class: "rounded-circle" %>
<%= link_to "@#{tweet.twitter_account.username}", "https://twitter.com/#{tweet.twitter_account.username}", target: :_blank %>
</div>
</div>
In app/models/tweet.rb
Add a new method to our tweet
controller to check if our tweet has been published or not
def published?
tweet_id?
end
true/false
instead of the normal behavior value
or nil
tweet_id
column, if has a value, then it’s publishedCreate a new partial to clean our code
touch app/views/tweets/_form.html.erb
In app/views/tweets/_form.html.erb
@tweet
we are going to use a local variable tweet
that we are going to pass it when we invoke the form
<%= form_with model: tweet do |form| %>
<%= render "shared/form_errors", form: form%>
<div class="mb-3">
<%= form.label :twitter_account_id %>
<%= form.collection_select :twitter_account_id, Current.user.twitter_accounts, :id, :username, {}, { class: "form-control" } %>
<%= link_to "Connect Your Twitter Account", "/auth/twitter" %>
</div>
<div class="mb-3">
<%= form.label :body %>
<%= form.text_area :body, class: "form-control" %>
</div>
<div class="mb-3">
<%= form.label :publish_at %>
<div class="form-control">
<%= form.datetime_select :publish_at %>
</div>
</div>
<%= form.button "Schedule", class: "btn btn-primary" %>
<% if form.object.persisted? %>
<%= link_to "Delete", form.object, method: :delete, data: { confirm: "Are you sure you want to delete this tweet?" }, class: "btn btn-outline-danger" %>
<% end %>
<% end %>
Update the tweet index to use our partial _form
In app/views/tweets/new.html.erb
<h1>Schedule a Tweet</h1>
<%= render "form", tweet: @tweet %>
Create a new view to edit a tweet
touch app/views/tweets/edit.html.erb
In app/views/tweets/edit.html.erb
<h1>Edit Scheduled Tweet</h1>
<%= render "form", tweet: @tweet %>
In app/controllers/tweets_controller.rb
Tweet
And before each action we set the current tweet
...
before_action :set_tweet, only: %i[show edit update destroy]
...
def edit
end
def update
if @tweet.update(tweet_params)
redirect_to tweets_path, notice: 'Twee has been updated successfully'
else
render :edit
end
end
def destroy
@tweet.destroy
redirect_to tweets_path, notice: 'Tweet has been successfully unscheduled'
end
private
...
def set_tweet
@tweet = Current.user.tweets.find(params[:id])
end
Instead of coding and making calls to Twitter’s API directly, we are going to use third party gem to help use to connect to Twitter’s API
bundle add twitter
In app/models/twitter_account.rb
Add a new function called client
class TwitterAccount < ApplicationRecord
belongs_to :user
has_many :tweets, dependent: :destroy
validates :username, uniqueness: true
def client
Twitter:
:Client.new do |config|
config.consumer_key = Rails.application.credentials.dig(
:twitter,
:api_key
)
config.consumer_secret = Rails.application.credentials.dig(
:twitter,
:api_secret
)
config.access_token = token
config.access_token_secret = secret
end
end
end
Create a new function called publish_to_twitter!
to post a tweet using the twitter
gem
We added the !
in the end, just to help us identify that this function makes an external API call
In app/models/tweet.rb
def publish_to_twitter!
tweet = twitter_account.client.update(body)
update(tweet_id: tweet.id)
end
Rails has a builtin background jobs app/jobs/application_job.rb
Let’s create a new one for Tweets
rails g job Tweet
# Running via Spring preloader in process 84498
# invoke test_unit
# create test/jobs/tweet_job_test.rb
# create app/jobs/tweet_job.rb
In app/jobs/tweet_job.rb
perform
methodyes
returnpublish_at
datetime greater than current datetime, if yes
returnFor last publish the tweet
class TweetJob < ApplicationJob
queue_as :default
def perform(tweet)
return if tweet.published?
# Rescheduled a tweet to the future
return if tweet.publish_at > Time.current
tweet.publish_to_twitter!
end
end
Create a new method that will run every time some has successfully saved in our database (CREATE
and UPDATE
)
In app/models/tweet.rb
The TweetJob.set
adds a new job to the queue, we need to pass wait_until
as argument to set the datetime and chain perform_later
to attach the object that we want to use later
after_save_commit do
if publish_at_previously_changed?
TweetJob.set(wait_until: publish_at).perform_later(self)
end
end
Our current background job doesn’t persist the queue if the server restarts
Let’s add sidekiq
to fix this problem for us
bundle add sidekiq
bundle exec sidekiq -e development
In config/environments/development.rb
Add the following line to the environment configuration
config.active_job.queue_adapter = :sidekiq
In config/environments/production.rb
Add the same configuration to production
config.active_job.queue_adapter = :sidekiq
On Terminal 1
rails c
TweetJob.perform_later(Tweet.last)
# (0.4ms) SELECT sqlite_version(*)
# Tweet Load (0.1ms) SELECT "tweets".* FROM "tweets" ORDER BY "tweets"."id" DESC LIMIT ? [["LIMIT", 1]]
# Enqueued TweetJob (Job ID: fe63464e-bfca-4ce8-ad26-f4986e5690ca) to Sidekiq(default) with arguments: #<GlobalID:0x00007fec512b81b8 @uri=#<URI::GID gid://scheduled-tweets/Tweet/7>>
# => #<TweetJob:0x00007fec512d9598 @arguments=[#<Tweet id: 7, user_id: 5, twitter_account_id: 4, body: "New Twitter API Job", publish_at: "2021-03-15 07:49:00.000000000 +0000", tweet_id: nil, created_at: "2021-03-09 00:59:31.911678000 +0000", updated_at: "2021-03-09 01:03:59.717806000 +0000">], @job_id="fe63464e-bfca-4ce8-ad26-f4986e5690ca", @queue_name="default", @priority=nil, @executions=0, @exception_executions={}, @timezone="UTC", @provider_job_id="42ab7c66ed679d503569e978">
On Terminal 2
bundle exec sidekiq -e development
# 2021-03-09T01:19:48.892Z pid=87485 tid=1wg1 INFO: Booted Rails 6.1.3 application in development environment
# 2021-03-09T01:19:48.892Z pid=87485 tid=1wg1 INFO: Running in ruby 2.7.2p137 (2020-10-01 revision 5445e04352) [x86_64-darwin19]
# 2021-03-09T01:19:48.892Z pid=87485 tid=1wg1 INFO: See LICENSE and the LGPL-3.0 for licensing details.
# 2021-03-09T01:19:48.892Z pid=87485 tid=1wg1 INFO: Upgrade to Sidekiq Pro for more features and support: https://sidekiq.org
# 2021-03-09T01:19:48.892Z pid=87485 tid=1wg1 INFO: Booting Sidekiq 6.1.3 with redis options {}
# 2021-03-09T01:19:48.894Z pid=87485 tid=1wg1 INFO: Starting processing, hit Ctrl-C to stop
# Added new job
# 2021-03-09T01:19:50.739Z pid=87485 tid=20i9 class=TweetJob jid=d32d7b46438dc915228dbc1f INFO: start
# 2021-03-09T01:19:50.865Z pid=87485 tid=20i9 class=TweetJob jid=d32d7b46438dc915228dbc1f elapsed=0.127 INFO: done