jquery selectors for plain javascript objects instead of DOM elements

后端 未结 4 894
遇见更好的自我
遇见更好的自我 2021-02-06 11:05

I\'ve just started using jquery and I\'m really enjoying using selectors. It occurs to me that the idiom would be a very nice way to traverse object trees (e.g., JSON query resu

4条回答
  •  时光说笑
    2021-02-06 11:38

    Here's a proof-of-concept implementation for getting jQuery itself work on objects. Through an object wrapper (FakeNode), you can trick jQuery into using its built-in selector engine (Sizzle) on plain JavaScript objects:

    function FakeNode(obj, name, parent) {
        this.obj = obj;
        this.nodeName = name;
        this.nodeType = name ? 1 : 9; // element or document
        this.parentNode = parent;
    }
    
    FakeNode.prototype = {
        documentElement: { nodeName: "fake" },
    
        getElementsByTagName: function (tagName) {
            var nodes = [];
    
            for (var p in this.obj) {
                var node = new FakeNode(this.obj[p], p, this);
    
                if (p === tagName) {
                    nodes.push(node);
                }
    
                Array.prototype.push.apply(nodes,
                    node.getElementsByTagName(tagName));
            }
    
            return nodes;
        }
    };
    
    function $$(sel, context) {
        return $(sel, new FakeNode(context));
    }
    

    And the usage would be:

    var obj = {
        foo: 1,
        bar: 2,
        child: {
            baz: [ 3, 4, 5 ],
            bar: {
                bar: 3
            }
        }
    };
    
    function test(selector) {
        document.write("Selector: " + selector + "
    "); $$(selector, obj).each(function () { document.write("- Found: " + this.obj + "
    "); }); } test("child baz"); test("bar");

    Giving the output:

    Selector: child baz
    - Found: 3,4,5
    Selector: bar
    - Found: 2
    - Found: [object Object]
    - Found: 3
    

    Of course, you'd have to implement a lot more than the above to support more complex selectors.

    BTW, have you seen jLinq?

提交回复
热议问题