Categories
Blog Javascript Learning

Solution: TypeError: Failed to construct ‘URL’: Invalid URL

Hello,

If you are facing error :


Unhandled Runtime Error
TypeError: Failed to construct 'URL': Invalid URL
Failed to construct ‘URL’ : Invalid URL in your nextjs app

And you already have following loader ‘imgix’ settings in your next.config.js file

images: {
    // loader and path setting for android build to load nextjsimage and also on web on certain scenarios!
    loader: 'imgix',
    path: '/', // Remove the path prefix for production images
    domains: [
      'xxx.com',
      '*.xxx.com',
      'aaa.xxx.com',
      'via.placeholder.com',
    ],
}

To fix this the solution provided here worked out well!

Code snippet solution: source page stackoverflow

const loaderProp =({ src }) => {
    return src;
}

<Image
      src={currentImage.imageurl}
      alt={currentImage.imageurl} 
      layout="fill"
      className={styles.imageSize} 
      loader={loaderProp}
/>

we just need to add loader prop to the Image tag of next.js component and passdown the callback function which resolves the error above, voila!

Hope this also help you if you are facing this solution in your next.js application.

happy learning!

Categories
Learning Tech

Navigating ReactJS Interview Questions: Insights into the Latest Trends and Techniques

In the ever-evolving landscape of frontend development, ReactJS stands as a cornerstone technology, continually setting new standards for building dynamic and scalable web applications. As ReactJS continues to evolve with each new release, staying up-to-date with the latest features, best practices, and interview questions is essential for React developers aiming to excel in their careers. Let’s delve into some of the latest ReactJS interview questions, highlighting the cutting-edge trends and techniques shaping the world of React development.

  1. What are the key features introduced in the latest version of ReactJS? ReactJS has been advancing rapidly, introducing several groundbreaking features in recent releases. Some of the key features introduced in the latest version include:
    • Concurrent Mode: Concurrent Mode is a new experimental feature that aims to improve the responsiveness and performance of React applications by allowing React to work on multiple tasks simultaneously.
    • Suspense: Suspense is another experimental feature that simplifies data fetching and code splitting in React applications. It enables components to suspend rendering while waiting for data to load, providing a smoother user experience.
    • React Server Components: Server Components are a new paradigm introduced by React that allows components to be rendered on the server and hydrated on the client, improving performance and SEO for server-rendered React applications.
  2. How does Concurrent Mode enhance the performance of React applications? Concurrent Mode in ReactJS enables the rendering of components to be interrupted and resumed, allowing React to prioritize updates based on their importance. This concurrency model improves the responsiveness of applications, especially in scenarios where there are long-running tasks such as data fetching or rendering complex UI components. By breaking down rendering work into smaller units and scheduling them more efficiently, Concurrent Mode ensures that the user interface remains responsive and fluid, even under heavy load.
  3. Explain the concept of React Hooks and their significance in modern React development. React Hooks revolutionized the way developers write React components by providing a more intuitive and functional approach to state management and side effects. Hooks such as useState(), useEffect(), useContext(), and useRef() allow developers to encapsulate component logic into reusable functions, leading to cleaner and more composable code. The adoption of Hooks has streamlined component development, reduced the need for class components, and made it easier to share logic between different components. In modern React development, Hooks are considered indispensable tools for building scalable and maintainable applications.
  4. What are the advantages of using React Server Components? React Server Components offer several advantages for building server-rendered React applications:
    • Improved Performance: Server Components allow complex UI components to be rendered on the server, reducing the amount of JavaScript sent to the client and improving time-to-interactive metrics.
    • Better SEO: By rendering components on the server, React Server Components enable search engines to crawl and index content more effectively, resulting in better search engine rankings for server-rendered React applications.
    • Code Sharing: Server Components enable code sharing between the server and the client, reducing duplication and ensuring consistency between server-rendered and client-rendered components.
  5. How does React handle state management in large-scale applications? Managing state in large-scale React applications can be challenging, especially as the complexity of the application grows. To address this challenge, developers often employ state management libraries such as Redux, MobX, or Recoil. These libraries provide centralized stores for managing application state, enabling predictable state updates, efficient data access, and improved debugging capabilities. Additionally, React’s Context API can be used for sharing state between components without the need for prop drilling, further simplifying state management in complex applications.
  6. What are the best practices for optimizing performance in React applications? Optimizing performance in React applications requires careful consideration of several factors, including component rendering, data fetching, and bundle size. Some best practices for optimizing React application performance include:
    • Memoization: Memoizing expensive calculations and rendering results can improve performance by preventing unnecessary re-renders.
    • Code Splitting: Breaking down the application into smaller chunks and loading them asynchronously can reduce initial load times and improve perceived performance.
    • Server-Side Rendering (SSR): Implementing server-side rendering can improve performance and SEO by pre-rendering content on the server and sending HTML to the client.
    • Performance Monitoring: Regularly monitoring application performance using tools like React DevTools or Lighthouse can help identify performance bottlenecks and optimize critical areas of the application.

In conclusion, staying abreast of the latest trends and techniques in ReactJS development is essential for React developers aiming to excel in their careers. By mastering the latest ReactJS interview questions and understanding the underlying principles behind them, developers can demonstrate their proficiency in building modern, high-performance web applications with ReactJS. As ReactJS continues to evolve, embracing innovation and continuously learning new concepts will be key to staying ahead in the dynamic world of frontend development.

Categories
Learning Learning Tech

Mastering ReactJS Interview Questions: A Comprehensive Guide

In today’s fast-paced tech industry, ReactJS has emerged as a dominant force in frontend development. As businesses increasingly rely on ReactJS to build dynamic and interactive user interfaces, the demand for skilled ReactJS developers continues to rise. Whether you’re a seasoned React developer or just starting your journey, preparing for ReactJS interviews is crucial for landing your dream job. To help you ace your next interview, let’s delve into some of the most commonly asked ReactJS interview questions along with detailed explanations and best practices.

  1. What is ReactJS, and what are its key features? ReactJS, developed by Facebook, is an open-source JavaScript library for building user interfaces, particularly for single-page applications. Its key features include:
    • Virtual DOM: React creates a lightweight virtual representation of the actual DOM, enabling efficient updates.
    • Component-based architecture: React applications are composed of reusable and composable components, simplifying development and maintenance.
    • JSX (JavaScript XML): JSX allows embedding HTML-like syntax within JavaScript, facilitating the creation of component templates.
    • Unidirectional data flow: React follows a unidirectional data flow, where data flows in a single direction from parent to child components, ensuring predictable state management.
  2. What are the differences between ReactJS class components and functional components? React supports two types of components: class components and functional components.
    • Class components: These are ES6 classes that extend React.Component and have a state. They use the render method to return React elements.
    • Functional components: These are simple JavaScript functions that accept props as arguments and return React elements. With the introduction of React hooks, functional components can also manage state and lifecycle methods, blurring the line between class and functional components.
  3. Explain the concept of state and props in ReactJS.
    • State: State represents the data that a component manages internally. It is mutable and can be updated using the setState() method. State changes trigger re-rendering of the component.
    • Props: Props (short for properties) are immutable data passed from parent to child components. They allow parent components to communicate with their children by passing data as attributes. Props are read-only and cannot be modified within the child component.
  4. What are React hooks, and how do they work?
    React hooks are functions that enable functional components to use state and lifecycle features without writing a class. Some commonly used React hooks include useState(), useEffect(), and useContext(). Hooks allow developers to encapsulate logic and reuse it across multiple components, promoting code reusability and cleaner component structure.
  5. Describe the useEffect() hook and its purpose.
    useEffect() is a React hook used for handling side effects in functional components. Side effects include data fetching, subscriptions, or manually changing the DOM. useEffect() takes two arguments: a callback function containing the side effect logic and an optional array of dependencies. The hook executes the callback after every render unless specified otherwise, thus mimicking the behavior of lifecycle methods like componentDidMount() and componentDidUpdate().
  6. How does React handle forms?
    React provides controlled components to manage form state. In controlled components, form elements like input, textarea, and select are controlled by React state. Changes to the form elements are handled by updating the state, and the input values are controlled by the component’s state. This approach enables React to maintain the single source of truth for form data, making form handling more predictable and manageable.
  7. What are Higher-Order Components (HOCs) in React?
    Higher-Order Components (HOCs) are functions that accept a component as input and return a new enhanced component. HOCs enable code reuse, cross-cutting concerns, and behavior composition in React applications. They are commonly used for tasks such as authentication, logging, and conditional rendering. However, with the advent of React hooks, many use cases of HOCs can be achieved using custom hooks or function components.
  8. How does React Router work, and why is it used?
    React Router is a popular routing library for React applications, allowing developers to create dynamic, single-page applications with multiple views. It provides declarative routing using components like BrowserRouter, Route, Switch, and Link. React Router enables navigation between different components/pages without reloading the entire application, resulting in a smoother user experience similar to traditional multi-page applications.

In conclusion, mastering ReactJS interview questions requires a solid understanding of React’s core concepts, features, and best practices. By familiarizing yourself with these commonly asked questions and their explanations, you’ll be well-prepared to tackle ReactJS interviews with confidence and demonstrate your expertise in building modern web applications with ReactJS.

Happy coding!

Categories
Learning Learning Tech

Quick Things Learned about React JS HOOKS in details with the help of AI ChatGPT for Interview Preparations 2023

Hello, welcome to this precious post on learning of most advance and interview questioned ReactJS Hooks

Topics covered to be learned:

We will learn all this in reverse order so it stays the harder ones more in our mind for longer time or get it clear in our mind for ever lasting.
Each topic can help you to understand and learn about why each hook used in react and it purpose and one use case scenario for detail understandings. (topic maybe cut and shorten for its sweetness for you to read and grasp the main understandings)

Let’s Dive into each one by one by one

useDebugValue – Hook

The useDebugValue is not a hook for managing state or performing side effects like other hooks such as useState, useEffect, etc. Instead, it is a hook provided by React that allows you to display custom labels for custom hooks in React DevTools. It’s primarily used for debugging purposes to provide more descriptive labels and information about custom hooks when inspecting them in the browser’s development tools.

Use Case: Custom Hook Labeling for Debugging:

When you create custom hooks, they may appear in the React DevTools as “Custom Hook” by default, which might not be very informative when you have multiple custom hooks in your application. useDebugValue allows you to customize the label displayed in the DevTools for better debugging and understanding.

Here’s an example of how you might use useDebugValue in a custom hook:

import { useEffect, useDebugValue, useState } from 'react';

// Custom hook to fetch data and display debug value
function useDataFetcher(url) {
  const [data, setData] = useState(null);
  const [loading, setLoading] = useState(true);

  useEffect(() => {
    const fetchData = async () => {
      setLoading(true);
      try {
        const response = await fetch(url);
        const jsonData = await response.json();
        setData(jsonData);
        setLoading(false);
      } catch (error) {
        console.error('Error fetching data:', error);
        setLoading(false);
      }
    };

    fetchData();
  }, [url]);

  // Use the custom hook's url as the debug value label
  useDebugValue(url);

  return { data, loading };
}

In this example, we have a custom hook called useDataFetcher, which fetches data from a given URL using the fetch API. By using useDebugValue with the url parameter as an argument, we’re setting the custom label to the url. When you inspect this custom hook in React DevTools, you will see the specified label instead of a generic “Custom Hook.”

Open DevTools in your Browser (Chrome) (Windows Keyboard Shortcut : CTL+SHIFT+I )

Remember that useDebugValue is used only for debugging purposes and has no effect on the actual behavior of the custom hook. It’s a helpful tool for developers to gain more insights into custom hooks during the development process.

Back to Topics

useLayoutEffect – Hook

The useLayoutEffect hook in React is similar to the useEffect hook, but it runs synchronously after the DOM has been updated but before the browser repaints. This makes it suitable for performing DOM manipulations or measurements that require the latest DOM layout information before the user sees the updated content.

Use Case: DOM Measurements and Synchronous Updates:

A common use case for useLayoutEffect is when you need to interact with the DOM, such as reading element measurements (e.g., width, height, position) or updating the DOM synchronously after a render. This is useful when you need to adjust or animate elements based on their current size or position.

Here’s an example to illustrate its use case:

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

function ElementSizeDisplay() {
  const [width, setWidth] = useState(0);
  const [height, setHeight] = useState(0);
  const divRef = useRef();

  useLayoutEffect(() => {
    const updateSize = () => {
      if (divRef.current) {
        setWidth(divRef.current.clientWidth);
        setHeight(divRef.current.clientHeight);
      }
    };

    updateSize();

    // Attach a resize event listener to update size on window resize
    window.addEventListener('resize', updateSize);

    // Clean up the event listener on component unmount
    return () => {
      window.removeEventListener('resize', updateSize);
    };
  }, []);

  return (
    <div ref={divRef}>
      <p>Width: {width}px</p>
      <p>Height: {height}px</p>
    </div>
  );
}

In this example, we have a ElementSizeDisplay component that displays the width and height of a div element. We use useLayoutEffect to set up a resize event listener and update the state variables width and height whenever the div element’s size changes. We also trigger the initial update immediately after the component mounts.

Using useLayoutEffect ensures that we get the most up-to-date measurements of the div element before it’s displayed to the user, which is essential when working with layout calculations or animations that rely on accurate dimensions.

Note: The key difference between useEffect and useLayoutEffect is the timing of their execution. While useEffect runs after the render is committed to the screen, useLayoutEffect runs before the actual painting, so it can cause the component to block painting if the logic inside it is too slow. For most cases, useEffect is sufficient, but if you need to make synchronous DOM updates or perform measurements, useLayoutEffect is the appropriate choice. Just be aware of potential performance implications and use it judiciously.

Back to Topics

useImperativeHandle – Hook

The useImperativeHandle hook in React is used to customize the instance value that is exposed when a parent component calls ref on a child component. It allows you to define what properties or functions of the child component’s instance should be accessible from the parent component.

Use Case: Exposing Child Component’s Functionality to Parent Component:

A common use case for useImperativeHandle is when you want to allow the parent component to interact with specific methods or properties of a child component directly. This can be useful when the child component encapsulates certain behaviors or actions, and you want to provide an easy-to-use API for the parent component to access those behaviors.

Let’s see an example to illustrate its use case:

import React, { forwardRef, useImperativeHandle, useRef } from 'react';

// Child component that uses useImperativeHandle
const ChildComponent = forwardRef((props, ref) => {
  const inputRef = useRef();

  // Exposing the focusInput function to the parent component using useImperativeHandle
  useImperativeHandle(ref, () => ({
    focusInput: () => {
      inputRef.current.focus();
    },
  }));

  return <input ref={inputRef} type="text" />;
});

// Parent component
function ParentComponent() {
  const childRef = useRef();

  const handleButtonClick = () => {
    // Using the exposed function to focus the input inside the child component
    childRef.current.focusInput();
  };

  return (
    <div>
      <ChildComponent ref={childRef} />
      <button onClick={handleButtonClick}>Focus Input</button>
    </div>
  );
}

In this example, we have a ChildComponent that encapsulates an input element and exposes a focusInput function to the parent component using useImperativeHandle. The useImperativeHandle hook is used to define an object with the properties and functions that the parent component can access through the ref of the ChildComponent.

The ParentComponent renders the ChildComponent and a button. When the button is clicked, the handleButtonClick function is called, and it, in turn, calls the focusInput function exposed by the ChildComponent, focusing the input element inside the child component.

Using useImperativeHandle can be handy when you want to expose specific functionalities of a child component to its parent, especially when dealing with custom components or third-party libraries. However, be cautious when using this pattern, as it might break encapsulation and lead to a less maintainable codebase. Whenever possible, prefer to manage state and interactions through props and callbacks to maintain a more predictable and React-friendly component architecture.

Back to Topics

useRef – Hook

The useRef hook in React is used to create a mutable reference to a value that persists across renders. Unlike state variables (useState), updating a useRef value does not trigger a re-render. This makes useRef suitable for storing and accessing mutable values or accessing DOM elements imperatively.

Use Case: Storing Mutable Values:

One of the primary use cases for useRef is to store mutable values that don’t need to trigger a re-render when updated. Since the component won’t re-render when the useRef value changes, it can be useful for keeping track of some data that doesn’t affect the component’s visual output.

Here’s an example where useRef is used to keep track of a previous value:

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

function Counter() {
  const [count, setCount] = useState(0);
  const prevCountRef = useRef();

  useEffect(() => {
    prevCountRef.current = count;
  }, [count]);

  const prevCount = prevCountRef.current;

  return (
    <div>
      <p>Current Count: {count}</p>
      <p>Previous Count: {prevCount}</p>
      <button onClick={() => setCount((prev) => prev + 1)}>Increment</button>
    </div>
  );
}

In this example, we use useRef to create a prevCountRef that keeps track of the previous value of the count state variable. We update the prevCountRef using the useEffect hook whenever count changes. Since updating prevCountRef does not trigger a re-render, we can safely access its current value without causing an infinite loop.

Use Case: Accessing DOM Elements:

Another common use case for useRef is to access and interact with DOM elements directly. Since React components are typically declarative, there might be cases where you need to manipulate a DOM element imperatively (e.g., focusing an input, measuring its size, etc.).

Here’s an example of using useRef to focus an input element when a button is clicked:

import React, { useRef } from 'react';

function FocusInput() {
  const inputRef = useRef();

  const handleButtonClick = () => {
    inputRef.current.focus();
  };

  return (
    <div>
      <input ref={inputRef} type="text" />
      <button onClick={handleButtonClick}>Focus Input</button>
    </div>
  );
}

In this example, we use useRef to create the inputRef, which is attached to the input element through the ref attribute. When the button is clicked, the handleButtonClick function is called, which uses inputRef.current to access the underlying DOM element and invoke the focus() method on it.

Remember that using useRef for accessing DOM elements should be done sparingly, as it goes against React’s declarative approach. Whenever possible, try to manage component state and behavior through props and state variables to maintain the React flow of data and rendering. However, there are cases where direct DOM manipulation with useRef can be necessary or more efficient.

Back to Topics

useMemo – Hook

The useMemo hook in React is used for memoizing expensive computations, so they are only recomputed when their dependencies change. It helps optimize the performance of functional components by avoiding unnecessary re-computations of values that haven’t changed between renders.

Use Case: Memoizing Expensive Computations:

The primary use case for useMemo is when you have a computationally expensive function or calculation that doesn’t need to be re-evaluated on every render, especially if the function relies on some props or state that might remain unchanged for a while.

Let’s see an example to illustrate its use case:

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

function ExpensiveComponent({ data }) {
  // This is a computationally expensive function that we want to memoize
  const expensiveResult = useMemo(() => {
    let result = 0;
    for (let i = 0; i < data.length; i++) {
      result += data[i];
    }
    return result;
  }, [data]); // The dependency array contains 'data'

  return <div>{expensiveResult}</div>;
}

function App() {
  const [dataArray, setDataArray] = useState([1, 2, 3, 4, 5]);

  return (
    <div>
      <ExpensiveComponent data={dataArray} />
      <button onClick={() => setDataArray([1, 2, 3, 4, 5])}>Update Data</button>
    </div>
  );
}

In this example, ExpensiveComponent takes an array called data as a prop and computes the sum of its elements. The computation can be costly, especially if the data array is large.

By using useMemo with the data array as a dependency, we ensure that the expensiveResult is only recalculated when the data array changes. So, when the parent component (App) renders and updates the dataArray, ExpensiveComponent will not recompute the sum unless the dataArray changes.

useMemo should be used when the computation is relatively expensive and depends on certain inputs (props or state) that might not change often. It’s essential to remember that using useMemo comes with some overhead, so you should only use it when the performance benefits outweigh the costs.

It’s also worth noting that the improvement in performance gained by using useMemo depends on the nature of the computation and the size of the data. For simple or small computations, the performance gain might be negligible, and in such cases, using useMemo might not be necessary. Always profile and measure your application’s performance to determine the most effective optimizations.

Back to Topics

useReducer – Hook

The useReducer hook in React is used for managing more complex state logic in functional components. It is an alternative to using the useState hook when the state has a complex structure or when the state transitions depend on previous state values. useReducer follows the same principles as the standard Reducer concept in JavaScript, similar to how it works with the Array.reduce method.

Use Case: Managing Complex State Logic:

The primary use case for useReducer is when you need to handle state changes that are more involved and involve multiple sub-values or when you have actions that depend on the previous state. It’s beneficial when the state transitions are not straightforward and need to be calculated based on existing state.

Here’s an example to illustrate its use case:

import React, { useReducer } from 'react';

// Reducer function
function reducer(state, action) {
  switch (action.type) {
    case 'INCREMENT':
      return { count: state.count + 1 };
    case 'DECREMENT':
      return { count: state.count - 1 };
    default:
      return state;
  }
}

function Counter() {
  // useReducer returns the current state and a dispatch function to send actions.
  const [state, dispatch] = useReducer(reducer, { count: 0 });

  return (
    <div>
      <p>Count: {state.count}</p>
      <button onClick={() => dispatch({ type: 'INCREMENT' })}>Increment</button>
      <button onClick={() => dispatch({ type: 'DECREMENT' })}>Decrement</button>
    </div>
  );
}

In this example, the useReducer hook is used to manage the state of a simple counter component. The reducer function defines how state transitions should happen based on different action types. The state is initialized with { count: 0 }, and clicking the buttons dispatches actions to increment or decrement the count.

useReducer provides a structured way to handle more complex state updates, especially when you need to consider multiple factors before updating the state. It can be particularly useful when working with state machines, form handling, or managing state in contexts and reducers for more extensive applications.

However, for simpler cases where the state doesn’t involve complex transitions or doesn’t depend on the previous state, useState may be more suitable and easier to manage. Choose the right approach based on the specific requirements and complexity of your component’s state management.

Back to Topics

useCallback – Hook

The useCallback hook in React is used to memoize functions, which helps to optimize the performance of functional components that rely on callbacks, especially when passing them down to child components. Memoization means that the function returned by useCallback will only change if its dependencies change, otherwise, the same memoized function instance will be reused.

The syntax of the useCallback hook is as follows:

const memoizedCallback = useCallback(callbackFunction, dependencies);
  • callbackFunction: The function that you want to memoize.
  • dependencies (optional): An array of dependencies. If any of these dependencies change, the memoized callback will be recomputed; otherwise, it will be reused.

Use Case: Preventing Unnecessary Re-renders:

In React, passing down new function references to child components can lead to unnecessary re-renders. For example, consider a parent component rendering multiple instances of a child component, and each child component receives a callback prop from the parent. If the parent component creates a new function instance for the callback prop on every render, each child component will think that its prop has changed, resulting in re-renders even if the actual logic of the callback hasn’t changed.

Using useCallback, you can avoid this behavior by memoizing the callback function:

import React, { useCallback } from 'react';
import ChildComponent from './ChildComponent';

function ParentComponent() {
  const handleClick = useCallback(() => {
    // Callback logic
  }, []);

  return (
    <div>
      <ChildComponent onClick={handleClick} />
    </div>
  );
}

By providing an empty dependency array ([]) as the second argument to useCallback, we ensure that the handleClick function remains the same across re-renders, preventing unnecessary re-renders of the child component.

Remember, while useCallback can help with performance optimizations in certain situations, it’s essential to use it judiciously. Overusing useCallback might lead to less predictable behavior and unnecessary overhead. As with all performance optimizations, it’s best to measure and profile your application to identify actual performance bottlenecks before applying optimizations like useCallback.

Back to Topics

Hope this helps you in interview preparation and your successful selection.

Drop us your love and kindness, by sharing this article. Thank you!

Categories
Javascript Learning Tech

What is forwardRef and how its helps in react?

Hello, lets quickly take a review on React forwardRef, what it in actual,

In React, the forwardRef function is a utility that allows you to pass a ref through a component to one of its children. It’s commonly used when you need to access the underlying DOM node or React component instance of a child component from the parent component.

When you create a component using functional components in React, you can use the useRef hook to create a ref object. This ref object can then be passed as a prop to child components. However, when you pass the ref as a prop to a child component, React does not automatically pass it down to the underlying DOM element or custom component. This is where forwardRef comes into play.

By using forwardRef, you can create a component that accepts a ref and forwards it to one of its children. Here’s an example:

const ChildComp = React.forwardRef((props, ref) => {
  // Use the ref object to access the underlying DOM node or component instance
  return <input ref={ref} />;
});

const ParentComp = () => {
  const inputRef = React.useRef(null);

  const handleClick = () => {
    // Access the input element using the ref
    if (inputRef.current) {
      inputRef.current.focus();
    }
  };

  return (
    <div>
      <ChildComponent ref={inputRef} />
      <button onClick={handleClick}>Focus Input</button>
    </div>
  );
};

In the example above, the ChildComponent uses forwardRef to forward the ref prop to the <input> element. In the ParentComponent, a ref is created using the useRef hook and passed to ChildComponent using the ref prop. This allows the ParentComponent to access the input element and call the focus method when the button is clicked.

By using forwardRef, helps to bridge the gap between functional components and the imperative DOM or component operations that sometimes require direct access to child component element.

Note here we are accessing child’s component dom node not child component here as ref object, i.e can be consider as subtle difference to understand for our mind.

Hope this helps to clear out the basic concept behind using forwardRef in React.

Happy Learning!

Categories
Javascript Learning Tech

What to do when you get nextjs error (Module not found: Error: Can’t resolve ‘private-next-pages/’ in ‘/vercel/path0’) on vercel/nextjs deployment?

Hello,

If you too facing this error : Module not found: Error: Can’t resolve ‘private-next-pages/’ in ‘/vercel/path0’

while deploying your NextJs project over Vercel platform, please follow what solution and mistake I was doing.

Error Screenshot of error occurring from the NextJs Project deployment on vercel platform.

As, I tried to debug this error by right away check the the next in the log highlighted (in screenshot above) recommending to following alias rule to be set if you have touched you next.config.js file with any webpack settings.

In my case I did have to touched the next.config.js file and so I have add the same lines of code recommend in the follow link of Next.js doc

https://nextjs.org/docs/messages/invalid-resolve-alias

But for me still I didn’t found the right solution, because was in the naming of folder under nextjs project.

Basically, I was loading the static content into the dynamic route in Nextjs (Like example reference here).

What I have missed was the name of the folder under pages directory I have created named as “learn” it should be similar to name “posts” as created one at root level of the project to hold the “.md” or “.html” file content to pass down to dynamic route page which will be under /pages/posts/[id].js

Sharing here screenshot of the directory where the naming was a mistake

Here highlighted “learn” folder should be same as “posts” below

After renaming the folder name “learn” to “posts” the error went off and found my deployment working successfully.

Hope this small mistake tip help you to solve this problem.

If you have found any mistake in the post. Please don’t hesitate to hit me on my email jat@doableyo.com to rectify.

Enjoyed reading this? How about sharing with your friends or in groups, this would help!

Thanks, Happy Learning!

Categories
Learning Tech

How to write basic Test case for React component using Jest or Enzyme

Lets quickly straight dive into it

import React from "react";
import { shallow } from "enzyme";
import TestComponent from "./TestComponent";

describe("TestComponent", () => {
  it("renders correctly", () => {
    const wrapper = shallow(<TestComponent />);
    expect(wrapper).toMatchSnapshot();
  });

  it("contains a button", () => {
    const wrapper = shallow(<TestComponent />);
    expect(wrapper.find("button").length).toEqual(1);
  });

  it("simulates click events", () => {
    const mockCallBack = jest.fn();
    const wrapper = shallow(<TestComponent handleClick={mockCallBack} />);
    wrapper.find("button").simulate("click");
    expect(mockCallBack.mock.calls.length).toEqual(1);
  });
});

In this example, the describe block creates a test suite for the TestComponent and the it blocks define individual test cases.

The shallow function from Enzyme is used to render a shallow version of the component.

The toMatchSnapshot assertion is used to check that the component is rendering correctly.

The find method is used to locate elements within the shallow render, and the simulate method is used to trigger events on those elements.

The jest.fn function is used to create a mock callback that can be passed as a prop to the component and tested.

Happy Learning.

Categories
Learning Tech

10 Key tips on preparing for ReactJS Interview

Hello,

Lets quickly go through the 10 keys, for preparing for React Js Interview

  1. React basics: Familiarize yourself with React concepts such as components, JSX, state, props, lifecycle methods, hooks, etc.
  2. React-Redux: Understand how to use Redux with React for state management.
  3. React Router: Learn how to handle routing in React applications.
  4. React performance optimization: Know how to optimize the performance of React applications, including techniques like lazy loading, memoization, and using shouldComponentUpdate.
  5. React hooks: Knowledge of React hooks and how they can be used in place of class components.
  6. React testing: Understand how to test React components using tools like Jest and Enzyme.
  7. Familiarity with CSS: Good understanding of CSS, including CSS-in-JS solutions like styled-components.
  8. JavaScript concepts: Good understanding of JavaScript concepts like closure, asynchronous programming, and ES6 syntax.
  9. Git: Knowledge of Git and how to use it for version control.
  10. Problem solving skills: Be prepared to solve algorithmic problems and explain your thought process.

Hope you enjoy learning!

Categories
Learning Tech

Very basic of How to create a React Fiber/React Js Project from scratch

Here is the basic process to create a project with React Fiber:

  1. Install Node.js and npm (Node Package Manager) if you don’t have them installed already.
  2. Use npm to create a new React project by running the following command in your terminal or command prompt:
    npx create-react-app my-app
  3. Navigate to the newly created project directory:
    cd my-app
  4. Start the development server by running:
    npm start
  5. The development server should now be running on http://localhost:3000 in your browser.
  6. You can now start building your React Fiber application by modifying the files in the src directory.
  7. When you’re ready to deploy your application, run the following command to create a production build:
    npm run build

This should give you a basic understanding of how to create a React Fiber project. If you’re new to React, it may be helpful to go through some introductory tutorials before diving into your project.

Happy Learning!

Categories
Javascript Learning Tech

How to filter customers state array based on set of array of ids in javascript/reactjs.

Filtering customers state array based on array of ids in javascscript/react.

const activeCustomerIdSet = [3,4,9];

//customers is array of customer data in my case its array value is bit different, just to note.

const filteredActiveCustomersIds = Array.from(activeCustomerIdSet) || [];
            let nonActiveCustomers = [];
            let filterCustomer = [...customers];
            if (filteredActiveCustomersIds.length) {
                for (let cid of filteredActiveCustomersIds) {
                    filterCustomer = filterCustomer?.filter(cust => {
                        if (+cust?.value?.id !== cid) {
                            
                            return cust;
                        }
                    });
                }
                nonActiveCustomers = [...nonActiveCustomers,
                    filterCustomer];
            }

            console.log({  filteredActiveCustomersIds, customers, nonActiveCustomers });

Hope you find useful in your search!

Keeping it short simple and straight.

Happy coding!