search
HomeWeb Front-endJS TutorialMastering React&#s useRef Hook: Working with DOM and Mutable Values

Mastering React

useRef Hook in React

The useRef hook is a built-in React hook used to persist values across renders without causing re-renders. It's often used to interact with DOM elements directly and to store values that need to persist between renders but do not necessarily need to trigger a re-render.


What is useRef?

The useRef hook is primarily used for two purposes:

  1. Accessing DOM elements: It provides a way to reference DOM nodes or React elements directly, allowing you to interact with them imperatively.
  2. Persisting values across renders: It can store mutable values that won't trigger a re-render when updated, unlike state.

Syntax of useRef

const myRef = useRef(initialValue);
  • myRef: A reference object created by useRef.
  • initialValue: The initial value to be stored in the reference object. This can be anything, such as a DOM node, an object, or a primitive value.

The reference object returned by useRef has a current property, which is where the actual value is stored.


How useRef Works

  1. Accessing DOM Elements: You can use useRef to get direct access to a DOM element in a functional component, just like the ref attribute in class components.
   const MyComponent = () => {
     const inputRef = useRef(null);

     const focusInput = () => {
       // Access the DOM node and focus it
       inputRef.current.focus();
     };

     return (
       <div>
         <input ref="{inputRef}">
         <button onclick="{focusInput}">Focus Input</button>
       </div>
     );
   };
  • Here, inputRef is used to reference the element, and the focusInput function focuses on that input element when the button is clicked.
  1. Storing Mutable Values Across Renders: You can use useRef to store a value that persists across renders but does not trigger a re-render when changed.
   const TimerComponent = () => {
     const countRef = useRef(0);

     const increment = () => {
       countRef.current++;
       console.log(countRef.current);  // This will log the updated value
     };

     return (
       <div>
         <p>Current count (does not trigger re-render): {countRef.current}</p>
         <button onclick="{increment}">Increment</button>
       </div>
     );
   };
  • In this example, countRef stores a mutable value. The value can be updated without causing a re-render, unlike useState, which triggers a re-render.

Common Use Cases of useRef

  1. Accessing DOM Elements: For example, focusing an input field, scrolling to a specific element, or measuring the size of an element.
   const ScrollToTop = () => {
     const topRef = useRef(null);

     const scrollToTop = () => {
       topRef.current.scrollIntoView({ behavior: 'smooth' });
     };

     return (
       <div>
         <div ref="{topRef}">



<ol>
<li>
<strong>Storing Previous State</strong>: If you need to track the previous value of a prop or state value.
</li>
</ol>

<pre class="brush:php;toolbar:false">   const PreviousState = ({ count }) => {
     const prevCountRef = useRef();

     useEffect(() => {
       prevCountRef.current = count; // Store the current value in the ref
     }, [count]);

     return (
       <div>
         <p>Current Count: {count}</p>
         <p>Previous Count: {prevCountRef.current}</p>
       </div>
     );
   };
  • Explanation: prevCountRef stores the previous value of count, which can be accessed without triggering a re-render.
  1. Avoiding Re-renders for Complex Values: If you have a large object or complex data structure that doesn't need to trigger a re-render, useRef can store it without affecting the component’s performance.

  2. Tracking Interval or Timeout: You can store IDs of timeouts or intervals to clear them later.

const myRef = useRef(initialValue);
  • Explanation: intervalRef stores the ID of the interval, and it can be used to clear the interval when the component unmounts.

Key Differences Between useRef and useState

Feature useRef useState
Feature useRef useState
Triggers re-render No (does not trigger a re-render) Yes (triggers a re-render when state changes)
Use Case Storing mutable values or DOM references Storing state that affects rendering
Value storage Stored in current property Stored in state variable
Persistence across renders Yes (keeps value across renders without triggering re-render) Yes (but triggers re-render when updated)
Triggers re-render
No (does not trigger a re-render) Yes (triggers a re-render when state changes)
Use Case Storing mutable values or DOM references Storing state that affects rendering
Value storage Stored in current property Stored in state variable
Persistence across renders Yes (keeps value across renders without triggering re-render) Yes (but triggers re-render when updated)

Example: Using useRef for Form Validation

Here’s an example where useRef is used for form validation, focusing on an input field when it’s invalid.

import React, { useRef, useState } from 'react';

const FormComponent = () => {
  const inputRef = useRef();
  const [inputValue, setInputValue] = useState('');
  const [error, setError] = useState('');

  const validateInput = () => {
    if (inputValue === '') {
      setError('Input cannot be empty');
      inputRef.current.focus(); // Focus the input element
    } else {
      setError('');
    }
  };

  return (
    <div>
      <input ref="{inputRef}" type="text" value="{inputValue}" onchange="{(e)"> setInputValue(e.target.value)}
      />
      {error && <p>



</p>
<ul>
<li>
<strong>Explanation</strong>: 

<ul>
<li>The inputRef is used to focus on the input element if the input value is empty.</li>
<li>This functionality wouldn't be possible with useState because focusing on a DOM element requires direct access to the element, which useState cannot provide.</li>
</ul>


</li>

</ul>


<hr>

<h3>
  
  
  <strong>Summary of useRef Hook</strong>
</h3>

<ul>
<li>
<strong>useRef</strong> is used to store references to DOM elements and mutable values that don’t trigger re-renders when updated.</li>
<li>It is useful for accessing DOM nodes directly (e.g., for focusing, scrolling, or animations).</li>
<li>
<strong>useRef</strong> is also handy for storing values that persist across renders without needing to trigger a re-render, such as tracking previous values or storing timeout/interval IDs.</li>
<li>
<strong>Key Difference</strong>: Unlike useState, updating useRef does not trigger a re-render.</li>
</ul>


<hr>

<h3>
  
  
  <strong>Conclusion</strong>
</h3>

<p>The <strong>useRef</strong> hook is incredibly useful for dealing with mutable values and direct DOM manipulation in React. Whether you're working with form elements, tracking the previous state, or interacting with third-party libraries, useRef provides a clean, efficient solution. By using useRef, you can maintain persistence without triggering unnecessary re-renders, which makes it a great choice for performance-sensitive operations.</p>


<hr>


          </div>

            
        

The above is the detailed content of Mastering React&#s useRef Hook: Working with DOM and Mutable Values. For more information, please follow other related articles on the PHP Chinese website!

Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
Javascript Data Types : Is there any difference between Browser and NodeJs?Javascript Data Types : Is there any difference between Browser and NodeJs?May 14, 2025 am 12:15 AM

JavaScript core data types are consistent in browsers and Node.js, but are handled differently from the extra types. 1) The global object is window in the browser and global in Node.js. 2) Node.js' unique Buffer object, used to process binary data. 3) There are also differences in performance and time processing, and the code needs to be adjusted according to the environment.

JavaScript Comments: A Guide to Using // and /* */JavaScript Comments: A Guide to Using // and /* */May 13, 2025 pm 03:49 PM

JavaScriptusestwotypesofcomments:single-line(//)andmulti-line(//).1)Use//forquicknotesorsingle-lineexplanations.2)Use//forlongerexplanationsorcommentingoutblocksofcode.Commentsshouldexplainthe'why',notthe'what',andbeplacedabovetherelevantcodeforclari

Python vs. JavaScript: A Comparative Analysis for DevelopersPython vs. JavaScript: A Comparative Analysis for DevelopersMay 09, 2025 am 12:22 AM

The main difference between Python and JavaScript is the type system and application scenarios. 1. Python uses dynamic types, suitable for scientific computing and data analysis. 2. JavaScript adopts weak types and is widely used in front-end and full-stack development. The two have their own advantages in asynchronous programming and performance optimization, and should be decided according to project requirements when choosing.

Python vs. JavaScript: Choosing the Right Tool for the JobPython vs. JavaScript: Choosing the Right Tool for the JobMay 08, 2025 am 12:10 AM

Whether to choose Python or JavaScript depends on the project type: 1) Choose Python for data science and automation tasks; 2) Choose JavaScript for front-end and full-stack development. Python is favored for its powerful library in data processing and automation, while JavaScript is indispensable for its advantages in web interaction and full-stack development.

Python and JavaScript: Understanding the Strengths of EachPython and JavaScript: Understanding the Strengths of EachMay 06, 2025 am 12:15 AM

Python and JavaScript each have their own advantages, and the choice depends on project needs and personal preferences. 1. Python is easy to learn, with concise syntax, suitable for data science and back-end development, but has a slow execution speed. 2. JavaScript is everywhere in front-end development and has strong asynchronous programming capabilities. Node.js makes it suitable for full-stack development, but the syntax may be complex and error-prone.

JavaScript's Core: Is It Built on C or C  ?JavaScript's Core: Is It Built on C or C ?May 05, 2025 am 12:07 AM

JavaScriptisnotbuiltonCorC ;it'saninterpretedlanguagethatrunsonenginesoftenwritteninC .1)JavaScriptwasdesignedasalightweight,interpretedlanguageforwebbrowsers.2)EnginesevolvedfromsimpleinterpreterstoJITcompilers,typicallyinC ,improvingperformance.

JavaScript Applications: From Front-End to Back-EndJavaScript Applications: From Front-End to Back-EndMay 04, 2025 am 12:12 AM

JavaScript can be used for front-end and back-end development. The front-end enhances the user experience through DOM operations, and the back-end handles server tasks through Node.js. 1. Front-end example: Change the content of the web page text. 2. Backend example: Create a Node.js server.

Python vs. JavaScript: Which Language Should You Learn?Python vs. JavaScript: Which Language Should You Learn?May 03, 2025 am 12:10 AM

Choosing Python or JavaScript should be based on career development, learning curve and ecosystem: 1) Career development: Python is suitable for data science and back-end development, while JavaScript is suitable for front-end and full-stack development. 2) Learning curve: Python syntax is concise and suitable for beginners; JavaScript syntax is flexible. 3) Ecosystem: Python has rich scientific computing libraries, and JavaScript has a powerful front-end framework.

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

Video Face Swap

Video Face Swap

Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Article

Hot Tools

VSCode Windows 64-bit Download

VSCode Windows 64-bit Download

A free and powerful IDE editor launched by Microsoft

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SAP NetWeaver Server Adapter for Eclipse

SAP NetWeaver Server Adapter for Eclipse

Integrate Eclipse with SAP NetWeaver application server.

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

ZendStudio 13.5.1 Mac

ZendStudio 13.5.1 Mac

Powerful PHP integrated development environment