Lazy Load Content in Rails from Scratch

Lazy Load Content in Rails from Scratch

Are certain pages on your Rails app loading slowly? You might want to consider loading those requests in the background. It’s easier than you think. In this tutorial I’ll show you how to lazy load cont…


This content originally appeared on DEV Community and was authored by Steve Polito

Lazy Load Content in Rails from Scratch

Are certain pages on your Rails app loading slowly? You might want to consider loading those requests in the background. It's easier than you think. In this tutorial I'll show you how to lazy load content in Rails without Hotwire.

Demo

References

Formula

  1. Create an endpoint that does not return a layout.
class LazyLoad::PostsController < ApplicationController
  def index
    @posts = Post.all
    render partial: "lazy_load/posts/post", collection: @posts, layout: false
  end
end
  1. Add a placeholder element onto the page that will represent where the content will be loaded.
<div data-controller="lazy-load" data-lazy-load-url-value="<%= lazy_load_posts_path %>">
  <div data-lazy-load-target="output" class="d-grid gap-3">
    <%= render partial: "shared/placeholder" %>
  </div>
</div>
  1. Make a Fetch request to the endpoint and replace the placeholder with the response from the endpoint.
import { Controller } from "@hotwired/stimulus";

export default class extends Controller {
  static targets = ["output"];
  static values = { url: String };

  connect() {
    this.request = new Request(this.urlValue)
    this.fetchContent(this.request);
  }

  fetchContent(request) {
    fetch(request)
      .then((response) => {
        if (response.status === 200) {
          response.text().then((text) => (this.renderContent(text)));
        } else {
          this.renderContent("Could not load data");
        }
      })
      .catch((error) => {
        this.renderContent("Could not load data");
      });
  }

  renderContent(content) {
    this.outputTarget.innerHTML = content
    this.dispatchEvent("lazy_load:complete")
  }

  dispatchEvent(eventName) {
    const event = new Event(eventName);
    document.dispatchEvent(event);
  }

}

Example

Step 1: Create Endpoints

  1. Generate namespaced controllers.
rails g controller lazy_load/posts
rails g controller lazy_load/users
  1. Add namespaced routes with default values.
# config/routes.rb
Rails.application.routes.draw do
  ...
  namespace :lazy_load do
    defaults layout: false do
      resources :posts, only: [:index]
      resources :users, only: [:index]
    end
  end
end
  1. Build controller actions.
# app/controllers/lazy_load/posts_controller.rb
class LazyLoad::PostsController < ApplicationController
  def index
    @posts = Post.all
    render partial: "lazy_load/posts/post", collection: @posts
  end
end
# app/controllers/lazy_load/posts_controller.rb
class LazyLoad::UsersController < ApplicationController
  def index
    @users = User.all
    render partial: "lazy_load/users/user", collection: @users
  end
end
  1. Build views.

Card

# app/views/shared/_card.html.erb
<div class="card">
  <div class="card-body">
    <h5 class="card-title"><%= title %></h5>
    <p class="card-text"><%= body %></p>
    <p class="card-text"><small class="text-muted"><%= timestamp %></small></p>
  </div>
</div>

Placeholder Card Variant

# app/views/shared/_card.html+empty.erb
<div class="card mb-3">
  <div class="card-body">
    <p aria-hidden="true" class="d-grid gap-3 placeholder-glow">
      <span class="placeholder col-12 placeholder-lg"></span>
      <span class="placeholder col-6"></span>
      <span class="placeholder col-6 placeholder-xs"></span>
    </p>
  </div>
</div>

List Group

# app/views/shared/_list_group.html.erb
<li class="list-group-item d-flex justify-content-between align-items-start">
  <div class="ms-2 me-auto">
    <div class="fw-bold"><%= name %></div>
    <%= email %>
  </div>
  <a href="#" data-bs-toggle="tooltip" data-bs-placement="top" title="<%= tooltip %>">
    <svg xmlns="http://www.w3.org/2000/svg" width="16" height="16" fill="currentColor" class="bi bi-info-circle" viewBox="0 0 16 16">
      <path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/>
      <path d="m8.93 6.588-2.29.287-.082.38.45.083c.294.07.352.176.288.469l-.738 3.468c-.194.897.105 1.319.808 1.319.545 0 1.178-.252 1.465-.598l.088-.416c-.2.176-.492.246-.686.246-.275 0-.375-.193-.304-.533L8.93 6.588zM9 4.5a1 1 0 1 1-2 0 1 1 0 0 1 2 0z"/>
    </svg>
  </a>  
</li>

Post

# app/views/lazy_load/posts/_post.html.erb
<%= render partial: "shared/card", locals: { title: post.title, body: post.body, timestamp: time_ago_in_words(post.updated_at) } %>

User

# app/views/lazy_load/users/_user.html.erb
<%= render partial: "shared/list_group", locals: { name: user.name, email: user.email, tooltip: pluralize(user.posts.size, 'Post')  } %>

What's Going On Here?

  • We create a namespaced route and controller. This isn't required, but it helps keep our endpoints organized. We're also not limited to just index actions either.
  • We set a default for those endpoints to not render a layout. This means that just the raw HTML for the partials will be returned.
  • We choose to create custom views for each endpoint, but we could use the existing views or partials if we wanted to. This is just personal preference.

If you navigate to http://localhost:3000/lazy_load/users you should see that the content has loaded without a layout.

Web response

If you open the network tab you will see that the server responded with raw HTML without a layout.

Network Response

Step 2: Build a Stimulus Controller

  1. Create a Stimulus Controller to fetch data from the endpoints.
// app/javascript/controllers/lazy_load_controller.js
import { Controller } from "@hotwired/stimulus";

export default class extends Controller {
  static targets = ["output"];
  static values = { url: String };

  connect() {
    this.request = new Request(this.urlValue)
    this.fetchContent(this.request);
  }

  fetchContent(request) {
    fetch(request)
      .then((response) => {
        if (response.status === 200) {
          response.text().then((text) => (this.renderContent(text)));
        } else {
          this.renderContent("Could not load data");
        }
      })
      .catch((error) => {
        this.renderContent("Could not load data");
      });
  }

  renderContent(content) {
    this.outputTarget.innerHTML = content
    this.dispatchEvent("lazy_load:complete")
  }

  dispatchEvent(eventName) {
    const event = new Event(eventName);
    document.dispatchEvent(event);
  }

}
  1. Use the following markup to connect to the Stimulus Controller.
<div data-controller="lazy-load" data-lazy-load-url-value="<%= lazy_load_users_path %>">
  <div data-lazy-load-target="output" class="d-grid gap-3">
    <% 5.times do |i| %>
      <%= render partial: "shared/card", variants: [:empty] %>
    <% end %>
  </div>
</div>

What's Going On Here?

  • We could just use vanilla JavaScript instead of Stimulus, but Stimulus pairs nicely with Rails and will make it easy to get up and running with this feature quickly.
  • When the Stimulus Controller first connects, it will make a fetch request to whatever value is stored in the data-lazy-load-url-value attribute. This keeps our Stimulus Controller flexible and reusable.
  • If the request was successful we replace the placeholder with the response. Note that we call response.text() in order to return the response into a String.
  • If the request was not successful, we simply replace the placeholder with an error message.
  • In all cases we dispatch a custom event on the document. We could call this event anything we want, but it's helpful to namespace it to avoid naming collisions with other libraries or specs. This is what Rails UJS does, and is helpful in cases where you need to re-initialize JavaScript for elements that were just added to the DOM. In our case this is helpful for re-initializing tooltips.
// app/javascript/controllers/application.js
document.addEventListener("lazy_load:complete", function() {
  initilizeToolTips();
});

function initilizeToolTips() {
  var tooltipTriggerList = [].slice.call(document.querySelectorAll('[data-bs-toggle="tooltip"]'))
  var tooltipList = tooltipTriggerList.map(function (tooltipTriggerEl) {
    return new bootstrap.Tooltip(tooltipTriggerEl)
  });
}

Step 2: Putting it all Together

  1. Create a new Controller.
rails g controller Homescreens show
  1. Update the routes.
# config/routes.rb
Rails.application.routes.draw do
  root to: "homescreens#show"
  resource :homescreen, only: :show
  ...
end
  1. Add markup to lazy load content users and posts.
# app/views/homescreens/show.html.erb
<div data-controller="lazy-load" data-lazy-load-url-value="<%= lazy_load_posts_path %>">
  <div data-lazy-load-target="output" class="d-grid gap-3">
    <% 5.times do |i| %>
      <%= render partial: "shared/card", variants: [:empty] %>
    <% end %>
  </div>
</div>

<% content_for :left_column do %>
  <div data-controller="lazy-load" data-lazy-load-url-value="<%= lazy_load_users_path %>">
    <ul data-lazy-load-target="output" class="list-group list-group-flush list-unstyled">
      <% 5.times do |i| %>
        <li><%= render partial: "shared/card", variants: [:empty] %></li>
      <% end %>
    </ul>
  </div>
<% end %>

Did you like this post? Follow me on Twitter to get even more tips.


This content originally appeared on DEV Community and was authored by Steve Polito


Print Share Comment Cite Upload Translate Updates
APA

Steve Polito | Sciencx (2021-10-17T12:19:24+00:00) Lazy Load Content in Rails from Scratch. Retrieved from https://www.scien.cx/2021/10/17/lazy-load-content-in-rails-from-scratch/

MLA
" » Lazy Load Content in Rails from Scratch." Steve Polito | Sciencx - Sunday October 17, 2021, https://www.scien.cx/2021/10/17/lazy-load-content-in-rails-from-scratch/
HARVARD
Steve Polito | Sciencx Sunday October 17, 2021 » Lazy Load Content in Rails from Scratch., viewed ,<https://www.scien.cx/2021/10/17/lazy-load-content-in-rails-from-scratch/>
VANCOUVER
Steve Polito | Sciencx - » Lazy Load Content in Rails from Scratch. [Internet]. [Accessed ]. Available from: https://www.scien.cx/2021/10/17/lazy-load-content-in-rails-from-scratch/
CHICAGO
" » Lazy Load Content in Rails from Scratch." Steve Polito | Sciencx - Accessed . https://www.scien.cx/2021/10/17/lazy-load-content-in-rails-from-scratch/
IEEE
" » Lazy Load Content in Rails from Scratch." Steve Polito | Sciencx [Online]. Available: https://www.scien.cx/2021/10/17/lazy-load-content-in-rails-from-scratch/. [Accessed: ]
rf:citation
» Lazy Load Content in Rails from Scratch | Steve Polito | Sciencx | https://www.scien.cx/2021/10/17/lazy-load-content-in-rails-from-scratch/ |

Please log in to upload a file.




There are no updates yet.
Click the Upload button above to add an update.

You must be logged in to translate posts. Please log in or register.