Search code examples
typescriptvue.jsrefvue-composition-api

Vue Composition API - getting a ref using TypeScript


Vetur is underlining null on this line below:

const firstRef = ref<HTMLElement>(null)
No overload matches this call.
 Overload 1 of 3, '(raw: HTMLElement): Ref', gave the following error.
  Argument of type 'null' is not assignable to parameter of type 'HTMLElement'.
 Overload 2 of 3, '(raw: HTMLElement): Ref', gave the following error.
  Argument of type 'null' is not assignable to parameter of type 'HTMLElement'.Vetur(2769)

Here's a condensed context. Any ideas what I did wrong?

<template>
  <input id="first" ref="firstRef">
  <button type="button" @click.prevent="focusFirst">Focus</button>
</template>

<script lang="ts">
import { defineComponent, ref } from "@vue/composition-api"
export default defineComponent({
  name: "Test",
  setup() {
    const firstRef = ref<HTMLElement>(null)
    const focusFirst = () => {
      const theField = firstRef.value
      theField.focus()
    }

    return { focusFirst }
  }
</script>

Solution

  • As given back by Vetur, you cannot convert a null type to an HTMLELement type. A possible way to fix this would be to write:

    const firstRef = ref<HTMLElement | null>(null)
    

    However, keep in mind that you'll have to check if firstRef is of type null every time you want to use it. You could do something like this as well:

    if (firstRef.value) {
      // do stuff with firstRef
      // typescript knows that it must be of type HTMLElement here.
    }