
Enter a search term above to see results...
Enter a search term above to see results...
You can use $
and $$
globally in your site to make it easier to manipulate DOM code wherever you need it in javascript.
In metaframeworks like Astro or Sveltekit you can import Query on the client.
<script type="module"> // Import from CDN import { $, $$ } from '@semantic-ui/query';</script>
For browsers you can load it from a CDN like Unpkg or JSDelivr.
<script type="module"> // Import from CDN import { $, $$ } from 'https://unpkg.com/@semantic-ui/query';</script>
exportGlobals
will automatically export $
and $$
to window
when run on the client.
import { exportGlobals } from '@semantic-ui/query';
// Make Query's functions available globallyexportGlobals();
// Now you can use $ and $$ directly$('.button').on('click', () => console.log('Clicked!'));$$('ui-component .content').text('Updated content');
You can use $(document).ready()
to run code after the DOM is ready. This is the same as DOMContentLoaded
import { $ } from '@semantic-ui/query';
// Use Query when the DOM is ready$(document).ready(() => { $('.content').html('<p>Ready to go!</p>');});
import { exportGlobals } from '@semantic-ui/query';
// Make Query's functions available globallyexportGlobals();
// Now you can use $ and $$ directly$('.button').on('click', () => console.log('Clicked!'));$$('ui-component .content').text('Updated content');
If you’re working in an environment with multiple libraries that use the $
symbol (like jQuery), Query provides ways to avoid conflicts.
Similar to jQuery, Query provides a noConflict
method to yield control of the global variables:
import { exportGlobals } from '@semantic-ui/query';
// Export Query to global scopeexportGlobals();
// Store a reference and release the global variablesconst $q = $.noConflict();
// Now use $q instead of $$q('.content').addClass('active');
You can customize which functions are exported to the global scope:
import { exportGlobals } from '@semantic-ui/query';
// Only export $ (not $$ or Query)exportGlobals({ $: true, $$: false, Query: false});
You can temporarily use Query and then restore the original global variables:
import { exportGlobals, restoreGlobals } from '@semantic-ui/query';
// Save the original globals and use Query globallyexportGlobals();
// Do some work with Query$('div').addClass('processed');
// When finished, restore the original globalsrestoreGlobals();
// $ and $$ now refer back to their original values
For maximum flexibility, you can create your own alias for Query without touching the global scope:
import { useAlias } from '@semantic-ui/query';
// Create a custom aliasconst $q = useAlias();
// Use your custom aliasconst $elements = $q('.element');$elements.addClass('selected');
This approach is ideal for modern JavaScript applications where you want to avoid global variables altogether.
Now that you understand how to use Query in browser environments, explore: