Vue is a progressive framework for building user interfaces. The core library is focused on the view layer only and is easy to pick up and integrate with other libraries. Vue is also perfectly capable of powering sophisticated Single-Page Applications in combination with modern tooling and supporting libraries.
Filters are a functionality provided by Vue components that let you apply formatting and transformations to any part of your template dynamic data. The filter property of the component is an object. A single filter is a function that accepts a value and returns another value. The returned value is the one that’s actually printed in the Vue.js template.Â
For pluralizing data according to its count, we have to write the filter logic to show data in singular and plural forms. We simply check if the given count is equal to 1 and depending on the result decide to display the singular or plural forms.
Example:
index.html
| <html> <head>   <scriptsrc=   </script> </head> <body>   <h1style="color: green;">neveropen</h1>   <divid='parent'>     <p><strong>No. of item: </strong>        {{ c1 | pluralize('Book','Books') }}     </p>  Â    <p><strong>No. of item: </strong>        {{ c2 | pluralize('Chair','Chairs') }}     </p>  Â    <p><strong>No. of item: </strong>       {{ c3 | pluralize('Potato Fry','Potato Fries') }}     </p>  Â    <p><strong>No. of item: </strong>       {{ c4 | pluralize('Ice Cream','Ice Creams') }}     </p>  Â    <p><strong>No. of item: </strong>       {{ c5 | pluralize('Mobile','Mobiles') }}     </p>  Â  </div>   <scriptsrc='app.js'></script> </body> </html> | 
app.js
| const parent = newVue({   el: "#parent",   data: {     c1: 1,     c2: 5,     c3: 100,     c4: 10,     c5: -9,   },  Â  filters: {     pluralize: function(count, sing, plur) {  Â      // Decide to pluralize based       // on the count       if(count == 1) {         returncount + ` ${sing}`;       } elseif(count > 1) {         returncount + ` ${plur}`;       } else{         return"Please pass valid count of data";       }     },   }, });  | 
Output:


 
                                    








