Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Why is mixing Razor Pages and VueJs a bad thing?

I'm trying to set up a .NET core project using Razor Pages and include vueJs inside the razor page for all my logic.

Something like this:

@{     ViewData["Title"] = "VueJs With Razor"; } <h2>@ViewData["Title"].</h2>  <div id="app">    <span>{{ message }}</span> </div>  <script>      new Vue({         el: '#app',         data: {           message : 'Hello vue.js'         }     }) </script> 

I have read that mixing Vue and Razor pages is a bad practice, and one should use Razor OR Vue.

Why is this?

like image 303
Joel Pinto Ribeiro Avatar asked Feb 09 '18 12:02

Joel Pinto Ribeiro


People also ask

What is the advantage of razor pages?

Advantages of Razor Pages:Flexibility to fit any application you want to build. It has specific codes behind individual pages and is more organized. Build web apps in less time just like you did in ASP.NET Webforms. It offers complete control over HTML and URLs both.

Are razor pages Mvvm?

Razor Pages is sometimes described as implementing the MVVM (Model, View ViewModel) pattern. It doesn't. The MVVM pattern is applied to applications where the presentation and model share the same layer. It is popular in WPF, mobile application development, and some JavaScript libraries.


1 Answers

Mixing VueJs and Razor Pages is not necessarily a bad thing, it can be great!

I use Vue with razor for non SPA pages and the two work well together. I choose to use Vue by loading it via a script tag from a CDN and and I do not leverage the use of WebPack for transpiling, I simply write my code in (gasp) ES5. I chose this approach for the following reasons.

  • Using Razor pages rather than a SPA aids in SEO and search engine ranking of public facing pages.
  • Loading Vue directly from a CDN eliminates a whole stack of Webpack centric technology from the learning curve which makes it much easier for new devs to get up to speed on the system.
  • The approach still provides the reactive goodness to UI development that Vue inherently brings to the table.
  • By keeping with the “page model” the code that delivers site functionality is logically grouped around the backend page that delivers that functionality.

Since Vue and Razor can do many of the same things, my goal for public facing pages is to use Razor to generate as close to the final html as possible, and to use Vue to add the reactiveness to the page. This delivers great SEO benefits for crawlers that index the page by parsing the HTML returned.

I realize the my usage of Vue is quite different than going the route of a SPA and WebPack and the approach often means I can't use 3rd party Vue Components without reworking the code a bit. But the approach simplifies the software architecture and delivers a lightweight reactive UI.

By using this approach Razor can be heavily leveraged to generate the initial rendering of the HTML with some tags containing vue attributes. Then after the page loads in the browser, Vue takes over and can reconfigure that page any way desired.

Obviously, this approach will not fit the needs of all developers or projects but for some use cases it's quite a nice setup.

A few more details for those interested

Since I use vue sitewide, my global _layout.aspx file is responsible for instantiating vue. Any sitewide functionality implemented in vue is implemented at this level. Many pages have page specific vue functionality, this is implemented as a mixin on that page or a mixin in a js file loaded by that page. When the _layout.aspx page instantiates Vue it does so with all the mixins that I have registered to a global mixin array. (The page pushed it's mixin on that global mixin array)

I don’t use .vue files. Any needed components are implemented either directly on the page or if they need to be used by multiple pages then they are implemented in a partial view like the one below.:

dlogViewComponent.cshtml :

    @* dlog vue component template*@     <script type="text/x-template" id="dlogTemplate">         <div class="dlog" v-show="dlog.visible" v-on:click="dlog.closeBoxVisible ? close() : ''">             <div class="dlogCell">                 <div class="dlogFrame" @@click.stop="" style="max-width:400px">                     <i class="icon icon-close-thin-custom dlogCloseIcon" v-if="dlog.closeBoxVisible" @@click="close()"></i>                     <div class="dlogCloseIconSpace" v-if="dlog.closeBoxVisible"></div>                     <div class="dlogInner">                         <div class="dlogTitle" style="float:left" v-text="title"></div>                         <div class="clear"></div>                         <div class="dlogContent">                             <slot></slot>                         </div>                     </div>                 </div>             </div>         </div>     </script>      @* Vue dlog component *@     <script type="text/javascript">             Vue.component('dlog', {                 template: '#dlogTemplate',                 props: {    //don't mutate these!                     closeBoxVisible: true,                     title: 'One'                 },                 data: function () {                     return {                         dlog: { //nest the data props below dlog so I can use same names as cooresponding prop                             closeBoxVisible: (typeof this.closeBoxVisible === 'undefined') ? true : (this.closeBoxVisible == 'true'),                             title: (typeof this.title === 'undefined') ? '' : this.title,                             visible: false                         }                     }                 },                 methods: {                     //opens the dialog                     open: function () {                         app.hideBusy();        //just in case, no harm if not busy                         this.dlog.visible = true;                         var identifyingClass = this.getIdentifyingClass();                         Vue.nextTick(function () {                             $("." + identifyingClass).addClass("animateIn");                             fx.manageDlogOnly();                         });                     },                     //closes the dialog                     close: function () {                         fx.prepDlogClose();                         var identifyingClass = this.getIdentifyingClass();                         this.dlog.visible = false;                         $("." + identifyingClass).removeClass("animateIn");                     },                     getIdentifyingClass: function () {                         if (this.$el.classList.length > 1) {                             //the last class is always our identifying css class.                             return this.$el.classList[this.$el.classList.length - 1];                         } else {                             throw "A dialog must have an identifying class assigned to it.";                         }                     }                  }             });     </script> 

In the above, it's the Vue.component('dlog', ... part of the js that installs the component and makes it available to the page.

The vue code on the _layout.cshtml page looks something like the code below. By instantiating Vue on the _layout.cshtml which is used by the whole site, Vue is only instantiated in a single place sitewide:

_layout.cshtml :

 <script type="text/javascript">     var app = new Vue({         el: '#appTemplate',         mixins: mixinArray,                     //The page adds it's mixin to mixinArray before this part of the layout executes.          data: {             errorMsg: ''                        //used sitewide for error messages             //other data used sitewide         },          methods: {             //methods that need to be available in vue sitewide, examples below:             showBusy: function (html) {                 //functionality to show the user that the site is busy with an ajax request.             },             hideBusy: function () {                 //functionality to hide the busy spinner and messaging             }         },         created: function () {              //this method is particularly useful for initializing data.         }     });  </script> 

What I have provided here paints a pretty clear picture of this non-traditional approach and it's benefits. However, since several people asked, I also wrote a related blog post: Using VueJs with ASP.NET Razor Can Be Great!

like image 63
RonC Avatar answered Sep 24 '22 21:09

RonC