Vue 3 is the latest version of the easy to use Vue JavaScript framework that lets us create front end apps.
In this article, we’ll look at how to create a random text generator with Vue 3 and JavaScript.
Create the Project
We can create the Vue project with Vue CLI.
To install it, we run:
npm install -g @vue/cli
with NPM or:
yarn global add @vue/cli
with Yarn.
Then we run:
vue create quote-text-generator
and select all the default options to create the project.
Create the Quote Text Generator
Now that we have the project created, we can go into the App.vue
file and write:
<template>
<div>
<button @click="generate">generate</button>
<p>{{ quote.quote }}</p>
<p>{{ quote.cite }}</p>
</div>
</template>
<script>
const quotes = [
{
quote:
"One of my most productive days was throwing away 1,000 lines of code.",
cite: "Ken Thompson",
},
{
quote:
"I have always wished for my computer to be as easy to use as my telephone; my wish has come true because I can no longer figure out how to use my telephone.",
cite: "Bjarne Stroustrup",
},
{
quote: "When in doubt, use brute force.",
cite: "Ken Thompson",
},
{
quote: "Talk is cheap. Show me the code.",
cite: "Linus Torvalds",
},
{
quote:
"Always code as if the guy who ends up maintaining your code will be a violent psychopath who knows where you live.",
cite: "Martin Golding",
},
{
quote:
"Most good programmers do programming not because they expect to get paid or get adulation by the public, but because it is fun to program.",
cite: "Linus Torvalds",
},
{
quote:
"Most software today is very much like an Egyptian pyramid with millions of bricks piled on top of each other, with no structural integrity, but just done by brute force and thousands of slaves.",
cite: "Alan Kay",
},
{
quote:
"Most of you are familiar with the virtues of a programmer. There are three, of course: laziness, impatience, and hubris",
cite: "Larry Wall",
},
{
quote:
"First learn computer science and all the theory. Next develop a programming style. Then forget all that and just hack.",
cite: "George Carrette",
},
];
export default {
name: "App",
data() {
return { quote: {} };
},
methods: {
generate() {
const index = Math.floor(Math.random() * quotes.length);
this.quote = quotes[index];
},
},
};
</script>
We have the generate button in the template to get the quotes from the quotes
array.
Then we display the quote
and cite
properties from the selected entry.
In the template, we have the generate
method to select the quote.
We do this by calling Math.floor
to round down to the nearest integer.
We get a random number between 0 and quotes.length
by writing Math.random() * quotes.length
.
Then quotes[index]
gets the choice and we assign that to this.quote
so we can display the choice.
We also have to define this.quote
in the data
function by returning an object with the quote
property.
Conclusion
We can create a random quote text generate easily with Vue 3.