I am trying to write unittests for a loopback model using jasmine. My model has the usual CRUD endpoints but I have defined a custom '/products/:id/upload' endpoint which expects a form with files.
My model looks like
'use strict';
var loopback = require('loopback');
var ProductSchema = {
    location: {
        type: String, 
        required: true
    },
    version: {
        type: String,
        required: true
    },
    id: { type: Number, id: 1, generated: true }
};
var opts = {
    strict: true
};
var dataSource = loopback.createDataSource({
    connector: loopback.Memory
});
var Product = dataSource.createModel('Product', ProductSchema, opts);
Product.beforeRemote('upload', function(ctx){
    var uploader = function(req, res){
        // parse a multipart form
        res({
            result:'success'
        });
    };
    function createProduct(uploaderResult){
        // create a product out of the uploaded file
        ctx.res.send({
            result: uploaderResult.result
        });
    }
    uploader.upload(ctx.req, createProduct);
});
Product.upload = function () {
    // empty function - all the logic takes place inside before remote
};
loopback.remoteMethod(
    Product.upload,
    {
        accepts : [{arg: 'uploadedFiles', http: function(ctx){
                        return function() {
                            return { files : ctx.req.body.uploadedFiles, context : ctx };
                        };
                    }},
                   {arg: 'id', type: 'string'}],
        returns : {arg: 'upload_result', type: String},
        http: {path:'/:id/upload', verb: 'post'}
    }
);
module.exports = Product;
My end goal is to test the logic of the "createProduct". My test looks like
'use strict';
describe('Product Model', function(){
    var app = require('../../app');
    var loopback = require('loopback');
    var ProductModel;
    beforeEach(function(){
        app = loopback();
        app.boot(__dirname+'/../../'); // contains a 'models' folder
        ProductModel = loopback.getModel('Product');
        var dataSource = loopback.createDataSource({
            connector: loopback.Memory
        });
        ProductModel.attachTo(dataSource);
    });
    it('should load file ', function(){
        console.log(ProductModel.beforeRemote.toString());
        console.log(ProductModel);
        ProductModel.upload();
    });
});
By calling ProductModel.upload(); I was hoping to trigger the before remote hook which would exercise the the createProduct. I could test "createProduct" in isolation but then I would omit the fact that createProduct ends up being called as a result of upload.
To be perfectly clear, the core question is: How do I exercise remote method hooks inside unittests ?
