javascriptvue.jsvuejs3vue-composition-apivue-script-setup

How to define `name` and `inheritAttrs` in `<script setup>`?


Options API:

<script>
  import { defineComponent } from 'vue'

  export default defineComponent({
    name: 'CustomName', // 👈
    inheritAttrs: false, // 👈
    setup() {
      return {}
    },
  })
</script>

How to do that in <script setup>, is there an equivalent for name and inheritAttrs like defineProps and defineEmits?

<script setup>
  // 👉 how to define them here?
</script>

Solution

  • With Vue ^3.3, you can now use defineOptions() directly:

    <script setup>
      defineOptions({
        name: 'CustomName',
        inheritAttrs: false,
        customOptions: {},
      })
    </script>
    

    The <script setup> syntax provides the ability to express equivalent functionality of most existing Options API options except for a few:

    If you need to declare these options, there're two ways:

    1. If using Vue Macros, you can use defineOptions(), this might be the most succinct approach:
    <script setup>
      defineOptions({
        name: 'CustomName',
        inheritAttrs: false,
        customOptions: {},
      })
    </script>
    
    1. If you don't want to rely on external libraries, you can use a separate normal <script> block with export default:
    <script>
      export default {
        name: 'CustomName',
        inheritAttrs: false,
        customOptions: {},
      }
    </script>
    
    <script setup>
      // script setup logic
    </script>
    

    Compiled output:

    <script>
      export default {
        name: 'CustomName',
        inheritAttrs: false,
        customOptions: {},
        setup() {
          // script setup logic
        },
      }
    </script>