Ruby on Rails provides a set of powerful caching mechanisms that can significantly help optimize the performance of web applications, which rely heavily on database operations and rendering. Caching in Rails means storing the result of expensive operations such as database lookups or complex view rendering in some temporary storage so that they can be retrieved fast on successive events without recomputation. Rails has four different ways of implementing caching: page caching, action caching, fragment caching, and low-level caching. Rails integrates by default with in-memory stores, Memcached, or Redis, but It can also work with file- or database-backed caching.
What is Caching in Ruby on Rails?
Caching in Rails is a basic performance optimization feature that accelerates applications by reducing the amount of work a server has to do. Instead of generating the content from scratch for every request, caching enables Rails to store the results of expensive operations like database queries, complex view rendering, or API calls and return them when needed. This makes page requests much faster since the number of hits to the server is lessened, and, in turn, it improves the user experience. The major types of caching available through Rails are underlined below.
Types of Caching
1. Page Caching
Page caching is the most straightforward and fastest of all caching techniques: The whole page output is stored as an HTML file, and for subsequent requests for that page, the entire Rails stack is bypassed. If a page exists in the cache, a request won't need to enter the Rails stack at all; the web server serves the cached file (by Nginx or Apache, for example) straight; no database call, controller processing, or view rendering is invoked.
- It is extremely fast since it skips Rails entirely
- It should not be used on pages with dynamic content or those containing user-specific data since it will serve up the same cached result for all users.
Note:
Page Caching no longer ships with Rails by default but can be added back using the actionpack-page_caching gem.
2. Action Caching
Action caching is very similar to page caching, but a bit more flexible due to the fact that it'll store the output of whole controller actions, yet still allow some code execution before serving up the cached content. For example, authentication filters can run before serving up a cached version of a page.
- It caches responses and does whatever amount of logic needs to be done on each request, such as user authentication or authorization.
- It is less effective than page caching since it still involves a part of the Rails stack.
- Action caching was removed from Rails core for fragment caching, but can be added back using the actionpack-action_caching gem.
3. Fragment Caching
Fragment caching allows you to cache specific parts of a view, henceforth referred to as "fragments." This is particularly useful when parts of a page are expensive to generate and don't change very often. Other than caching an entire page, you are able to cache reusable elements such as partials or HTML blocks.
- Fine-grained control over what gets cached, and hence useful for dynamic pages with static elements.
- More complicated to implement than full-page or action caching. Cache management may also become intricate.
For example, a product listing page could store the product details and the sidebar in different caches: the former would vary less often than the actual products.
Example:
Ruby
<% cache @product do %>
<%= render @product %>
<% end %>
Here @product is cached, and subsequent requests to this view will reuse the cached fragment until the cache is expired or invalidated.
4. Low-level Caching
Low-level caching is quite a bit more manual: You're caching arbitrary data, such as database query results or computed values. This form of caching isn't directly connected to views or controllers; it just provides the ability for developers to manually store anything into and retrieve from the cache store.
- Full control on what is being cached and for how much time.
- It requires manual cache management and proper invalidation strategies.
Rails provides low-level caching with a set of convenience methods, such as Rails.cache.fetch. Here's an example:
Ruby
Rails.cache.fetch("user_#{user.id}_details") do
user.details
end
In this case, Rails will store the result of user.details and reuse it for subsequent requests without recomputing it every time.
5. Russian Doll Caching
A specialized form of fragment caching where nested fragments are cached within each other. When an inner fragment changes, the outer cache is automatically updated.
- Ideal for pages with nested, reusable elements that need separate caching logic.
- Efficient, as only the parts that change get invalidated and updated.
- Adds complexity in managing the nesting of caches.
6. Memory Store / Cache Store
A system where cache data is stored in-memory (e.g., Redis, Memcached) or file-based storage.
- Suitable for speeding up access to frequently requested data.
- Extremely fast retrieval of cached data.
- Can consume a large amount of memory; managing cache expiration is critical.
7. SQL Caching
Caches SQL query results, reducing the number of times the database is hit for the same data.
- Useful when querying expensive database operations multiple times within a request cycle.
- Reduces database load significantly.
- May become stale if underlying data changes without cache invalidation.
Page Caching
Full Page caching is the most straightforward, quickest sort of caching in Ruby on Rails. It caches the whole HTML output of a page and retrieves it straightaway for further requests without even going through the Rails stack at all-no controller, no database calls, etc. The web server stores a cached version of the response as a static file, and future requests for the same page return this file instantly, for example, from the public/ directory.
How It Works?
The first request for a page will render the complete page as usual by Rails and save its output to a static file, like public/products.html. The Web server would be configured, say Nginx or Apache, to serve the static file directly in subsequent requests to /products bypassing Rails entirely.
Best Use Cases:
Pages that have static content and don't change very often. These would include landing pages, product catalogs, and other publicly viewable pages.
Can be used when there is no variation in content by either user or session.
Pros
- Speed: Since the Rails stack is bypassed entirely, serving up a cached page is super fast.
- Efficiency: It's really light on the server load since it does not have to hit the database repeatedly, instantiate and execute controllers, and render views.
Cons
- Lack of Flexibility: Page caching is not designed for pages with dynamic content or user-specific data. Examples include a dashboard or anything that shows personalized content. It serves the same static content to all users.
- Removed from Rails Core: As of Rails 4, page caching is no longer part of the default Rails stack. To get this functionality back, you will have to include the actionpack-page_caching gem in your Gemfile.
Example
If your site has a static page for "Products" (/products), page caching will store the full HTML of this page in public/products.html. Any subsequent request to /products will directly serve the cached file without hitting Rails.
Ruby
gem 'actionpack-page_caching'
Action Caching
Whereas page caching operates on the entire output of an action, Action Caching is much more flexible in running some before-filters before serving the result from cache. It caches the entire output of controller action, but opposed to page caching, it ensures that some code, like for example access control, is executed before the cache is served.
How It Works?
Where a request is sent to a controller action, such as ProductsController#index, Rails will immediately check whether an action response has been cached. If so, Rails will serve the cached content, running any before filters like before_action :authenticate_user beforehand. If not, it will normally process the request and then cache the output.
Use Cases
- Pages that require the same content for all users but must run some code logic before serving the content.
- Pages mostly static in content and yet having some dynamic checks, for example permission checks.
Advantages
- Flexibility: Since Action caching allows for partial execution of the Rails stack, hence it is more flexible compared to page caching.
- Efficiency: Speeds up requests by caching the output of the controller but keeps running user specific logics such as authentication.
Disadvantages:
- Less Efficient: Since it has to run part of the rails stack, it is slower as compared to page caching.
- Deprecated: Action caching was removed from Rails core after Rails 4. You can bring it back with the actionpack-action_caching gem.
Example
If your "Products" page requires authentication, action caching will run the authentication logic for every request, while serving a cached version of the page content.
Ruby
class ProductsController < ApplicationController
before_action :authenticate_user!
caches_action :index
def index
@products = Product.all
end
end
To bring back action caching install the gem:
Ruby
gem 'actionpack-action_caching'
Fragment Caching
Fragment Caching is one of the most powerful caching mechanisms in Rails. Instead of the whole page or action, fragment caching enables you to cache parts of a view, hence the name fragments. That is useful on pages that have mixed contents, some of which is dynamic and some of which is static. Where parts of a page are really costly to render or query, but those parts do not change much.
How It Works?
Wrapping caching tags around fragments of a view-such as a side bar, a list of products, or a specific partial-developers can tell Rails to serve the fragment directly from its cache after the initial request. This completely bypasses re-rendering of the relevant view code.
Use Cases
- Dynamic pages with some static components, like product listings, navigation menus, or ad blocks.
- Complex pages, some of whose content is generated based on database queries, although those pieces of content don't change very often, such as blog post details or sidebar recommendations.
Pros
- Cache Only Certain Elements: It allows you to cache just certain elements of a page, hence giving you fine-grained control over what gets cached. This works well for pages combining static and dynamic content where the dynamic parts get re-rendered while the static ones are cached.
- Caching Efficiency: Reduces overhead since, for instance, it doesn't have to render each time very complex partials or fetch data from the database for frequently viewed content.
Cons
- Complexity: The caching of fragments can be complicated in managing, because you need to make sure proper cache invalidation is performed.
- Stale Content: If in the case that the underlying data changes, the fragment should be invalidated; otherwise, you risk serving stale content.
Example
Suppose you have a blog page which renders the content of a blog post, and displays a list of comments and a sidebar containing links to recent posts. You might want to cache the rendering of the sidebar and the content of the blog post, but not the list of comments. Tell me.erb
<% cache @blog_post do %> <%= render @blog_post %> <% end %> <% cache 'sidebar' do %> <%= render 'shared/sidebar' %> <% end %>
Here we cache both the @blog_post and the contents of the sidebar. The comments are not cached and will be dynamically rendered on each request.
Russian Doll Caching
Fragment caching can also be nested inside other fragments, a technique called Russian Doll Caching. This allows for more granular cache invalidation. If an inner fragment changes, the outer fragment is automatically updated too.
<% cache @product do %> <%= render @product %> <% cache @product.reviews do %> <%= render @product.reviews %> <% end %> <% end %>
Above, there is a separate cache for the product and its reviews. If the reviews changes, the cache of product is invalidated and then regenerates it.
Conclusion
Caching in Ruby on Rails is one of its most useful features, really improving the performance of any application by reducing redundant computation and database queries. Because of the various ways of caching, like static content page caching, controller output action caching, and dynamic page section fragment caching, Rails offers flexibility regarding optimization for several aspects of web applications. Such a caching of the expensive operations allows developers to reuse the results stored, reducing response times and relieving some of the unnecessary load on servers, therefore allowing for better scalability. However, the invalidation of the cache and choosing an appropriate caching strategy is extremely important to ensure fresh data with accurate performance for the applications.
Similar Reads
Ruby Programming Language Ruby is a dynamic, reflective, object-oriented, general-purpose programming language. Ruby is a pure Object-Oriented language developed by Yukihiro Matsumoto. Everything in Ruby is an object except the blocks but there are replacements too for it i.e procs and lambda. The objective of Rubyâs develop
2 min read
Overview
Ruby For BeginnersRuby is a dynamic, reflective, object-oriented, general-purpose programming language. It was designed and developed in the mid-1990s by Yukihiro "Matz" Matsumoto in Japan. This article will cover its basic syntax and some basic programs. This article is divided into various sections for various topi
3 min read
Ruby Programming Language (Introduction)Ruby is a pure Object-Oriented language developed by Yukihiro Matsumoto (also known as Matz in the Ruby community) in the mid 1990âs in Japan. Everything in Ruby is an object except the blocks but there are replacements too for it i.e procs and lambda. The objective of Ruby's development was to make
4 min read
Comparison of Java with Other Programming LanguagesJava is one of the most popular and widely used programming languages and platforms. A platform is an environment that helps to develop and run programs written in any programming language. Java is fast, reliable, and secure. From desktop to web applications, scientific supercomputers to gaming cons
4 min read
Similarities and Differences between Ruby and C languageSimilarities between Ruby and C There are many similarities between C and Ruby, and some of them are: Like C, in Ruby also⦠A programmer is able to program procedurally if they like to do. But still, behind the scenes, it will be object-oriented.Both the languages have the same operators, for exampl
3 min read
Similarities and Differences between Ruby and C++There are many similarities between C++ and Ruby, some of them are: Just like C++, in Ruby⦠As in C++, public, private, and protected works similarly in Ruby also .Inheritance syntax is still only one character, but itâs < instead of : in Ruby.The way ânamespaceâ is used in C++, in the similar wa
3 min read
Environment Setup in RubyRuby is an interpreted, high-level, general-purpose programming language. Ruby is dynamically typed and uses garbage collection. It supports multiple programming paradigms, object-oriented, including procedural and functional programming. Ruby is based on many other languages like Perl, Lisp, Smallt
3 min read
How to install Ruby on Linux?Prerequisite: Ruby Programming Language Before we start with the installation of Ruby on Linux, we must have first-hand knowledge of what Ruby is?. Ruby is a pure Object-Oriented language developed by Yukihiro Matsumoto (also known as Matz in the Ruby community) in the mid-1990s in Japan. Everything
2 min read
How to install Ruby on Windows?Prerequisite: Ruby Programming Language Before we start with the installation of Ruby on Windows, we must have first-hand knowledge of what Ruby is?. Ruby is a pure Object-Oriented language developed by Yukihiro Matsumoto (also known as Matz in the Ruby community) in the mid-1990s in Japan. Everythi
2 min read
Interesting facts about Ruby Programming LanguageRuby is an interpreted, high-level, dynamic, general-purpose, open source programming language which focuses on simplicity and productivity. It was designed and developed in the mid-1990s by Yukihiro Matsumoto (also known as Matz in the Ruby community) in Japan. Here are some interesting facts about
2 min read
Basics
Ruby | KeywordsKeywords or Reserved words are the words in a language that are used for some internal process or represent some predefined actions. These words are therefore not allowed to use as variable names or objects or as constants. Doing this may result in compile-time error. Example: Ruby # Ruby program to
4 min read
Ruby | Data TypesData types in Ruby represents different types of data like text, string, numbers, etc. All data types are based on classes because it is a pure Object-Oriented language. There are different data types in Ruby as follows: NumbersBooleanStringsHashesArraysSymbols Numbers: Generally a number is defined
3 min read
Ruby Basic SyntaxRuby is a pure Object-Oriented language developed by Yukihiro Matsumoto (also known as Matz in the Ruby community) in the mid 1990âs in Japan. To program in Ruby is easy to learn because of its similar syntax to already widely used languages. Here, we will learn the basic syntax of Ruby language. Le
3 min read
Hello World in RubyRuby is a dynamic, reflective, object-oriented, general-purpose programming language. Hello World the program is the most basic and first program when we start a new programming language. This simply prints Hello World on the screen. Below is the program to write hello world". How to run a Ruby Prog
2 min read
Ruby | Types of VariablesThere are different types of variables in Ruby: Local variables Instance variables Class variables Global variables Each variable in Ruby is declared by using a special character at the start of the variable name which is mentioned in the following table: Symbol Type of Variable [a-z] or _ Local Var
4 min read
Global Variable in RubyGlobal Variable has global scope and accessible from anywhere in the program. Assigning to global variables from any point in the program has global implications. Global variable are always prefixed with a dollar sign ($). If we want to have a single variable, which is available across classes, we n
2 min read
Comments in RubyStatements that are not executed by the compiler and interpreter are called Comments. During coding proper use of comments makes maintenance easier and finding bugs easily.In Ruby, there are two types of comments:Â Â Single â line comments.Multi â line comments. Here, we are going to explain both typ
2 min read
Ruby | RangesPrerequisite: Ruby Range Operator Ruby ranges depict a set of values with a beginning and an end. Values of a range can be numbers, characters, strings or objects. It is constructed using start_point..end_point, start_point...endpoint literals, or with ::new. It provides the flexibility to the code
4 min read
Ruby LiteralsAny constant value which can be assigned to the variable is called as literal/constant. we use literal every time when typing an object in the ruby code. Ruby Literals are same as other programming languages, just a few adjustments, and differences here. These are following literals in Ruby. Boolean
4 min read
Ruby DirectoriesA directory is a location where files can be stored. For Ruby, the Dir class and the FileUtils module manages directories and the File class handles the files. Double dot (..) refers to the parent directory for directories and single dot(.)refers to the directory itself.The Dir Class The Dir class p
5 min read
Ruby | OperatorsAn operator is a symbol that represents an operation to be performed with one or more operand. Operators are the foundation of any programming language. Operators allow us to perform different kinds of operations on operands. There are different types of operators used in Ruby as follows: Arithmetic
11 min read
Operator Precedence in RubyOperators are used to perform different kinds of operations on operands. Which operator is performed first in an expression with more than one operators with different precedence is determined by operator precedence. when two operators of the same precedence appear in expression associativity is use
2 min read
Operator Overloading in RubyRuby permits operator overloading, allowing one to define how an operator shall be used in a particular program. For example a '+' operator can be define in such a way to perform subtraction instead addition and vice versa. The operators that can be overloaded are +, -, /, *, **, %, etc and some ope
5 min read
Ruby | Pre-define Variables & ConstantsRuby Predefine Variables Ruby contains a wide range of predefined variables. Every predefined variable has its own specification. You can use predefine variables to perform a specific task like when dealing with interpreter parameters or regular expressions. The list of predefined variables in Ruby
5 min read
Ruby | unless Statement and unless ModifierRuby provides a special statement which is referred as unless statement. This statement is executed when the given condition is false. It is opposite of if statement. In if statement, the block executes once the given condition is true, however in unless statement, the block of code executes once th
2 min read
Control Statements
Ruby | Decision Making (if, if-else, if-else-if, ternary) | Set - 1Decision Making in programming is similar to decision making in real life. In programming too, a certain block of code needs to be executed when some condition is fulfilled. A programming language uses control statements to control the flow of execution of the program based on certain conditions. Th
3 min read
Ruby | Loops (for, while, do..while, until)Looping is a fundamental concept in programming that allows for the repeated execution of a block of code based on a condition. Ruby, being a flexible and dynamic language, provides various types of loops that can be used to handle condition-based iterations. These loops simplify tasks that require
5 min read
Ruby | Case StatementThe case statement is a multiway branch statement just like a switch statement in other languages. It provides an easy way to forward execution to different parts of code based on the value of the expression. There are 3 important keywords which are used in the case statement: case: It is similar to
3 min read
Ruby | Control Flow AlterationPrerequisite : Decision Making , Loops Ruby programming language provides some statements in addition to loops, conditionals, and iterators, which are used to change the flow of control in a program. In other words, these statements are a piece of code that executes one after another until the condi
7 min read
Ruby Break and Next StatementIn Ruby, we use a break statement to break the execution of the loop in the program. It is mostly used in while loop, where value is printed till the condition, is true, then break statement terminates the loop. Syntax : Break Example : Ruby # Ruby program to use break statement #!/usr/bin/ruby -w i
2 min read
Ruby redo and retry StatementIn Ruby, Redo statement is used to repeat the current iteration of the loop. redo always used inside the loop. The redo statement restarts the loop without evaluating the condition again. Ruby # Ruby program of using redo statement #!/usr/bin/ruby restart = false # Using for loop for x in 2..20 if x
2 min read
BEGIN and END Blocks In RubyEvery Ruby source file can run as the BEGIN blocks when the file is being loaded and runs the END blocks after the program has finished executing. The BEGIN and END statements are different from each other. A program may contain multiple BEGIN and END blocks. If there is more than one BEGIN statemen
2 min read
File Handling in RubyIt is a way of processing a file such as creating a new file, reading content in a file, writing content to a file, appending content to a file, renaming the file and deleting the file. Common modes for File Handling "r" : Read-only mode for a file. "r+" : Read-Write mode for a file. "w" : Write-onl
4 min read
Methods
OOP Concepts
Object-Oriented Programming in Ruby | Set 1When we say object-oriented programming, we mean that our code is centered on objects. Objects are real-life instances that are classified into various types. Letâs take an example to understand this better. If we consider a rose as an object, then the class of the rose will be flower. A class is li
9 min read
Object Oriented Programming in Ruby | Set-2Prerequisite: Object Oriented Programming in Ruby | Set-1 Inheritance Inheritance is one of the solid fundamental characteristics of object-oriented programming. sometimes we might need certain features of a class to be replicated into another class. Instead of creating that attribute again, we can
8 min read
Ruby | Class & ObjectRuby is an ideal object-oriented programming language. The features of an object-oriented programming language include data encapsulation, polymorphism, inheritance, data abstraction, operator overloading etc. In object-oriented programming classes and objects plays an important role. A class is a b
4 min read
Private Classes in RubyThe concept of private, protected and public methods in Ruby is a bit different than it other languages like Java. In Ruby, it is all about which class the person is calling, as classes are objects in ruby. Private Class When a constant is declared private in Ruby, it means this constant can never b
3 min read
Freezing Objects | RubyAny object can be frozen by invoking Object#freeze. A frozen object can not be modified: we can't change its instance variables, we can't associate singleton methods with it, and, if it is a class or module, we can't add, delete, or modify its methods. To test if an object is frozen we can use Objec
2 min read
Ruby | InheritanceRuby is the ideal object-oriented language. In an object-oriented programming language, inheritance is one of the most important features. Inheritance allows the programmer to inherit the characteristics of one class into another class. Ruby supports only single class inheritance, it does not suppor
4 min read
Polymorphism in RubyIn Ruby, one does not have anything like the variable types as there is in other programming languages. Every variable is an "object" which can be individually modified. One can easily add methods and functions on every object. So here, the Object Oriented Programming plays a major role. There are m
3 min read
Ruby | ConstructorsA constructor is a special method of the class that gets automatically invoked whenever an instance of the class is created. Like methods, a constructor may also contain a group of instructions or a method that will execute at the time of object creation. Important points to remember about Construct
2 min read
Ruby | Access ControlAccess control is a very important part of the object-oriented programming language which is used to restrict the visibility of methods and member fields to protect data from the accidental modification. In terms of access control, Ruby is different from all other Object Oriented Programming languag
8 min read
Ruby | EncapsulationEncapsulation is defined as the wrapping up of data under a single unit. It is the mechanism that binds together code and the data it manipulates. In a different way, encapsulation is a protective shield that prevents the data from being accessed by the code outside this shield. Technically in encap
2 min read
Ruby MixinsBefore studying about Ruby Mixins, we should have the knowledge about Object Oriented Concepts. If we don't, go through Object Oriented Concepts in Ruby . When a class can inherit features from more than one parent class, the class is supposed to have multiple inheritance. But Ruby does not support
3 min read
Instance Variables in RubyThere are four different types of variables in Ruby- Local variables, Instance variables, Class variables and Global variables. An instance variable in ruby has a name starting with @ symbol, and its content is restricted to whatever the object itself refers to. Two separate objects, even though the
3 min read
Data Abstraction in RubyThe idea of representing significant details and hiding details of functionality is called data abstraction. The interface and the implementation are isolated by this programming technique. Data abstraction is one of the object oriented programming features as well. Abstraction is trying to minimize
3 min read
Ruby Static MembersIn Programming, static keywords are primarily used for memory management. The static keyword is used to share the same method or variable of a class across the objects of that class. There are various members of a class in Ruby. Once an object is created in Ruby, the methods and variables for that o
3 min read
Exceptions
Ruby | ExceptionsA good program(or programmer) predict error and arrange to handle them in an effective manner. This is not as easy as it sounds. Exceptions are the errors that occur at runtime. It halts the execution of a program. They are caused by an extensive variety of exceptional circumstances, such as running
4 min read
Ruby | Exception handlingIn Ruby, exception handling is a process which describes a way to handle the error raised in a program. Here, error means an unwanted or unexpected event, which occurs during the execution of a program, i.e. at run time, that disrupts the normal flow of the program's instructions. So these types of
6 min read
Catch and Throw Exception In RubyAn exception is an object of class Exception or a child of that class. Exceptions occurs when the program reaches a state in its execution that's not defined. Now the program does not know what to do so it raises an exception. This can be done automatically by Ruby or manually. Catch and Throw is si
3 min read
Raising Exceptions in RubyAn exception is an unwanted or unexpected event, which occurs during the execution of a program i.e at runtime, that disrupts the normal flow of the programâs instructions. As we know, the code enclosed between begin and end block is totally secured for handling Exceptions and the rescue block tells
4 min read
Ruby | Exception Handling in Threads | Set - 1Threads can also contain exceptions. In Ruby threads, the only exception arose in the main thread is handled but if an exception arises in the thread(other than main thread) cause the termination of the thread. The arising of an exception in a thread other than the main thread depends upon abort_on_
2 min read
Ruby | Exception Class and its MethodsAn exception is an unwanted or unexpected event, which occurs during the execution of a program, i.e. at runtime, that disrupts the normal flow of the programâs instructions. In Ruby, descendants of an Exception class are used to interface between raise methods and rescue statements in the begin or
3 min read
Ruby Regex
Ruby Classes
Ruby Module
Ruby | ModuleA Module is a collection of methods, constants, and class variables. Modules are defined as a class, but with the module keyword not with class keyword. Important Points about Modules: You cannot inherit modules or you can't create a subclass of a module. Objects cannot be created from a module. Mod
4 min read
Ruby | Comparable ModuleIn Ruby, the mixin of Comparable is used by the class whose objects may be ordered. The class must be defined using an operator which compare the receiver against another object. It will return -1, 0, and 1 depending upon the receiver. If the receiver is less than another object, then it returns -1,
3 min read
Ruby | Math ModuleIn Ruby, Modules are defined as a collection of methods, classes, and constants together. Math module consists of the module methods for basic trigonometric and transcendental functions. Module ConstantsNameDescriptionEDefine the value of base of natural logarithm e.PIDefine the value of Ï. Example:
4 min read
Include v/s Extend in RubyInclude is used to importing module code. Ruby will throw an error when we try to access the methods of import module with the class directly because it gets imported as a subclass for the superclass. So, the only way is to access it through the instance of the class. Extend is also used to importin
2 min read