Meteor 0.9.1.1 - 从json端点填充到服务器端集合

时间:2014-09-14 21:50:37

标签: javascript node.js meteor fibers

我正在编写一个包作为我正在处理的小应用程序的一部分,我需要做的一件事是从端点获取json数据并将其填充到服务器端集合。

我一直收到错误消息,告诉我需要将服务器端集合更新功能放入Fiber,或Meteor.bindEnvironment或Meteor._callAsync。

我感到很困惑,因为没有明确而简洁的解释告诉我这些确实是什么,它们是什么,是否以及何时被弃用或者它们的使用是否是良好的做法。

以下是我的包文件中重要的内容

api.addFiles([
    '_src/collections.js'
], 'server');

一些伪代码:

1)设置Mongo.Collection项目列表

2)使用我编写的名为httpFetch()的函数填充这些函数,并为每个集合运行此函数,如果获取成功则返回已解析的promise。

3)在下划线each()循环中调用此httpFetch函数,遍历我拥有的每个集合,获取json数据,并尝试将其插入到服务器端Mongo DB。

Collections.js看起来像下面的内容。将插入功能包装在光纤中似乎会抑制错误消息,但没有数据插入到数据库中。

/**

*服务器端组件向远程发出请求  *端点填充服务器端Mongo集合。  *  * @class服务器  * @静态的  * / 服务器= {

Fiber: Npm.require('fibers'),

/**
 *  Collections to be populated with content
 *  
 *  @property Collections
 *  @type {Object}
 */
Collections: {
    staticContent:  new Mongo.Collection('staticContent'),
    pages:          new Mongo.Collection('pages'),
    projects:       new Mongo.Collection('projects'),
    categories:     new Mongo.Collection('categories'),
    formations:     new Mongo.Collection('formations')  
},

/**
 *  Server side base url for making HTTP calls
 *  
 *  @property baseURL
 *  @type {String}
 */
baseURL: 'http://localhost:3000',

/**
 *  Function to update all server side collections
 *
 *  @method updateCollections()
 *  @return {Object} - a resolved or rejected promise
 */
updateCollections: function() {

    var deferred = Q.defer(),
        self = this,
        url = '',
        collectionsUpdated = 0;

    _.each(self.Collections, function(collection) {

        // collection.remove();
        url = self.baseURL + '/content/' + collection._name + '.json';

        self.httpFetch(url).then(function(result) {

            jsonData = EJSON.parse(result.data);

            _.each(jsonData.items, function(item) {
                console.log('inserting item with id ', item.id);
                self.Fiber(function() {
                    collection.update({testID: "Some random data"}
                });
            });

            deferred.resolve({
                status: 'ok',
                message: 'Collection updated from url: ' + url
            });

        }).fail(function(error) {
            return deferred.reject({
                status: 'error',
                message: 'Could not update collection: ' + collection._name,
                data: error
            });
        });

    });

    return deferred.promise;
},

/**
 *  Function to load an endpoint from a given url
 *
 *  @method httpFetch()
 *  @param  {String} url
 *  @return {Object} - A resolved promise if the data was
 *                     received or a rejected promise.
 */
httpFetch: function(url) {

    var deferred = Q.defer();

    HTTP.call(
        'GET',
        url,
        function(error, result) {
            if(error) {
                deferred.reject({
                    status: 'error',
                    data: error
                });
            }
            else {
                deferred.resolve({
                    status: 'ok',
                    data: result.content
                }); 
            }
        }
    );
    return deferred.promise;
}

};

我仍然坚持这个问题,而且从我以前读过其他帖子的尝试来看,我似乎仍然无法弄清楚这种工作的“最佳实践”方式,或者让它完全正常工作。

2011/2012年有很多建议,但我不愿意使用它们,因为Meteor不断变化,即使是一个小小的更新也可以打破很多东西。

由于

2 个答案:

答案 0 :(得分:1)

好消息:解决方案实际上比你迄今为止编写的所有代码都简单得多。

从我所掌握的内容中,您编写了一个httpFetch函数,该函数使用了以promises为装饰的HTTP.get异步版本。然后,您尝试在新的Fiber中运行收藏更新,因为调用的异步HTTP.get通过使用promise then继续引入回调。

首先需要做的是使用服务器上提供的SYNCHRONOUS版HTTP.get,这样您就可以编写这种类型的代码:

updateCollections:function(){
  // we are inside a Meteor.method so this code is running inside its own Fiber
  _.each(self.Collections, function(collection) {
    var url=// whatever
    // sync HTTP.get : we get the result right away (from a
    // code writing perspective)
    var result=HTTP.get(url);
    // we got our result and we are still in the method Fiber : we can now
    // safely call collection.update without the need to worry about Fiber stuff
  });

您应该仔细阅读有关HTTP模块的文档:http://docs.meteor.com/#http_call

答案 1 :(得分:0)

我现在有这个工作。看来问题出在我的httpFetch函数返回一个promise,这引起了错误:

"Error: Meteor code must always run within a Fiber. Try wrapping callbacks that you pass to non-Meteor libraries with Meteor.bindEnvironment."

当HTTP.get()调用成功或错误时,我更改了此httpFetch函数以运行回调。

在这个回调中,是解析获取的数据并将其插入到我的集合中的代码,这是现在正在运行的关键部分。

下面是修改后的Collections.js文件,其中包含用于解释所有内容的注释。

Server = {

/**
 *  Collections to be populated with content
 *  
 *  @property Collections
 *  @type {Object}
 */
Collections: {
    staticContent:  new Mongo.Collection('staticContent'),
    pages:          new Mongo.Collection('pages'),
    projects:       new Mongo.Collection('projects'),
    categories:     new Mongo.Collection('categories'),
    formations:     new Mongo.Collection('formations')  
},

/**
 *  Server side base url for making HTTP calls
 *  
 *  @property baseURL
 *  @type {String}
 */
baseURL: 'http://localhost:3000',

/**
 *  Function to update all server side collections
 *
 *  @method updateCollections()
 *  @return {Object} - a resolved or rejected promise
 */
updateCollections: function() {

    var deferred = Q.defer(),
        self = this,
        collectionsUpdated = 0;

    /**
     *  Loop through each collection, fetching its data from the json 
     *  endpoint.
     */
    _.each(self.Collections, function(collection) {

        /**
         *  Clear out old collection data
         */
        collection.remove({});

        /**
         *  URL endpoint containing json data. Note the name of the collection
         *  is also the name of the json file. They need to match.
         */
        var url = self.baseURL + '/content/' + collection._name + '.json';

        /**
         *  Make Meteor HTTP Get using the function below.
         */
        self.httpFetch(url, function(err, res) {

            if(err) {
                /**
                 *  Reject promise if there was an error
                 */
                deferred.reject({
                    status: 'error',
                    message: 'Error fetching content for url ' + url,
                    data: err
                });
            }
            else {
                /**
                 *  Populate fetched data from json endpoint
                 */
                var jsonData = res.content;
                    data = EJSON.parse(res.content);

                /**
                 *  Pick out and insert each item into its collection
                 */
                _.each(data.items, function(item) {
                    collection.insert(item);
                });

                collectionsUpdated++;

            }

            if(collectionsUpdated === _.size(self.Collections)) {

                /**
                 *  When we have updated all collections, resovle the promise
                 */
                deferred.resolve({
                    status: 'ok',
                    message: 'All collections updated',
                    data: {
                        collections: self.Collections,
                        count: collectionsUpdated
                    }
                });
            }
        });

    });

    /**
     *  Return the promise
     */

    return deferred.promise;
},

/**
 *  Function to load an endpoint from a given url
 *
 *  @method httpFetch()
 *  @param  {String} url
 *  @param  {Function} cb - Callback in the event of an error
 *  @return undefined
 */
httpFetch: function(url, cb) {

    var res = HTTP.get(
        url, 
        function(error, result) {
            cb(error, result);
        }
    );
}

};