DEV Community

Cover image for 1-Minute JS Trick That’ll Instantly Boost Your Code Efficiency
Dus Mamud
Dus Mamud

Posted on

1-Minute JS Trick That’ll Instantly Boost Your Code Efficiency

Here’s a JavaScript trick that takes less than a minute to learn and saves you time every single day: destructuring with default values. Whether you're dealing with API responses, React props, or function parameters, this tip can help you write cleaner, more reliable code with fewer lines.

Why Tiny JavaScript Tricks Matter

You know those little moments when you're staring at your screen thinking, "There has to be a better way to write this?" Those are golden opportunities. Small JavaScript tricks-like this one-may not seem like a big deal, but they compound over time. These tips help:

  • Write cleaner code that’s easier to read and maintain.
  • Avoid common bugs by adding safety nets like defaults.
  • Speed up development with concise syntax.

Think of these tricks like the developer’s equivalent of keyboard shortcuts-tiny things that lead to big wins. In today’s fast-moving world of web dev, keeping things simple yet smart is your best move. This trick is perfect for everything from vanilla JavaScript to React and even Node.js APIs.

The 1-Minute JavaScript Trick: Destructuring with Defaults

Let’s get straight to it. Destructuring allows you to pull specific properties from an object into variables. Adding default values ensures you don’t crash when a property is missing or undefined.

What It Looks Like

const { name = 'Guest', age = 30 } = user;
Enter fullscreen mode Exit fullscreen mode

If user.name doesn’t exist, 'Guest' will be used instead. Same with age. No more user.name ? user.name : 'Guest'.

Real-World Use Case

Imagine you get API data like this:

const user = {
  name: 'John'
};
Enter fullscreen mode Exit fullscreen mode

Instead of writing:

const name = user.name ? user.name : 'Guest';
const age = user.age ? user.age : 30;
Enter fullscreen mode Exit fullscreen mode

You can just write:

const { name = 'Guest', age = 30 } = user;
Enter fullscreen mode Exit fullscreen mode

It’s cleaner, faster, and easier to read. This trick is especially powerful when you’re working with:

  • API responses
  • Component props in React
  • Default settings/configs

Syntax Breakdown

Understanding the syntax helps you apply it confidently.

const { key = defaultValue } = object;
Enter fullscreen mode Exit fullscreen mode
  • key is the name of the property you’re pulling out.
  • defaultValue is what gets assigned if object.key is undefined.

Here’s a deeper dive with some context:

const settings = { theme: 'dark' };
const { theme = 'light', fontSize = 16 } = settings;

console.log(theme);     // "dark"
console.log(fontSize);  // 16
Enter fullscreen mode Exit fullscreen mode

Even if fontSize doesn’t exist in settings, you won’t get undefined. You’ll get a default value that’s safe and expected.

When to Use This Trick

Use destructuring with defaults when:

  • You're working with API responses that may or may not return every field.
  • You need default props in React components but don’t want to clutter your code.
  • You handle user settings or configs, where defaults are often needed.

Examples

1. API Response Handling:

const response = { name: 'Jane' };
const { name = 'User', status = 'active' } = response;
Enter fullscreen mode Exit fullscreen mode

2. React Component Props:

function UserCard({ name = 'Anonymous', age = 'N/A' }) {
  return <div>{name} - {age}</div>;
}
Enter fullscreen mode Exit fullscreen mode

3. Config Setup:

function initializeApp({ debug = false, version = '1.0.0' } = {}) {
  console.log(debug, version);
}
Enter fullscreen mode Exit fullscreen mode

You’re guarding against errors and writing elegant, maintainable code.

Quick Example – React Component Props Simplified

If you’ve ever worked with React, you know how important props are. And sometimes, props don't always arrive as expected—especially when they’re optional. That’s where this 1-minute trick shines.

Let’s walk through a basic React component.

Traditional Way (Without Destructuring Defaults)

function UserProfile(props) {
  const name = props.name ? props.name : 'Guest';
  const role = props.role ? props.role : 'User';

  return (
    <div>
      <h2>{name}</h2>
      <p>{role}</p>
    </div>
  );
}
Enter fullscreen mode Exit fullscreen mode

Sure, it works. But it’s a bit verbose and not so fun to read or maintain.

With Destructuring + Defaults

function UserProfile({ name = 'Guest', role = 'User' }) {
  return (
    <div>
      <h2>{name}</h2>
      <p>{role}</p>
    </div>
  );
}
Enter fullscreen mode Exit fullscreen mode

Cleaner? Definitely. Easier to maintain? Without question.

This version makes your intent crystal clear: If name or role isn't passed, use the default. This reduces boilerplate and increases readability—especially useful in large components or teams.

Bonus: Combine with PropTypes

If you're using prop-types, you can still set up defaults there, but setting defaults inside the function ensures clarity at the call site. This makes onboarding easier for newer team members, too.

Before vs After Code Comparison

Let’s compare the old-school way with the modern, efficient way using a side-by-side example.

Before (Verbose, Repetitive)

function App(props) {
  const title = props.title ? props.title : 'My App';
  const version = props.version ? props.version : '1.0.0';
  const darkMode = props.darkMode !== undefined ? props.darkMode : false;

  return (
    <header>
      <h1>{title}</h1>
      <p>Version: {version}</p>
      <p>Dark Mode: {darkMode ? 'On' : 'Off'}</p>
    </header>
  );
}
Enter fullscreen mode Exit fullscreen mode

After (Concise, Clear)

function App({ title = 'My App', version = '1.0.0', darkMode = false }) {
  return (
    <header>
      <h1>{title}</h1>
      <p>Version: {version}</p>
      <p>Dark Mode: {darkMode ? 'On' : 'Off'}</p>
    </header>
  );
}
Enter fullscreen mode Exit fullscreen mode

Notice how the second version removes all the fluff. You instantly understand what values are expected, and what defaults will be used if something’s missing.

This doesn’t just save time—it improves maintainability, readability, and team communication. Your code becomes your documentation.

More 1-Minute Tricks You Should Know

If you found this one useful, wait till you try these quick hitters. They’re all designed to simplify your JavaScript workflow instantly.

1. Template Literals for Quick Strings

Instead of:

const greeting = 'Hello, ' + user.name + '!';
Enter fullscreen mode Exit fullscreen mode

Use:

const greeting = `Hello, ${user.name}!`;
Enter fullscreen mode Exit fullscreen mode

It’s easier to write and read, especially for dynamic content.

2. Optional Chaining (?.)

Instead of:

if (user && user.profile && user.profile.avatar) {
  console.log(user.profile.avatar);
}
Enter fullscreen mode Exit fullscreen mode

Use:

console.log(user?.profile?.avatar);
Enter fullscreen mode Exit fullscreen mode

No more worrying about undefined or null errors when accessing deeply nested properties.

3. Nullish Coalescing (??)

Instead of:

const name = user.name || 'Anonymous';
Enter fullscreen mode Exit fullscreen mode

Use:

const name = user.name ?? 'Anonymous';
Enter fullscreen mode Exit fullscreen mode

It’s safer when 0, false, or '' are valid values—because || treats them as falsy.

Developer Productivity Boosters

Here’s the real reason these 1-minute tricks matter: they scale.

Let’s say you save just 5 seconds per use of a trick like destructuring with defaults. Multiply that by:

  • 100 props or config values per week
  • 52 weeks in a year

You’ve saved hours—and even more importantly, reduced cognitive load for you and your team.

Why They Help:

  • Cleaner pull requests with less redundant code
  • Onboarding new devs is easier when code is readable
  • Fewer bugs due to unexpected undefined values
  • More time spent building features, not handling edge cases

And yes, these little improvements make you look like a thoughtful, forward-thinking dev—which helps your career just as much as your codebase.

Summary

This 1-minute JavaScript trick—destructuring with defaults—is a smart, practical way to write cleaner, more reliable code, whether you're working with APIs, React components, or function parameters. It's a must-know for developers who want to simplify their codebase without sacrificing functionality.

Let’s recap why this trick deserves a permanent place in your developer toolbox:

  • Reduces boilerplate and repetitive conditional checks.
  • Improves readability of functions and components.
  • Prevents bugs caused by undefined or missing properties.
  • Scales well in production-grade applications.
  • Enhances team collaboration with clearer syntax.

Whether you’re a beginner just starting out or a senior dev looking to write more expressive code, using default values during destructuring is a technique you’ll use daily. Pair it with other time-saving tricks like optional chaining and template literals to maximize your productivity.

This trick is easy to implement and hard to forget—so give it a spin in your next project. Your future self will thank you.

Final Thoughts

Writing clean, concise JavaScript isn't about being flashy—it’s about being effective. Tricks like destructuring with defaults might seem small, but they reflect a mature approach to coding. They show that you care about maintainability, readability, and developer experience.

Modern JavaScript is full of gems like this—built to solve real-world pain points in smarter ways. And the best part? You don’t need a huge learning curve or advanced skills to apply them.

Just remember:

  • Look for repetitive patterns in your code.
  • Replace them with concise, built-in language features.
  • Always test how these tricks impact readability and maintainability.

These little wins stack up quickly—and they make you a better, more thoughtful developer over time.

So go ahead and refactor that old API handler or that bloated React component. You already know how.

What do you think?

💬 What do you think about this 1-minute trick?
👇 Drop your favorite JavaScript trick in the comments!

If you found this helpful:

  • ⭐ Share this post with your dev team or on Twitter.
  • 🔄 Try using destructuring with defaults in your next component or API call.
  • 🧠 Keep learning by checking out my other posts on React Hooks, Tailwind Tips, and Clean Code Practices.

Let's keep making JavaScript fun again!

FAQs

1. What’s the difference between || and ???
The || operator returns the right-hand value if the left is falsy (like 0, false, or ''). ?? only returns the right-hand value if the left is null or undefined. It’s safer when 0 or false are valid inputs.

2. Can I use this trick in TypeScript?
Absolutely. Destructuring with default values works just as well in TypeScript. You can also add type annotations for even more clarity.

3. What happens if I destructure a non-existent property?
If you don't provide a default, the variable will be undefined. Providing a default ensures the value is always something predictable.

4. Is destructuring bad for performance?
Not really. In most cases, the performance difference is negligible and vastly outweighed by the readability and safety improvements.

5. Are these tricks browser compatible?
Yes! Destructuring with defaults is supported in all modern browsers. If you’re targeting older ones (like IE), consider transpiling with Babel.

Please don’t forget to leave a review.

Explore more by joining me on BuyMeACoffee / Patreon

Top comments (2)

Collapse
 
roman_84245e13a62bea35443 profile image
Roman

Thank you

Collapse
 
dusmamud profile image
Dus Mamud

wc