1

我正在尝试创建以下功能

1个问题数组作为道具在vue链接中传递,就像这样

<router-link
          :to="{
            name: 'finder_step',
            params: {
              id: 2,
              questions: [
                {
                  id: 'q1',
                  body: 'one'
                },
                {
                  id: 'q2',
                  body: 'two'
                }
              ]
            }
          }"
        >
          Step 2
</router-link>

其中 questions 道具是一个带有 id 和正文的对象数组。但是,我坚持的问题是我的输出变成了 [ "[object Object]", "[object Object]" ]

我的理解是我的对象在某个时候被转换为字符串。我不明白为什么,以及我需要使用的正确语法是什么。

这是我在 vue 文件中循环我的数组的方法。

<template>
  <div>
    <p>ID: {{ id }}</p>
    <p>Question: {{ questions }}</p>
    <li
      v-for="question in questions"
      :key="question.id"
    >
      {{ question.body }}
    </li>
  </div>
</template>
<script>
export default {
  props: {
    id: { type: String, default: '' },
    questions: {
      type: Array,
      id: String,
      body: String
    }
  }
}
</script>
4

1 回答 1

0

路由参数旨在作为动态路径参数的路由 URL 中的字符串,因此 Vue Router 会自动对它们进行编码

一种解决方法是JSON.stringify在任何不是字符串/数字的参数上使用(即,questions在这种情况下):

<router-link
    :to="{
      name: 'finder_step',
      params: {
        id: 2,              
        questions: JSON.stringify([
          {
            id: 'q1',
            body: 'one'
          },
          {
            id: 'q2',
            body: 'two'
          }
        ])
      }
    }"
  >
    Step 2
</router-link>

然后JSON.parse将组件中的道具作为计算属性

export default {
  props: {
    questions: Array
  },
  computed: {
    computedQuestions() {
      if (typeof this.questions === 'string') {
        return JSON.parse(this.questions)
      } else {
        return this.questions
      }
    }
  }
}

并在模板中使用计算的道具:

<ul>
  <li
    v-for="question in computedQuestions"
    :key="question.id"
  >
    {{ question.body }}
  </li>
</ul>

演示

于 2021-07-23T04:56:29.240 回答