Vue.js makes conditional rendering a breeze with its handy directives. Let’s dive into the world of v-if, v-else, and v-show to see how we can create dynamic and responsive user interfaces.
First up, we’ve got v-if. This little powerhouse allows us to conditionally render elements based on whether a condition is true or false. It’s like having a bouncer at the door of your component, deciding who gets in and who stays out.
Here’s a simple example:
<template>
  <div>
    <p v-if="isLoggedIn">Welcome back, user!</p>
    <p v-else>Please log in to continue.</p>
  </div>
</template>
<script>
export default {
  data() {
    return {
      isLoggedIn: false
    }
  }
}
</script>
In this case, if isLoggedIn is true, we’ll see the welcome message. If it’s false, we’ll see the login prompt. It’s that easy!
But wait, there’s more! We can chain multiple conditions using v-else-if. It’s like playing a game of “if this, then that, but if not that, then this other thing”:
<template>
  <div>
    <p v-if="userRole === 'admin'">Welcome, almighty admin!</p>
    <p v-else-if="userRole === 'moderator'">Hello, trusty moderator!</p>
    <p v-else>Greetings, valued user!</p>
  </div>
</template>
<script>
export default {
  data() {
    return {
      userRole: 'moderator'
    }
  }
}
</script>
Now, let’s talk about v-show. This directive is like v-if’s cool cousin. Instead of adding or removing elements from the DOM, it simply toggles their visibility using CSS. It’s perfect for elements that switch between visible and hidden states frequently.
<template>
  <div>
    <p v-show="isNotificationVisible">You've got mail!</p>
  </div>
</template>
<script>
export default {
  data() {
    return {
      isNotificationVisible: true
    }
  }
}
</script>
When isNotificationVisible is true, the paragraph will be visible. When it’s false, it’ll be hidden with display: none. The element always remains in the DOM, which can be great for performance in certain scenarios.
Speaking of performance, let’s chat about when to use v-if versus v-show. It’s like choosing between a Swiss Army knife and a specialized tool – each has its place.
v-if is best for conditions that don’t change often. It has a higher toggle cost (adding/removing DOM elements), but lower initial render cost if the condition is false. On the other hand, v-show has a lower toggle cost (just changing CSS), but a higher initial render cost since it always renders the element.
So, if you’re building a modal that opens occasionally, v-if might be your best bet. But if you’re creating a tab interface where users switch between views frequently, v-show could be the performance hero you need.
Let’s look at a more complex example that combines these concepts:
<template>
  <div>
    <h2>User Dashboard</h2>
    <div v-if="isLoggedIn">
      <p>Welcome back, {{ username }}!</p>
      <div v-if="hasPendingNotifications">
        <p v-show="showNotifications">You have {{ notificationCount }} new notifications.</p>
        <button @click="toggleNotifications">{{ showNotifications ? 'Hide' : 'Show' }} Notifications</button>
      </div>
      <div v-else>
        <p>No new notifications.</p>
      </div>
    </div>
    <div v-else>
      <p>Please log in to view your dashboard.</p>
      <button @click="login">Log In</button>
    </div>
  </div>
</template>
<script>
export default {
  data() {
    return {
      isLoggedIn: false,
      username: 'CoolUser123',
      hasPendingNotifications: true,
      notificationCount: 5,
      showNotifications: false
    }
  },
  methods: {
    toggleNotifications() {
      this.showNotifications = !this.showNotifications
    },
    login() {
      this.isLoggedIn = true
    }
  }
}
</script>
This example showcases how we can nest conditional renders and combine v-if, v-else, and v-show to create a dynamic user interface. We use v-if for the main logged-in state and the presence of notifications, while v-show is used for toggling the visibility of the notification count.
One thing to keep in mind is that v-if works great with <template> elements when you need to conditionally render a group of elements without adding an extra wrapper to your DOM:
<template>
  <div>
    <template v-if="showUserInfo">
      <h3>{{ username }}</h3>
      <p>Email: {{ email }}</p>
      <p>Member since: {{ joinDate }}</p>
    </template>
  </div>
</template>
This approach keeps your DOM clean and your conditional logic clear.
Now, let’s talk about a common gotcha with v-if and v-for. You might be tempted to use them on the same element, but Vue strongly recommends against this. Instead, move the v-if to a wrapper element:
<template>
  <ul>
    <template v-if="shouldShowList">
      <li v-for="item in items" :key="item.id">
        {{ item.name }}
      </li>
    </template>
  </ul>
</template>
This approach is not only more explicit but also more performant, as Vue doesn’t have to iterate over the list when shouldShowList is false.
Another cool trick is using computed properties with conditional rendering. This can help keep your template clean and your logic organized:
<template>
  <div>
    <div v-if="hasCompletedTasks">
      <h3>Completed Tasks</h3>
      <ul>
        <li v-for="task in completedTasks" :key="task.id">{{ task.name }}</li>
      </ul>
    </div>
    <div v-else>
      <p>No tasks completed yet. Keep going!</p>
    </div>
  </div>
</template>
<script>
export default {
  data() {
    return {
      tasks: [
        { id: 1, name: 'Learn Vue', completed: true },
        { id: 2, name: 'Build an app', completed: false },
        { id: 3, name: 'Deploy to production', completed: false }
      ]
    }
  },
  computed: {
    completedTasks() {
      return this.tasks.filter(task => task.completed)
    },
    hasCompletedTasks() {
      return this.completedTasks.length > 0
    }
  }
}
</script>
In this example, we use computed properties to determine whether there are completed tasks and to filter the task list. This keeps our template clean and our logic reusable.
Let’s dive a bit deeper into optimizing performance with conditional rendering. When you’re dealing with large lists or complex components, the way you structure your conditionals can have a significant impact on your app’s performance.
Consider this scenario: you have a list of users, and you want to display different information based on their role. You might be tempted to do something like this:
<template>
  <div>
    <div v-for="user in users" :key="user.id">
      <div v-if="user.role === 'admin'">
        <!-- Admin view -->
      </div>
      <div v-else-if="user.role === 'moderator'">
        <!-- Moderator view -->
      </div>
      <div v-else>
        <!-- Regular user view -->
      </div>
    </div>
  </div>
</template>
While this works, it’s not the most efficient approach. Vue has to evaluate each condition for every user, even though a user can only have one role. A more optimized approach would be to use computed properties to pre-filter the users:
<template>
  <div>
    <div v-if="adminUsers.length">
      <h3>Admins</h3>
      <div v-for="user in adminUsers" :key="user.id">
        <!-- Admin view -->
      </div>
    </div>
    <div v-if="moderatorUsers.length">
      <h3>Moderators</h3>
      <div v-for="user in moderatorUsers" :key="user.id">
        <!-- Moderator view -->
      </div>
    </div>
    <div v-if="regularUsers.length">
      <h3>Users</h3>
      <div v-for="user in regularUsers" :key="user.id">
        <!-- Regular user view -->
      </div>
    </div>
  </div>
</template>
<script>
export default {
  data() {
    return {
      users: [
        // ... user data
      ]
    }
  },
  computed: {
    adminUsers() {
      return this.users.filter(user => user.role === 'admin')
    },
    moderatorUsers() {
      return this.users.filter(user => user.role === 'moderator')
    },
    regularUsers() {
      return this.users.filter(user => user.role === 'user')
    }
  }
}
</script>
This approach reduces the number of conditionals Vue needs to evaluate and can significantly improve performance for large lists.
Another performance tip is to use v-show for components that toggle frequently but have expensive initial render costs. For example, imagine you have a complex chart component that’s toggled by a button:
<template>
  <div>
    <button @click="toggleChart">Toggle Chart</button>
    <my-complex-chart v-show="showChart"></my-complex-chart>
  </div>
</template>
<script>
import MyComplexChart from './MyComplexChart.vue'
export default {
  components: {
    MyComplexChart
  },
  data() {
    return {
      showChart: false
    }
  },
  methods: {
    toggleChart() {
      this.showChart = !this.showChart
    }
  }
}
</script>
By using v-show, the chart component is rendered once and then just hidden or shown, which is much faster than destroying and recreating the component each time with v-if.
One more trick up our sleeve is the v-once directive. While not strictly a conditional rendering directive, it can be incredibly useful for optimizing static content that’s conditionally rendered:
<template>
  <div>
    <header v-once>
      <h1>{{ appTitle }}</h1>
      <p>{{ appDescription }}</p>
    </header>
    <main v-if="contentLoaded">
      <!-- Dynamic content here -->
    </main>
  </div>
</template>
The v-once directive ensures that the header content is only evaluated once and then cached. This can be a big performance win for static content in large applications.
Conditional rendering in Vue is like having a magic wand for your UI. With the power to show, hide, and switch between elements based on your app’s state, you can create truly dynamic and responsive interfaces. Whether you’re toggling a simple button or managing complex user dashboards, Vue’s conditional rendering directives have got your back.
Remember, the key to mastering conditional rendering is understanding the subtle differences between v-if and v-show, and knowing when to use each. It’s about finding that sweet spot between clean, readable code and optimal performance.
So go forth and conditionally render! Experiment with these techniques in your own projects
