Vue 3 Composition API data() function

65.2k views Asked by At

Reading the composition api documentation for Vue 3, I didn't quite understand how the new Composition API works. Could you please explain where the data() function has gone? And if it is no longer used what to use instead?

Updated 23.10.2021: The documentation in the link has been updated and expanded to include a mention of the data() in the Composition API introduction, so this question is now deprecated.

2

There are 2 answers

1
Robert Nubel On BEST ANSWER

Under the new Composition API, all of the variables that you previously defined in data() are just returned from your setup() function as normal variables with reactive values. For example, a Vue 2.0 component that had a data function like so:

data() {
  return {
    foo: 1,
    bar: { name: "hi" }
  }
}

becomes this setup() function in Vue 3:

setup() {
  const foo = ref(1);
  const bar = reactive({ name: "hi" });

  return { foo, bar }
}

The ref helper wraps a non-object value for reactivity, and reactive wraps an object. This is exposing the underlying principles of Vue more clearly than the old way, where the wrapping happened "magically" behind the scenes, but will behave the same otherwise. What I like about it personally is that your setup() function can build up your object on the go while keeping related things together, allowing it to tell a cohesive story and not require jumping around to different sections.

0
Boussadjra Brahim On

The composition is the new feature comes with Vue 3 and as a plugin for Vue 2, it doesn't replace the old option api but they could be used together in the same component.

The composition api compared to option api :

  1. Gather the logic functionalities into reusable pieces of logic.
  2. Use one option which the setup function which is executed before the component is created, once the props are resolved, and serves as the entry point for composition API's.
  3. Define your old data option as ref or reactive properties
  4. computed and watch is defined as : watch(...,()=>{...}) or computed(()=>{...})
  5. Methods defined as plain javascript functions.
  6. setup option used instead of created hook and it has as parameters the props and context
  7. Hooks like mounted could be used as onMounted(()=>{...}), learn more

With script setup syntax you could declare your reactive data using ref, reactive and computed ...

<script setup >
import { ref, reactive, computed } from 'vue'

const isActive = ref(false)
const user = reactive({ firstName: 'John', lastName: 'Doe', age: 25 })

const fullName = computed(() => user.firstName + ' ' + user.lastName)

</script>