akira2501 9 hours ago

I've been using this for years:

    const $id = new Proxy({}, {
        // get element from cache, or from DOM
        get: (tgt, k, r) => (tgt[k] || ((r = document.getElementById(k)) && (tgt[k] = r))),
        
        // prevent programming errors
        set: () => $throw(`Attempt to overwrite id cache key!`)
    });
It's nice to be able to refer to elements by property name, so:

    <div id="thing"></div>
Is reachable with:

    $id.thing
And, since the underlying structure is just an object, you can still enumerate it with Object.keys, which can sometimes be a useful debugging aid and general catalog of accessed elements.

Anyways.. Proxy is a wildly underappreciated and used class in JavaScript.

  • kibibu 8 hours ago

    I also put together a Proxy microlib a few years ago. I agree it's very powerful.

    You can use it like:

        $('.my-elements').className = 'Important'; 
        $('.my-elements').style.color = 'Red';     
        $('.my-elements').classList.add('Another'); 
    
    
        const $ = (() => {
            function listProxy(arr) {
                return new Proxy(arr, {
                    set: (t, p, v, r) => {
                        for(let x of t) {
                            x[p] = v;
                        }
                    },
                    get: (t, p, r) => {
                        if(t.length > 0 && t[0][p] instanceof Function) {
                            return (...args) => { Array.prototype.map.call(t, (x) => x[p](args)) };
                        } else {
                            return listProxy( Array.prototype.map.call(t, (x) => x[p]) );
                        }
                    }
                })
            }
    
            return (sel, root) => {
                if(root === undefined) root = document;
                return listProxy(root.querySelectorAll(sel));
            }
        })();
    
    demo: https://codepen.io/anon/pen/RxGgNR
    • sli 7 hours ago

      I built a Proxy-based microlib for making fluent REST calls just on a lark a couple years ago. It was never anything production-ready, but it was so handy that I used it in all of my JS projects until I moved away from webdev. The API was basically:

          const api = new Proxy({route: baseRoute}, handler); // handler is the microlib's export
          const result = await api.get.some.route.invoke();   // GET {baseRoute}/some/route
      
      invoke() is just how it finally fires the call. I didn't feel like spending too much time making it automatic, the benefits just weren't large enough to justify compared to just calling invoke().
  • open-paren 8 hours ago

    Element IDs are automatically attached to the window object

      <script>
      document.addEventListener('DOMContentLoaded', () => {
        window.thing.innerHTML = 'Hello, World!';
      });
      </script>
      <div id="thing"></div>
  • jonathrg 8 hours ago

    Does caching help? If so, shouldn't getElementById do the same thing under the hood?

    • akira2501 7 hours ago

      It used to more in the past.

      The native call does usually include a cache and will use it optimistically; however, the strategies around invalidating this cache are varied and some surprisingly basic DOM actions can trigger it. Then browsers usually fallback to the full DOM query case.

      The cache eliminates this variability, which prior to flexbox, could be very useful in highly nested site designs particularly in mobile contexts.

  • o11c 5 hours ago

    Should that be `Object.create(null)` to avoid problems with `<div id="toString"/>`?

  • nattaylor 8 hours ago

    If you like brittle things, the id attribute is already made into an attribute on the window for legacy reasons

    Edit: My tone may have indicated that parent's solution was brittle. It's not!

    • akira2501 8 hours ago

      The id attribute can take on values that are already present or reserved in window. "fetch", "opener", etc..

      The reason to have a separate system that correctly calls getElementById() is to avoid this issue.

      So, it's actually a _less_ brittle mechanism that doesn't rely on legacy mechanisms and lacks the surprises that come with that.

      • nattaylor 8 hours ago

        Sorry, I didn't mean to suggest your solution was brittle -- I actually quite like it and want to adopt it!

        But I do think the legacy browser behavior with the ID attribute as window properties is very brittle for the reasons you suggest

        • akira2501 8 hours ago

          My fault, I tend to "rapid fire" sometimes. Yours was next to another reply on the identical subject and that caused me to mistake the meaning of the comma in your sentence.

          Reading it more slowly, I see it now, and, thank you!

    • cies 8 hours ago

      Nah, i rather skip brittle :) But what's not brittle in JS? Elm? (TS to some extend)

  • mattlondon 7 hours ago

    Why cache? I expect that getElementById will be efficient enough on its own.

tomp 10 hours ago

Why would this make any sense?

    const myDiv = div(
      {id: 'container', className: 'my-class'}, 
      h1('Hello World'), 
      p('This is a dynamically generated paragraph.')
    );
    document.body.appendChild(myDiv);
That's completely unnecessary these days with template strings. It's gonna be much faster as well to use browser's native parsing.

    const div = document.createElement('div');
    let text = 'This is a dynamically generated paragraph';
    
    div.innerHTML = `
      <div id="container" class="my-class">
        <h1>Hello world</h1>
        <p>${text}</p>
      </div>
    `;
    document.body.append(...div.children);

Keep it simple!
  • TimTheTinker 9 hours ago

    Generally, I would recommend avoiding directly setting the innerHTML property, since it's vulnerable to XSS and other injection attacks. If you do, make sure you HTML-escape each variable you interpolate.

    Here's a way to do that with a tagged template function (named it `htmlFragment` to make it super clear what it's for):

        // a couple of functions to help
        
        const sanitizeHTML = (unsafeStr) => {
            const div = document.createElement('div');
            div.textContent = unsafeStr;
            return div.innerHTML;
        };
        
        const htmlFragment = (fragments, ...variables) => {
            const result = variables.map((variable, i) => fragments[i] + sanitizeHTML(variable));
            result.push(fragments[fragments.length-1]);
            return result.join('');
        };
        
        // updated your code here
        
        const div = document.createElement('div');
        let text = 'This is a dynamically generated paragraph';
        
        div.innerHTML = htmlFragment`
          <div id="container" class="my-class">
            <h1>Hello world</h1>
            <p>${text}</p>
          </div>
        `;
        document.body.append(...div.children);
    
    Unfortunately, to my knowledge there isn't yet a close-to-the-metal solution for templating and data binding in HTML/JS, although several proposals are currently being discussed.
  • franciscop 10 hours ago

    One big difference and why I've been experimenting with JSX[1] is that in that example, if the `text` comes from an untrusted source it can lead to XSS, which TinyJS prevents (I checked)!

    [1] https://x.com/FPresencia/status/1838176000267452704

    • wruza 10 hours ago

      Even if it comes from a trusted source, you usually want a good distinction between html interpolation and just-text chunks.

  • rikafurude21 9 hours ago

    Makes sense to me, looks better. writing html strings like that is annoying

  • spencerchubb 6 hours ago

    how would you add listeners if you were doing an html string? the first approach allows you to do something like this

    ``` const myButton = button({ onclick: e => console.log(e), textContent: "Click me" }) ```

    • TimTheTinker 3 hours ago

      Use topElement.querySelector('button'), then add the listener programmatically.

  • spullara 10 hours ago

    you should probably worry about untrusted data in text and use a tagged template function that sanitizes its inputs for insertion in html.

  • Nickersf 9 hours ago

    This is exactly what I was thinking. I'm always trying to have fewer third-party dependencies in my codebase no matter how tiny, especially if it's solving problems that already have platform/system native solutions.

emmanueloga_ 9 hours ago

I use this:

    export const $ = document.querySelector.bind(document);
    export const $$ = document.querySelectorAll.bind(document);
When using TypeScript the types for querySelectorAll are a bit hairy to map but by defining the consts like above the types "just work".

    for (const tag of $$<HTMLParagraphElement>("p")) ...
I don't use Array.from in the result of $$ because sometimes creating an Array is not necessary. The NodeList returned can be iterated directly or converted to an array later if really needed:

    [...$$("p")].map(p => ...)
Since I use TypeScript I lean on TSX for building HTML. I use preact's render-to-string package to convert it to a string [1].

---

1: https://github.com/preactjs/preact-render-to-string

  • cies 8 hours ago

    You're a wizzard!

    JS keeps amazing me. It reminds me of Perl somehow. If Perl and Lua had a child, with some browsers APIs sprinkled on top.

EMM_386 10 hours ago

I do believe I've seen something like this under another name.

Using "$" to shorten JavaScript? That seems a lot like jQuery.

> This README was generated by ChatGPT

You don't need AI to explain this one.

  • CSSer 10 hours ago

    That explains the pompous introductory tone. Ugh.

  • KTibow 9 hours ago

    I think the point is to be a more lightweight version, same spirit as HTMX

dpweb 10 hours ago

If ya don't want to do includes,

` window.$ = document.querySelector.bind(document) window.$$ = document.querySelectorAll.bind(document) `

  • qingcharles 9 hours ago

    Thanks, this is the more useful bit of the code to me.

    edit: how about this so you can use array functions too when you need?

    window.$ = document.querySelector.bind(document);

    window.$$ = document.querySelectorAll.bind(document);

    window.$$$ = (selector) => Array.from(document.querySelectorAll(selector));

  • janalsncm 8 hours ago

    I’ve been doing this for years. Lightweight but still saves me a ton of time.

123yawaworht456 10 hours ago

may I ask what's the point of `const tagNames =`? removing it would make no difference, as far as I can tell - just make sure the previous line ends with a semicolon (or add it at the same line as the opening square bracket)

  • hoten 10 hours ago

    Well, it's polluting the global window scope with all those helpers.

    That's a reason to never use this imo.

    There are plenty of other jquery-lite helper libraries out there. 95 percent the utility with hardly any cost in terms of script size.

    Converting querySelectorAll to an array is honestly most of the benefit of these libraries.

    • spankalee 10 hours ago

      > Converting querySelectorAll to an array is honestly most of the benefit of these libraries.

      Now that NodeList is iterable, I don't even know that converting to an array is that useful anymore.

      [...document.querySelector('div')] is pretty easy.

      Iterator.from(document.querySelector('div')) too (doesn't work yet in Safari).

    • xPaw 10 hours ago

      You don't need to convert querySelectorAll to an array, you can directly iterate it, or use forEach.

      • meow_catrix 10 hours ago

        Not if you want to map or reduce it.

  • smusamashah 10 hours ago

    Yes, exactly. The first two statements have no use in the last two lines that this library is for. Or may be I don't understand Javascript much.

SahAssar 6 hours ago

The title ("TinyJS – Shorten JavaScript QuerySelect with $ and $$") seems to be about these two lines:

    window['$'] = selector => document.querySelector(selector)
    window['$$'] = selector => Array.from(document.querySelectorAll(selector))

The other part is a small & naive (and I mean that in the best way) DOM abstraction.

I think the discussion here seems to be about one or the other, not the thing as a whole.

mendyberger 10 hours ago

Code is actually tiny. Impressive!

You could make it even smaller by removing all the element names, and just have it be passed in as an argument. Would also reduce the amount of functions you need to declare, though function count is likely not a problem for modern JS engines.

Anyway, great job you did there!

benabus 5 hours ago

I remember when we would throw this into our utilities.js scripts back in like 2007. We didn't have querySelector yet, though. We'd also walk to school with no shoes, in the snow, uphill, both ways.

CSSer 10 hours ago

Calling those $ and $$ selector helper functions new is a bit disingenuous. They’ve been present as Chrome dev tools shortcuts for years. Let alone JQuery, I’ve also spent years seeing little articles about this neat trick on everything from medium to dev.to.

I recommend the author remove that or note inspiration from the README to avoid detracting from the rest of the work. I realize there’s more here than the traditional document.querySelector.bind(document) assignment.

NetOpWibby 10 hours ago

> This README was generated by ChatGPT

Damn good README. Also, good library.

  • hombre_fatal 10 hours ago

    Too wordy yet doesn’t even explain the tag part of the API. It just shows up in an example.

    A readme should be more reference / show and less drivel.

im_nullable 8 hours ago

Based on the readme this is a subset of jQuery primarily targeted at creating dom nodes.

Kind of cool if this is what you need.

sublinear 6 hours ago

Sheer pollution. Never in anything I deploy to production.

henriquez 10 hours ago

You didn’t need a library to do this. Just alias document.querySelector and document.querySelectorAll to something shorter. Polluting the global namespace with functions to document.createElement on every possible html tag is not a good idea.

atum47 7 hours ago

Hi everyone, author here. Let me know if you have any questions.

gvx 9 hours ago

With that name I'd expect a tiny implementation of JavaScript.

  • tbeseda 8 hours ago

    I was just reading about this https://porffor.dev

    > Porffor is a unique JS engine/compiler/runtime, compiling JS code to WebAssembly or native ahead-of-time.

jufitner 9 hours ago

Someone will fork this with proper ES modules and no window clobbering.

alexjplant 10 hours ago

jQuery II: The Quickening!

I recently built a toy Golang SSR project using Zepto, a jQuery-like library, and felt like I was 17 again (**EDIT: it's unmaintained - don't use it). Also of note is that "Highlander II" takes place in the year 2024 [1]. It's a sign! Everything old is new again! `$` is immortal!

[1] https://en.wikipedia.org/wiki/Highlander_II:_The_Quickening

  • no_wizard 10 hours ago

    Zepto is unmaintained, which isn’t good for security issues or bugs, unfortunately.

    jQuery proper is both maintained and has actively been working on a 4.0 release and still gets security and bug fixes

    • alexjplant 10 hours ago

      Thanks for bringing this up. Edited my OP - there's no impression as such on their front page and it seemed fairly ergonomic. My bad on that one.

  • luismedel 9 hours ago

    IIRC, I used Zepto with Phonegap around ~2012. What a blast from the past.

    "There can be only one"

synergy20 10 hours ago

This is the whole code:

    (() => {
    const assignDeep = (elm, props) => Object.entries(props).forEach(([key, value]) =>
    typeof value === 'object' ? assignDeep(elm[key], value) : Object.assign(elm, {[key]: value}))

    const tagNames = ['a', 'abbr', 'address', 'area', 'article', 'aside', 'audio', 'b', 'base', 'bdi', 'bdo', 'blockquote', 'body', 'br', 'button', 'canvas', 'caption',     'cite', 'code', 'col', 'colgroup', 'data', 'datalist', 'dd', 'del',     'details', 'dfn', 'dialog', 'div', 'dl', 'dt', 'em', 'embed', 'fieldset',     'figcaption', 'figure', 'footer', 'form', 'h1', 'h2', 'h3', 'h4', 'h5',     'h6', 'head', 'header', 'hr', 'html', 'i', 'iframe', 'img', 'input', 'ins',    'kbd', 'label', 'legend', 'li', 'link', 'main', 'map', 'mark', 'meta',     'meter', 'nav', 'noscript', 'object', 'ol', 'optgroup', 'option', 'output',     'p', 'param', 'picture', 'pre', 'progress', 'q', 'rp', 'rt', 'ruby', 's',     'samp', 'script', 'section', 'select', 'small', 'source', 'span', 'strong',     'style', 'sub', 'summary', 'sup', 'table', 'tbody', 'td', 'template',     'textarea', 'tfoot', 'th', 'thead', 'time', 'title', 'tr', 'track', 'u',     'ul', 'var', 'video', 'wbr'  ].forEach(tag => window[tag] = function(...args) { 
    const props = typeof args[0] == 'object' && !(args[0] instanceof HTMLElement) ? args.shift() : null
    const elm = document.createElement(tag)
    props && assignDeep(elm, props)
    elm.append(...args.map(a => typeof a == 'string' ? document.createTextNode(a) : a))
    return elm
    })
    window['$'] = selector => document.querySelector(selector)
    window['$$'] = selector => Array.from(document.querySelectorAll(selector))
})()
  • synergy20 10 hours ago

        window['$'] = selector => document.querySelector(selector)
        window['$$'] = selector => Array.from(document.querySelectorAll(selector))
    
    is really what I want to have
    • iudqnolq 10 hours ago

      I'm quite fond of a little helper like so:

          createElement({
              className: 'p-2 flex justify-end',
              contents: createElement({
                tag: 'img',
                src: '/os-logo-maps.svg'
              }),
            });
      
      I got the idea from Lea Verou's blissfuljs. When you're creating a bunch of nested elements it comes in handy.
      • meow_catrix 10 hours ago

        That’s React without the JSX sugar.

        • SahAssar 6 hours ago

          The idea is older than react and react contains much more cruft (both wanted and unwanted).

    • smusamashah 10 hours ago

      What's the point of the rest of the code? Looks useless.

      • cies 8 hours ago

        Looks difficult. I have no clue what I'm reading there tbh.

        • abdusco 7 hours ago

          It's creating global helper funcs for creating elements. E.g. `a(...)` for an anchor

  • jazzypants 7 hours ago

    Why do you pollute the global scope with all this crap? It's 2024, dude. Just make an ESM module.