我试图了解KnockoutJS是否适用于我的应用程序。我的数据模型(简化)如下:

function topic(data) {
    this.id = data.id;
    this.queries = ko.observableArray([]);
}

function query(data) {
    this.id = data.id;
    this.text = data.text;
    this.searcher = data.searcherId;
    this.postings = ko.observableArray([]);
}

function posting(data, query) {
    this.documentId = data.docid;
    this.rank = data.rank;
    this.snippet = data.snippet;
    this.score = data.score;
    this.query = query;
    this.document = null;
}

function document(data, topic) {
    this.id = data.id;
    this.url = data.url;
    this.topic = topic;
}


对于给定的topic,我有一个或多个query实例。每个查询包含一个posting实例列表。每个posting都引用一个文档。只要posting实例属于不同的document实例,就可以引用一个以上的posting

如果query引用了一个新文档(尚未被任何posting检索到),我想创建一个新实例;如果query已经存在(标识是唯一的),我想重新使用它。

我可以看到一些用于构造服务器返回的JSON数据的替代方法:


序列化过帐时,首先序列化所有文档的列表,然后使用它们更新主文档列表。然后,发送带有文档ID引用的帖子。
将每个文档完全序列化为过帐的属性,然后确定该条目是否多余。将非冗余条目添加到主列表。


序列化数据的合理模式是什么?是否有一些映射插件魔术可以简洁地表达这一点?我可以控制生成JSON的服务器,并且可以以任何有意义的方式对其进行结构化。

谢谢,

基因

最佳答案

这是我为实现选项1所要做的工作:

function idField(data) {
    return ko.utils.unwrapObservable(data.id);
}

function createMapping(type, context) {
    return {
        key:    idField,
        create: constructor(type, context)
    }
}

function constructor(type, context) {
    return function(options) {
        return new type(options.data, context);
    }
}

function createReferenceMapping(collection) {
    return {
        key: idField,
        create: lookup(collection)
    }
}

function lookup(collectionOrClosure) {
    return function(options) {
        var collection = (typeof collectionOrClosure == 'function') ? collectionOrClosure() : collectionOrClosure;

        var object = collection.findById(options.data.idref);
        if (object == null)
            console.log("Error: Could not find object with id " + options.data.idref + " in ", collection);
        return object;
    }
}


我将这段代码称为:

    var mapping = {
        people: createMapping(Searcher),
        topics: createMapping(Topic, this),
        activeTopic: createReferenceMapping(function(){return self.topics();})
    };

    this.dataChannel.loadModel(function(data) {
        ko.mapping.fromJS(data, mapping, this);
    }


这样既可以创建新实例(通过constructor函数),又可以通过lookup查找现有实例。

10-04 22:42