Skip to content

Instantly share code, notes, and snippets.

@kcak11
Last active June 3, 2024 07:33
Show Gist options
  • Save kcak11/f5d58f58b85418bec7b9e4c8e84376f2 to your computer and use it in GitHub Desktop.
Save kcak11/f5d58f58b85418bec7b9e4c8e84376f2 to your computer and use it in GitHub Desktop.
/**
* @dynamic is for runtime initializing DomHandler.browser
*
* If delete below comment, we can see this error message:
* Metadata collected contains an error that will be reported at runtime:
* Only initialized variables and constants can be referenced
* because the value of this variable is needed by the template compiler.
*/
// @dynamic
export class DomHandler {
public static zindex: number = 1000;
private static calculatedScrollbarWidth: number = null;
private static calculatedScrollbarHeight: number = null;
private static browser: any;
public static addClass(element: any, className: string): void {
if (element && className) {
if (element.classList) element.classList.add(className);
else element.className += ' ' + className;
}
}
public static addMultipleClasses(element: any, className: string): void {
if (element && className) {
if (element.classList) {
let styles: string[] = className.trim().split(' ');
for (let i = 0; i < styles.length; i++) {
element.classList.add(styles[i]);
}
} else {
let styles: string[] = className.split(' ');
for (let i = 0; i < styles.length; i++) {
element.className += ' ' + styles[i];
}
}
}
}
public static removeClass(element: any, className: string): void {
if (element && className) {
if (element.classList) element.classList.remove(className);
else element.className = element.className.replace(new RegExp('(^|\\b)' + className.split(' ').join('|') + '(\\b|$)', 'gi'), ' ');
}
}
public static removeMultipleClasses(element, classNames) {
if (element && classNames) {
[classNames]
.flat()
.filter(Boolean)
.forEach((cNames) => cNames.split(' ').forEach((className) => this.removeClass(element, className)));
}
}
public static hasClass(element: any, className: string): boolean {
if (element && className) {
if (element.classList) return element.classList.contains(className);
else return new RegExp('(^| )' + className + '( |$)', 'gi').test(element.className);
}
return false;
}
public static siblings(element: any): any {
return Array.prototype.filter.call(element.parentNode.children, function (child) {
return child !== element;
});
}
public static find(element: any, selector: string): any[] {
return Array.from(element.querySelectorAll(selector));
}
public static findSingle(element: any, selector: string): any {
return this.isElement(element) ? element.querySelector(selector) : null;
}
public static index(element: any): number {
let children = element.parentNode.childNodes;
let num = 0;
for (var i = 0; i < children.length; i++) {
if (children[i] == element) return num;
if (children[i].nodeType == 1) num++;
}
return -1;
}
public static indexWithinGroup(element: any, attributeName: string): number {
let children = element.parentNode ? element.parentNode.childNodes : [];
let num = 0;
for (var i = 0; i < children.length; i++) {
if (children[i] == element) return num;
if (children[i].attributes && children[i].attributes[attributeName] && children[i].nodeType == 1) num++;
}
return -1;
}
public static appendOverlay(overlay: any, target: any, appendTo: any = 'self') {
if (appendTo !== 'self' && overlay && target) {
this.appendChild(overlay, target);
}
}
public static alignOverlay(overlay: any, target: any, appendTo: any = 'self', calculateMinWidth: boolean = true) {
if (overlay && target) {
if (calculateMinWidth) {
overlay.style.minWidth = `${DomHandler.getOuterWidth(target)}px`;
}
if (appendTo === 'self') {
this.relativePosition(overlay, target);
} else {
this.absolutePosition(overlay, target);
}
}
}
public static relativePosition(element: any, target: any, gutter: boolean = true): void {
const getClosestRelativeElement = (el) => {
if (!el) return;
return getComputedStyle(el).getPropertyValue('position') === 'relative' ? el : getClosestRelativeElement(el.parentElement);
};
const elementDimensions = element.offsetParent ? { width: element.offsetWidth, height: element.offsetHeight } : this.getHiddenElementDimensions(element);
const targetHeight = target.offsetHeight;
const targetOffset = target.getBoundingClientRect();
const windowScrollTop = this.getWindowScrollTop();
const windowScrollLeft = this.getWindowScrollLeft();
const viewport = this.getViewport();
const relativeElement = getClosestRelativeElement(element);
const relativeElementOffset = relativeElement?.getBoundingClientRect() || { top: -1 * windowScrollTop, left: -1 * windowScrollLeft };
let top: number, left: number;
if (targetOffset.top + targetHeight + elementDimensions.height > viewport.height) {
top = targetOffset.top - relativeElementOffset.top - elementDimensions.height;
element.style.transformOrigin = 'bottom';
if (targetOffset.top + top < 0) {
top = -1 * targetOffset.top;
}
} else {
top = targetHeight + targetOffset.top - relativeElementOffset.top;
element.style.transformOrigin = 'top';
}
const horizontalOverflow = targetOffset.left + elementDimensions.width - viewport.width;
const targetLeftOffsetInSpaceOfRelativeElement = targetOffset.left - relativeElementOffset.left;
if (elementDimensions.width > viewport.width) {
// element wider then viewport and cannot fit on screen (align at left side of viewport)
left = (targetOffset.left - relativeElementOffset.left) * -1;
} else if (horizontalOverflow > 0) {
// element wider then viewport but can be fit on screen (align at right side of viewport)
left = targetLeftOffsetInSpaceOfRelativeElement - horizontalOverflow;
} else {
// element fits on screen (align with target)
left = targetOffset.left - relativeElementOffset.left;
}
element.style.top = top + 'px';
element.style.left = left + 'px';
gutter && (element.style.marginTop = origin === 'bottom' ? 'calc(var(--p-anchor-gutter) * -1)' : 'calc(var(--p-anchor-gutter))');
}
public static absolutePosition(element: any, target: any, gutter: boolean = true): void {
const elementDimensions = element.offsetParent ? { width: element.offsetWidth, height: element.offsetHeight } : this.getHiddenElementDimensions(element);
const elementOuterHeight = elementDimensions.height;
const elementOuterWidth = elementDimensions.width;
const targetOuterHeight = target.offsetHeight;
const targetOuterWidth = target.offsetWidth;
const targetOffset = target.getBoundingClientRect();
const windowScrollTop = this.getWindowScrollTop();
const windowScrollLeft = this.getWindowScrollLeft();
const viewport = this.getViewport();
let top: number, left: number;
if (targetOffset.top + targetOuterHeight + elementOuterHeight > viewport.height) {
top = targetOffset.top + windowScrollTop - elementOuterHeight;
element.style.transformOrigin = 'bottom';
if (top < 0) {
top = windowScrollTop;
}
} else {
top = targetOuterHeight + targetOffset.top + windowScrollTop;
element.style.transformOrigin = 'top';
}
if (targetOffset.left + elementOuterWidth > viewport.width) left = Math.max(0, targetOffset.left + windowScrollLeft + targetOuterWidth - elementOuterWidth);
else left = targetOffset.left + windowScrollLeft;
element.style.top = top + 'px';
element.style.left = left + 'px';
gutter && (element.style.marginTop = origin === 'bottom' ? 'calc(var(--p-anchor-gutter) * -1)' : 'calc(var(--p-anchor-gutter))');
}
static getParents(element: any, parents: any = []): any {
return element['parentNode'] === null ? parents : this.getParents(element.parentNode, parents.concat([element.parentNode]));
}
static getScrollableParents(element: any) {
let scrollableParents = [];
if (element) {
let parents = this.getParents(element);
const overflowRegex = /(auto|scroll)/;
const overflowCheck = (node: any) => {
let styleDeclaration = window['getComputedStyle'](node, null);
return overflowRegex.test(styleDeclaration.getPropertyValue('overflow')) || overflowRegex.test(styleDeclaration.getPropertyValue('overflowX')) || overflowRegex.test(styleDeclaration.getPropertyValue('overflowY'));
};
for (let parent of parents) {
let scrollSelectors = parent.nodeType === 1 && parent.dataset['scrollselectors'];
if (scrollSelectors) {
let selectors = scrollSelectors.split(',');
for (let selector of selectors) {
let el = this.findSingle(parent, selector);
if (el && overflowCheck(el)) {
scrollableParents.push(el);
}
}
}
if (parent.nodeType !== 9 && overflowCheck(parent)) {
scrollableParents.push(parent);
}
}
}
return scrollableParents;
}
public static getHiddenElementOuterHeight(element: any): number {
element.style.visibility = 'hidden';
element.style.display = 'block';
let elementHeight = element.offsetHeight;
element.style.display = 'none';
element.style.visibility = 'visible';
return elementHeight;
}
public static getHiddenElementOuterWidth(element: any): number {
element.style.visibility = 'hidden';
element.style.display = 'block';
let elementWidth = element.offsetWidth;
element.style.display = 'none';
element.style.visibility = 'visible';
return elementWidth;
}
public static getHiddenElementDimensions(element: any): any {
let dimensions: any = {};
element.style.visibility = 'hidden';
element.style.display = 'block';
dimensions.width = element.offsetWidth;
dimensions.height = element.offsetHeight;
element.style.display = 'none';
element.style.visibility = 'visible';
return dimensions;
}
public static scrollInView(container, item) {
let borderTopValue: string = getComputedStyle(container).getPropertyValue('borderTopWidth');
let borderTop: number = borderTopValue ? parseFloat(borderTopValue) : 0;
let paddingTopValue: string = getComputedStyle(container).getPropertyValue('paddingTop');
let paddingTop: number = paddingTopValue ? parseFloat(paddingTopValue) : 0;
let containerRect = container.getBoundingClientRect();
let itemRect = item.getBoundingClientRect();
let offset = itemRect.top + document.body.scrollTop - (containerRect.top + document.body.scrollTop) - borderTop - paddingTop;
let scroll = container.scrollTop;
let elementHeight = container.clientHeight;
let itemHeight = this.getOuterHeight(item);
if (offset < 0) {
container.scrollTop = scroll + offset;
} else if (offset + itemHeight > elementHeight) {
container.scrollTop = scroll + offset - elementHeight + itemHeight;
}
}
public static fadeIn(element, duration: number): void {
element.style.opacity = 0;
let last = +new Date();
let opacity = 0;
let tick = function () {
opacity = +element.style.opacity.replace(',', '.') + (new Date().getTime() - last) / duration;
element.style.opacity = opacity;
last = +new Date();
if (+opacity < 1) {
(window.requestAnimationFrame && requestAnimationFrame(tick)) || setTimeout(tick, 16);
}
};
tick();
}
public static fadeOut(element, ms) {
var opacity = 1,
interval = 50,
duration = ms,
gap = interval / duration;
let fading = setInterval(() => {
opacity = opacity - gap;
if (opacity <= 0) {
opacity = 0;
clearInterval(fading);
}
element.style.opacity = opacity;
}, interval);
}
public static getWindowScrollTop(): number {
let doc = document.documentElement;
return (window.pageYOffset || doc.scrollTop) - (doc.clientTop || 0);
}
public static getWindowScrollLeft(): number {
let doc = document.documentElement;
return (window.pageXOffset || doc.scrollLeft) - (doc.clientLeft || 0);
}
public static matches(element, selector: string): boolean {
var p = Element.prototype;
var f =
p['matches'] ||
p.webkitMatchesSelector ||
p['mozMatchesSelector'] ||
p['msMatchesSelector'] ||
function (s) {
return [].indexOf.call(document.querySelectorAll(s), this) !== -1;
};
return f.call(element, selector);
}
public static getOuterWidth(el, margin?) {
let width = el.offsetWidth;
if (margin) {
let style = getComputedStyle(el);
width += parseFloat(style.marginLeft) + parseFloat(style.marginRight);
}
return width;
}
public static getHorizontalPadding(el) {
let style = getComputedStyle(el);
return parseFloat(style.paddingLeft) + parseFloat(style.paddingRight);
}
public static getHorizontalMargin(el) {
let style = getComputedStyle(el);
return parseFloat(style.marginLeft) + parseFloat(style.marginRight);
}
public static innerWidth(el) {
let width = el.offsetWidth;
let style = getComputedStyle(el);
width += parseFloat(style.paddingLeft) + parseFloat(style.paddingRight);
return width;
}
public static width(el) {
let width = el.offsetWidth;
let style = getComputedStyle(el);
width -= parseFloat(style.paddingLeft) + parseFloat(style.paddingRight);
return width;
}
public static getInnerHeight(el) {
let height = el.offsetHeight;
let style = getComputedStyle(el);
height += parseFloat(style.paddingTop) + parseFloat(style.paddingBottom);
return height;
}
public static getOuterHeight(el, margin?) {
let height = el.offsetHeight;
if (margin) {
let style = getComputedStyle(el);
height += parseFloat(style.marginTop) + parseFloat(style.marginBottom);
}
return height;
}
public static getHeight(el): number {
let height = el.offsetHeight;
let style = getComputedStyle(el);
height -= parseFloat(style.paddingTop) + parseFloat(style.paddingBottom) + parseFloat(style.borderTopWidth) + parseFloat(style.borderBottomWidth);
return height;
}
public static getWidth(el): number {
let width = el.offsetWidth;
let style = getComputedStyle(el);
width -= parseFloat(style.paddingLeft) + parseFloat(style.paddingRight) + parseFloat(style.borderLeftWidth) + parseFloat(style.borderRightWidth);
return width;
}
public static getViewport(): any {
let win = window,
d = document,
e = d.documentElement,
g = d.getElementsByTagName('body')[0],
w = win.innerWidth || e.clientWidth || g.clientWidth,
h = win.innerHeight || e.clientHeight || g.clientHeight;
return { width: w, height: h };
}
public static getOffset(el) {
var rect = el.getBoundingClientRect();
return {
top: rect.top + (window.pageYOffset || document.documentElement.scrollTop || document.body.scrollTop || 0),
left: rect.left + (window.pageXOffset || document.documentElement.scrollLeft || document.body.scrollLeft || 0)
};
}
public static replaceElementWith(element: any, replacementElement: any): any {
let parentNode = element.parentNode;
if (!parentNode) throw `Can't replace element`;
return parentNode.replaceChild(replacementElement, element);
}
public static getUserAgent(): string {
if (navigator && this.isClient()) {
return navigator.userAgent;
}
}
public static isIE() {
var ua = window.navigator.userAgent;
var msie = ua.indexOf('MSIE ');
if (msie > 0) {
// IE 10 or older => return version number
return true;
}
var trident = ua.indexOf('Trident/');
if (trident > 0) {
// IE 11 => return version number
var rv = ua.indexOf('rv:');
return true;
}
var edge = ua.indexOf('Edge/');
if (edge > 0) {
// Edge (IE 12+) => return version number
return true;
}
// other browser
return false;
}
public static isIOS() {
return /iPad|iPhone|iPod/.test(navigator.userAgent) && !window['MSStream'];
}
public static isAndroid() {
return /(android)/i.test(navigator.userAgent);
}
public static isTouchDevice() {
return 'ontouchstart' in window || navigator.maxTouchPoints > 0;
}
public static appendChild(element: any, target: any) {
if (this.isElement(target)) target.appendChild(element);
else if (target && target.el && target.el.nativeElement) target.el.nativeElement.appendChild(element);
else throw 'Cannot append ' + target + ' to ' + element;
}
public static removeChild(element: any, target: any) {
if (this.isElement(target)) target.removeChild(element);
else if (target.el && target.el.nativeElement) target.el.nativeElement.removeChild(element);
else throw 'Cannot remove ' + element + ' from ' + target;
}
public static removeElement(element: Element) {
if (!('remove' in Element.prototype)) element.parentNode.removeChild(element);
else element.remove();
}
public static isElement(obj: any) {
return typeof HTMLElement === 'object' ? obj instanceof HTMLElement : obj && typeof obj === 'object' && obj !== null && obj.nodeType === 1 && typeof obj.nodeName === 'string';
}
public static calculateScrollbarWidth(el?: HTMLElement): number {
if (el) {
let style = getComputedStyle(el);
return el.offsetWidth - el.clientWidth - parseFloat(style.borderLeftWidth) - parseFloat(style.borderRightWidth);
} else {
if (this.calculatedScrollbarWidth !== null) return this.calculatedScrollbarWidth;
let scrollDiv = document.createElement('div');
scrollDiv.className = 'p-scrollbar-measure';
document.body.appendChild(scrollDiv);
let scrollbarWidth = scrollDiv.offsetWidth - scrollDiv.clientWidth;
document.body.removeChild(scrollDiv);
this.calculatedScrollbarWidth = scrollbarWidth;
return scrollbarWidth;
}
}
public static calculateScrollbarHeight(): number {
if (this.calculatedScrollbarHeight !== null) return this.calculatedScrollbarHeight;
let scrollDiv = document.createElement('div');
scrollDiv.className = 'p-scrollbar-measure';
document.body.appendChild(scrollDiv);
let scrollbarHeight = scrollDiv.offsetHeight - scrollDiv.clientHeight;
document.body.removeChild(scrollDiv);
this.calculatedScrollbarWidth = scrollbarHeight;
return scrollbarHeight;
}
public static invokeElementMethod(element: any, methodName: string, args?: any[]): void {
(element as any)[methodName].apply(element, args);
}
public static clearSelection(): void {
if (window.getSelection) {
if (window.getSelection().empty) {
window.getSelection().empty();
} else if (window.getSelection().removeAllRanges && window.getSelection().rangeCount > 0 && window.getSelection().getRangeAt(0).getClientRects().length > 0) {
window.getSelection().removeAllRanges();
}
} else if (document['selection'] && document['selection'].empty) {
try {
document['selection'].empty();
} catch (error) {
//ignore IE bug
}
}
}
public static getBrowser() {
if (!this.browser) {
let matched = this.resolveUserAgent();
this.browser = {};
if (matched.browser) {
this.browser[matched.browser] = true;
this.browser['version'] = matched.version;
}
if (this.browser['chrome']) {
this.browser['webkit'] = true;
} else if (this.browser['webkit']) {
this.browser['safari'] = true;
}
}
return this.browser;
}
public static resolveUserAgent() {
let ua = navigator.userAgent.toLowerCase();
let match =
/(chrome)[ \/]([\w.]+)/.exec(ua) || /(webkit)[ \/]([\w.]+)/.exec(ua) || /(opera)(?:.*version|)[ \/]([\w.]+)/.exec(ua) || /(msie) ([\w.]+)/.exec(ua) || (ua.indexOf('compatible') < 0 && /(mozilla)(?:.*? rv:([\w.]+)|)/.exec(ua)) || [];
return {
browser: match[1] || '',
version: match[2] || '0'
};
}
public static isInteger(value): boolean {
if (Number.isInteger) {
return Number.isInteger(value);
} else {
return typeof value === 'number' && isFinite(value) && Math.floor(value) === value;
}
}
public static isHidden(element: HTMLElement): boolean {
return !element || element.offsetParent === null;
}
public static isVisible(element: HTMLElement) {
return element && element.offsetParent != null;
}
public static isExist(element: HTMLElement) {
return element !== null && typeof element !== 'undefined' && element.nodeName && element.parentNode;
}
public static focus(element: HTMLElement, options?: FocusOptions): void {
element && document.activeElement !== element && element.focus(options);
}
public static getFocusableSelectorString(selector = ''): string {
return `button:not([tabindex = "-1"]):not([disabled]):not([style*="display:none"]):not([hidden])${selector},
[href][clientHeight][clientWidth]:not([tabindex = "-1"]):not([disabled]):not([style*="display:none"]):not([hidden])${selector},
input:not([tabindex = "-1"]):not([disabled]):not([style*="display:none"]):not([hidden])${selector},
select:not([tabindex = "-1"]):not([disabled]):not([style*="display:none"]):not([hidden])${selector},
textarea:not([tabindex = "-1"]):not([disabled]):not([style*="display:none"]):not([hidden])${selector},
[tabIndex]:not([tabIndex = "-1"]):not([disabled]):not([style*="display:none"]):not([hidden])${selector},
[contenteditable]:not([tabIndex = "-1"]):not([disabled]):not([style*="display:none"]):not([hidden])${selector},
.p-inputtext:not([tabindex = "-1"]):not([disabled]):not([style*="display:none"]):not([hidden])${selector},
.p-button:not([tabindex = "-1"]):not([disabled]):not([style*="display:none"]):not([hidden])${selector}`;
}
public static getFocusableElements(element, selector = ''): any[] {
let focusableElements = this.find(element, this.getFocusableSelectorString(selector));
let visibleFocusableElements = [];
for (let focusableElement of focusableElements) {
const computedStyle = getComputedStyle(focusableElement);
if (this.isVisible(focusableElement) && computedStyle.display != 'none' && computedStyle.visibility != 'hidden') visibleFocusableElements.push(focusableElement);
}
return visibleFocusableElements;
}
public static getFocusableElement(element, selector = ''): any | null {
let focusableElement = this.findSingle(element, this.getFocusableSelectorString(selector));
if (focusableElement) {
const computedStyle = getComputedStyle(focusableElement);
if (this.isVisible(focusableElement) && computedStyle.display != 'none' && computedStyle.visibility != 'hidden') return focusableElement;
}
return null;
}
public static getFirstFocusableElement(element, selector = '') {
const focusableElements = this.getFocusableElements(element, selector);
return focusableElements.length > 0 ? focusableElements[0] : null;
}
public static getLastFocusableElement(element, selector) {
const focusableElements = this.getFocusableElements(element, selector);
return focusableElements.length > 0 ? focusableElements[focusableElements.length - 1] : null;
}
public static getNextFocusableElement(element: HTMLElement, reverse = false) {
const focusableElements = DomHandler.getFocusableElements(element);
let index = 0;
if (focusableElements && focusableElements.length > 0) {
const focusedIndex = focusableElements.indexOf(focusableElements[0].ownerDocument.activeElement);
if (reverse) {
if (focusedIndex == -1 || focusedIndex === 0) {
index = focusableElements.length - 1;
} else {
index = focusedIndex - 1;
}
} else if (focusedIndex != -1 && focusedIndex !== focusableElements.length - 1) {
index = focusedIndex + 1;
}
}
return focusableElements[index];
}
static generateZIndex() {
this.zindex = this.zindex || 999;
return ++this.zindex;
}
public static getSelection() {
if (window.getSelection) return window.getSelection().toString();
else if (document.getSelection) return document.getSelection().toString();
else if (document['selection']) return document['selection'].createRange().text;
return null;
}
public static getTargetElement(target: any, el?: HTMLElement) {
if (!target) return null;
switch (target) {
case 'document':
return document;
case 'window':
return window;
case '@next':
return el?.nextElementSibling;
case '@prev':
return el?.previousElementSibling;
case '@parent':
return el?.parentElement;
case '@grandparent':
return el?.parentElement.parentElement;
default:
const type = typeof target;
if (type === 'string') {
return document.querySelector(target);
} else if (type === 'object' && target.hasOwnProperty('nativeElement')) {
return this.isExist(target.nativeElement) ? target.nativeElement : undefined;
}
const isFunction = (obj: any) => !!(obj && obj.constructor && obj.call && obj.apply);
const element = isFunction(target) ? target() : target;
return (element && element.nodeType === 9) || this.isExist(element) ? element : null;
}
}
public static isClient() {
return !!(typeof window !== 'undefined' && window.document && window.document.createElement);
}
public static getAttribute(element, name) {
if (element) {
const value = element.getAttribute(name);
if (!isNaN(value)) {
return +value;
}
if (value === 'true' || value === 'false') {
return value === 'true';
}
return value;
}
return undefined;
}
public static calculateBodyScrollbarWidth() {
return window.innerWidth - document.documentElement.offsetWidth;
}
public static blockBodyScroll(className = 'p-overflow-hidden') {
document.body.style.setProperty('--scrollbar-width', this.calculateBodyScrollbarWidth() + 'px');
this.addClass(document.body, className);
}
public static unblockBodyScroll(className = 'p-overflow-hidden') {
document.body.style.removeProperty('--scrollbar-width');
this.removeClass(document.body, className);
}
public static createElement(type, attributes = {}, ...children) {
if (type) {
const element = document.createElement(type);
this.setAttributes(element, attributes);
element.append(...children);
return element;
}
return undefined;
}
public static setAttribute(element, attribute = '', value) {
if (this.isElement(element) && value !== null && value !== undefined) {
element.setAttribute(attribute, value);
}
}
public static setAttributes(element, attributes = {}) {
if (this.isElement(element)) {
const computedStyles = (rule, value) => {
const styles = element?.$attrs?.[rule] ? [element?.$attrs?.[rule]] : [];
return [value].flat().reduce((cv, v) => {
if (v !== null && v !== undefined) {
const type = typeof v;
if (type === 'string' || type === 'number') {
cv.push(v);
} else if (type === 'object') {
const _cv = Array.isArray(v)
? computedStyles(rule, v)
: Object.entries(v).map(([_k, _v]) => (rule === 'style' && (!!_v || _v === 0) ? `${_k.replace(/([a-z])([A-Z])/g, '$1-$2').toLowerCase()}:${_v}` : !!_v ? _k : undefined));
cv = _cv.length ? cv.concat(_cv.filter((c) => !!c)) : cv;
}
}
return cv;
}, styles);
};
Object.entries(attributes).forEach(([key, value]) => {
if (value !== undefined && value !== null) {
const matchedEvent = key.match(/^on(.+)/);
if (matchedEvent) {
element.addEventListener(matchedEvent[1].toLowerCase(), value);
} else if (key === 'pBind') {
this.setAttributes(element, value);
} else {
value = key === 'class' ? [...new Set(computedStyles('class', value))].join(' ').trim() : key === 'style' ? computedStyles('style', value).join(';').trim() : value;
(element.$attrs = element.$attrs || {}) && (element.$attrs[key] = value);
element.setAttribute(key, value);
}
}
});
}
}
public static isFocusableElement(element, selector = '') {
return this.isElement(element)
? element.matches(`button:not([tabindex = "-1"]):not([disabled]):not([style*="display:none"]):not([hidden])${selector},
[href][clientHeight][clientWidth]:not([tabindex = "-1"]):not([disabled]):not([style*="display:none"]):not([hidden])${selector},
input:not([tabindex = "-1"]):not([disabled]):not([style*="display:none"]):not([hidden])${selector},
select:not([tabindex = "-1"]):not([disabled]):not([style*="display:none"]):not([hidden])${selector},
textarea:not([tabindex = "-1"]):not([disabled]):not([style*="display:none"]):not([hidden])${selector},
[tabIndex]:not([tabIndex = "-1"]):not([disabled]):not([style*="display:none"]):not([hidden])${selector},
[contenteditable]:not([tabIndex = "-1"]):not([disabled]):not([style*="display:none"]):not([hidden])${selector}`)
: false;
}
}
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment