KEMBAR78
GitHub - hchiam/learning-js: Miscellaneous practice code in JavaScript.
Skip to content

hchiam/learning-js

Folders and files

NameName
Last commit message
Last commit date

Latest commit

 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 

Repository files navigation

Learning JavaScript

Miscellaneous practice code in JS.

Just one of the things I'm learning. https://github.com/hchiam/learning

https://random-code-tips.surge.sh

Broaden JavaScript knowledge

https://javascript.info/

e.g.:

ReqBin - test API endpoints by making API requests

https://reqbin.com/ - also shows a bunch of example requests like GET with bearer token auth header, or Curl/JS/Python/PHP/REST/POST/JSON/POST/PATCH/PUT/DELETE

https://reqbin.com/json-formatter

https://reqbin.com/json-formatter

How to Run .js Files Using Terminal/CommandLine

Make sure to include console.log("output text here");

node filename.js

Learn about Modern ES6 JS Features

ES6 (ECMAScript 2015) started in 2015, with yearly additions after that: https://www.w3schools.com/js/js_versions.asp

https://stackoverflow.blog/2019/09/12/practical-ways-to-write-better-javascript

Also note the stuff around the default values for function arguments here: https://devhints.io/es6?ref=devawesome.io

Support Both Legacy JS and Modern JS Without Slowing All Browsers

Bonus

Automatically format your code upon save

In VSCode: use the Prettier extension, and then in VSCode > Code > Preferences > Settings > search for "Format on save" > turn it on with the checkbox

Now it'll automatically format your code, just like the built-in stuff for Golang.

Get immediate feedback on code errors and style

To automatically re-run a .js file and the test cases in it whenever you edit that file, copy the .js code into index.js in my ESLint repo and do the setup so you can run this command just once:

nodemon -x 'npm run lint; node index.js'

Or nodemon -x 'npm run lint; npm run test; node index.js'

Or nodemon -x 'jest lowestIndexSameAsValue.test.js' for example, to re-run the tests just for one file.

This works just like rerun for Python.

Alternatively:

To set up eslint and jest locally inside this learning-js folder:

npm install jest --global
npm install # eslint is already listed in package.json for you
npm test # runs scripts test command listed in package.json

Or just run this: jest.

Or to run just a-specific.test.js, run this: jest a-specific.test.js.

You can also automatically include code style fixes in your commits with lint-staged set up with husky.

Get code Maintainability Index (MI score)

The MI combines lines of code, cyclomatic complexity, and the Halstead volume metric (i.e. number of variables, operations, decision paths, and lines of code). After you npm install -g plato or yarn global add plato, you can get the MI score of your code:

plato -r -d report index.js

Similar to how I use radon for Python code.

Minify code

Install minify:

npm i minify -g # or: yarn global add minify
minify -v

Use minify:

minify minify-this-script.js > minified-script.js

stuff you can do without JS-heavy web frameworks

https://codepen.io/hchiam/pen/ExbmjEP

Using yarn instead of npm

yarn # instead of npm install or npm run install
yarn test # instead of npm test

Instead of nodemon -x 'npm run test; node index.js', you can do:

nodemon -x 'yarn test; node index.js'

Service Workers

Learning about them: https://github.com/hchiam/learning-service-workers

A list of useful one-liner utilities

https://1loc.dev/

Interesting a11y-related JS code

https://github.com/hchiam/keyboard-focus-trap

https://github.com/hchiam/flying-focus

More data structures/algorithms

https://github.com/hchiam/learning-splay-tree

https://github.com/hchiam/learning-b-tree

https://github.com/hchiam/learning-skip-list

https://github.com/hchiam/learning-bloom-filter

https://github.com/hchiam/learning-union-find

https://github.com/hchiam/learning-suffix-tree

https://github.com/hchiam/learning-lzw

Chrome dev tools tricks for more productive debugging

https://www.youtube.com/watch?v=hdRDTj6ObiE

https://blog.bitsrc.io/10-tips-to-improve-productivity-using-chrome-dev-tools-7918fc8203f3

and tips like this: https://umaar.com/dev-tips/15-dollar-zero

$_ = previous value

$0, $1, $2, $3, $4 = the last 5 DOM elements you clicked on in the Elements tab

$('some_selector') = shortform for document.querySelector('some_selector')

$$('some_selector') = shortform for document.querySelectorAll('some_selector')

$(some_selector, ancestorElement) or $('some_selector', $0)

$x('some_x_path') = XPath

inspect($('some_selector')[0]); jumps to Elements panel (jQuery not required for that $). Works in Firefox too.

queryObjects(YourConstructor) = all objects created by YourConstructor

getEventListeners($0) = get event listeners on the element you last clicked on in Elements tab

monitorEvents(element, eventName) = prints captured events

unmonitorEvents(element)

monitor(functionName) = prints function call with arguments, and also output

unmonitor(functionName)

table() (shortcut in Chrome) = console.table()

  • console.table([
      { a: 1, c: "hi" },
      { a: 3, b: 2 },
    ]);
    /**
     * (index)  a     c     b
     * 0        1     'hi'
     * 1        3           2
     */

clear() = console.clear()

keys() = Object.keys()

values() = Object.values()

copy() = copies to clipboard any value/object/element inside it.

More: https://developers.google.com/web/tools/chrome-devtools/console/utilities#geteventlisteners

Edit any website (temporarily on the client side)

Enter this into the console log in dev tools: document.designMode='on'

Read a file

In the browser:

In the console terminal CLI:

Compare JSON files

https://codepen.io/hchiam/pen/RwXqxwZ

  • edited
  • deleted
  • added

Get a lot of the functions and jQuery event listeners in a script string

https://github.com/hchiam/getFunctions

Support modern browsers and older browsers (like IE11) at the same time

<!-- No need for special server setup or user agent sniffing! -->
<script type="module" src="modern.js"></script>
<script nomodule src="legacy.js"></script>
<!-- https://www.youtube.com/watch?v=cLxNdLK--yI -->

Evergreen browsers

Conclusions:

References:

Bookmarklets

Only use them after you read and understand the contents of each bookmarklet!

https://en.wikipedia.org/wiki/Bookmarklet

https://github.com/hchiam/learning-js/tree/master/bookmarklets#bookmarklets

this keyword in old-school functions vs the newer arrow functions

this in function() = caller. Useful if you want this to change to whatever calls your one function.

this in () => {} = owner. Useful if you want this to always be the creator of the function. I think nested arrow functions also pass along this, which you might like.

// https://www.freecodecamp.org/news/the-difference-between-arrow-functions-and-normal-functions/
const obj = {
  a: () => {
    console.log(this);
    console.log(
      `"this" will be whatever "this" was before the function was created`
    );
  },
  f: function () {
    console.log(this);
    console.log(`"this" will be the current object that contains the function`);
  },
};
obj.a();
obj.f();

CJS vs MJS/ESM/ES6M vs all the other types of JavaScript modules syntax

  • ESM = import and export. Simplest, async, tree-shakeable, but not universally compatible.
  • UMD = works everywhere, is more of a pattern of fallbacks, usually the fallback when ESM fails.
  • CJS = require and module.exports, sync, good for BE, commonly seen for node stuff.
  • AMD = define, async, good for FE, confusing compared to CJS.

Read later:

https://www.sitepoint.com/understanding-es6-modules

https://stackoverflow.com/a/46677972

https://dev.to/iggredible/what-the-heck-are-cjs-amd-umd-and-esm-ikm

https://hacks.mozilla.org/2018/03/es-modules-a-cartoon-deep-dive/

Priority queue which can be used as a min heap or max heap

// in CJS syntax:
const {
  MinPriorityQueue,
  MaxPriorityQueue,
} = require("@datastructures-js/priority-queue");

or

// in ESM syntax:
import {
  MinPriorityQueue,
  MaxPriorityQueue,
  PriorityQueueOptions, // queue options interface
  PriorityQueueItem, // queue item interface
} from "@datastructures-js/priority-queue";

API usage example:

const pqAsHeap = new MinPriorityQueue();
pqAsHeap.enqueue(num);
pqAsHeap.dequeue().element;
pqAsHeap.size();
pqAsHeap.front().element;

add type checking even in JS files, no config necessary (in VSCode)

Just add this comment to the top of your JS file:

// @ts-check

Scope console log scripts in DevTools to an iframe or other environment

Chrome:

scope_dev_tools_chrome.png

Firefox:

scope_dev_tools_firefox.png

Regex and ReDoS security

Regex cheatsheet

https://developer.mozilla.org/en-US/docs/Web/JavaScript/Guide/Regular_Expressions/Cheatsheet

  • x(?=y) = lookahead (AKA positive lookahead, in contrast to negative lookahead) = "match x if followed by y"
  • x(?!y) = negative lookahead = "match x if NOT followed by y"
  • (?<=y)x = lookbehind (AKA positive lookbehind, in contrast to negative lookbehind) = "match x if preceded by y"
  • (?<!y)x = negative lookbehind = "match x if NOT preceded by y"
  • (?:x) = noncapturing group = "match x but don't remember the group"
  • (?<Name>x) = capture group with name Name
  • \n = reference to the nth capture group match (count the left brackets)
  • \k<Name> = reference to the capture group with name Name (note: \k is not some variable, it's literally like replacing the "?")
  • ^ = start
  • $ = end
  • x* = 0 or more times (mnemonic: * looks more like a 0 than + does, and *0 changes a number, while *1 doesn't)
  • x+ = 1 or more times (mnemonic: + looks more like a 1 than * does, and +1 changes a number, while +0 doesn't)
  • x? = 0 or 1 time = "optionally exists"
  • x{n} = n times
  • x{n,} = n or more times
  • x{n,m} = n to m times, inclusive
  • x*?, x+?, x??, x{n}?, x{n,}?, x{n,m}? = match non-greedily = "match minimally", e.g. /<.*?>/ only matches <a> instead of <a></a> entirely.
  • \b = "word boundary" (note: /\w\b\w/ can't ever matche anything, but /\w\b\W\w/ can)
    • likely useful as: /\bword\b/g (replace word with your word or word pattern)
  • [\b] = backspace
  • \xhh = character with 2 hexadecimal digits
  • \uhhhh = UTF-16 character with 4 hexadecimal digits
  • \u{hhhh}, \u{hhhhh} (with u flag) = Unicode character with 4/5 hexadecimal digits
    • '\u{2713}' === '\u2713' but can include other symbols than numbers in brackets

My applied example: regex to automatically group digits with spaces in input boxes:

  • https://codepen.io/hchiam/pen/yLrjgrV (4 digits from left to right, or from right to left)
  • .split(/(\d{4})/g) --> .replace(/\D/g,'').split(/(\d{4})/g).filter(x=>x).join(' ')
    • 1234567890 --> 1234 5678 90

Web Locks

// multiple browser tabs can try to access a lock named my_resource, but only one will be processed at a time (queued)
// also scoped to origins (https://example.com is different from https://example.org:8080)
navigator.locks.request("my_resource", async (lock) => {
  // lock acquired

  // do stuff
  await do_something();
  await do_something_else();

  // lock released
});

Note: deadlocks can still happen if, say, multiple locks are requested out-of-order.

More details/options: https://developer.mozilla.org/en-US/docs/Web/API/Web_Locks_API

import vs import()

Static import:

import { something as aliasedName } from "some-module.js";

Dynamic import():

import("/some-module.js").then((aliasedName) => {});
// or:
const { default: myDefault, foo, bar } = await import("/some-module.js");
// or just:
await import("/some-module.js"); // like if you just want its side-effects

D3 <path>/svg .click() note

/** Because simply using d3Element.click() or jQuery $(d3Element).click() doesn't work: https://stackoverflow.com/questions/9063383/how-to-invoke-click-event-programmatically-in-d3 */
function triggerD3PathClick(d3Element) {
  const event = new MouseEvent("click");
  d3Element.dispatchEvent(event);
}

xpath

Here's an xpath to get only the English entry part of a Wiktionary page:

$x(
  "//h2[span[text()='English']] | //h2[span[text()='English']]/following-sibling::*[preceding-sibling::h2[1][span[text()='English']] and not(self::h2)]"
);
// use | so you can include the English h2 in the selection
// you need the [1] so you stop selecting elements after the next h2
// you need self:: in not(self::h2) to avoid including the next h2

Building on that, here's an xpath to get just the etymology and definition(s) (<p> or <ol>) of the English part of a Wiktionary page:

$x(
  "//h2[span[text()='English']]/following-sibling::*[self::p or self::ol][preceding-sibling::h2[1][span[text()='English']]]"
);

Event listener event.target vs event.currentTarget vs event.relatedTarget

https://stackoverflow.com/a/10086501

  • currentTarget = listening element (e.g. the individual button that has the click event listener fired on it)
  • target = triggering element (i.e. maybe the button, or maybe the i or span you actually clicked on inside of the button)
  • my own mnemonic: "C" is for "catcher", "T" is for "trigger". also, the longer name is more specific to the "catcher" element(s), as opposed to the many more possible "trigger" elements/sources.

https://developer.mozilla.org/en-US/docs/Web/API/FocusEvent/relatedTarget

  • relatedTarget = element focused to for blur, focused from for focus; similar idea for focusin and focusout and mouse(...)/drag(...) events, but note that relatedTarget may be null for non-focusable elements or for security reasons like tabbing out of a page.

operator precedence reference

for example, & is evaluated before && before ||: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/Operator_precedence#table

example of debugging with chrome dev tools and fixing code base

"Optimizing INP: A deep dive": https://youtu.be/cmtfM4emG5k

weird timing behaviour with try catch finally

https://jakearchibald.com/2021/last-return-wins/

The finally console log prints 'two' "before" the return 'three':

// this code prints out 'one', 'two', 'three', 'four':

function finallyTest() {
  try {
    console.log("one");
    return "three";
  } catch (err) {
    console.log("error");
  } finally {
    console.log("two");
  }
}

console.log(finallyTest());
console.log("four");

This might cause unexpected timing issues if you're not aware of this. (Also, ​.finally behaves differently for Promises.)

More notes on Promises and async/await: https://www.joshwcomeau.com/javascript/promises/

Example use of JS animation ScrollTimeline that goes dynamically beyond what CSS can do

https://web.dev/articles/building/a-tabs-component#animation

tag function of template literals string, raw

https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/String/raw

var thisisTrue =
  String.raw`C:\folder\path\file.js` === `C:\\folder\\path\\file.js`;
// using new RegExp with String.raw and variable:
var x = "Street";

console.log(new RegExp(`(\\d+) ${x}`).exec("123 Street")[1]);
// '123'
console.log(new RegExp(String.raw`(\d+) ${x}`).exec("123 Street")[1]);
// '123'

so:

new RegExp("d"); // doesN'T work, requires double back slash
new RegExp("\\d"); // works, requires double back slash
new RegExp(String.raw`\d`); // works

space characters

You might know about ' ' and &nbsp;, but did you know about &puncsp; ('\u2008') which takes up space but is able to wrap? there's even more Unicode characters: https://stackoverflow.com/questions/8515365/are-there-other-whitespace-codes-like-nbsp-for-half-spaces-em-spaces-en-space You can also do this in JS: - '\u{2713}' === '\u2713' but can include other symbols than numbers in brackets

"a".padEnd(10, "\u2008"); // U+2008 is Unicode for &puncsp;

using JS to set CSS styles

element.style.color = "red"; // this does something
element.style.color = "red !important"; // WARNING: this won't do anything! it won't even change the color!
element.style.setProperty("color", "red", "important"); // this works if you want to include !important

width and height of HTML elements in CSS/JS

https://stackoverflow.com/questions/21064101/understanding-offsetwidth-clientwidth-scrollwidth-and-height-respectively

  • offsetWidth, offsetHeight (includes padding and border)
    • clientWidth, clientHeight (like offsetWidth and offsetHeight but without the padding or border)
  • CSS width, CSS height
  • scrollWidth, scrollHeight (doesn't include padding or border, but does include overflow content)

remove initial "1." text node without replacing children HTML

// if first child (likely textNode) starts with "#.", then remove that child:
if (/^\d+\.$/.test(element.childNodes[0].nodeValue)) {
  element.childNodes[0].remove();
}

Set methods

  • https://web.dev/blog/set-methods?hl=en
    • aSet.intersection(bSet)
    • aSet.union(bSet)
    • firstSet.difference(notInSecondSet)
    • inAXorB = aSet.symmetricDifference(bSet)
    • fours.isSubsetOf(events)
    • evens.isSupersetOf(fours)
    • haveNothingInCommon = primes.isDisjointFrom(squares)

document.implementation.createHTMLDocument()

output.innerHTML = "";
const doc = document.implementation.createHTMLDocument(); // <-- a key part
doc.write("<p>list:</p><ul><li>");
output.append(doc.body.firstChild); // <-- a key part
// then to keep appending:
let previousLength = 0; // until browser stream chunk implementation detail changes
for await (const chunk of stream) {
  const newContent = sanitized(chunk.slice(previousLength)) + "<li>";
  previousLength = chunk.length;
  doc.write(newContent); // <-- a key part for streaming instead of replacing all
}
doc.write("</ul>");

which can more performant/streamable than this:

output.innerHTML = "<p>completely replacing everything every time</p>";

You can see the difference in Chrome DevTools with Ctrl+Shift+P > Rendering > Paint flashing.

communicate data between tabs and calling functions on the other tab

  • requires the first tab opening the second tab in js code

https://stackoverflow.com/questions/1366483/javascript-sharing-data-between-tabs/1367357#1367357

first tab: (opens second tab in js code)

var child_window = window.open("http://localhost:5173", "_blank");
var var_from_child = child_window.some_var;
child_window.someFunction("with", "these", "params");

second tab: (opened by first tab in js code)

var parent_window = window.opener;
var var_from_parent = parent_window.some_var;
parent_window.someFunction("with", "these", "params");

https://github.com/hchiam/learning-js/tree/main/postMessage

https://github.com/hchiam/recreateVideoInSeparateWindow (google meet <video> --> 2nd window <canvas>)

save SVG in the <body> as a .PNG file

https://codepen.io/hchiam/pen/XJrYMNL?editors=1010

unicode-range can be used to mix fonts or target letters to use different fonts

why you would use setTimeout of 0 seconds

setTimeout(() => {
  //doSomething();
}, 0);
  • (but also Ctrl+F for queueMicrotask in these notes)

https://www.youtube.com/watch?v=8aGhZQkoFbQ&t=896s

  • QUICK EXPLANATION: use setTimeout with 0 seconds because event loop queue will be emptied after function call stack is clear

installable PWA (Progressive Web App) template (uses a service worker)

https://github.com/hchiam/pwa-template

call stack string

https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Error/stack

// note: not a recommended/standardized string - https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Error/stack
const callStack = new Error().stack;

locally play video with speed control

https://codepen.io/hchiam/pen/qEBVLWG

Clipboard API (WIDELY AVAILABLE)

```js
navigator.clipboard.read
navigator.clipboard.write
navigator.clipboard.writeText(text);
navigator.clipboard.readText();
```

Resize Observer API (WIDELY AVAILABLE)

```js
const resizeObserver = new ResizeObserver(entries => {
  for (const entry of entries) {
    entry.target;
  }
});
resizeObserver.observe(element);
```

Broadcast Channel API - if same origin (WIDELY AVAILABLE)

```js
const bc = new BroadcastChannel(name);
bc.postMessage(message);
const bc = new BroadcastChannel(name);
bc.addEventListener('message', event => {
  event.data;
});
```

Performance Interface API

```js
performance.getEntriesByType('navigation'); // (WIDELY AVAILABLE)
performance.navigation; // (NOT IN DENO OR NODE.JS)
performance.memory; // (NOT IN FIREFOX OR SAFARI)
performance.timing; // (NOT IN DENO)
```

Channel Messaging API (WIDELY AVAILABLE): (more 1-to-1 than Broadcast Channel API)

(available in web workers)

https://developer.mozilla.org/en-US/docs/Web/API/Channel_Messaging_API

Notifications API

```js
Notification?.requestPermission().then(permission => {
  if (permission === 'granted') {
    new Notification('hi');
  }
});
```

Geolocation API

```js
navigator.geolocation.getCurrentPosition(position => {
  position.coords.latitude;
  position.coords.longitude;
});
```

detect when all images have loaded

img has a .complete property, so you can check if all <img>s in an HTML container are done loading, and you can do something like the following jQuery code:

container.find("img").on("load", () => {
  if (allImagesLoadingComplete(container)) {
    callback();
  }
});

function allImagesLoadingComplete(container) {
  const images = container.is("img") ? container : container.find("img");
  return images.toArray().every((img) => img.complete);
}

tasks vs microtasks

There is a slight difference between setTimeout of 0 ms and queueMicrotask, but queueMicrotask seems more expressive/explicit/intentional in terms of waiting for a task complete to avoid a timing bug - https://www.freecodecamp.org/news/queuemicrotask/ = a shorter explanation than the following further reading:

compare with https://github.com/hchiam/learning-js/blob/main/event-loop_call-stack_task-queue_microtask-queue.js

a list of bunch of quick helpful JS functions

https://github.com/devsmitra/javascript-quick-functions

  • generator
  • time to execute
  • array functions
  • number functions
  • string functions
  • date and object functions
  • promise-related functions
  • random hex colour
  • convert px to rem
  • get selected text

take screenshot / screen capture of window and ideally just the viewport

fix for iOS/iPad/iPhone "Invalid Date" bug

  • this won't work on iOS because someString has to be of format 2025-09-30T14:30:00Z for iOS, presumably because of the JS spec only requires/guarantees that YYYY-MM-DDTHH:mm:ss.sssZ is universally supported https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Date#date_time_string_format:

    var someString = "2025-9-30";
    new Date(someString);
  • otherwise this should work for all browsers including iOS:

    var x = new Date(someString); // has default time
    x.setDate(dayOfMonth);
    x.setFullYear(year);
    x.setMonth(month - 1); // setMonth uses index

Chrome built-in AI APIs

https://developer.mozilla.org/en-US/docs/Web/API/Summarizer#examples

To summarize (doesn't seem to be working even in Chrome as of the time of writing this).

Summarizer;

https://developer.mozilla.org/en-US/docs/Web/API/Translator_and_Language_Detector_APIs/Using

To detect language and translate (both seem to already be working, just in Chrome for now).

LanguageDetector;
Translator;

also has more complete example at the end of the MDN page (notably missing quota stuff as of the time of writing this)

var detector = await LanguageDetector.create({
  expectedInputLanguages: ["en-US", "zh"],
});
console.log(1, "detected language", (await detector.detect("Hi there!"))[0]);

var translator = await Translator.create({
  sourceLanguage: "en",
  targetLanguage: "ja",
});
console.log(2, "translation", await translator.translate("What time is it?"));

var translator = await Translator.create({
  sourceLanguage: "en",
  targetLanguage: "ja",
});
var stream = translator.translateStreaming(
  "What time is it? What time is it? What time is it? What time is it? What time is it?"
);
translation = "";
for await (var chunk of stream) {
  console.log("chunk", chunk);
  translation += chunk;
}
console.log(3, "translation stream complete", translation);

var detectorAvailability = await LanguageDetector.availability({
  expectedInputLanguages: ["en-US", "ja"],
});
console.log(4, "detectorAvailability", detectorAvailability);
var translatorAvailability = await Translator.availability({
  sourceLanguage: "en",
  targetLanguage: "ja",
});
console.log(5, "translatorAvailability", translatorAvailability);

// there's also AbortController to translator.destroy(); detector.destroy();

// there's also monitor for monitoring download progress and usage quota

comma symbols

‚ is a symbol that looks like a comma but actually isn't a ',' - reference: https://en.wiktionary.org/wiki/%E2%80%9A "SINGLE LOW-9 QUOTATION MARK" - this could be useful for avoiding splitting an option that has commas in its name when splitting a string of text by commas

you can try comparing Ctrl+F with these:

,

Releases

No releases published

Packages

No packages published

Contributors 2

  •  
  •