How to pass custom class instances through Web-Workers?

狂风中的少年 提交于 2019-12-07 03:04:11

问题


Since Web-Worker JSON serialize data between threads, something like this doesn't work:

worker.js

function Animal() {}
Animal.prototype.foobar = function() {}

self.onmessage = function(e) {
  self.postMessage({animal: new Animal()})  
}

main.js

let worker = new Worker('worker.js')

worker.onmessage = function(e) {
    console.log(e.data)
}

worker.postMessage('go!')

The outcome would be a simple object with the loss of the foobar prototype method.

Is it possible to transfer the custom object back to the main thread without losing its prototype methods? Like, would this be possible with ArrayBuffer? I'm not familiar with that stuff, so I'm a bit lost.


回答1:


  1. Assuming you program both the client and the webservice you can define the Animal function in boths sides
  2. Then you can add to Animal.prototype (in both sides) toJson method to pass the info you need to recreate the object (and may be choose some attribute to define the className)
  3. You define a reviver that use the reverse process
  4. Then when you post you must always JSON.stringify(e)
  5. In the onmessage you JSON.parse(m,reviver)

    function Animal(name, age){
       var private_name = name;
       this.public_age = age;
       this.log = function(){
         console.log('Animal', private_name, this.public_age);
       }
       this.toJson = function(){
         return JSON.stringify({
           __type__:'Animal',  // name of class
           __args__:[this.public_age, private_name] // same args that construct
         });
       }        
    }
    
    Animal.prototype.age = function(){
       return this.public_age;
    }
    
    var a = new Animal('boby', 6);
    
    worker.postMessage(JSON.stringify(a));
    
    function reviver(o){
      if(o.__type__){
        var constructor=reviver.register[o.__type__];
        if(!constructor) throw Error('__type__ not recognized');
        var newObject = {};
        return constructor.apply(newObject, o.__args__);
      }
      return o;
    }
    
    reviver.register={}; // you can register any classes
    
    reviver.register['Animal'] = Animal;
    
    worker.onmessage = function(m){
      var a = JSON.parse(e, reviver);
    }
    


来源:https://stackoverflow.com/questions/31953296/how-to-pass-custom-class-instances-through-web-workers

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!