1

我使用此处的示例项目来设置带有热模块替换的 webpack 项目。然后我设置了一个示例主干应用程序。

// main.js
import $ from 'jquery';
import Backbone from 'backbone';

import Router from './router';

window.app = window.app || {};

const app = new Backbone.Marionette.Application();
app.addRegions({content: '#content'});

app.on('start', () => {
    if (Backbone.history)
      Backbone.history.start({ pushState: true })
}

);

app.addInitializer(() => {
  return new Router();
});


$( () => { app.start() });

// HMR
if (module.hot) {
    module.hot.accept();
}

[HMR] connected根据调试输出,我可以看到 HRM 正在正常加载。当文件更改时,我可以根据以下输出看到它正在重建并将更新推送到客户端:

[HMR] Updated modules:
process-update.js?e13e:77 [HMR]  - ./app/backbone/views/template.hbs
process-update.js?e13e:77 [HMR]  - ./app/backbone/views/hello.js
process-update.js?e13e:77 [HMR]  - ./app/backbone/router.js

但是屏幕不会重新加载。什么都没发生。

知道如何让它工作吗?或者 HMR 应该只与 React 一起工作?

4

1 回答 1

5

这有点棘手,但你可以让它与骨干一起工作。一篇博文在 这里解释得很好。(免责声明,我写的)

简而言之,您需要明确告诉您的父视图您可以接受热重载,然后您重新require加载新的热重载视图,关闭现有子视图并重新渲染它。下面的示例使用 & 符号,但相同的基本原理适用于 Marionette 或 vanilla Backbone

/* parent.view.js */
var ChildView = require('./child.view.js');
var ParentView = AmpersandView.extend({
    template : require('path/to/template.hbs')

    initialize: function(){
        var self = this;
        if(module.hot){
            module.hot.accept('./child.view.js', function(){
                // re-require your child view, this will give you the new hot-reloaded child view
                var NewChildView = require('./child.view.js');
                // Remove the old view.  In ampersand you just call 'remove'
                self.renderChildView(NewChildView);
            });
        }
    },

    renderChildView(View){
        if(this.child){
            this.child.remove();
        }
        // use passed in view
        var childView = new View({
            model: this.model
        });
        this.child = this.renderSubview(childView, this.query('.container'));
    } 

    render: function(){
        this.renderWithTemplate(this);
        renderChildView(ChildView);
        return this;
    }
});

```

于 2016-09-07T11:42:32.087 回答