In this Vue.js tutorial, we will see how reactivity works through the ref
and reactive
functions.
Reactivity is a programming paradigm that allows changes in data to automatically reflect in the user interface, creating a connection between the data and the UI.
For example, if you have a counter in your application and you increase its value, Vue takes care of updating the number displayed on the screen without the need to manually manipulate the DOM.
That is, when you modify a reactive property, Vue will automatically detect that change and update any part of the interface that depends on that property.
Reactivity is one of the fundamental pillars of any modern framework. In Vue 3, it is mainly handled through two functions ref
and reactive
.
- For simple values → Use
ref
- For complex objects → Use
reactive
Both allow you to create reactive data, but they are used in different contexts. Let’s look at them in detail, and when to use each one.
Reactivity of primitive values with ref
The ref()
function allows us to create reactive references to primitive values such as strings, numbers, or booleans (it can also contain objects, although we will see that reactive()
is often more suitable for complex structures)
The basic syntax of ref
is as follows:
import { ref } from 'vue';
const count = ref(0); // Create a reactive reference with initial value 0
When we create a variable with ref()
, Vue wraps the value in an object with a single property .value
.
To access or modify this value, we must use this property:
// Access the value
console.log(count.value) // 0
// Modify the value
count.value++
console.log(count.value) // 1
However, in Vue templates, you do not need to use .value
, as Vue handles it automatically for us:
<template>
<p>The counter is: {{ count }}</p>
<button @click="count++">Increment</button>
</template>
Expand to see a complete example 👇
<template>
<div>
<p>Counter: {{ count }}</p>
<button @click="increment">Increment</button>
</div>
</template>
<script setup>
import { ref } from 'vue';
const count = ref(0);
function increment() {
count.value++;
}
</script>
In this example, every time the button is clicked, the value of count
is incremented, and the interface updates automatically.
It is common to forget to use .value when starting with Vue 3.
Reactivity for objects and arrays with reactive
The reactive()
function allows us to create complete reactive objects, where all their properties are automatically reactive. It is designed to handle objects and arrays.
The basic syntax of reactive
is as follows:
import { reactive } from 'vue';
const state = reactive({
counter: 0,
message: 'Hello, LuisLlamas.es!'
});
With reactive
, we can access and modify the properties of the object directly, without needing to use .value
:
console.log(state.counter); // Access the value (0)
state.counter++; // Increment the value
console.log(state.counter); // Now it is 1
Expand to see a complete example 👇
<template>
<div>
<input v-model="form.name" placeholder="Name" />
<input v-model="form.age" placeholder="Age" type="number" />
<p>Name: {{ form.name }}</p>
<p>Age: {{ form.age }}</p>
</div>
</template>
<script setup>
import { reactive } from 'vue';
const form = reactive({
name: '',
age: null
});
</script>
In this example, the form
object is reactive. When the user enters data in the input fields, the changes automatically reflect in the interface.
🆚 Comparison: ref() vs reactive()
To better illustrate the differences, let’s directly compare both APIs:
Feature | ref | reactive |
---|---|---|
Data type | Handles primitive values and objects | Only objects |
Access to values | Requires .value | Direct access to properties |
Destructuring | ✅ Maintains reactivity (with toRefs ) | ❌ Loses reactivity |
Use in simple values | Ideal for primitive values (numbers, strings, booleans) | Not ideal for simple values |
Use in objects | Can wrap objects, but must access via .value | Designed for complex objects and arrays |
Deep reactivity | Not deep by default for objects (only the reference is reactive) | ✅ Deep reactivity by default (detects internal changes) |
So, let’s summarize when to use one or the other.
- ✔️ We are working with primitive values (strings, numbers, booleans)
- ✔️ We need to pass reactivity to functions or components
- ✔️ We want to destructure values while maintaining reactivity
- ✔️ We have a single value that will change over time
const name = ref('Ana')
const counter = ref(0)
const active = ref(true)
- ✔️ We are working with complex data structures
- ✔️ We have multiple related properties
- ✔️ We do not need to destructure the object
- ✔️ We want a cleaner syntax without
.value
const user = reactive({
name: 'Ana',
age: 28,
address: {
street: 'Main',
city: 'Barcelona'
},
preferences: ['music', 'movies']
})
Deep reactivity
With deep reactivity or nested reactive, we refer to whether the internal properties will also be reactive (for example, obj.name, obj.details)
Feature | ref | reactive |
---|---|---|
Nested reactive | ❌ No | ✅ Yes |
Let’s see it with examples,
<script setup>
import { ref } from 'vue'
const obj = ref({
name: 'Vue',
details: {
version: 3
}
})
function changeName() {
obj.value.name = 'Vue.js' // ✅ Reactive
}
function changeVersion() {
obj.value.details.version = 4 // ❌ NOT reactive (does not detect the change)
}
</script>
<template>
<div>
<p>{{ obj.name }}</p>
<button @click="changeName">Change Name</button>
<p>{{ obj.details.version }}</p>
<button @click="changeVersion">Change Version</button>
</div>
</template>
Here, Vue only detects changes to the value
reference, but does not track nested properties within details
.
If you want the internal properties to also be reactive, you can use reactive
or shallowRef
.
<script setup>
import { reactive } from 'vue'
const obj = reactive({
name: 'Vue',
details: {
version: 3
}
})
function changeName() {
obj.name = 'Vue.js' // ✅ Reactive
}
function changeVersion() {
obj.details.version = 4 // ✅ Also reactive (nested reactive!)
}
</script>
<template>
<div>
<p>{{ obj.name }}</p>
<button @click="changeName">Change Name</button>
<p>{{ obj.details.version }}</p>
<button @click="changeVersion">Change Version</button>
</div>
</template>
Converting between ref() and reactive()
It is not too common, but sometimes it may be necessary to convert between different types of reactivity. For that, Vue.js provides us with these mechanisms:
The toRefs()
function converts a reactive object into a plain object where each property is an individual reference:
import { reactive, toRefs } from 'vue'
const state = reactive({
name: 'Ana',
age: 28
})
// Convert to individual refs
const { name, age } = toRefs(state)
// Now we can use name.value and maintain reactivity
name.value = 'Carlos' // Also updates state.name
This is extremely useful when we need to destructure properties but want to maintain the reactive connection to the original object.
Similar to toRefs()
, but for a single property:
import { reactive, toRef } from 'vue'
const state = reactive({ counter: 0 })
const counterRef = toRef(state, 'counter')
counterRef.value++ // Also increments state.counter
We can rebuild reactive objects from individual refs:
import { ref, reactive } from 'vue'
const name = ref('Ana')
const age = ref(28)
// Create a reactive object with refs
const user = reactive({
name,
age
})
name.value = 'Carlos' // Also updates user.name
user.age = 29 // Also updates age.value
The tracking process Advanced
In case at some point you are interested in delving a bit into understanding how reactivity works and the “magic” that Vue.js does, let’s briefly see how it works internally.
Vue 3 implements a reactivity system based on JavaScript Proxies, which was a significant improvement over the system based on Object.defineProperty()
from Vue 2.
Basically,
- When using reactive variables, Vue creates a Proxy around the original object
- During rendering or effect execution, Vue tracks which properties are accessed
- When a property changes, Vue notifies all effects that depend on that property
That is, if we were to visualize the process (very simplified), it would look something like this.
// This is a conceptual simplification, not actual Vue code
function createReactive(obj) {
return new Proxy(obj, {
get(target, key) {
// Register that someone is accessing this property
track(target, key)
return target[key]
},
set(target, key, value) {
const oldValue = target[key]
target[key] = value
// Notify effects if the value changed
if (oldValue !== value) {
trigger(target, key)
}
return true
}
})
}
Vue.js performs these actions, along with tracking the dependencies of each object (tracking) and a view update mechanism (trigger), to make everything convenient for us to use.
In more technical terms, we can define reactivity as a system that allows us to track dependencies between variables and execute side effects when these variables change.
On the other hand, the requirement for .value
is due to JavaScript’s limitations regarding the reactivity of primitive values. Unlike objects, primitive values are passed by value and not by reference, meaning Vue could not directly track their changes.
For this reason, ref
is a wrapper for a primitive value, which allows wrapping the variable in an object, enabling Vue.js’s reactivity system to do its job.