1. javascript
  2. /frameworks
  3. /vue

Vue.js Overview

A View into Vue

When Vue.js burst onto the scene in 2014, it offered web developers a refreshing blend of approachability, performance, and versatility. Described as a "Progressive JavaScript Framework," Vue builds on top of standard HTML, CSS, and JavaScript, offering an intuitive API and world-class documentation. It's designed to be as simple or as complex as you need it to be, scaling elegantly from a library to a full-featured framework.

At its core, Vue provides a truly reactive, compiler-optimized rendering system that minimizes manual optimization. The framework introduces a declarative and component-based programming model, streamlining the development of both simple and complex user interfaces.

So, before we delve into the specifics, let's outline the prerequisites you'll need to consider before learning or using this framework.

Preconditions for Learning Vue.js

To no surprise, learning any JavaScript-based framework like Vue requires a basic grasp of HTML, CSS, and JavaScript. While Vue is designed to be easy to pick up and can be integrated into various types of projects, a solid understanding of these core web technologies will help you navigate its features more effectively.

You can check out our JavaScript resource page to bolster your knowledge.

For those with some experience, prior knowledge of other frameworks like React or Angular can be beneficial but isn't mandatory. Vue's flexibility allows it to fit various project needs, from adding simple interactivity to HTML pages to creating complex Single-Page Applications and even handling Server-Side Rendering. So, regardless of your project's size or your skill level, Vue is a tool worth considering.

Single-File Components as a Defining Feature

Vue's Single-File Components (SFCs) allow you to keep a component's markup, logic, and style in one .vue file. This makes it easier to manage how a component looks, how it behaves, and how it fits into the interface.

API Styles Note: Most examples in this guide use Vue's Options API for building components. Vue components could also be authored using the Composition API. Both styles are fully capable and can even coexist in the same component. For more context on the differences and when you might use one over the other, refer to the official documentation.

What Exactly Are Single-File Components?

In a .vue file, a Single-File Component consists of three main blocks:

  • HTML Structure: Defined in the <template> block, this section holds the HTML that gets rendered in the DOM. It may also contain Vue-specific attributes for advanced functionalities like conditional rendering and list rendering.

  • JavaScript Logic: Inside the <script> block, you'll place the JavaScript code that powers your component's behavior. This includes data properties, methods, and other logic that your component will use.

  • CSS Styling: The <style> block contains the CSS that visually styles your component. While Vue offers the option to scope these styles to just the component, the styles in the example below are global, meaning they could affect other parts of your application if the same selectors are used.

To understand how these sections come together, let's look at a simple .vue file.

<script>
export default {
  data () {
    return {
      message: 'Hello from Vue.js!'
    }
  }
}
</script>

<template>
  <div>
    <h1>{{ message }}</h1>
  </div>
</template>

<style>
h1 {
  color: green;
}
</style>

In this example, which uses the Options API style, the <script> block defines a data function that returns an object with a message property set to 'Hello from Vue.js!'. This message property is then accessible in the <template> block. The template itself consists of a div element containing an h1 tag. The text within this h1 tag is dynamically populated using {{ message }}, which fetches the value from the component's data.

If the message property changes, the displayed text in the h1 tag will automatically update. Finally, the <style> block specifies that the text color of the h1 tag should be green. When this component is rendered, you'll see a green-colored header saying Hello from Vue.js!.

Try It Yourself

You try out this example in the Vue SFC Playground. Feel free to change the message property and see how the template updates in real-time.

If you're looking for a more comprehensive setup and other options, you can follow Vue's Quick Start guide.

Why and When to Use SFCs?

Single-File Components bring a host of benefits that make them the go-to choice for many projects:

  • Modularity: SFCs make your codebase easier to manage by grouping related code together.

  • Performance: Because the template is pre-compiled, it reduces the computational work the browser needs to do, making your app run smoother.

  • Scoped Styles: The ability to limit styles to just the component they belong to helps prevent unintended design changes elsewhere in your app.

  • Developer Experience: The SFC format is fully supported by modern IDEs, providing auto-completion and type checking.

However, for smaller projects or for simply enhancing static HTML pages, using SFCs might feel like overkill. Vue offers flexibility by allowing you to incorporate its features without needing to adopt the SFC format or even set up a build process.

The Template Syntax

Vue.js uses HTML-based template syntax to bind the component's data and logic, which is straightforward to understand. The templates are parsed into virtual DOM render functions by the compiler, making them highly optimized for performance. Similar to other frameworks, these templates offer a high-level abstraction over the rendering process, aiding in a better understanding and reasoning of the application. In these templates, you'll commonly use text interpolations, as well as attribute and event bindings.

Considering that, let's delve into an example that demonstrates basic text interpolation and event binding in Vue. You can test the following example in the same setup as described in the Single-File Components section:

<template>
  <div>
    <h1>{{ message }}</h1>
    <button @click="incrementCounter">{{ counter }}</button>
  </div>
</template>

<script>
export default {
  data() {
    return {
      message: "Click Counter",
      counter: 0,
    };
  },
  methods: {
    // Method to increment the counter
    incrementCounter() {
      this.counter++;
    },
  },
};
</script>

Here, we utilize Vue's double curly braces {{ }} for text interpolation. The message and counter properties are bound to the template this way, and whenever these data properties change, the template updates automatically to reflect those changes. Moreover, you'll notice the use of @click in the button element, which is Vue's shorthand for handling click events. It's bound to the incrementCounter method defined within the script, effectively updating the counter every time the button is clicked.

While the above example serves as a basic introduction, it's worth noting that Vue's template syntax is quite rich, albeit limited in this showcase. It supports a range of directives like v-if for conditional rendering and v-for for rendering lists, as well as attribute binding via v-bind or its shorthand :. Additionally, it allows the use of modifiers like .prevent and .stop for more nuanced event handling.

Reactivity and Declarative Rendering

Another fundamental feature of the framework is its reactivity system, built upon JavaScript's Proxy object, allowing it to efficiently detect changes to data properties. This makes your components highly responsive to state changes.

Specifically, this process enables declarative rendering in Vue.js, meaning that the framework will automatically update the UI whenever the underlying data changes.

<template>
  <div>
    <h1>{{ message }}</h1>
    <input v-model="message">
  </div>
</template>

<script>
export default {
  data() {
    return {
      message: 'Hello, Vue students!'
    };
  }
};
</script>

In the example, we can see that the component has a message property in its data, displayed in the template as a heading. Now, the v-model directive on the input element binds the value of the input to the message property, so whenever the value of the input changes, the message property will be updated and the heading will be automatically re-rendered.

Vue's reactivity isn't just surface-level; it's deeply integrated into the framework. This means that even nested objects and arrays within your data are reactive, allowing for nuanced state management within your components. However, it's important to note that if you need to add new properties after the component is created, they won't be reactive unless declared in the component's data function.

Vue also provides lifecycle hooks like mounted, which can be useful for interacting with reactive data after the component has been added to the DOM. For instance, you could fetch data from an API in the mounted hook and expect the component to react to any changes in that data automatically.

Understanding Vue Components

Vue.js features a component-based architecture, similar to other modern front-end frameworks. A component in Vue is essentially a Vue instance configured with a specific set of options. This configuration can include options like data, which holds the component's state, computed properties that calculate values based on the state, methods that perform actions, and lifecycle hooks that allow you to run code at various stages of the component's life.

Props - The Data Bridge Between Components

Props (short for "properties") serve as the mechanism for passing data from a parent component to a child component. Once a prop is passed, the child component can utilize the received data within its template as well as its logic.

Creating a Basic Reusable Component

To follow this example, open the Vue SFC Playground. In the App.vue file paste the following code:

<template>
  <div>
    <MyComponent title="Hello" message="Welcome to Vue.js"></MyComponent>
    <MyComponent title="Hi Again" message="Still Happy to see you!"></MyComponent>
  </div>
</template>

<script>
import MyComponent from "./my-component.vue";

export default {
  components: {
    MyComponent
  }
};
</script>

Next, create another .vue file named my-component.vue and paste the following code:

<template>
  <div>
    <h1 :style="{ color: currentColor }">{{ title }}</h1>
    <p>{{ message }}</p>
    <button @click="toggleColor">Toggle Color</button>
  </div>
</template>

<script>
export default {
  props: ['title', 'message'],
  data() {
    return {
      currentColor: 'blue'
    };
  },
  methods: {
    toggleColor() {
      this.currentColor = this.currentColor === 'blue' ? 'red' : 'blue';
    }
  }
};
</script>

In this my-component.vue file, the props option declares that the component expects to receive title and message from its parent. These props can differ each time you reuse the component.

  • The data function sets the initial currentColor to 'blue'.

  • The methods section contains a toggleColor function. When the button is clicked, this function is invoked, toggling currentColor between 'blue' and 'red'. The color of the <h1> element changes in real-time, demonstrating Vue's reactivity features.

  • In the template, the :style directive sets the color of the <h1> element based on currentColor. The @click directive specifies that toggleColor will be invoked when the button is clicked.

By taking these steps, you've created a reusable MyComponent and integrated it into App.vue. Each instance of MyComponent uses different title and message props, showcasing the component's reusability.

Earlier, we discussed Vue's dynamic data-binding capabilities. In this example, we leveraged those capabilities to great effect. The toggleColor method, activated by a button click, changes the currentColor state. Vue's two-way data binding automatically updates the template to reflect this change.

Final Thoughts

Vue was created to make web development more accessible to a wider range of developers. It is designed to be incrementally adoptable, meaning that you can integrate it into an existing project and gradually build up your understanding of the framework as you go along. Additionally, it's flexible enough to use for a variety of projects, from simple single-page applications to complex, feature-rich web apps.

At the same time, the framework offers a powerful set of features and tools for more experienced developers. This includes advanced features like state management with Vuex or Pinia, server-side rendering with Nuxt.js, and a vast library of plugins and components.

Our introduction is just a glimpse into the full-fledged capabilities. The official documentation in the Additional Resources section provides extensive coverage of the framework's many nuances and features. You're encouraged to explore it at your own pace.

Additional Resources

The Official Vue.js Documentation

Introduction to ES6 Javascript

Introduction to HTML

Introduction to CSS