prefix
stringlengths
82
32.6k
middle
stringlengths
5
470
suffix
stringlengths
0
81.2k
file_path
stringlengths
6
168
repo_name
stringlengths
16
77
context
listlengths
5
5
lang
stringclasses
4 values
ground_truth
stringlengths
5
470
import {IPausable} from '../../../interfaces'; import {ROOT_CONTAINER, SEARCH_BAR} from '../../dom/selectors'; import {EventKeeper} from '../../utils/eventKeeper'; import {noop} from '../../../shared/misc'; import {modal, tip} from '../../utils/notifications'; import {PostList} from './postList'; import {generateHelpMessage, VIM_ACTIONS, VIM_KEY_MAP} from './vimActions'; import {ultimatelyFind} from '../../dom/utils'; enum DIRECTION { NEXT, PREVIOUS } const FOCUSED_POST_CLASS = 'bluesky-overhaul-focused-post'; const MISSING_POST_ERROR = 'No post is focused'; const REPLY_BUTTON_SELECTOR = '[data-testid="replyBtn"]'; const REPOST_BUTTON_SELECTOR = '[data-testid="repostBtn"]'; const LIKE_BUTTON_SELECTOR = '[data-testid="likeBtn"]'; export class VimKeybindingsHandler implements IPausable { readonly #container: HTMLElement; readonly #postList: PostList; readonly #postClickEventKeeper = new EventKeeper(); readonly #searchBarEventKeeper = new EventKeeper(); #currentPost: HTMLElement | null = null; #stashedPost: HTMLElement | null = null; #isPaused: boolean; constructor(targetContainer: HTMLElement, startPaused = true) { this.#container = targetContainer; this.#postList = new PostList(targetContainer, startPaused); this.#isPaused = startPaused; } start(): void { if (!this.#isPaused) return; this.#postList.start(); this.#postClickEventKeeper.add(this.#container, 'click', this.#onPostAltClick.bind(this)); this.#blurSearchBar(); this.#isPaused = false; } pause(): void { if (this.#isPaused) return; this.#postList.pause(); this.#postClickEventKeeper.cancelAll(); this.#searchBarEventKeeper.cancelAll(); this.#removeHighlight(); this.#isPaused = true; } handle(event: KeyboardEvent): void { if (this.#isPaused) return; event.preventDefault(); const key = event.key; if (!(key in VIM_KEY_MAP)) return; const action = VIM_KEY_MAP[key as keyof typeof VIM_KEY_MAP]; switch (action) { case VIM_ACTIONS.SHOW_HELP: modal(generateHelpMessage()); break; case VIM_ACTIONS.SEARCH: this.#focusSearchBar(); break; case VIM_ACTIONS.LOAD_NEW_POSTS: this.#loadNewPosts(); break; case VIM_ACTIONS.NEXT_POST: this.#selectPost(DIRECTION.NEXT); break; case VIM_ACTIONS.PREVIOUS_POST: this.#selectPost(DIRECTION.PREVIOUS); break; case VIM_ACTIONS.LIKE: this.#likePost(); break; case VIM_ACTIONS.CREATE_POST: this.#newPost(); break; case VIM_ACTIONS.EXPAND_IMAGE: this.#expandImage(); break; case VIM_ACTIONS.REPLY: this.#replyToPost(); break; case VIM_ACTIONS.REPOST: this.#repostPost(); break; case VIM_ACTIONS.OPEN_POST: this.#currentPost?.click(); break; default: tip(`Action "${action}" is not implemented yet`); } } #selectPost(direction: DIRECTION): void { if (direction === DIRECTION.NEXT) { this.#postList.getNextPost().then((p) => this.#highlightPost(p)); } else { this.#postList.getPreviousPost().then((p) => this.#highlightPost(p)); } } #replyToPost(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const reply = this.#currentPost.querySelector(REPLY_BUTTON_SELECTOR) as HTMLElement; reply?.click(); } #repostPost(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const repost = this.#currentPost.querySelector(REPOST_BUTTON_SELECTOR) as HTMLElement; repost?.click(); } #likePost(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const like = this.#currentPost.querySelector(LIKE_BUTTON_SELECTOR) as HTMLElement; like?.click(); } #expandImage(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const imageContainer = this.#currentPost.querySelector('div.expo-image-container') as HTMLElement; imageContainer?.click(); } #onPostAltClick(event: MouseEvent): void { if (this.#isPaused || !event.altKey) return; event.preventDefault(); this.#postList.
setCurrentPost(event.target as HTMLElement).then((p) => this.#highlightPost(p)).catch(noop);
} #highlightPost(post: HTMLElement): void { if (post === this.#currentPost) return; this.#removeHighlight(); this.#stashedPost = null; this.#currentPost = post; this.#currentPost.classList.add(FOCUSED_POST_CLASS); this.#currentPost.scrollIntoView({block: 'center', behavior: 'smooth'}); } #removeHighlight(): void { this.#stashedPost = this.#currentPost; this.#currentPost?.classList.remove(FOCUSED_POST_CLASS); this.#currentPost = null; } #focusSearchBar(): void { this.#removeHighlight(); this.#findSearchBar().then((searchBar) => { this.#searchBarEventKeeper.cancelAll(); searchBar.focus(); this.#searchBarEventKeeper.add(searchBar, 'blur', this.#blurSearchBar.bind(this)); this.#searchBarEventKeeper.add(searchBar, 'keydown', (event: KeyboardEvent) => { if (event.key === 'Escape') searchBar.blur(); }); }).catch(() => tip('Search bar not found')); } #blurSearchBar(): void { this.#searchBarEventKeeper.cancelAll(); this.#findSearchBar().then((searchBar) => { searchBar.blur(); this.#stashedPost && this.#highlightPost(this.#stashedPost); this.#searchBarEventKeeper.add(searchBar, 'focus', this.#focusSearchBar.bind(this)); }); } #findSearchBar(): Promise<HTMLElement> { return ultimatelyFind(document.body, SEARCH_BAR); } async #loadNewPosts(): Promise<void> { try { const tab = await this.#postList.getCurrentFeedTab(); const tabContainer = await ultimatelyFind(this.#container, tab); const newPostsButton = tabContainer.childNodes[1] as HTMLElement; if (newPostsButton && newPostsButton.nextSibling) { newPostsButton.click(); this.#container.scrollIntoView({block: 'start', behavior: 'smooth'}); } else { tip('No new posts to load'); } } catch { tip('You are not on the feed page'); } } async #newPost(): Promise<void> { const rootContainer = await ultimatelyFind(document.body, ROOT_CONTAINER); const children = rootContainer.childNodes; const menuItems = children[1].childNodes; const newPostButton = menuItems[menuItems.length - 1] as HTMLElement; if (newPostButton) { newPostButton.click(); } else { tip('No new post button found'); } } }
src/content/watchers/helpers/vimKeybindings.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": " }\n #onTabButtonClick(event: MouseEvent): void {\n const target = event.target as HTMLElement;\n const data = target.getAttribute('data-testid');\n if (data === FOLLOWING_DATA || target.querySelector(`[data-testid=\"${FOLLOWING_DATA}\"]`)) {\n if (this.#activeTabSelector !== FOLLOWING_FEED) this.#currentPost = null;\n this.#activeTabSelector = FOLLOWING_FEED;\n } else if (data === WHATSHOT_DATA || target.querySelector(`[data-testid=\"${WHATSHOT_DATA}\"]`)) {\n if (this.#activeTabSelector !== WHATSHOT_FEED) this.#currentPost = null;\n this.#activeTabSelector = WHATSHOT_FEED;", "score": 0.848645806312561 }, { "filename": "src/content/pipelines/emoji.ts", "retrieved_chunk": " }\n #getPickerSearch(): HTMLInputElement | null {\n const picker = this.#picker as unknown as HTMLElement;\n return picker.shadowRoot?.querySelector('input[type=\"search\"]') as HTMLInputElement;\n }\n #onButtonClick(): void {\n if (this.#expanded) return;\n this.#elems.emojiPopup.style.display = 'block';\n this.#expanded = true;\n this.#pauseOuterServices();", "score": 0.8368385434150696 }, { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": " } else {\n return null;\n }\n }\n};\nconst isPostThreadDelimiter = (postCandidate: HTMLElement): boolean => {\n return postCandidate.getAttribute('role') === 'link' && postCandidate.getAttribute('tabindex') === '0';\n};\nexport class PostList implements IPausable {\n readonly #container: HTMLElement;", "score": 0.8293318748474121 }, { "filename": "src/content/pipelines/quotePost.ts", "retrieved_chunk": "import {COMPOSE_CONTENT_EDITABLE, COMPOSE_LINK_CARD_BUTTON} from '../dom/selectors';\nimport {log} from '../utils/logger';\nimport {typeText, backspace} from '../utils/text';\nimport {Pipeline} from './pipeline';\nimport {ultimatelyFind} from '../dom/utils';\nimport {EventKeeper} from '../utils/eventKeeper';\nconst STAGING_URL_REGEX = /.*(https:\\/\\/staging\\.bsky\\.app\\/profile\\/.*\\/post\\/.*\\/?)$/;\nconst URL_REGEX = /.*(https:\\/\\/bsky\\.app\\/profile\\/.*\\/post\\/.*\\/?)$/;\nexport class QuotePostPipeline extends Pipeline {\n #modal: HTMLElement | null;", "score": 0.8291432857513428 }, { "filename": "src/content/pipelines/quotePost.ts", "retrieved_chunk": " if (this.#modal === null) {\n log('QuotePostPipeline is not deployed');\n return;\n }\n this.#eventKeeper.cancelAll();\n this.#modal = this.#contentEditable = null;\n }\n onPaste(event: ClipboardEvent): void {\n if (!event.clipboardData || !this.#contentEditable) return;\n if (event.clipboardData.types.indexOf('text/plain') === -1) return;", "score": 0.8281108736991882 } ]
typescript
setCurrentPost(event.target as HTMLElement).then((p) => this.#highlightPost(p)).catch(noop);
import {Watcher} from './watcher'; import {CallThrottler} from '../utils/callThrottler'; import {POST_ITEM_LINK_INJECTED_MARKER} from '../dom/constants'; import {POST_ITEMS, POST_ITEM_LINKS} from '../dom/selectors'; import {ultimatelyFindAll} from '../dom/utils'; import {noop} from '../../shared/misc'; const THROTTLING_INTERVAL = 500; const YOUTU_BE_REGEX = /youtu\.be\/([a-zA-Z0-9_-]+)/; const YOUTUBE_WATCH_REGEX = /youtube\.com\/watch\?v=([a-zA-Z0-9_-]+)/; const resolveYoutubeId = (url: string): string | null => { let match; if (url.includes('youtu.be')) { match = url.match(YOUTU_BE_REGEX); } else if (url.includes('youtube.com/watch')) { match = url.match(YOUTUBE_WATCH_REGEX); } return match?.[1] ?? null; }; const injectYoutubePlayers = (youtubeLinks: HTMLLinkElement[]): void => { youtubeLinks.forEach((link) => { if (link.getAttribute(POST_ITEM_LINK_INJECTED_MARKER)) return; const videoId = resolveYoutubeId(link.href ?? ''); if (!videoId) return; const iframe = document.createElement('iframe'); iframe.setAttribute('src', `https://www.youtube.com/embed/${videoId}`); iframe.setAttribute('allow', 'accelerometer; autoplay; encrypted-media; gyroscope; picture-in-picture'); iframe.setAttribute('allowfullscreen', 'true'); iframe.style.width = '100%'; iframe.style.height = '400px'; iframe.style.border = 'none'; iframe.style.flexGrow = '1'; iframe.style.paddingTop = '10px'; link.parentNode?.parentNode?.appendChild(iframe); link.setAttribute(POST_ITEM_LINK_INJECTED_MARKER, 'true'); const blueskyYoutubePreview = iframe.parentNode?.nextSibling as HTMLElement; if (blueskyYoutubePreview?.getAttribute('tabindex') === '0') { blueskyYoutubePreview.style.display = 'none'; } }); }; const createYoutubePlayers = (container: HTMLElement): void => { ultimatelyFindAll(container,
[POST_ITEMS, POST_ITEM_LINKS]) .then((links) => injectYoutubePlayers(links as HTMLLinkElement[])) .catch(noop);
}; export class YoutubeWatcher extends Watcher { readonly #container: HTMLElement; readonly #throttler: CallThrottler = new CallThrottler(THROTTLING_INTERVAL); readonly #observer: MutationObserver; constructor(container: HTMLElement) { super(); this.#container = container; this.#observer = new MutationObserver(() => { const currentLayout = this.#container.lastChild as HTMLElement; this.#throttler.call(() => createYoutubePlayers(currentLayout)); }); } watch(): void { const initialLayout = this.#container.lastChild as HTMLElement; this.#throttler.call(() => createYoutubePlayers(initialLayout)); this.#observer.observe(this.#container, {childList: true, subtree: true}); } }
src/content/watchers/youtube.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": " #subscribeToTabButtons(tabButtons: HTMLElement): void {\n this.#tabButtonEventKeeper.cancelAll();\n this.#tabButtonEventKeeper.add(tabButtons, 'click', this.#onTabButtonClick.bind(this));\n }\n #onContainerMutation(mutations: MutationRecord[]): void {\n mutations.forEach((mutation) => {\n if (mutation.target === this.#container) {\n this.#currentPost = null;\n }\n });", "score": 0.8209546804428101 }, { "filename": "src/content/dom/constants.ts", "retrieved_chunk": "export const FIRST_CHILD_MARKER = '~~FIRST_CHILD~~';\nexport const LAST_CHILD_MARKER = '~~LAST_CHILD~~';\nexport const POST_ITEM_LINK_INJECTED_MARKER = 'bluesky-overhaul-youtube-injected';", "score": 0.805374026298523 }, { "filename": "src/content/main.ts", "retrieved_chunk": " }\n return ultimatelyFind(document.body, ROOT_CONTAINER).then((rootContainer) => Promise.all([\n Promise.resolve(rootContainer),\n ultimatelyFind(rootContainer, FEED_CONTAINER),\n ultimatelyFind(rootContainer, MODAL_CONTAINER)\n ]).then(([rootContainer, feedContainer, modalContainer]) => {\n const countersConcealer = new CountersConcealer(document.body);\n settingsManager.subscribe(countersConcealer);\n countersConcealer.watch();\n const keydownWatcher = new KeydownWatcher(rootContainer, feedContainer);", "score": 0.8012778759002686 }, { "filename": "src/content/watchers/helpers/vimKeybindings.ts", "retrieved_chunk": " this.#postClickEventKeeper.add(this.#container, 'click', this.#onPostAltClick.bind(this));\n this.#blurSearchBar();\n this.#isPaused = false;\n }\n pause(): void {\n if (this.#isPaused) return;\n this.#postList.pause();\n this.#postClickEventKeeper.cancelAll();\n this.#searchBarEventKeeper.cancelAll();\n this.#removeHighlight();", "score": 0.7953993082046509 }, { "filename": "src/content/main.ts", "retrieved_chunk": " } else {\n pipelineManager.terminateAll();\n }\n }\n });\n });\n observer.observe(modalContainer, {childList: true, subtree: true});\n }));\n};\nrun().then(() => {", "score": 0.7952843904495239 } ]
typescript
[POST_ITEMS, POST_ITEM_LINKS]) .then((links) => injectYoutubePlayers(links as HTMLLinkElement[])) .catch(noop);
import {IPausable} from '../../../interfaces'; import {ROOT_CONTAINER, SEARCH_BAR} from '../../dom/selectors'; import {EventKeeper} from '../../utils/eventKeeper'; import {noop} from '../../../shared/misc'; import {modal, tip} from '../../utils/notifications'; import {PostList} from './postList'; import {generateHelpMessage, VIM_ACTIONS, VIM_KEY_MAP} from './vimActions'; import {ultimatelyFind} from '../../dom/utils'; enum DIRECTION { NEXT, PREVIOUS } const FOCUSED_POST_CLASS = 'bluesky-overhaul-focused-post'; const MISSING_POST_ERROR = 'No post is focused'; const REPLY_BUTTON_SELECTOR = '[data-testid="replyBtn"]'; const REPOST_BUTTON_SELECTOR = '[data-testid="repostBtn"]'; const LIKE_BUTTON_SELECTOR = '[data-testid="likeBtn"]'; export class VimKeybindingsHandler implements IPausable { readonly #container: HTMLElement; readonly #postList: PostList; readonly #postClickEventKeeper = new EventKeeper(); readonly #searchBarEventKeeper = new EventKeeper(); #currentPost: HTMLElement | null = null; #stashedPost: HTMLElement | null = null; #isPaused: boolean; constructor(targetContainer: HTMLElement, startPaused = true) { this.#container = targetContainer; this.#postList = new PostList(targetContainer, startPaused); this.#isPaused = startPaused; } start(): void { if (!this.#isPaused) return; this.#postList.start(); this.#postClickEventKeeper.add(this.#container, 'click', this.#onPostAltClick.bind(this)); this.#blurSearchBar(); this.#isPaused = false; } pause(): void { if (this.#isPaused) return; this.#postList.pause(); this.#postClickEventKeeper.cancelAll(); this.#searchBarEventKeeper.cancelAll(); this.#removeHighlight(); this.#isPaused = true; } handle(event: KeyboardEvent): void { if (this.#isPaused) return; event.preventDefault(); const key = event.key; if (!(key in VIM_KEY_MAP)) return; const action = VIM_KEY_MAP[key as keyof typeof VIM_KEY_MAP]; switch (action) { case VIM_ACTIONS.SHOW_HELP: modal(generateHelpMessage()); break; case VIM_ACTIONS.SEARCH: this.#focusSearchBar(); break; case VIM_ACTIONS.LOAD_NEW_POSTS: this.#loadNewPosts(); break; case VIM_ACTIONS.NEXT_POST: this.#selectPost(DIRECTION.NEXT); break; case VIM_ACTIONS.PREVIOUS_POST: this.#selectPost(DIRECTION.PREVIOUS); break; case VIM_ACTIONS.LIKE: this.#likePost(); break; case VIM_ACTIONS.CREATE_POST: this.#newPost(); break; case VIM_ACTIONS.EXPAND_IMAGE: this.#expandImage(); break; case VIM_ACTIONS.REPLY: this.#replyToPost(); break; case VIM_ACTIONS.REPOST: this.#repostPost(); break; case VIM_ACTIONS.OPEN_POST: this.#currentPost?.click(); break; default: tip(`Action "${action}" is not implemented yet`); } } #selectPost(direction: DIRECTION): void { if (direction === DIRECTION.NEXT) { this.#postList.getNextPost().then((p) => this.#highlightPost(p)); } else { this.#postList.getPreviousPost().then((p) => this.#highlightPost(p)); } } #replyToPost(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const reply = this.#currentPost.querySelector(REPLY_BUTTON_SELECTOR) as HTMLElement; reply?.click(); } #repostPost(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const repost = this.#currentPost.querySelector(REPOST_BUTTON_SELECTOR) as HTMLElement; repost?.click(); } #likePost(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const like = this.#currentPost.querySelector(LIKE_BUTTON_SELECTOR) as HTMLElement; like?.click(); } #expandImage(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const imageContainer = this.#currentPost.querySelector('div.expo-image-container') as HTMLElement; imageContainer?.click(); } #onPostAltClick(event: MouseEvent): void { if (this.#isPaused || !event.altKey) return; event.preventDefault(); this.#postList.setCurrentPost(event.target as HTMLElement).then((p) => this.#highlightPost(p)).catch(noop); } #highlightPost(post: HTMLElement): void { if (post === this.#currentPost) return; this.#removeHighlight(); this.#stashedPost = null; this.#currentPost = post; this.#currentPost.classList.add(FOCUSED_POST_CLASS); this.#currentPost.scrollIntoView({block: 'center', behavior: 'smooth'}); } #removeHighlight(): void { this.#stashedPost = this.#currentPost; this.#currentPost?.classList.remove(FOCUSED_POST_CLASS); this.#currentPost = null; } #focusSearchBar(): void { this.#removeHighlight(); this.#findSearchBar().then((searchBar) => { this.#searchBarEventKeeper.cancelAll(); searchBar.focus(); this.#searchBarEventKeeper.add(searchBar, 'blur', this.#blurSearchBar.bind(this)); this.#searchBarEventKeeper.add(searchBar, 'keydown', (event: KeyboardEvent) => { if (event.key === 'Escape') searchBar.blur(); }); }).catch(() => tip('Search bar not found')); } #blurSearchBar(): void { this.#searchBarEventKeeper.cancelAll(); this.#findSearchBar().then((searchBar) => { searchBar.blur(); this.#stashedPost && this.#highlightPost(this.#stashedPost); this.#searchBarEventKeeper.add(searchBar, 'focus', this.#focusSearchBar.bind(this)); }); } #findSearchBar(): Promise<HTMLElement> { return ultimatelyFind
(document.body, SEARCH_BAR);
} async #loadNewPosts(): Promise<void> { try { const tab = await this.#postList.getCurrentFeedTab(); const tabContainer = await ultimatelyFind(this.#container, tab); const newPostsButton = tabContainer.childNodes[1] as HTMLElement; if (newPostsButton && newPostsButton.nextSibling) { newPostsButton.click(); this.#container.scrollIntoView({block: 'start', behavior: 'smooth'}); } else { tip('No new posts to load'); } } catch { tip('You are not on the feed page'); } } async #newPost(): Promise<void> { const rootContainer = await ultimatelyFind(document.body, ROOT_CONTAINER); const children = rootContainer.childNodes; const menuItems = children[1].childNodes; const newPostButton = menuItems[menuItems.length - 1] as HTMLElement; if (newPostButton) { newPostButton.click(); } else { tip('No new post button found'); } } }
src/content/watchers/helpers/vimKeybindings.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/pipelines/emoji.ts", "retrieved_chunk": " });\n }\n #focusOnPickerSearch(): void {\n if (!this.#picker) return;\n this.#getPickerSearch()?.focus();\n }\n #clearPickerSearch(): void {\n if (!this.#picker) return;\n const pickerSearch = this.#getPickerSearch();\n if (pickerSearch) pickerSearch.value = '';", "score": 0.8479434251785278 }, { "filename": "src/content/pipelines/postModal.ts", "retrieved_chunk": " Promise.all([\n ultimatelyFind(modal, COMPOSE_CANCEL_BUTTON),\n ultimatelyFind(modal, COMPOSE_CONTENT_EDITABLE)\n ]).then(([exitButton, contentEditable]) => {\n this.#exitButton = exitButton;\n this.#contentEditable = contentEditable;\n this.#eventKeeper.add(document, 'click', this.#onClick.bind(this));\n this.#eventKeeper.add(contentEditable, 'mousedown', this.#onPresumedSelect.bind(this));\n this.#eventKeeper.add(exitButton, 'click', () => this.#eventKeeper.cancelAll());\n });", "score": 0.8383439183235168 }, { "filename": "src/content/pipelines/emoji.ts", "retrieved_chunk": " }\n #getPickerSearch(): HTMLInputElement | null {\n const picker = this.#picker as unknown as HTMLElement;\n return picker.shadowRoot?.querySelector('input[type=\"search\"]') as HTMLInputElement;\n }\n #onButtonClick(): void {\n if (this.#expanded) return;\n this.#elems.emojiPopup.style.display = 'block';\n this.#expanded = true;\n this.#pauseOuterServices();", "score": 0.8365623354911804 }, { "filename": "src/content/pipelines/emoji.ts", "retrieved_chunk": " this.#focusOnPickerSearch();\n const clickOutside = (event: Event): void => {\n const target = event.target as HTMLElement;\n if (this.#elems.emojiPopup && !this.#elems.emojiPopup.contains(target) && target !== this.#elems.emojiButton) {\n this.#elems.emojiPopup.style.display = 'none';\n this.#clearPickerSearch();\n this.#expanded = false;\n this.#modal?.removeEventListener('click', clickOutside);\n document.removeEventListener('click', clickOutside);\n this.#resumeOuterServices();", "score": 0.8266618847846985 }, { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": " #subscribeToTabButtons(tabButtons: HTMLElement): void {\n this.#tabButtonEventKeeper.cancelAll();\n this.#tabButtonEventKeeper.add(tabButtons, 'click', this.#onTabButtonClick.bind(this));\n }\n #onContainerMutation(mutations: MutationRecord[]): void {\n mutations.forEach((mutation) => {\n if (mutation.target === this.#container) {\n this.#currentPost = null;\n }\n });", "score": 0.8237876296043396 } ]
typescript
(document.body, SEARCH_BAR);
import {Watcher} from './watcher'; import {CallThrottler} from '../utils/callThrottler'; import {POST_ITEM_LINK_INJECTED_MARKER} from '../dom/constants'; import {POST_ITEMS, POST_ITEM_LINKS} from '../dom/selectors'; import {ultimatelyFindAll} from '../dom/utils'; import {noop} from '../../shared/misc'; const THROTTLING_INTERVAL = 500; const YOUTU_BE_REGEX = /youtu\.be\/([a-zA-Z0-9_-]+)/; const YOUTUBE_WATCH_REGEX = /youtube\.com\/watch\?v=([a-zA-Z0-9_-]+)/; const resolveYoutubeId = (url: string): string | null => { let match; if (url.includes('youtu.be')) { match = url.match(YOUTU_BE_REGEX); } else if (url.includes('youtube.com/watch')) { match = url.match(YOUTUBE_WATCH_REGEX); } return match?.[1] ?? null; }; const injectYoutubePlayers = (youtubeLinks: HTMLLinkElement[]): void => { youtubeLinks.forEach((link) => { if (link.getAttribute(POST_ITEM_LINK_INJECTED_MARKER)) return; const videoId = resolveYoutubeId(link.href ?? ''); if (!videoId) return; const iframe = document.createElement('iframe'); iframe.setAttribute('src', `https://www.youtube.com/embed/${videoId}`); iframe.setAttribute('allow', 'accelerometer; autoplay; encrypted-media; gyroscope; picture-in-picture'); iframe.setAttribute('allowfullscreen', 'true'); iframe.style.width = '100%'; iframe.style.height = '400px'; iframe.style.border = 'none'; iframe.style.flexGrow = '1'; iframe.style.paddingTop = '10px'; link.parentNode?.parentNode?.appendChild(iframe); link.setAttribute(POST_ITEM_LINK_INJECTED_MARKER, 'true'); const blueskyYoutubePreview = iframe.parentNode?.nextSibling as HTMLElement; if (blueskyYoutubePreview?.getAttribute('tabindex') === '0') { blueskyYoutubePreview.style.display = 'none'; } }); }; const createYoutubePlayers = (container: HTMLElement): void => { ultimatelyFindAll(container, [POST_ITEMS, POST_ITEM_LINKS]) .then((links) => injectYoutubePlayers(links as HTMLLinkElement[])) .catch(noop); }; export class YoutubeWatcher extends Watcher { readonly #container: HTMLElement;
readonly #throttler: CallThrottler = new CallThrottler(THROTTLING_INTERVAL);
readonly #observer: MutationObserver; constructor(container: HTMLElement) { super(); this.#container = container; this.#observer = new MutationObserver(() => { const currentLayout = this.#container.lastChild as HTMLElement; this.#throttler.call(() => createYoutubePlayers(currentLayout)); }); } watch(): void { const initialLayout = this.#container.lastChild as HTMLElement; this.#throttler.call(() => createYoutubePlayers(initialLayout)); this.#observer.observe(this.#container, {childList: true, subtree: true}); } }
src/content/watchers/youtube.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/watchers/postDatetime.ts", "retrieved_chunk": " tooltip.role = 'tooltip';\n tooltip.className = 'bluesky-overhaul-tooltip';\n tooltip.textContent = datetime;\n return tooltip;\n};\nexport class PostDatetimeWatcher extends Watcher implements ISettingsSubscriber {\n #container: HTMLElement;\n #enabled: boolean;\n constructor(container: HTMLElement) {\n super();", "score": 0.8515638709068298 }, { "filename": "src/content/watchers/countersConcealer.ts", "retrieved_chunk": "const HIDE_FOLLOWERS_CLASS = 'bluesky-overhaul-hide-followers';\nconst HIDE_FOLLOWING_CLASS = 'bluesky-overhaul-hide-following';\nconst HIDE_POSTS_CLASS = 'bluesky-overhaul-hide-posts';\nexport class CountersConcealer extends Watcher implements ISettingsSubscriber {\n #container: HTMLElement;\n constructor(documentBody: HTMLElement) {\n super();\n this.#container = documentBody;\n }\n watch(): void {", "score": 0.8434104323387146 }, { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": " readonly #mutationObserver: MutationObserver;\n readonly #tabButtonEventKeeper = new EventKeeper();\n #activeTabSelector: Selector = FOLLOWING_FEED;\n #currentPost: HTMLElement | null = null;\n #isPaused: boolean;\n constructor(targetContainer: HTMLElement, startPaused = true) {\n this.#container = targetContainer;\n this.#mutationObserver = new MutationObserver(this.#onContainerMutation.bind(this));\n this.#isPaused = startPaused;\n if (!startPaused) this.start();", "score": 0.8372535109519958 }, { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": " } else {\n return null;\n }\n }\n};\nconst isPostThreadDelimiter = (postCandidate: HTMLElement): boolean => {\n return postCandidate.getAttribute('role') === 'link' && postCandidate.getAttribute('tabindex') === '0';\n};\nexport class PostList implements IPausable {\n readonly #container: HTMLElement;", "score": 0.8323876261711121 }, { "filename": "src/content/watchers/keydown.ts", "retrieved_chunk": "const LEFT_ARROW_BUTTON = new Selector('[aria-label=\"Previous image\"]', {exhaustAfter: 0});\nconst RIGHT_ARROW_BUTTON = new Selector('[aria-label=\"Next image\"]', {exhaustAfter: 0});\nconst PHOTO_KEYS = ['ArrowLeft', 'ArrowRight'];\nexport class KeydownWatcher extends Watcher implements IPausable, ISettingsSubscriber {\n readonly #container: HTMLElement;\n readonly #vimHandler: VimKeybindingsHandler;\n #isPaused = false;\n constructor(targetContainer: HTMLElement, vimContainer: HTMLElement) {\n super();\n this.#container = targetContainer;", "score": 0.8293328285217285 } ]
typescript
readonly #throttler: CallThrottler = new CallThrottler(THROTTLING_INTERVAL);
import {TSetting, TSettings} from '../../types'; import React from 'react'; import {APP_SETTINGS} from '../../shared/appSettings'; import Checkbox from '../components/Checkbox'; import Input from '../components/Input'; import {BADGE_LEVEL} from '../components/Badge'; import {preventDefault} from '../../shared/misc'; const nameToText = (name: string): string => { return name.split('-').map((word) => word[0].toUpperCase() + word.slice(1)).join(' '); }; const BADGES: { [key in APP_SETTINGS]?: { type: BADGE_LEVEL, text: string } } = { [APP_SETTINGS.BLUESKY_OVERHAUL_ENABLED]: {type: BADGE_LEVEL.DANGER, text: 'page reload'}, [APP_SETTINGS.HANDLE_VIM_KEYBINDINGS]: {type: BADGE_LEVEL.WARNING, text: 'experimental'}, [APP_SETTINGS.SHOW_POST_DATETIME]: {type: BADGE_LEVEL.INFO, text: 'requires login'} }; const TIPS: { [key in APP_SETTINGS]?: string } = { [APP_SETTINGS.BLUESKY_OVERHAUL_ENABLED]: 'It will turn back on when the next release is ready', [APP_SETTINGS.HANDLE_VIM_KEYBINDINGS]: 'Press "?" while on Bluesky to see the list of keys', [APP_SETTINGS.SHOW_POST_DATETIME]: 'Enter your Bluesky credentials to enable this' }; type FormProps = { settings: TSettings; onChange: (name: APP_SETTINGS, value: TSetting) => void; }; export default function Form({settings, onChange}: FormProps): JSX.Element { return ( <form className="form-horizontal" onSubmit={preventDefault}> {Object.keys(settings).map((setting) => { const name = setting as keyof TSettings; const value = settings[name]; // TODO : introduce explicit types for all settings in TSettings if (name === APP_SETTINGS.BSKY_IDENTIFIER || name === APP_SETTINGS.BSKY_PASSWORD) { return <Input key={name} type={name === APP_SETTINGS.BSKY_PASSWORD ? 'password' : 'text'} value={value as string} // TODO : fix this text={nameToText(name)} callback={(
newValue) => onChange(name, newValue)}
/>; } else { return <Checkbox key={name} value={value as boolean} // TODO : fix this text={nameToText(name)} badge={BADGES[name]} tooltip={TIPS[name]} callback={(newValue) => onChange(name, newValue)} />; } })} </form> ); }
src/popup/blocks/Form.tsx
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/shared/appSettings.ts", "retrieved_chunk": "import {TSettings} from '../types';\nexport enum APP_SETTINGS {\n BLUESKY_OVERHAUL_ENABLED = 'bluesky-overhaul-enabled',\n HANDLE_VIM_KEYBINDINGS = 'vim-keybindings',\n HIDE_FOLLOWERS_COUNT = 'hide-followers-count',\n HIDE_FOLLOWING_COUNT = 'hide-following-count',\n HIDE_POSTS_COUNT = 'hide-posts-count',\n SHOW_POST_DATETIME = 'show-post-datetime',\n BSKY_IDENTIFIER = 'bsky-identifier',\n BSKY_PASSWORD = 'bsky-password'", "score": 0.8196278214454651 }, { "filename": "src/popup/components/Input.tsx", "retrieved_chunk": "import React, {useState} from 'react';\ntype InputProps = {\n type: string;\n value: string;\n text: string;\n callback: (value: string) => void;\n};\nexport default function Input({type, value, text, callback}: InputProps): JSX.Element {\n const [inputContents, setInputContents] = useState(value);\n const onChange = (event: React.ChangeEvent<HTMLInputElement>): void => {", "score": 0.81846022605896 }, { "filename": "src/content/watchers/countersConcealer.ts", "retrieved_chunk": " this.#container.classList.add(CONCEALER_CLASS);\n }\n onSettingChange(name: APP_SETTINGS, value: TSetting): void {\n if (!this.SETTINGS.includes(name)) throw new Error(`Unknown setting name \"${name}\"`);\n if (typeof value !== typeof DEFAULT_SETTINGS[name]) throw new Error(`Invalid value \"${value}\" for \"${name}\"`);\n if (name === APP_SETTINGS.HIDE_FOLLOWERS_COUNT) {\n this.#toggleClass(value as boolean, HIDE_FOLLOWERS_CLASS);\n } else if (name === APP_SETTINGS.HIDE_FOLLOWING_COUNT) {\n this.#toggleClass(value as boolean, HIDE_FOLLOWING_CLASS);\n } else if (name === APP_SETTINGS.HIDE_POSTS_COUNT) {", "score": 0.8176626563072205 }, { "filename": "src/popup/settingsKeeper.ts", "retrieved_chunk": "import {TSetting} from '../types';\nimport {APP_SETTINGS, DEFAULT_SETTINGS} from '../shared/appSettings';\nimport {setSettings} from '../shared/browserApi';\nimport {SettingsProvider} from '../shared/settingsProvider';\nclass SettingsKeeper extends SettingsProvider {\n async set(settingName: APP_SETTINGS, value: TSetting): Promise<void> {\n if (!this.isInitialized) throw new Error('SettingsKeeper are not initialized');\n if (!(settingName in DEFAULT_SETTINGS)) throw new Error(`Unknown setting: ${settingName}`);\n const oldSettings = this.getAll();\n try {", "score": 0.8150364756584167 }, { "filename": "src/content/browser/settingsManager.ts", "retrieved_chunk": " this.#listeners[settingName]?.push(callback);\n if (settingName in this.settings) {\n callback(settingName, this.settings[settingName] as TSetting);\n }\n });\n }\n #onSettingsChange(newSettings: TSettings): void {\n this.settings = {...this.settings, ...newSettings};\n for (const [key, value] of Object.entries(newSettings)) {\n if (key in this.#listeners) {", "score": 0.8086463809013367 } ]
typescript
newValue) => onChange(name, newValue)}
import { createPopper } from '@popperjs/core'; import {TSetting, TSettings} from '../../types'; import {APP_SETTINGS} from '../../shared/appSettings'; import {ISettingsSubscriber} from '../../interfaces'; import {Watcher} from './watcher'; import {getSettingsManager} from '../browser/settingsManager'; import {getAgent, fetchPost, LoginError} from '../bsky/api'; import {alert} from '../utils/notifications'; const DEFAULT_SETTINGS: Partial<TSettings> = { [APP_SETTINGS.SHOW_POST_DATETIME]: false, [APP_SETTINGS.BSKY_IDENTIFIER]: '', [APP_SETTINGS.BSKY_PASSWORD]: '' }; type PostUrl = { username: string; postId: string; }; const POST_HREF_REGEX = /profile\/(.+)\/post\/([a-zA-Z0-9]+)$/; const DATETIME_MARKER = 'data-bluesky-overhaul-datetime'; const getCredentials = async (): Promise<[string, string]> => { const settingsManager = await getSettingsManager(); return await Promise.all([ settingsManager.get(APP_SETTINGS.BSKY_IDENTIFIER) as string, settingsManager.get(APP_SETTINGS.BSKY_PASSWORD) as string ]); }; const parsePostUrl = (url: string | null): PostUrl => { if (!url) throw new Error('Missing post URL'); const match = url.match(POST_HREF_REGEX); if (!match) throw new Error('Invalid post URL'); return {username: match[1], postId: match[2]}; }; const parsePostDatetime = (datetime: string): string => { const date = new Date(datetime); return date.toLocaleString('en-US', { month: 'long', day: 'numeric', year: 'numeric', hour: 'numeric', minute: 'numeric' }); }; const createDatetimeTooltip = (datetime: string): HTMLElement => { const tooltip = document.createElement('div'); tooltip.role = 'tooltip'; tooltip.className = 'bluesky-overhaul-tooltip'; tooltip.textContent = datetime; return tooltip; };
export class PostDatetimeWatcher extends Watcher implements ISettingsSubscriber {
#container: HTMLElement; #enabled: boolean; constructor(container: HTMLElement) { super(); this.#container = container; this.#enabled = DEFAULT_SETTINGS[APP_SETTINGS.SHOW_POST_DATETIME] as boolean; } watch(): void { this.#container.addEventListener('mouseover', this.#handleMouseOver.bind(this)); } onSettingChange(name: APP_SETTINGS, value: TSetting): void { if (!this.SETTINGS.includes(name)) throw new Error(`Unknown setting name "${name}"`); if (typeof value !== typeof DEFAULT_SETTINGS[name]) throw new Error(`Invalid value "${value}" for "${name}"`); if (name === APP_SETTINGS.SHOW_POST_DATETIME) { this.#enabled = value as boolean; } } get SETTINGS(): APP_SETTINGS[] { return Object.keys(DEFAULT_SETTINGS) as APP_SETTINGS[]; } async #handleMouseOver(event: MouseEvent): Promise<void> { if (!this.#enabled) return; const target = event.target as HTMLElement; if (target.tagName.toLowerCase() !== 'a') return; let datetime = target.getAttribute(DATETIME_MARKER); if (!datetime) { try { const {username, postId} = parsePostUrl(target.getAttribute('href')); if (username && postId) { const [identifier, password] = await getCredentials(); try { const agent = await getAgent(identifier, password); const post = await fetchPost(agent, username, postId); datetime = parsePostDatetime(post.indexedAt); target.setAttribute(DATETIME_MARKER, datetime); } catch (error) { if (error instanceof LoginError) alert('Login failed: wrong identifier or password'); return; } } else { return; } } catch { return; } } const tooltip = createDatetimeTooltip(datetime); document.body.appendChild(tooltip); const instance = createPopper(target, tooltip, { placement: 'top' }); target.addEventListener('mouseleave', () => { instance.destroy(); tooltip.remove(); }, {once: true}); } }
src/content/watchers/postDatetime.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/watchers/countersConcealer.ts", "retrieved_chunk": "const HIDE_FOLLOWERS_CLASS = 'bluesky-overhaul-hide-followers';\nconst HIDE_FOLLOWING_CLASS = 'bluesky-overhaul-hide-following';\nconst HIDE_POSTS_CLASS = 'bluesky-overhaul-hide-posts';\nexport class CountersConcealer extends Watcher implements ISettingsSubscriber {\n #container: HTMLElement;\n constructor(documentBody: HTMLElement) {\n super();\n this.#container = documentBody;\n }\n watch(): void {", "score": 0.8308068513870239 }, { "filename": "src/content/main.ts", "retrieved_chunk": " settingsManager.subscribe(keydownWatcher);\n keydownWatcher.watch();\n const postDatetimeWatcher = new PostDatetimeWatcher(feedContainer);\n settingsManager.subscribe(postDatetimeWatcher);\n postDatetimeWatcher.watch();\n const youtubeWatcher = new YoutubeWatcher(feedContainer);\n youtubeWatcher.watch();\n const postModalPipeline = new PostModalPipeline(() => keydownWatcher.pause(), () => keydownWatcher.start());\n const emojiPipeline = new EmojiPipeline(() => postModalPipeline.pause(), () => postModalPipeline.start());\n const quotePostPipeline = new QuotePostPipeline();", "score": 0.826349139213562 }, { "filename": "src/content/watchers/countersConcealer.ts", "retrieved_chunk": "import {TSetting, TSettings} from '../../types';\nimport {APP_SETTINGS} from '../../shared/appSettings';\nimport {ISettingsSubscriber} from '../../interfaces';\nimport {Watcher} from './watcher';\nconst DEFAULT_SETTINGS: Partial<TSettings> = {\n [APP_SETTINGS.HIDE_FOLLOWERS_COUNT]: false,\n [APP_SETTINGS.HIDE_FOLLOWING_COUNT]: false,\n [APP_SETTINGS.HIDE_POSTS_COUNT]: false\n};\nconst CONCEALER_CLASS = 'bluesky-overhaul-concealer';", "score": 0.8130737543106079 }, { "filename": "src/content/watchers/keydown.ts", "retrieved_chunk": "import {TSetting, TSettings} from '../../types';\nimport {IPausable, ISettingsSubscriber} from '../../interfaces';\nimport {APP_SETTINGS} from '../../shared/appSettings';\nimport {Watcher} from './watcher';\nimport {VimKeybindingsHandler} from './helpers/vimKeybindings';\nimport {ultimatelyFind} from '../dom/utils';\nimport {Selector} from '../dom/selector';\nconst DEFAULT_SETTINGS: Partial<TSettings> = {\n [APP_SETTINGS.HANDLE_VIM_KEYBINDINGS]: false\n};", "score": 0.8034815192222595 }, { "filename": "src/content/main.ts", "retrieved_chunk": "import '@webcomponents/custom-elements';\nimport {APP_SETTINGS} from '../shared/appSettings';\nimport {getSettingsManager} from './browser/settingsManager';\nimport {ultimatelyFind} from './dom/utils';\nimport {ROOT_CONTAINER, FEED_CONTAINER, MODAL_CONTAINER, COMPOSE_MODAL} from './dom/selectors';\nimport {CountersConcealer} from './watchers/countersConcealer';\nimport {KeydownWatcher} from './watchers/keydown';\nimport {PostDatetimeWatcher} from './watchers/postDatetime';\nimport {YoutubeWatcher} from './watchers/youtube';\nimport {PostModalPipeline} from './pipelines/postModal';", "score": 0.8026635646820068 } ]
typescript
export class PostDatetimeWatcher extends Watcher implements ISettingsSubscriber {
import { createPopper } from '@popperjs/core'; import {TSetting, TSettings} from '../../types'; import {APP_SETTINGS} from '../../shared/appSettings'; import {ISettingsSubscriber} from '../../interfaces'; import {Watcher} from './watcher'; import {getSettingsManager} from '../browser/settingsManager'; import {getAgent, fetchPost, LoginError} from '../bsky/api'; import {alert} from '../utils/notifications'; const DEFAULT_SETTINGS: Partial<TSettings> = { [APP_SETTINGS.SHOW_POST_DATETIME]: false, [APP_SETTINGS.BSKY_IDENTIFIER]: '', [APP_SETTINGS.BSKY_PASSWORD]: '' }; type PostUrl = { username: string; postId: string; }; const POST_HREF_REGEX = /profile\/(.+)\/post\/([a-zA-Z0-9]+)$/; const DATETIME_MARKER = 'data-bluesky-overhaul-datetime'; const getCredentials = async (): Promise<[string, string]> => { const settingsManager = await getSettingsManager(); return await Promise.all([ settingsManager.get(APP_SETTINGS.BSKY_IDENTIFIER) as string, settingsManager.get(APP_SETTINGS.BSKY_PASSWORD) as string ]); }; const parsePostUrl = (url: string | null): PostUrl => { if (!url) throw new Error('Missing post URL'); const match = url.match(POST_HREF_REGEX); if (!match) throw new Error('Invalid post URL'); return {username: match[1], postId: match[2]}; }; const parsePostDatetime = (datetime: string): string => { const date = new Date(datetime); return date.toLocaleString('en-US', { month: 'long', day: 'numeric', year: 'numeric', hour: 'numeric', minute: 'numeric' }); }; const createDatetimeTooltip = (datetime: string): HTMLElement => { const tooltip = document.createElement('div'); tooltip.role = 'tooltip'; tooltip.className = 'bluesky-overhaul-tooltip'; tooltip.textContent = datetime; return tooltip; }; export class PostDatetimeWatcher extends Watcher implements ISettingsSubscriber { #container: HTMLElement; #enabled: boolean; constructor(container: HTMLElement) { super(); this.#container = container; this.#enabled = DEFAULT_SETTINGS[APP_SETTINGS.SHOW_POST_DATETIME] as boolean; } watch(): void { this.#container.addEventListener('mouseover', this.#handleMouseOver.bind(this)); } onSettingChange(name: APP_SETTINGS, value: TSetting): void { if (!this.SETTINGS.includes(name)) throw new Error(`Unknown setting name "${name}"`); if (typeof value !== typeof DEFAULT_SETTINGS[name]) throw new Error(`Invalid value "${value}" for "${name}"`); if (name === APP_SETTINGS.SHOW_POST_DATETIME) { this.#enabled = value as boolean; } } get SETTINGS(): APP_SETTINGS[] { return Object.keys(DEFAULT_SETTINGS) as APP_SETTINGS[]; } async #handleMouseOver(event: MouseEvent): Promise<void> { if (!this.#enabled) return; const target = event.target as HTMLElement; if (target.tagName.toLowerCase() !== 'a') return; let datetime = target.getAttribute(DATETIME_MARKER); if (!datetime) { try { const {username, postId} = parsePostUrl(target.getAttribute('href')); if (username && postId) { const [identifier, password] = await getCredentials(); try { const agent = await getAgent(identifier, password); const post = await fetchPost(agent, username, postId); datetime = parsePostDatetime(post.indexedAt); target.setAttribute(DATETIME_MARKER, datetime); } catch (error) { if
(error instanceof LoginError) alert('Login failed: wrong identifier or password');
return; } } else { return; } } catch { return; } } const tooltip = createDatetimeTooltip(datetime); document.body.appendChild(tooltip); const instance = createPopper(target, tooltip, { placement: 'top' }); target.addEventListener('mouseleave', () => { instance.destroy(); tooltip.remove(); }, {once: true}); } }
src/content/watchers/postDatetime.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/bsky/api.ts", "retrieved_chunk": " throw new LoginError();\n }\n};\nexport const fetchPost = async (agent: BskyAgent, username: string, postId: string): Promise<Post> => {\n const did = await agent.resolveHandle({ handle: username }).then((response) => response.data.did);\n const response = await agent.getPostThread({uri: `at://${did}/app.bsky.feed.post/${postId}`});\n return response.data.thread.post as Post;\n};", "score": 0.8604574799537659 }, { "filename": "src/content/bsky/api.ts", "retrieved_chunk": "import {Post} from '@atproto/api/dist/src/types/app/bsky/getPostThread';\nimport {BskyAgent} from '@atproto/api';\nexport class LoginError extends Error {}\nexport const getAgent = async (identifier: string, password: string): Promise<BskyAgent> => {\n const agent = new BskyAgent({service: 'https://bsky.social'});\n // TODO : cache session\n try {\n await agent.login({identifier, password});\n return agent;\n } catch {", "score": 0.8244694471359253 }, { "filename": "src/content/watchers/helpers/vimKeybindings.ts", "retrieved_chunk": " const repost = this.#currentPost.querySelector(REPOST_BUTTON_SELECTOR) as HTMLElement;\n repost?.click();\n }\n #likePost(): void {\n if (!this.#currentPost) return tip(MISSING_POST_ERROR);\n const like = this.#currentPost.querySelector(LIKE_BUTTON_SELECTOR) as HTMLElement;\n like?.click();\n }\n #expandImage(): void {\n if (!this.#currentPost) return tip(MISSING_POST_ERROR);", "score": 0.8184419870376587 }, { "filename": "src/content/watchers/helpers/vimKeybindings.ts", "retrieved_chunk": " this.#postList.getPreviousPost().then((p) => this.#highlightPost(p));\n }\n }\n #replyToPost(): void {\n if (!this.#currentPost) return tip(MISSING_POST_ERROR);\n const reply = this.#currentPost.querySelector(REPLY_BUTTON_SELECTOR) as HTMLElement;\n reply?.click();\n }\n #repostPost(): void {\n if (!this.#currentPost) return tip(MISSING_POST_ERROR);", "score": 0.8127205967903137 }, { "filename": "src/content/watchers/helpers/vimKeybindings.ts", "retrieved_chunk": " const imageContainer = this.#currentPost.querySelector('div.expo-image-container') as HTMLElement;\n imageContainer?.click();\n }\n #onPostAltClick(event: MouseEvent): void {\n if (this.#isPaused || !event.altKey) return;\n event.preventDefault();\n this.#postList.setCurrentPost(event.target as HTMLElement).then((p) => this.#highlightPost(p)).catch(noop);\n }\n #highlightPost(post: HTMLElement): void {\n if (post === this.#currentPost) return;", "score": 0.8076713681221008 } ]
typescript
(error instanceof LoginError) alert('Login failed: wrong identifier or password');
import {IPausable} from '../../../interfaces'; import {ROOT_CONTAINER, SEARCH_BAR} from '../../dom/selectors'; import {EventKeeper} from '../../utils/eventKeeper'; import {noop} from '../../../shared/misc'; import {modal, tip} from '../../utils/notifications'; import {PostList} from './postList'; import {generateHelpMessage, VIM_ACTIONS, VIM_KEY_MAP} from './vimActions'; import {ultimatelyFind} from '../../dom/utils'; enum DIRECTION { NEXT, PREVIOUS } const FOCUSED_POST_CLASS = 'bluesky-overhaul-focused-post'; const MISSING_POST_ERROR = 'No post is focused'; const REPLY_BUTTON_SELECTOR = '[data-testid="replyBtn"]'; const REPOST_BUTTON_SELECTOR = '[data-testid="repostBtn"]'; const LIKE_BUTTON_SELECTOR = '[data-testid="likeBtn"]'; export class VimKeybindingsHandler implements IPausable { readonly #container: HTMLElement; readonly #postList: PostList; readonly #postClickEventKeeper = new EventKeeper(); readonly #searchBarEventKeeper = new EventKeeper(); #currentPost: HTMLElement | null = null; #stashedPost: HTMLElement | null = null; #isPaused: boolean; constructor(targetContainer: HTMLElement, startPaused = true) { this.#container = targetContainer; this.#postList = new PostList(targetContainer, startPaused); this.#isPaused = startPaused; } start(): void { if (!this.#isPaused) return; this.#postList.start(); this.#postClickEventKeeper.add(this.#container, 'click', this.#onPostAltClick.bind(this)); this.#blurSearchBar(); this.#isPaused = false; } pause(): void { if (this.#isPaused) return; this.#postList.pause(); this.#postClickEventKeeper.cancelAll(); this.#searchBarEventKeeper.cancelAll(); this.#removeHighlight(); this.#isPaused = true; } handle(event: KeyboardEvent): void { if (this.#isPaused) return; event.preventDefault(); const key = event.key; if (!(key in VIM_KEY_MAP)) return; const action = VIM_KEY_MAP[key as keyof typeof VIM_KEY_MAP]; switch (action) { case VIM_ACTIONS.SHOW_HELP: modal(generateHelpMessage()); break; case VIM_ACTIONS.SEARCH: this.#focusSearchBar(); break; case VIM_ACTIONS.LOAD_NEW_POSTS: this.#loadNewPosts(); break; case VIM_ACTIONS.NEXT_POST: this.#selectPost(DIRECTION.NEXT); break; case VIM_ACTIONS.PREVIOUS_POST: this.#selectPost(DIRECTION.PREVIOUS); break; case VIM_ACTIONS.LIKE: this.#likePost(); break; case VIM_ACTIONS.CREATE_POST: this.#newPost(); break; case VIM_ACTIONS.EXPAND_IMAGE: this.#expandImage(); break; case VIM_ACTIONS.REPLY: this.#replyToPost(); break; case VIM_ACTIONS.REPOST: this.#repostPost(); break; case VIM_ACTIONS.OPEN_POST: this.#currentPost?.click(); break; default: tip(`Action "${action}" is not implemented yet`); } } #selectPost(direction: DIRECTION): void { if (direction === DIRECTION.NEXT) {
this.#postList.getNextPost().then((p) => this.#highlightPost(p));
} else { this.#postList.getPreviousPost().then((p) => this.#highlightPost(p)); } } #replyToPost(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const reply = this.#currentPost.querySelector(REPLY_BUTTON_SELECTOR) as HTMLElement; reply?.click(); } #repostPost(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const repost = this.#currentPost.querySelector(REPOST_BUTTON_SELECTOR) as HTMLElement; repost?.click(); } #likePost(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const like = this.#currentPost.querySelector(LIKE_BUTTON_SELECTOR) as HTMLElement; like?.click(); } #expandImage(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const imageContainer = this.#currentPost.querySelector('div.expo-image-container') as HTMLElement; imageContainer?.click(); } #onPostAltClick(event: MouseEvent): void { if (this.#isPaused || !event.altKey) return; event.preventDefault(); this.#postList.setCurrentPost(event.target as HTMLElement).then((p) => this.#highlightPost(p)).catch(noop); } #highlightPost(post: HTMLElement): void { if (post === this.#currentPost) return; this.#removeHighlight(); this.#stashedPost = null; this.#currentPost = post; this.#currentPost.classList.add(FOCUSED_POST_CLASS); this.#currentPost.scrollIntoView({block: 'center', behavior: 'smooth'}); } #removeHighlight(): void { this.#stashedPost = this.#currentPost; this.#currentPost?.classList.remove(FOCUSED_POST_CLASS); this.#currentPost = null; } #focusSearchBar(): void { this.#removeHighlight(); this.#findSearchBar().then((searchBar) => { this.#searchBarEventKeeper.cancelAll(); searchBar.focus(); this.#searchBarEventKeeper.add(searchBar, 'blur', this.#blurSearchBar.bind(this)); this.#searchBarEventKeeper.add(searchBar, 'keydown', (event: KeyboardEvent) => { if (event.key === 'Escape') searchBar.blur(); }); }).catch(() => tip('Search bar not found')); } #blurSearchBar(): void { this.#searchBarEventKeeper.cancelAll(); this.#findSearchBar().then((searchBar) => { searchBar.blur(); this.#stashedPost && this.#highlightPost(this.#stashedPost); this.#searchBarEventKeeper.add(searchBar, 'focus', this.#focusSearchBar.bind(this)); }); } #findSearchBar(): Promise<HTMLElement> { return ultimatelyFind(document.body, SEARCH_BAR); } async #loadNewPosts(): Promise<void> { try { const tab = await this.#postList.getCurrentFeedTab(); const tabContainer = await ultimatelyFind(this.#container, tab); const newPostsButton = tabContainer.childNodes[1] as HTMLElement; if (newPostsButton && newPostsButton.nextSibling) { newPostsButton.click(); this.#container.scrollIntoView({block: 'start', behavior: 'smooth'}); } else { tip('No new posts to load'); } } catch { tip('You are not on the feed page'); } } async #newPost(): Promise<void> { const rootContainer = await ultimatelyFind(document.body, ROOT_CONTAINER); const children = rootContainer.childNodes; const menuItems = children[1].childNodes; const newPostButton = menuItems[menuItems.length - 1] as HTMLElement; if (newPostButton) { newPostButton.click(); } else { tip('No new post button found'); } } }
src/content/watchers/helpers/vimKeybindings.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": " this.#currentPost = post;\n return this.#currentPost;\n }\n }\n return Promise.reject('Element is not a post');\n });\n }\n getNextPost(): Promise<HTMLElement> {\n return this.#getNeighborPost(getNextPost);\n }", "score": 0.8317596912384033 }, { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": " return this.#activeTabSelector.clone();\n } else {\n return Promise.reject('Not on main page');\n }\n });\n }\n setCurrentPost(element: HTMLElement): Promise<HTMLElement> {\n return this.#resolveList().then((posts) => {\n for (const post of posts) {\n if (post === element || post.parentElement === element || post.contains(element)) {", "score": 0.8240776658058167 }, { "filename": "src/content/watchers/helpers/vimActions.ts", "retrieved_chunk": "export enum VIM_ACTIONS {\n EXPAND_IMAGE = 'expand_image',\n LIKE = 'like',\n LOAD_NEW_POSTS = 'load_new_posts',\n CREATE_POST = 'create_post',\n NEXT_POST = 'next_post',\n OPEN_POST = 'open_post',\n PREVIOUS_POST = 'previous_post',\n REPLY = 'reply',\n REPOST = 'repost',", "score": 0.8237446546554565 }, { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": " }\n #onTabButtonClick(event: MouseEvent): void {\n const target = event.target as HTMLElement;\n const data = target.getAttribute('data-testid');\n if (data === FOLLOWING_DATA || target.querySelector(`[data-testid=\"${FOLLOWING_DATA}\"]`)) {\n if (this.#activeTabSelector !== FOLLOWING_FEED) this.#currentPost = null;\n this.#activeTabSelector = FOLLOWING_FEED;\n } else if (data === WHATSHOT_DATA || target.querySelector(`[data-testid=\"${WHATSHOT_DATA}\"]`)) {\n if (this.#activeTabSelector !== WHATSHOT_FEED) this.#currentPost = null;\n this.#activeTabSelector = WHATSHOT_FEED;", "score": 0.8210272789001465 }, { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": " if (neighborPost && (posts.includes(neighborPost) || isPostThreadDelimiter(neighborPost))) {\n this.#currentPost = neighborPost;\n } else if (!posts.includes(this.#currentPost)) {\n this.#currentPost = posts[0];\n }\n } else {\n this.#currentPost = posts[0];\n }\n return this.#currentPost;\n });", "score": 0.8123641014099121 } ]
typescript
this.#postList.getNextPost().then((p) => this.#highlightPost(p));
import {Watcher} from './watcher'; import {CallThrottler} from '../utils/callThrottler'; import {POST_ITEM_LINK_INJECTED_MARKER} from '../dom/constants'; import {POST_ITEMS, POST_ITEM_LINKS} from '../dom/selectors'; import {ultimatelyFindAll} from '../dom/utils'; import {noop} from '../../shared/misc'; const THROTTLING_INTERVAL = 500; const YOUTU_BE_REGEX = /youtu\.be\/([a-zA-Z0-9_-]+)/; const YOUTUBE_WATCH_REGEX = /youtube\.com\/watch\?v=([a-zA-Z0-9_-]+)/; const resolveYoutubeId = (url: string): string | null => { let match; if (url.includes('youtu.be')) { match = url.match(YOUTU_BE_REGEX); } else if (url.includes('youtube.com/watch')) { match = url.match(YOUTUBE_WATCH_REGEX); } return match?.[1] ?? null; }; const injectYoutubePlayers = (youtubeLinks: HTMLLinkElement[]): void => { youtubeLinks.forEach((link) => { if (link.getAttribute(POST_ITEM_LINK_INJECTED_MARKER)) return; const videoId = resolveYoutubeId(link.href ?? ''); if (!videoId) return; const iframe = document.createElement('iframe'); iframe.setAttribute('src', `https://www.youtube.com/embed/${videoId}`); iframe.setAttribute('allow', 'accelerometer; autoplay; encrypted-media; gyroscope; picture-in-picture'); iframe.setAttribute('allowfullscreen', 'true'); iframe.style.width = '100%'; iframe.style.height = '400px'; iframe.style.border = 'none'; iframe.style.flexGrow = '1'; iframe.style.paddingTop = '10px'; link.parentNode?.parentNode?.appendChild(iframe); link.setAttribute(POST_ITEM_LINK_INJECTED_MARKER, 'true'); const blueskyYoutubePreview = iframe.parentNode?.nextSibling as HTMLElement; if (blueskyYoutubePreview?.getAttribute('tabindex') === '0') { blueskyYoutubePreview.style.display = 'none'; } }); }; const createYoutubePlayers = (container: HTMLElement): void => { ultimatelyFindAll(container, [POST_ITEMS, POST_ITEM_LINKS]) .then((links) => injectYoutubePlayers(links as HTMLLinkElement[])) .catch(noop); };
export class YoutubeWatcher extends Watcher {
readonly #container: HTMLElement; readonly #throttler: CallThrottler = new CallThrottler(THROTTLING_INTERVAL); readonly #observer: MutationObserver; constructor(container: HTMLElement) { super(); this.#container = container; this.#observer = new MutationObserver(() => { const currentLayout = this.#container.lastChild as HTMLElement; this.#throttler.call(() => createYoutubePlayers(currentLayout)); }); } watch(): void { const initialLayout = this.#container.lastChild as HTMLElement; this.#throttler.call(() => createYoutubePlayers(initialLayout)); this.#observer.observe(this.#container, {childList: true, subtree: true}); } }
src/content/watchers/youtube.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/watchers/countersConcealer.ts", "retrieved_chunk": "const HIDE_FOLLOWERS_CLASS = 'bluesky-overhaul-hide-followers';\nconst HIDE_FOLLOWING_CLASS = 'bluesky-overhaul-hide-following';\nconst HIDE_POSTS_CLASS = 'bluesky-overhaul-hide-posts';\nexport class CountersConcealer extends Watcher implements ISettingsSubscriber {\n #container: HTMLElement;\n constructor(documentBody: HTMLElement) {\n super();\n this.#container = documentBody;\n }\n watch(): void {", "score": 0.8399192094802856 }, { "filename": "src/content/watchers/postDatetime.ts", "retrieved_chunk": " tooltip.role = 'tooltip';\n tooltip.className = 'bluesky-overhaul-tooltip';\n tooltip.textContent = datetime;\n return tooltip;\n};\nexport class PostDatetimeWatcher extends Watcher implements ISettingsSubscriber {\n #container: HTMLElement;\n #enabled: boolean;\n constructor(container: HTMLElement) {\n super();", "score": 0.8345849514007568 }, { "filename": "src/content/main.ts", "retrieved_chunk": " settingsManager.subscribe(keydownWatcher);\n keydownWatcher.watch();\n const postDatetimeWatcher = new PostDatetimeWatcher(feedContainer);\n settingsManager.subscribe(postDatetimeWatcher);\n postDatetimeWatcher.watch();\n const youtubeWatcher = new YoutubeWatcher(feedContainer);\n youtubeWatcher.watch();\n const postModalPipeline = new PostModalPipeline(() => keydownWatcher.pause(), () => keydownWatcher.start());\n const emojiPipeline = new EmojiPipeline(() => postModalPipeline.pause(), () => postModalPipeline.start());\n const quotePostPipeline = new QuotePostPipeline();", "score": 0.8245532512664795 }, { "filename": "src/content/dom/constants.ts", "retrieved_chunk": "export const FIRST_CHILD_MARKER = '~~FIRST_CHILD~~';\nexport const LAST_CHILD_MARKER = '~~LAST_CHILD~~';\nexport const POST_ITEM_LINK_INJECTED_MARKER = 'bluesky-overhaul-youtube-injected';", "score": 0.8123728036880493 }, { "filename": "src/content/watchers/keydown.ts", "retrieved_chunk": "const LEFT_ARROW_BUTTON = new Selector('[aria-label=\"Previous image\"]', {exhaustAfter: 0});\nconst RIGHT_ARROW_BUTTON = new Selector('[aria-label=\"Next image\"]', {exhaustAfter: 0});\nconst PHOTO_KEYS = ['ArrowLeft', 'ArrowRight'];\nexport class KeydownWatcher extends Watcher implements IPausable, ISettingsSubscriber {\n readonly #container: HTMLElement;\n readonly #vimHandler: VimKeybindingsHandler;\n #isPaused = false;\n constructor(targetContainer: HTMLElement, vimContainer: HTMLElement) {\n super();\n this.#container = targetContainer;", "score": 0.8122917413711548 } ]
typescript
export class YoutubeWatcher extends Watcher {
import {Watcher} from './watcher'; import {CallThrottler} from '../utils/callThrottler'; import {POST_ITEM_LINK_INJECTED_MARKER} from '../dom/constants'; import {POST_ITEMS, POST_ITEM_LINKS} from '../dom/selectors'; import {ultimatelyFindAll} from '../dom/utils'; import {noop} from '../../shared/misc'; const THROTTLING_INTERVAL = 500; const YOUTU_BE_REGEX = /youtu\.be\/([a-zA-Z0-9_-]+)/; const YOUTUBE_WATCH_REGEX = /youtube\.com\/watch\?v=([a-zA-Z0-9_-]+)/; const resolveYoutubeId = (url: string): string | null => { let match; if (url.includes('youtu.be')) { match = url.match(YOUTU_BE_REGEX); } else if (url.includes('youtube.com/watch')) { match = url.match(YOUTUBE_WATCH_REGEX); } return match?.[1] ?? null; }; const injectYoutubePlayers = (youtubeLinks: HTMLLinkElement[]): void => { youtubeLinks.forEach((link) => { if (link.getAttribute(POST_ITEM_LINK_INJECTED_MARKER)) return; const videoId = resolveYoutubeId(link.href ?? ''); if (!videoId) return; const iframe = document.createElement('iframe'); iframe.setAttribute('src', `https://www.youtube.com/embed/${videoId}`); iframe.setAttribute('allow', 'accelerometer; autoplay; encrypted-media; gyroscope; picture-in-picture'); iframe.setAttribute('allowfullscreen', 'true'); iframe.style.width = '100%'; iframe.style.height = '400px'; iframe.style.border = 'none'; iframe.style.flexGrow = '1'; iframe.style.paddingTop = '10px'; link.parentNode?.parentNode?.appendChild(iframe); link.setAttribute(POST_ITEM_LINK_INJECTED_MARKER, 'true'); const blueskyYoutubePreview = iframe.parentNode?.nextSibling as HTMLElement; if (blueskyYoutubePreview?.getAttribute('tabindex') === '0') { blueskyYoutubePreview.style.display = 'none'; } }); }; const createYoutubePlayers = (container: HTMLElement): void => { ultimatelyFindAll(container
, [POST_ITEMS, POST_ITEM_LINKS]) .then((links) => injectYoutubePlayers(links as HTMLLinkElement[])) .catch(noop);
}; export class YoutubeWatcher extends Watcher { readonly #container: HTMLElement; readonly #throttler: CallThrottler = new CallThrottler(THROTTLING_INTERVAL); readonly #observer: MutationObserver; constructor(container: HTMLElement) { super(); this.#container = container; this.#observer = new MutationObserver(() => { const currentLayout = this.#container.lastChild as HTMLElement; this.#throttler.call(() => createYoutubePlayers(currentLayout)); }); } watch(): void { const initialLayout = this.#container.lastChild as HTMLElement; this.#throttler.call(() => createYoutubePlayers(initialLayout)); this.#observer.observe(this.#container, {childList: true, subtree: true}); } }
src/content/watchers/youtube.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": " #subscribeToTabButtons(tabButtons: HTMLElement): void {\n this.#tabButtonEventKeeper.cancelAll();\n this.#tabButtonEventKeeper.add(tabButtons, 'click', this.#onTabButtonClick.bind(this));\n }\n #onContainerMutation(mutations: MutationRecord[]): void {\n mutations.forEach((mutation) => {\n if (mutation.target === this.#container) {\n this.#currentPost = null;\n }\n });", "score": 0.8236422538757324 }, { "filename": "src/content/dom/constants.ts", "retrieved_chunk": "export const FIRST_CHILD_MARKER = '~~FIRST_CHILD~~';\nexport const LAST_CHILD_MARKER = '~~LAST_CHILD~~';\nexport const POST_ITEM_LINK_INJECTED_MARKER = 'bluesky-overhaul-youtube-injected';", "score": 0.8080343008041382 }, { "filename": "src/content/main.ts", "retrieved_chunk": " }\n return ultimatelyFind(document.body, ROOT_CONTAINER).then((rootContainer) => Promise.all([\n Promise.resolve(rootContainer),\n ultimatelyFind(rootContainer, FEED_CONTAINER),\n ultimatelyFind(rootContainer, MODAL_CONTAINER)\n ]).then(([rootContainer, feedContainer, modalContainer]) => {\n const countersConcealer = new CountersConcealer(document.body);\n settingsManager.subscribe(countersConcealer);\n countersConcealer.watch();\n const keydownWatcher = new KeydownWatcher(rootContainer, feedContainer);", "score": 0.8029248714447021 }, { "filename": "src/content/watchers/helpers/vimKeybindings.ts", "retrieved_chunk": " #findSearchBar(): Promise<HTMLElement> {\n return ultimatelyFind(document.body, SEARCH_BAR);\n }\n async #loadNewPosts(): Promise<void> {\n try {\n const tab = await this.#postList.getCurrentFeedTab();\n const tabContainer = await ultimatelyFind(this.#container, tab);\n const newPostsButton = tabContainer.childNodes[1] as HTMLElement;\n if (newPostsButton && newPostsButton.nextSibling) {\n newPostsButton.click();", "score": 0.7988154292106628 }, { "filename": "src/content/main.ts", "retrieved_chunk": " settingsManager.subscribe(keydownWatcher);\n keydownWatcher.watch();\n const postDatetimeWatcher = new PostDatetimeWatcher(feedContainer);\n settingsManager.subscribe(postDatetimeWatcher);\n postDatetimeWatcher.watch();\n const youtubeWatcher = new YoutubeWatcher(feedContainer);\n youtubeWatcher.watch();\n const postModalPipeline = new PostModalPipeline(() => keydownWatcher.pause(), () => keydownWatcher.start());\n const emojiPipeline = new EmojiPipeline(() => postModalPipeline.pause(), () => postModalPipeline.start());\n const quotePostPipeline = new QuotePostPipeline();", "score": 0.798665463924408 } ]
typescript
, [POST_ITEMS, POST_ITEM_LINKS]) .then((links) => injectYoutubePlayers(links as HTMLLinkElement[])) .catch(noop);
import {Watcher} from './watcher'; import {CallThrottler} from '../utils/callThrottler'; import {POST_ITEM_LINK_INJECTED_MARKER} from '../dom/constants'; import {POST_ITEMS, POST_ITEM_LINKS} from '../dom/selectors'; import {ultimatelyFindAll} from '../dom/utils'; import {noop} from '../../shared/misc'; const THROTTLING_INTERVAL = 500; const YOUTU_BE_REGEX = /youtu\.be\/([a-zA-Z0-9_-]+)/; const YOUTUBE_WATCH_REGEX = /youtube\.com\/watch\?v=([a-zA-Z0-9_-]+)/; const resolveYoutubeId = (url: string): string | null => { let match; if (url.includes('youtu.be')) { match = url.match(YOUTU_BE_REGEX); } else if (url.includes('youtube.com/watch')) { match = url.match(YOUTUBE_WATCH_REGEX); } return match?.[1] ?? null; }; const injectYoutubePlayers = (youtubeLinks: HTMLLinkElement[]): void => { youtubeLinks.forEach((link) => { if (link.getAttribute(POST_ITEM_LINK_INJECTED_MARKER)) return; const videoId = resolveYoutubeId(link.href ?? ''); if (!videoId) return; const iframe = document.createElement('iframe'); iframe.setAttribute('src', `https://www.youtube.com/embed/${videoId}`); iframe.setAttribute('allow', 'accelerometer; autoplay; encrypted-media; gyroscope; picture-in-picture'); iframe.setAttribute('allowfullscreen', 'true'); iframe.style.width = '100%'; iframe.style.height = '400px'; iframe.style.border = 'none'; iframe.style.flexGrow = '1'; iframe.style.paddingTop = '10px'; link.parentNode?.parentNode?.appendChild(iframe); link.setAttribute(POST_ITEM_LINK_INJECTED_MARKER, 'true'); const blueskyYoutubePreview = iframe.parentNode?.nextSibling as HTMLElement; if (blueskyYoutubePreview?.getAttribute('tabindex') === '0') { blueskyYoutubePreview.style.display = 'none'; } }); }; const createYoutubePlayers = (container: HTMLElement): void => { ultimatelyFindAll(container, [POST_ITEMS, POST_ITEM_LINKS])
.then((links) => injectYoutubePlayers(links as HTMLLinkElement[])) .catch(noop);
}; export class YoutubeWatcher extends Watcher { readonly #container: HTMLElement; readonly #throttler: CallThrottler = new CallThrottler(THROTTLING_INTERVAL); readonly #observer: MutationObserver; constructor(container: HTMLElement) { super(); this.#container = container; this.#observer = new MutationObserver(() => { const currentLayout = this.#container.lastChild as HTMLElement; this.#throttler.call(() => createYoutubePlayers(currentLayout)); }); } watch(): void { const initialLayout = this.#container.lastChild as HTMLElement; this.#throttler.call(() => createYoutubePlayers(initialLayout)); this.#observer.observe(this.#container, {childList: true, subtree: true}); } }
src/content/watchers/youtube.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": " #subscribeToTabButtons(tabButtons: HTMLElement): void {\n this.#tabButtonEventKeeper.cancelAll();\n this.#tabButtonEventKeeper.add(tabButtons, 'click', this.#onTabButtonClick.bind(this));\n }\n #onContainerMutation(mutations: MutationRecord[]): void {\n mutations.forEach((mutation) => {\n if (mutation.target === this.#container) {\n this.#currentPost = null;\n }\n });", "score": 0.8175338506698608 }, { "filename": "src/content/dom/constants.ts", "retrieved_chunk": "export const FIRST_CHILD_MARKER = '~~FIRST_CHILD~~';\nexport const LAST_CHILD_MARKER = '~~LAST_CHILD~~';\nexport const POST_ITEM_LINK_INJECTED_MARKER = 'bluesky-overhaul-youtube-injected';", "score": 0.8138638734817505 }, { "filename": "src/content/watchers/helpers/vimKeybindings.ts", "retrieved_chunk": " const children = rootContainer.childNodes;\n const menuItems = children[1].childNodes;\n const newPostButton = menuItems[menuItems.length - 1] as HTMLElement;\n if (newPostButton) {\n newPostButton.click();\n } else {\n tip('No new post button found');\n }\n }\n}", "score": 0.8028438091278076 }, { "filename": "src/content/watchers/helpers/vimKeybindings.ts", "retrieved_chunk": " #findSearchBar(): Promise<HTMLElement> {\n return ultimatelyFind(document.body, SEARCH_BAR);\n }\n async #loadNewPosts(): Promise<void> {\n try {\n const tab = await this.#postList.getCurrentFeedTab();\n const tabContainer = await ultimatelyFind(this.#container, tab);\n const newPostsButton = tabContainer.childNodes[1] as HTMLElement;\n if (newPostsButton && newPostsButton.nextSibling) {\n newPostsButton.click();", "score": 0.8010231256484985 }, { "filename": "src/content/dom/selectors.ts", "retrieved_chunk": "// relative to POST_ITEMS\nexport const POST_ITEM_LINKS = new SelectorGroup([\n new Selector(`a[href*=\"youtu.be/\"]:not([${POST_ITEM_LINK_INJECTED_MARKER}])`),\n new Selector(`a[href*=\"youtube.com/watch\"]:not([${POST_ITEM_LINK_INJECTED_MARKER}])`)\n]);", "score": 0.800094485282898 } ]
typescript
.then((links) => injectYoutubePlayers(links as HTMLLinkElement[])) .catch(noop);
import {IPausable} from '../../interfaces'; import {log} from '../utils/logger'; import {Pipeline} from './pipeline'; import {EventKeeper} from '../utils/eventKeeper'; import {COMPOSE_CANCEL_BUTTON, COMPOSE_CONTENT_EDITABLE} from '../dom/selectors'; import {ultimatelyFind} from '../dom/utils'; export class PostModalPipeline extends Pipeline implements IPausable { #modal: HTMLElement | null; #exitButton: HTMLElement | null; #contentEditable: HTMLElement | null; readonly #eventKeeper: EventKeeper; readonly #pauseOuterServices: () => void; readonly #resumeOuterServices: () => void; #paused = false; constructor(pauseCallback: () => void, resumeCallback: () => void) { super(); this.#modal = null; this.#exitButton = null; this.#contentEditable = null; this.#eventKeeper = new EventKeeper(); this.#pauseOuterServices = pauseCallback; this.#resumeOuterServices = resumeCallback; } deploy(modal: HTMLElement): void { if (this.#modal !== null) { log('PostModalPipeline is already deployed'); return; } this.#pauseOuterServices(); this.#modal = modal; Promise.all([ ultimatelyFind(modal, COMPOSE_CANCEL_BUTTON), ultimatelyFind(modal, COMPOSE_CONTENT_EDITABLE) ]).then(([exitButton, contentEditable]) => { this.#exitButton = exitButton; this.#contentEditable = contentEditable; this.#eventKeeper.add(document, 'click', this.#onClick.bind(this)); this.#eventKeeper.add(contentEditable, 'mousedown', this.#onPresumedSelect.bind(this));
this.#eventKeeper.add(exitButton, 'click', () => this.#eventKeeper.cancelAll());
}); } terminate(): void { if (this.#modal === null) { log('PostModalPipeline is not deployed'); return; } this.start(); this.#eventKeeper.cancelAll(); this.#modal = this.#exitButton = this.#contentEditable = null; this.#resumeOuterServices(); } start(): void { this.#paused = false; } pause(): void { this.#paused = true; } #onClick(event: MouseEvent): void { if (this.#paused) return; const target = event.target as HTMLElement; if (target?.tagName.toLowerCase() === 'button') return; if (!this.#modal?.contains(event.target as Node) && event.target !== this.#exitButton) { this.#eventKeeper.cancelAll(); this.#exitButton?.click(); } } #onPresumedSelect(): void { if (this.#paused) return; this.pause(); document.addEventListener('mouseup', () => setTimeout(this.start.bind(this), 0), {once: true}); } }
src/content/pipelines/postModal.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/pipelines/emoji.ts", "retrieved_chunk": " }\n this.#modal = modal;\n this.#picker = this.#createPicker();\n Promise.all([\n ultimatelyFind(modal, [COMPOSE_PHOTO_BUTTON]),\n ultimatelyFind(modal, COMPOSE_CONTENT_EDITABLE)\n ]).then(([photoButton, contentEditable]) => {\n this.#elems.photoButton = photoButton;\n this.#elems.contentEditable = contentEditable;\n this.#elems.emojiButton = createEmojiButton(this.#elems.photoButton);", "score": 0.9283075928688049 }, { "filename": "src/content/pipelines/emoji.ts", "retrieved_chunk": " this.#elems.photoButton.insertAdjacentElement('afterend', this.#elems.emojiButton);\n this.#elems.emojiPopup = createEmojiPopup(modal, this.#elems.emojiButton);\n this.#elems.emojiPopup.appendChild(this.#picker as unknown as HTMLElement);\n modal.appendChild(this.#elems.emojiPopup);\n this.#eventKeeper.add(this.#elems.emojiButton, 'click', this.#onButtonClick.bind(this));\n this.#cursor = new Cursor(this.#elems.contentEditable);\n const outerCallback = (): void => this.#cursor?.save();\n this.#eventKeeper.add(this.#elems.contentEditable, 'keyup', outerCallback);\n this.#eventKeeper.add(this.#elems.contentEditable, 'mouseup', outerCallback);\n });", "score": 0.8742263317108154 }, { "filename": "src/content/pipelines/quotePost.ts", "retrieved_chunk": " log('QuotePostPipeline is already deployed');\n return;\n }\n this.#modal = modal;\n ultimatelyFind(modal, COMPOSE_CONTENT_EDITABLE).then((contentEditable) => {\n this.#contentEditable = contentEditable;\n this.#eventKeeper.add(contentEditable, 'paste', this.onPaste.bind(this), {capture: true});\n });\n }\n terminate(): void {", "score": 0.8641721606254578 }, { "filename": "src/content/pipelines/quotePost.ts", "retrieved_chunk": " #contentEditable: HTMLElement | null;\n readonly #eventKeeper: EventKeeper;\n constructor() {\n super();\n this.#modal = null;\n this.#contentEditable = null;\n this.#eventKeeper = new EventKeeper();\n }\n deploy(modal: HTMLElement): void {\n if (this.#modal !== null) {", "score": 0.856611967086792 }, { "filename": "src/content/pipelines/emoji.ts", "retrieved_chunk": " readonly #eventKeeper: EventKeeper;\n #elems: { [key: string]: HTMLElement };\n #expanded: boolean;\n readonly #pauseOuterServices: () => void;\n readonly #resumeOuterServices: () => void;\n constructor(pauseCallback: () => void, resumeCallback: () => void) {\n super();\n this.#modal = null;\n this.#picker = null;\n this.#cursor = null;", "score": 0.8525938987731934 } ]
typescript
this.#eventKeeper.add(exitButton, 'click', () => this.#eventKeeper.cancelAll());
import {IPausable} from '../../../interfaces'; import {ROOT_CONTAINER, SEARCH_BAR} from '../../dom/selectors'; import {EventKeeper} from '../../utils/eventKeeper'; import {noop} from '../../../shared/misc'; import {modal, tip} from '../../utils/notifications'; import {PostList} from './postList'; import {generateHelpMessage, VIM_ACTIONS, VIM_KEY_MAP} from './vimActions'; import {ultimatelyFind} from '../../dom/utils'; enum DIRECTION { NEXT, PREVIOUS } const FOCUSED_POST_CLASS = 'bluesky-overhaul-focused-post'; const MISSING_POST_ERROR = 'No post is focused'; const REPLY_BUTTON_SELECTOR = '[data-testid="replyBtn"]'; const REPOST_BUTTON_SELECTOR = '[data-testid="repostBtn"]'; const LIKE_BUTTON_SELECTOR = '[data-testid="likeBtn"]'; export class VimKeybindingsHandler implements IPausable { readonly #container: HTMLElement; readonly #postList: PostList; readonly #postClickEventKeeper = new EventKeeper(); readonly #searchBarEventKeeper = new EventKeeper(); #currentPost: HTMLElement | null = null; #stashedPost: HTMLElement | null = null; #isPaused: boolean; constructor(targetContainer: HTMLElement, startPaused = true) { this.#container = targetContainer; this.#postList = new PostList(targetContainer, startPaused); this.#isPaused = startPaused; } start(): void { if (!this.#isPaused) return; this.#postList.start(); this.#postClickEventKeeper.add(this.#container, 'click', this.#onPostAltClick.bind(this)); this.#blurSearchBar(); this.#isPaused = false; } pause(): void { if (this.#isPaused) return; this.#postList.pause(); this.#postClickEventKeeper.cancelAll(); this.#searchBarEventKeeper.cancelAll(); this.#removeHighlight(); this.#isPaused = true; } handle(event: KeyboardEvent): void { if (this.#isPaused) return; event.preventDefault(); const key = event.key; if (
!(key in VIM_KEY_MAP)) return;
const action = VIM_KEY_MAP[key as keyof typeof VIM_KEY_MAP]; switch (action) { case VIM_ACTIONS.SHOW_HELP: modal(generateHelpMessage()); break; case VIM_ACTIONS.SEARCH: this.#focusSearchBar(); break; case VIM_ACTIONS.LOAD_NEW_POSTS: this.#loadNewPosts(); break; case VIM_ACTIONS.NEXT_POST: this.#selectPost(DIRECTION.NEXT); break; case VIM_ACTIONS.PREVIOUS_POST: this.#selectPost(DIRECTION.PREVIOUS); break; case VIM_ACTIONS.LIKE: this.#likePost(); break; case VIM_ACTIONS.CREATE_POST: this.#newPost(); break; case VIM_ACTIONS.EXPAND_IMAGE: this.#expandImage(); break; case VIM_ACTIONS.REPLY: this.#replyToPost(); break; case VIM_ACTIONS.REPOST: this.#repostPost(); break; case VIM_ACTIONS.OPEN_POST: this.#currentPost?.click(); break; default: tip(`Action "${action}" is not implemented yet`); } } #selectPost(direction: DIRECTION): void { if (direction === DIRECTION.NEXT) { this.#postList.getNextPost().then((p) => this.#highlightPost(p)); } else { this.#postList.getPreviousPost().then((p) => this.#highlightPost(p)); } } #replyToPost(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const reply = this.#currentPost.querySelector(REPLY_BUTTON_SELECTOR) as HTMLElement; reply?.click(); } #repostPost(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const repost = this.#currentPost.querySelector(REPOST_BUTTON_SELECTOR) as HTMLElement; repost?.click(); } #likePost(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const like = this.#currentPost.querySelector(LIKE_BUTTON_SELECTOR) as HTMLElement; like?.click(); } #expandImage(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const imageContainer = this.#currentPost.querySelector('div.expo-image-container') as HTMLElement; imageContainer?.click(); } #onPostAltClick(event: MouseEvent): void { if (this.#isPaused || !event.altKey) return; event.preventDefault(); this.#postList.setCurrentPost(event.target as HTMLElement).then((p) => this.#highlightPost(p)).catch(noop); } #highlightPost(post: HTMLElement): void { if (post === this.#currentPost) return; this.#removeHighlight(); this.#stashedPost = null; this.#currentPost = post; this.#currentPost.classList.add(FOCUSED_POST_CLASS); this.#currentPost.scrollIntoView({block: 'center', behavior: 'smooth'}); } #removeHighlight(): void { this.#stashedPost = this.#currentPost; this.#currentPost?.classList.remove(FOCUSED_POST_CLASS); this.#currentPost = null; } #focusSearchBar(): void { this.#removeHighlight(); this.#findSearchBar().then((searchBar) => { this.#searchBarEventKeeper.cancelAll(); searchBar.focus(); this.#searchBarEventKeeper.add(searchBar, 'blur', this.#blurSearchBar.bind(this)); this.#searchBarEventKeeper.add(searchBar, 'keydown', (event: KeyboardEvent) => { if (event.key === 'Escape') searchBar.blur(); }); }).catch(() => tip('Search bar not found')); } #blurSearchBar(): void { this.#searchBarEventKeeper.cancelAll(); this.#findSearchBar().then((searchBar) => { searchBar.blur(); this.#stashedPost && this.#highlightPost(this.#stashedPost); this.#searchBarEventKeeper.add(searchBar, 'focus', this.#focusSearchBar.bind(this)); }); } #findSearchBar(): Promise<HTMLElement> { return ultimatelyFind(document.body, SEARCH_BAR); } async #loadNewPosts(): Promise<void> { try { const tab = await this.#postList.getCurrentFeedTab(); const tabContainer = await ultimatelyFind(this.#container, tab); const newPostsButton = tabContainer.childNodes[1] as HTMLElement; if (newPostsButton && newPostsButton.nextSibling) { newPostsButton.click(); this.#container.scrollIntoView({block: 'start', behavior: 'smooth'}); } else { tip('No new posts to load'); } } catch { tip('You are not on the feed page'); } } async #newPost(): Promise<void> { const rootContainer = await ultimatelyFind(document.body, ROOT_CONTAINER); const children = rootContainer.childNodes; const menuItems = children[1].childNodes; const newPostButton = menuItems[menuItems.length - 1] as HTMLElement; if (newPostButton) { newPostButton.click(); } else { tip('No new post button found'); } } }
src/content/watchers/helpers/vimKeybindings.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/watchers/keydown.ts", "retrieved_chunk": " this.#vimHandler.start();\n } else {\n this.#vimHandler.pause();\n }\n }\n }\n get SETTINGS(): APP_SETTINGS[] {\n return Object.keys(DEFAULT_SETTINGS) as APP_SETTINGS[];\n }\n #onKeydown(event: KeyboardEvent): void {", "score": 0.8716995716094971 }, { "filename": "src/content/watchers/keydown.ts", "retrieved_chunk": " }\n });\n } else {\n this.#vimHandler.handle(event);\n }\n }\n}", "score": 0.8695727586746216 }, { "filename": "src/content/pipelines/postModal.ts", "retrieved_chunk": " if (target?.tagName.toLowerCase() === 'button') return;\n if (!this.#modal?.contains(event.target as Node) && event.target !== this.#exitButton) {\n this.#eventKeeper.cancelAll();\n this.#exitButton?.click();\n }\n }\n #onPresumedSelect(): void {\n if (this.#paused) return;\n this.pause();\n document.addEventListener('mouseup', () => setTimeout(this.start.bind(this), 0), {once: true});", "score": 0.852523684501648 }, { "filename": "src/content/watchers/keydown.ts", "retrieved_chunk": " if (this.#isPaused || event.ctrlKey || event.metaKey) return;\n if (PHOTO_KEYS.includes(event.key)) {\n Promise.all([\n ultimatelyFind(this.#container, LEFT_ARROW_BUTTON).catch(() => null),\n ultimatelyFind(this.#container, RIGHT_ARROW_BUTTON).catch(() => null)\n ]).then(([leftArrow, rightArrow]) => {\n if (event.key === 'ArrowLeft' && leftArrow !== null) {\n leftArrow.click();\n } else if (event.key === 'ArrowRight' && rightArrow !== null) {\n rightArrow.click();", "score": 0.8491778373718262 }, { "filename": "src/content/pipelines/postModal.ts", "retrieved_chunk": " }\n start(): void {\n this.#paused = false;\n }\n pause(): void {\n this.#paused = true;\n }\n #onClick(event: MouseEvent): void {\n if (this.#paused) return;\n const target = event.target as HTMLElement;", "score": 0.8452731370925903 } ]
typescript
!(key in VIM_KEY_MAP)) return;
import {IPausable} from '../../../interfaces'; import {ROOT_CONTAINER, SEARCH_BAR} from '../../dom/selectors'; import {EventKeeper} from '../../utils/eventKeeper'; import {noop} from '../../../shared/misc'; import {modal, tip} from '../../utils/notifications'; import {PostList} from './postList'; import {generateHelpMessage, VIM_ACTIONS, VIM_KEY_MAP} from './vimActions'; import {ultimatelyFind} from '../../dom/utils'; enum DIRECTION { NEXT, PREVIOUS } const FOCUSED_POST_CLASS = 'bluesky-overhaul-focused-post'; const MISSING_POST_ERROR = 'No post is focused'; const REPLY_BUTTON_SELECTOR = '[data-testid="replyBtn"]'; const REPOST_BUTTON_SELECTOR = '[data-testid="repostBtn"]'; const LIKE_BUTTON_SELECTOR = '[data-testid="likeBtn"]'; export class VimKeybindingsHandler implements IPausable { readonly #container: HTMLElement; readonly #postList: PostList; readonly #postClickEventKeeper = new EventKeeper(); readonly #searchBarEventKeeper = new EventKeeper(); #currentPost: HTMLElement | null = null; #stashedPost: HTMLElement | null = null; #isPaused: boolean; constructor(targetContainer: HTMLElement, startPaused = true) { this.#container = targetContainer; this.#postList = new PostList(targetContainer, startPaused); this.#isPaused = startPaused; } start(): void { if (!this.#isPaused) return; this.#postList.start(); this.#postClickEventKeeper.add(this.#container, 'click', this.#onPostAltClick.bind(this)); this.#blurSearchBar(); this.#isPaused = false; } pause(): void { if (this.#isPaused) return; this.#postList.pause(); this.#postClickEventKeeper.cancelAll(); this.#searchBarEventKeeper.cancelAll(); this.#removeHighlight(); this.#isPaused = true; } handle(event: KeyboardEvent): void { if (this.#isPaused) return; event.preventDefault(); const key = event.key; if (!(key in VIM_KEY_MAP)) return; const action = VIM_KEY_MAP[key as keyof typeof VIM_KEY_MAP]; switch (action) { case VIM_ACTIONS.SHOW_HELP:
modal(generateHelpMessage());
break; case VIM_ACTIONS.SEARCH: this.#focusSearchBar(); break; case VIM_ACTIONS.LOAD_NEW_POSTS: this.#loadNewPosts(); break; case VIM_ACTIONS.NEXT_POST: this.#selectPost(DIRECTION.NEXT); break; case VIM_ACTIONS.PREVIOUS_POST: this.#selectPost(DIRECTION.PREVIOUS); break; case VIM_ACTIONS.LIKE: this.#likePost(); break; case VIM_ACTIONS.CREATE_POST: this.#newPost(); break; case VIM_ACTIONS.EXPAND_IMAGE: this.#expandImage(); break; case VIM_ACTIONS.REPLY: this.#replyToPost(); break; case VIM_ACTIONS.REPOST: this.#repostPost(); break; case VIM_ACTIONS.OPEN_POST: this.#currentPost?.click(); break; default: tip(`Action "${action}" is not implemented yet`); } } #selectPost(direction: DIRECTION): void { if (direction === DIRECTION.NEXT) { this.#postList.getNextPost().then((p) => this.#highlightPost(p)); } else { this.#postList.getPreviousPost().then((p) => this.#highlightPost(p)); } } #replyToPost(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const reply = this.#currentPost.querySelector(REPLY_BUTTON_SELECTOR) as HTMLElement; reply?.click(); } #repostPost(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const repost = this.#currentPost.querySelector(REPOST_BUTTON_SELECTOR) as HTMLElement; repost?.click(); } #likePost(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const like = this.#currentPost.querySelector(LIKE_BUTTON_SELECTOR) as HTMLElement; like?.click(); } #expandImage(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const imageContainer = this.#currentPost.querySelector('div.expo-image-container') as HTMLElement; imageContainer?.click(); } #onPostAltClick(event: MouseEvent): void { if (this.#isPaused || !event.altKey) return; event.preventDefault(); this.#postList.setCurrentPost(event.target as HTMLElement).then((p) => this.#highlightPost(p)).catch(noop); } #highlightPost(post: HTMLElement): void { if (post === this.#currentPost) return; this.#removeHighlight(); this.#stashedPost = null; this.#currentPost = post; this.#currentPost.classList.add(FOCUSED_POST_CLASS); this.#currentPost.scrollIntoView({block: 'center', behavior: 'smooth'}); } #removeHighlight(): void { this.#stashedPost = this.#currentPost; this.#currentPost?.classList.remove(FOCUSED_POST_CLASS); this.#currentPost = null; } #focusSearchBar(): void { this.#removeHighlight(); this.#findSearchBar().then((searchBar) => { this.#searchBarEventKeeper.cancelAll(); searchBar.focus(); this.#searchBarEventKeeper.add(searchBar, 'blur', this.#blurSearchBar.bind(this)); this.#searchBarEventKeeper.add(searchBar, 'keydown', (event: KeyboardEvent) => { if (event.key === 'Escape') searchBar.blur(); }); }).catch(() => tip('Search bar not found')); } #blurSearchBar(): void { this.#searchBarEventKeeper.cancelAll(); this.#findSearchBar().then((searchBar) => { searchBar.blur(); this.#stashedPost && this.#highlightPost(this.#stashedPost); this.#searchBarEventKeeper.add(searchBar, 'focus', this.#focusSearchBar.bind(this)); }); } #findSearchBar(): Promise<HTMLElement> { return ultimatelyFind(document.body, SEARCH_BAR); } async #loadNewPosts(): Promise<void> { try { const tab = await this.#postList.getCurrentFeedTab(); const tabContainer = await ultimatelyFind(this.#container, tab); const newPostsButton = tabContainer.childNodes[1] as HTMLElement; if (newPostsButton && newPostsButton.nextSibling) { newPostsButton.click(); this.#container.scrollIntoView({block: 'start', behavior: 'smooth'}); } else { tip('No new posts to load'); } } catch { tip('You are not on the feed page'); } } async #newPost(): Promise<void> { const rootContainer = await ultimatelyFind(document.body, ROOT_CONTAINER); const children = rootContainer.childNodes; const menuItems = children[1].childNodes; const newPostButton = menuItems[menuItems.length - 1] as HTMLElement; if (newPostButton) { newPostButton.click(); } else { tip('No new post button found'); } } }
src/content/watchers/helpers/vimKeybindings.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/watchers/keydown.ts", "retrieved_chunk": " }\n });\n } else {\n this.#vimHandler.handle(event);\n }\n }\n}", "score": 0.8646227717399597 }, { "filename": "src/content/watchers/keydown.ts", "retrieved_chunk": " this.#vimHandler.start();\n } else {\n this.#vimHandler.pause();\n }\n }\n }\n get SETTINGS(): APP_SETTINGS[] {\n return Object.keys(DEFAULT_SETTINGS) as APP_SETTINGS[];\n }\n #onKeydown(event: KeyboardEvent): void {", "score": 0.8585368394851685 }, { "filename": "src/content/pipelines/postModal.ts", "retrieved_chunk": " }\n start(): void {\n this.#paused = false;\n }\n pause(): void {\n this.#paused = true;\n }\n #onClick(event: MouseEvent): void {\n if (this.#paused) return;\n const target = event.target as HTMLElement;", "score": 0.8375145196914673 }, { "filename": "src/content/watchers/keydown.ts", "retrieved_chunk": " if (this.#isPaused || event.ctrlKey || event.metaKey) return;\n if (PHOTO_KEYS.includes(event.key)) {\n Promise.all([\n ultimatelyFind(this.#container, LEFT_ARROW_BUTTON).catch(() => null),\n ultimatelyFind(this.#container, RIGHT_ARROW_BUTTON).catch(() => null)\n ]).then(([leftArrow, rightArrow]) => {\n if (event.key === 'ArrowLeft' && leftArrow !== null) {\n leftArrow.click();\n } else if (event.key === 'ArrowRight' && rightArrow !== null) {\n rightArrow.click();", "score": 0.8374054431915283 }, { "filename": "src/content/pipelines/postModal.ts", "retrieved_chunk": " if (target?.tagName.toLowerCase() === 'button') return;\n if (!this.#modal?.contains(event.target as Node) && event.target !== this.#exitButton) {\n this.#eventKeeper.cancelAll();\n this.#exitButton?.click();\n }\n }\n #onPresumedSelect(): void {\n if (this.#paused) return;\n this.pause();\n document.addEventListener('mouseup', () => setTimeout(this.start.bind(this), 0), {once: true});", "score": 0.8286184668540955 } ]
typescript
modal(generateHelpMessage());
import {TSetting, TSettings} from '../../types'; import React from 'react'; import {APP_SETTINGS} from '../../shared/appSettings'; import Checkbox from '../components/Checkbox'; import Input from '../components/Input'; import {BADGE_LEVEL} from '../components/Badge'; import {preventDefault} from '../../shared/misc'; const nameToText = (name: string): string => { return name.split('-').map((word) => word[0].toUpperCase() + word.slice(1)).join(' '); }; const BADGES: { [key in APP_SETTINGS]?: { type: BADGE_LEVEL, text: string } } = { [APP_SETTINGS.BLUESKY_OVERHAUL_ENABLED]: {type: BADGE_LEVEL.DANGER, text: 'page reload'}, [APP_SETTINGS.HANDLE_VIM_KEYBINDINGS]: {type: BADGE_LEVEL.WARNING, text: 'experimental'}, [APP_SETTINGS.SHOW_POST_DATETIME]: {type: BADGE_LEVEL.INFO, text: 'requires login'} }; const TIPS: { [key in APP_SETTINGS]?: string } = { [APP_SETTINGS.BLUESKY_OVERHAUL_ENABLED]: 'It will turn back on when the next release is ready', [APP_SETTINGS.HANDLE_VIM_KEYBINDINGS]: 'Press "?" while on Bluesky to see the list of keys', [APP_SETTINGS.SHOW_POST_DATETIME]: 'Enter your Bluesky credentials to enable this' }; type FormProps = { settings: TSettings; onChange: (name: APP_SETTINGS, value: TSetting) => void; }; export default function Form({settings, onChange}: FormProps): JSX.Element { return ( <form className="form-horizontal" onSubmit={preventDefault}> {Object.keys(settings).map((setting) => { const name = setting as keyof TSettings; const value = settings[name]; // TODO : introduce explicit types for all settings in TSettings if (name === APP_SETTINGS.BSKY_IDENTIFIER || name === APP_SETTINGS.BSKY_PASSWORD) { return <Input key={name} type={name === APP_SETTINGS.BSKY_PASSWORD ? 'password' : 'text'} value={value as string} // TODO : fix this text={nameToText(name)} callback={(newValue) => onChange(name, newValue)} />; } else { return <Checkbox key={name} value={value as boolean} // TODO : fix this text={nameToText(name)}
badge={BADGES[name]}
tooltip={TIPS[name]} callback={(newValue) => onChange(name, newValue)} />; } })} </form> ); }
src/popup/blocks/Form.tsx
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/popup/components/Checkbox.tsx", "retrieved_chunk": "export default function Checkbox({value, text, badge, tooltip, callback}: CheckboxProps): JSX.Element {\n const [checked, setChecked] = useState(value);\n const onChange = (event: React.ChangeEvent<HTMLInputElement>): void => {\n setChecked(event.target.checked);\n callback(event.target.checked);\n };\n return (\n <div className=\"form-group\">\n <div className=\"col-sm-offset-2 col-sm-10\">\n <div className=\"checkbox\">", "score": 0.8708943128585815 }, { "filename": "src/popup/components/Checkbox.tsx", "retrieved_chunk": " <label>\n <input type=\"checkbox\" checked={checked} onChange={onChange}/>\n <span>{text}</span>\n {badge && <Badge text={badge.text} type={badge.type}/>}\n {tooltip && <Tip text={tooltip}/>}\n </label>\n </div>\n </div>\n </div>\n );", "score": 0.8627296686172485 }, { "filename": "src/popup/components/Checkbox.tsx", "retrieved_chunk": "import React, {useState} from 'react';\nimport Badge, {BADGE_LEVEL} from './Badge';\nimport Tip from './Tip';\ntype CheckboxProps = {\n value: boolean;\n text: string;\n badge?: { text: string, type: BADGE_LEVEL };\n tooltip?: string;\n callback: (value: boolean) => void;\n};", "score": 0.8516822457313538 }, { "filename": "src/popup/components/Input.tsx", "retrieved_chunk": " value={inputContents}\n placeholder={text}\n onChange={onChange}\n />\n </label>\n </div>\n </div>\n </div>\n );\n}", "score": 0.816855788230896 }, { "filename": "src/popup/components/Badge.tsx", "retrieved_chunk": "};\nexport default function Badge({text, type}: BadgeProps): JSX.Element {\n const badgeClasses = `label label-${type}`;\n return (\n <span>&nbsp;<span className={badgeClasses}>{text}</span></span>\n );\n}", "score": 0.8045551776885986 } ]
typescript
badge={BADGES[name]}
import {IPausable} from '../../../interfaces'; import {ROOT_CONTAINER, SEARCH_BAR} from '../../dom/selectors'; import {EventKeeper} from '../../utils/eventKeeper'; import {noop} from '../../../shared/misc'; import {modal, tip} from '../../utils/notifications'; import {PostList} from './postList'; import {generateHelpMessage, VIM_ACTIONS, VIM_KEY_MAP} from './vimActions'; import {ultimatelyFind} from '../../dom/utils'; enum DIRECTION { NEXT, PREVIOUS } const FOCUSED_POST_CLASS = 'bluesky-overhaul-focused-post'; const MISSING_POST_ERROR = 'No post is focused'; const REPLY_BUTTON_SELECTOR = '[data-testid="replyBtn"]'; const REPOST_BUTTON_SELECTOR = '[data-testid="repostBtn"]'; const LIKE_BUTTON_SELECTOR = '[data-testid="likeBtn"]'; export class VimKeybindingsHandler implements IPausable { readonly #container: HTMLElement; readonly #postList: PostList; readonly #postClickEventKeeper = new EventKeeper(); readonly #searchBarEventKeeper = new EventKeeper(); #currentPost: HTMLElement | null = null; #stashedPost: HTMLElement | null = null; #isPaused: boolean; constructor(targetContainer: HTMLElement, startPaused = true) { this.#container = targetContainer; this.#postList = new PostList(targetContainer, startPaused); this.#isPaused = startPaused; } start(): void { if (!this.#isPaused) return; this.#postList.start(); this.#postClickEventKeeper.add(this.#container, 'click', this.#onPostAltClick.bind(this)); this.#blurSearchBar(); this.#isPaused = false; } pause(): void { if (this.#isPaused) return; this.#postList.pause(); this.#postClickEventKeeper.cancelAll(); this.#searchBarEventKeeper.cancelAll(); this.#removeHighlight(); this.#isPaused = true; } handle(event: KeyboardEvent): void { if (this.#isPaused) return; event.preventDefault(); const key = event.key; if (!(key in VIM_KEY_MAP)) return; const action = VIM_KEY_MAP[key as keyof typeof VIM_KEY_MAP]; switch (action) { case VIM_ACTIONS.SHOW_HELP: modal(generateHelpMessage()); break; case VIM_ACTIONS.SEARCH: this.#focusSearchBar(); break; case VIM_ACTIONS.LOAD_NEW_POSTS: this.#loadNewPosts(); break; case VIM_ACTIONS.NEXT_POST: this.#selectPost(DIRECTION.NEXT); break; case VIM_ACTIONS.PREVIOUS_POST: this.#selectPost(DIRECTION.PREVIOUS); break; case VIM_ACTIONS.LIKE: this.#likePost(); break; case VIM_ACTIONS.CREATE_POST: this.#newPost(); break; case VIM_ACTIONS.EXPAND_IMAGE: this.#expandImage(); break; case VIM_ACTIONS.REPLY: this.#replyToPost(); break; case VIM_ACTIONS.REPOST: this.#repostPost(); break; case VIM_ACTIONS.OPEN_POST: this.#currentPost?.click(); break; default: tip(`Action "${action}" is not implemented yet`); } } #selectPost(direction: DIRECTION): void { if (direction === DIRECTION.NEXT) { this.#postList.getNextPost().then((p) => this.#highlightPost(p)); } else {
this.#postList.getPreviousPost().then((p) => this.#highlightPost(p));
} } #replyToPost(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const reply = this.#currentPost.querySelector(REPLY_BUTTON_SELECTOR) as HTMLElement; reply?.click(); } #repostPost(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const repost = this.#currentPost.querySelector(REPOST_BUTTON_SELECTOR) as HTMLElement; repost?.click(); } #likePost(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const like = this.#currentPost.querySelector(LIKE_BUTTON_SELECTOR) as HTMLElement; like?.click(); } #expandImage(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const imageContainer = this.#currentPost.querySelector('div.expo-image-container') as HTMLElement; imageContainer?.click(); } #onPostAltClick(event: MouseEvent): void { if (this.#isPaused || !event.altKey) return; event.preventDefault(); this.#postList.setCurrentPost(event.target as HTMLElement).then((p) => this.#highlightPost(p)).catch(noop); } #highlightPost(post: HTMLElement): void { if (post === this.#currentPost) return; this.#removeHighlight(); this.#stashedPost = null; this.#currentPost = post; this.#currentPost.classList.add(FOCUSED_POST_CLASS); this.#currentPost.scrollIntoView({block: 'center', behavior: 'smooth'}); } #removeHighlight(): void { this.#stashedPost = this.#currentPost; this.#currentPost?.classList.remove(FOCUSED_POST_CLASS); this.#currentPost = null; } #focusSearchBar(): void { this.#removeHighlight(); this.#findSearchBar().then((searchBar) => { this.#searchBarEventKeeper.cancelAll(); searchBar.focus(); this.#searchBarEventKeeper.add(searchBar, 'blur', this.#blurSearchBar.bind(this)); this.#searchBarEventKeeper.add(searchBar, 'keydown', (event: KeyboardEvent) => { if (event.key === 'Escape') searchBar.blur(); }); }).catch(() => tip('Search bar not found')); } #blurSearchBar(): void { this.#searchBarEventKeeper.cancelAll(); this.#findSearchBar().then((searchBar) => { searchBar.blur(); this.#stashedPost && this.#highlightPost(this.#stashedPost); this.#searchBarEventKeeper.add(searchBar, 'focus', this.#focusSearchBar.bind(this)); }); } #findSearchBar(): Promise<HTMLElement> { return ultimatelyFind(document.body, SEARCH_BAR); } async #loadNewPosts(): Promise<void> { try { const tab = await this.#postList.getCurrentFeedTab(); const tabContainer = await ultimatelyFind(this.#container, tab); const newPostsButton = tabContainer.childNodes[1] as HTMLElement; if (newPostsButton && newPostsButton.nextSibling) { newPostsButton.click(); this.#container.scrollIntoView({block: 'start', behavior: 'smooth'}); } else { tip('No new posts to load'); } } catch { tip('You are not on the feed page'); } } async #newPost(): Promise<void> { const rootContainer = await ultimatelyFind(document.body, ROOT_CONTAINER); const children = rootContainer.childNodes; const menuItems = children[1].childNodes; const newPostButton = menuItems[menuItems.length - 1] as HTMLElement; if (newPostButton) { newPostButton.click(); } else { tip('No new post button found'); } } }
src/content/watchers/helpers/vimKeybindings.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": " this.#currentPost = post;\n return this.#currentPost;\n }\n }\n return Promise.reject('Element is not a post');\n });\n }\n getNextPost(): Promise<HTMLElement> {\n return this.#getNeighborPost(getNextPost);\n }", "score": 0.8292032480239868 }, { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": " }\n #onTabButtonClick(event: MouseEvent): void {\n const target = event.target as HTMLElement;\n const data = target.getAttribute('data-testid');\n if (data === FOLLOWING_DATA || target.querySelector(`[data-testid=\"${FOLLOWING_DATA}\"]`)) {\n if (this.#activeTabSelector !== FOLLOWING_FEED) this.#currentPost = null;\n this.#activeTabSelector = FOLLOWING_FEED;\n } else if (data === WHATSHOT_DATA || target.querySelector(`[data-testid=\"${WHATSHOT_DATA}\"]`)) {\n if (this.#activeTabSelector !== WHATSHOT_FEED) this.#currentPost = null;\n this.#activeTabSelector = WHATSHOT_FEED;", "score": 0.8217950463294983 }, { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": " getPreviousPost(): Promise<HTMLElement> {\n return this.#getNeighborPost(getPreviousPost);\n }\n #getNeighborPost(retrieveFn: (post: HTMLElement) => HTMLElement | null): Promise<HTMLElement> {\n if (this.#isPaused) return Promise.reject('PostList is paused');\n return this.#resolveList().then((posts) => {\n if (posts.length === 0) {\n return Promise.reject('No posts found');\n } else if (this.#currentPost) {\n const neighborPost = retrieveFn(this.#currentPost);", "score": 0.8197339773178101 }, { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": " if (neighborPost && (posts.includes(neighborPost) || isPostThreadDelimiter(neighborPost))) {\n this.#currentPost = neighborPost;\n } else if (!posts.includes(this.#currentPost)) {\n this.#currentPost = posts[0];\n }\n } else {\n this.#currentPost = posts[0];\n }\n return this.#currentPost;\n });", "score": 0.8115671873092651 }, { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": " return this.#activeTabSelector.clone();\n } else {\n return Promise.reject('Not on main page');\n }\n });\n }\n setCurrentPost(element: HTMLElement): Promise<HTMLElement> {\n return this.#resolveList().then((posts) => {\n for (const post of posts) {\n if (post === element || post.parentElement === element || post.contains(element)) {", "score": 0.8058043718338013 } ]
typescript
this.#postList.getPreviousPost().then((p) => this.#highlightPost(p));
import {TSetting, TSettings} from '../../types'; import React from 'react'; import {APP_SETTINGS} from '../../shared/appSettings'; import Checkbox from '../components/Checkbox'; import Input from '../components/Input'; import {BADGE_LEVEL} from '../components/Badge'; import {preventDefault} from '../../shared/misc'; const nameToText = (name: string): string => { return name.split('-').map((word) => word[0].toUpperCase() + word.slice(1)).join(' '); }; const BADGES: { [key in APP_SETTINGS]?: { type: BADGE_LEVEL, text: string } } = { [APP_SETTINGS.BLUESKY_OVERHAUL_ENABLED]: {type: BADGE_LEVEL.DANGER, text: 'page reload'}, [APP_SETTINGS.HANDLE_VIM_KEYBINDINGS]: {type: BADGE_LEVEL.WARNING, text: 'experimental'}, [APP_SETTINGS.SHOW_POST_DATETIME]: {type: BADGE_LEVEL.INFO, text: 'requires login'} }; const TIPS: { [key in APP_SETTINGS]?: string } = { [APP_SETTINGS.BLUESKY_OVERHAUL_ENABLED]: 'It will turn back on when the next release is ready', [APP_SETTINGS.HANDLE_VIM_KEYBINDINGS]: 'Press "?" while on Bluesky to see the list of keys', [APP_SETTINGS.SHOW_POST_DATETIME]: 'Enter your Bluesky credentials to enable this' }; type FormProps = { settings: TSettings; onChange: (name: APP_SETTINGS, value: TSetting) => void; }; export default function Form({settings, onChange}: FormProps): JSX.Element { return ( <form className="form-horizontal" onSubmit={preventDefault}> {Object.keys(settings).map((setting) => { const name = setting as keyof TSettings; const value = settings[name]; // TODO : introduce explicit types for all settings in TSettings if (name === APP_SETTINGS.BSKY_IDENTIFIER || name === APP_SETTINGS.BSKY_PASSWORD) { return <Input key={name} type={name === APP_SETTINGS.BSKY_PASSWORD ? 'password' : 'text'} value={value as string} // TODO : fix this text={nameToText(name)} callback={(newValue) => onChange(name, newValue)} />; } else {
return <Checkbox key={name}
value={value as boolean} // TODO : fix this text={nameToText(name)} badge={BADGES[name]} tooltip={TIPS[name]} callback={(newValue) => onChange(name, newValue)} />; } })} </form> ); }
src/popup/blocks/Form.tsx
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/popup/components/Checkbox.tsx", "retrieved_chunk": "export default function Checkbox({value, text, badge, tooltip, callback}: CheckboxProps): JSX.Element {\n const [checked, setChecked] = useState(value);\n const onChange = (event: React.ChangeEvent<HTMLInputElement>): void => {\n setChecked(event.target.checked);\n callback(event.target.checked);\n };\n return (\n <div className=\"form-group\">\n <div className=\"col-sm-offset-2 col-sm-10\">\n <div className=\"checkbox\">", "score": 0.8381875157356262 }, { "filename": "src/popup/components/Checkbox.tsx", "retrieved_chunk": " <label>\n <input type=\"checkbox\" checked={checked} onChange={onChange}/>\n <span>{text}</span>\n {badge && <Badge text={badge.text} type={badge.type}/>}\n {tooltip && <Tip text={tooltip}/>}\n </label>\n </div>\n </div>\n </div>\n );", "score": 0.8307729959487915 }, { "filename": "src/popup/components/Input.tsx", "retrieved_chunk": " value={inputContents}\n placeholder={text}\n onChange={onChange}\n />\n </label>\n </div>\n </div>\n </div>\n );\n}", "score": 0.8244857788085938 }, { "filename": "src/popup/components/Input.tsx", "retrieved_chunk": "import React, {useState} from 'react';\ntype InputProps = {\n type: string;\n value: string;\n text: string;\n callback: (value: string) => void;\n};\nexport default function Input({type, value, text, callback}: InputProps): JSX.Element {\n const [inputContents, setInputContents] = useState(value);\n const onChange = (event: React.ChangeEvent<HTMLInputElement>): void => {", "score": 0.8223271369934082 }, { "filename": "src/popup/components/Input.tsx", "retrieved_chunk": " setInputContents(event.target.value);\n callback(event.target.value);\n };\n return (\n <div className=\"form-group\">\n <div className=\"col-sm-offset-2 col-sm-10\">\n <div className=\"input-group\">\n <label>\n <input\n type={type}", "score": 0.8147790431976318 } ]
typescript
return <Checkbox key={name}
import {IPausable} from '../../../interfaces'; import {ROOT_CONTAINER, SEARCH_BAR} from '../../dom/selectors'; import {EventKeeper} from '../../utils/eventKeeper'; import {noop} from '../../../shared/misc'; import {modal, tip} from '../../utils/notifications'; import {PostList} from './postList'; import {generateHelpMessage, VIM_ACTIONS, VIM_KEY_MAP} from './vimActions'; import {ultimatelyFind} from '../../dom/utils'; enum DIRECTION { NEXT, PREVIOUS } const FOCUSED_POST_CLASS = 'bluesky-overhaul-focused-post'; const MISSING_POST_ERROR = 'No post is focused'; const REPLY_BUTTON_SELECTOR = '[data-testid="replyBtn"]'; const REPOST_BUTTON_SELECTOR = '[data-testid="repostBtn"]'; const LIKE_BUTTON_SELECTOR = '[data-testid="likeBtn"]'; export class VimKeybindingsHandler implements IPausable { readonly #container: HTMLElement; readonly #postList: PostList; readonly #postClickEventKeeper = new EventKeeper(); readonly #searchBarEventKeeper = new EventKeeper(); #currentPost: HTMLElement | null = null; #stashedPost: HTMLElement | null = null; #isPaused: boolean; constructor(targetContainer: HTMLElement, startPaused = true) { this.#container = targetContainer; this.#postList = new PostList(targetContainer, startPaused); this.#isPaused = startPaused; } start(): void { if (!this.#isPaused) return; this.#postList.start(); this.#postClickEventKeeper.add(this.#container, 'click', this.#onPostAltClick.bind(this)); this.#blurSearchBar(); this.#isPaused = false; } pause(): void { if (this.#isPaused) return; this.#postList.pause(); this.#postClickEventKeeper.cancelAll(); this.#searchBarEventKeeper.cancelAll(); this.#removeHighlight(); this.#isPaused = true; } handle(event: KeyboardEvent): void { if (this.#isPaused) return; event.preventDefault(); const key = event.key; if (!(key in VIM_KEY_MAP)) return; const action = VIM_KEY_MAP[key as keyof typeof VIM_KEY_MAP]; switch (action) { case
VIM_ACTIONS.SHOW_HELP: modal(generateHelpMessage());
break; case VIM_ACTIONS.SEARCH: this.#focusSearchBar(); break; case VIM_ACTIONS.LOAD_NEW_POSTS: this.#loadNewPosts(); break; case VIM_ACTIONS.NEXT_POST: this.#selectPost(DIRECTION.NEXT); break; case VIM_ACTIONS.PREVIOUS_POST: this.#selectPost(DIRECTION.PREVIOUS); break; case VIM_ACTIONS.LIKE: this.#likePost(); break; case VIM_ACTIONS.CREATE_POST: this.#newPost(); break; case VIM_ACTIONS.EXPAND_IMAGE: this.#expandImage(); break; case VIM_ACTIONS.REPLY: this.#replyToPost(); break; case VIM_ACTIONS.REPOST: this.#repostPost(); break; case VIM_ACTIONS.OPEN_POST: this.#currentPost?.click(); break; default: tip(`Action "${action}" is not implemented yet`); } } #selectPost(direction: DIRECTION): void { if (direction === DIRECTION.NEXT) { this.#postList.getNextPost().then((p) => this.#highlightPost(p)); } else { this.#postList.getPreviousPost().then((p) => this.#highlightPost(p)); } } #replyToPost(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const reply = this.#currentPost.querySelector(REPLY_BUTTON_SELECTOR) as HTMLElement; reply?.click(); } #repostPost(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const repost = this.#currentPost.querySelector(REPOST_BUTTON_SELECTOR) as HTMLElement; repost?.click(); } #likePost(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const like = this.#currentPost.querySelector(LIKE_BUTTON_SELECTOR) as HTMLElement; like?.click(); } #expandImage(): void { if (!this.#currentPost) return tip(MISSING_POST_ERROR); const imageContainer = this.#currentPost.querySelector('div.expo-image-container') as HTMLElement; imageContainer?.click(); } #onPostAltClick(event: MouseEvent): void { if (this.#isPaused || !event.altKey) return; event.preventDefault(); this.#postList.setCurrentPost(event.target as HTMLElement).then((p) => this.#highlightPost(p)).catch(noop); } #highlightPost(post: HTMLElement): void { if (post === this.#currentPost) return; this.#removeHighlight(); this.#stashedPost = null; this.#currentPost = post; this.#currentPost.classList.add(FOCUSED_POST_CLASS); this.#currentPost.scrollIntoView({block: 'center', behavior: 'smooth'}); } #removeHighlight(): void { this.#stashedPost = this.#currentPost; this.#currentPost?.classList.remove(FOCUSED_POST_CLASS); this.#currentPost = null; } #focusSearchBar(): void { this.#removeHighlight(); this.#findSearchBar().then((searchBar) => { this.#searchBarEventKeeper.cancelAll(); searchBar.focus(); this.#searchBarEventKeeper.add(searchBar, 'blur', this.#blurSearchBar.bind(this)); this.#searchBarEventKeeper.add(searchBar, 'keydown', (event: KeyboardEvent) => { if (event.key === 'Escape') searchBar.blur(); }); }).catch(() => tip('Search bar not found')); } #blurSearchBar(): void { this.#searchBarEventKeeper.cancelAll(); this.#findSearchBar().then((searchBar) => { searchBar.blur(); this.#stashedPost && this.#highlightPost(this.#stashedPost); this.#searchBarEventKeeper.add(searchBar, 'focus', this.#focusSearchBar.bind(this)); }); } #findSearchBar(): Promise<HTMLElement> { return ultimatelyFind(document.body, SEARCH_BAR); } async #loadNewPosts(): Promise<void> { try { const tab = await this.#postList.getCurrentFeedTab(); const tabContainer = await ultimatelyFind(this.#container, tab); const newPostsButton = tabContainer.childNodes[1] as HTMLElement; if (newPostsButton && newPostsButton.nextSibling) { newPostsButton.click(); this.#container.scrollIntoView({block: 'start', behavior: 'smooth'}); } else { tip('No new posts to load'); } } catch { tip('You are not on the feed page'); } } async #newPost(): Promise<void> { const rootContainer = await ultimatelyFind(document.body, ROOT_CONTAINER); const children = rootContainer.childNodes; const menuItems = children[1].childNodes; const newPostButton = menuItems[menuItems.length - 1] as HTMLElement; if (newPostButton) { newPostButton.click(); } else { tip('No new post button found'); } } }
src/content/watchers/helpers/vimKeybindings.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/watchers/keydown.ts", "retrieved_chunk": " }\n });\n } else {\n this.#vimHandler.handle(event);\n }\n }\n}", "score": 0.8635022640228271 }, { "filename": "src/content/watchers/keydown.ts", "retrieved_chunk": " this.#vimHandler.start();\n } else {\n this.#vimHandler.pause();\n }\n }\n }\n get SETTINGS(): APP_SETTINGS[] {\n return Object.keys(DEFAULT_SETTINGS) as APP_SETTINGS[];\n }\n #onKeydown(event: KeyboardEvent): void {", "score": 0.8560036420822144 }, { "filename": "src/content/watchers/keydown.ts", "retrieved_chunk": " if (this.#isPaused || event.ctrlKey || event.metaKey) return;\n if (PHOTO_KEYS.includes(event.key)) {\n Promise.all([\n ultimatelyFind(this.#container, LEFT_ARROW_BUTTON).catch(() => null),\n ultimatelyFind(this.#container, RIGHT_ARROW_BUTTON).catch(() => null)\n ]).then(([leftArrow, rightArrow]) => {\n if (event.key === 'ArrowLeft' && leftArrow !== null) {\n leftArrow.click();\n } else if (event.key === 'ArrowRight' && rightArrow !== null) {\n rightArrow.click();", "score": 0.8369401693344116 }, { "filename": "src/content/pipelines/postModal.ts", "retrieved_chunk": " }\n start(): void {\n this.#paused = false;\n }\n pause(): void {\n this.#paused = true;\n }\n #onClick(event: MouseEvent): void {\n if (this.#paused) return;\n const target = event.target as HTMLElement;", "score": 0.8296467065811157 }, { "filename": "src/content/pipelines/postModal.ts", "retrieved_chunk": " if (target?.tagName.toLowerCase() === 'button') return;\n if (!this.#modal?.contains(event.target as Node) && event.target !== this.#exitButton) {\n this.#eventKeeper.cancelAll();\n this.#exitButton?.click();\n }\n }\n #onPresumedSelect(): void {\n if (this.#paused) return;\n this.pause();\n document.addEventListener('mouseup', () => setTimeout(this.start.bind(this), 0), {once: true});", "score": 0.8282636404037476 } ]
typescript
VIM_ACTIONS.SHOW_HELP: modal(generateHelpMessage());
import '@webcomponents/custom-elements'; import {APP_SETTINGS} from '../shared/appSettings'; import {getSettingsManager} from './browser/settingsManager'; import {ultimatelyFind} from './dom/utils'; import {ROOT_CONTAINER, FEED_CONTAINER, MODAL_CONTAINER, COMPOSE_MODAL} from './dom/selectors'; import {CountersConcealer} from './watchers/countersConcealer'; import {KeydownWatcher} from './watchers/keydown'; import {PostDatetimeWatcher} from './watchers/postDatetime'; import {YoutubeWatcher} from './watchers/youtube'; import {PostModalPipeline} from './pipelines/postModal'; import {EmojiPipeline} from './pipelines/emoji'; import {QuotePostPipeline} from './pipelines/quotePost'; import {log} from './utils/logger'; import {PipelineManager} from './utils/pipelineManager'; const REPO_LINK = 'https://github.com/xenohunter/bluesky-overhaul'; const EXTENSION_DISABLED_CODE = 'EXTENSION_DISABLED'; const run = async (): Promise<void> => { const settingsManager = await getSettingsManager(); if (settingsManager.get(APP_SETTINGS.BLUESKY_OVERHAUL_ENABLED) === false) { return Promise.reject(EXTENSION_DISABLED_CODE); } return ultimatelyFind(document.body, ROOT_CONTAINER).then((rootContainer) => Promise.all([ Promise.resolve(rootContainer), ultimatelyFind(rootContainer, FEED_CONTAINER), ultimatelyFind(rootContainer, MODAL_CONTAINER) ]).then(([rootContainer, feedContainer, modalContainer]) => { const countersConcealer = new CountersConcealer(document.body); settingsManager.subscribe(countersConcealer); countersConcealer.watch(); const keydownWatcher = new KeydownWatcher(rootContainer, feedContainer); settingsManager.subscribe(keydownWatcher); keydownWatcher.watch(); const postDatetimeWatcher = new PostDatetimeWatcher(feedContainer); settingsManager.subscribe(postDatetimeWatcher); postDatetimeWatcher.watch(); const youtubeWatcher = new YoutubeWatcher(feedContainer); youtubeWatcher.watch(); const postModalPipeline = new PostModalPipeline(() => keydownWatcher.pause(), () => keydownWatcher.start()); const emojiPipeline = new EmojiPipeline(() => postModalPipeline.pause(), () => postModalPipeline.start()); const quotePostPipeline = new QuotePostPipeline(); const pipelineManager = new PipelineManager({ compose: [postModalPipeline, emojiPipeline, quotePostPipeline] }); const observer = new MutationObserver((mutations) => { mutations.forEach((mutation) => { if (mutation.target === modalContainer) { const composePostModal = modalContainer.querySelector(
COMPOSE_MODAL.selector) as HTMLElement | null;
if (composePostModal !== null) { pipelineManager.terminateExcept('compose'); pipelineManager.deploy('compose', composePostModal); } else { pipelineManager.terminateAll(); } } }); }); observer.observe(modalContainer, {childList: true, subtree: true}); })); }; run().then(() => { log('Launched'); }).catch(() => { setTimeout(() => { run().then(() => { log('Launched after the second attempt (1000ms delay)'); }).catch((e) => { if (e === EXTENSION_DISABLED_CODE) return; console.error(`Failed to launch Bluesky Overhaul. Please, copy the error and report this issue: ${REPO_LINK}`); console.error(e); }); }, 1000); });
src/content/main.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/pipelines/emoji.ts", "retrieved_chunk": " const modalCoords = modal.getBoundingClientRect();\n const emojiButtonCoords = emojiButton.getBoundingClientRect();\n emojiPopup.style.left = emojiButtonCoords.x - modalCoords.x + 'px';\n emojiPopup.style.top = emojiButtonCoords.y - modalCoords.y + emojiButtonCoords.height + 'px';\n return emojiPopup;\n};\nexport class EmojiPipeline extends Pipeline {\n #modal: HTMLElement | null;\n #picker: Picker | null;\n #cursor: Cursor | null;", "score": 0.8812105655670166 }, { "filename": "src/content/pipelines/quotePost.ts", "retrieved_chunk": "import {COMPOSE_CONTENT_EDITABLE, COMPOSE_LINK_CARD_BUTTON} from '../dom/selectors';\nimport {log} from '../utils/logger';\nimport {typeText, backspace} from '../utils/text';\nimport {Pipeline} from './pipeline';\nimport {ultimatelyFind} from '../dom/utils';\nimport {EventKeeper} from '../utils/eventKeeper';\nconst STAGING_URL_REGEX = /.*(https:\\/\\/staging\\.bsky\\.app\\/profile\\/.*\\/post\\/.*\\/?)$/;\nconst URL_REGEX = /.*(https:\\/\\/bsky\\.app\\/profile\\/.*\\/post\\/.*\\/?)$/;\nexport class QuotePostPipeline extends Pipeline {\n #modal: HTMLElement | null;", "score": 0.8785570859909058 }, { "filename": "src/content/pipelines/postModal.ts", "retrieved_chunk": "import {IPausable} from '../../interfaces';\nimport {log} from '../utils/logger';\nimport {Pipeline} from './pipeline';\nimport {EventKeeper} from '../utils/eventKeeper';\nimport {COMPOSE_CANCEL_BUTTON, COMPOSE_CONTENT_EDITABLE} from '../dom/selectors';\nimport {ultimatelyFind} from '../dom/utils';\nexport class PostModalPipeline extends Pipeline implements IPausable {\n #modal: HTMLElement | null;\n #exitButton: HTMLElement | null;\n #contentEditable: HTMLElement | null;", "score": 0.8718416690826416 }, { "filename": "src/content/pipelines/quotePost.ts", "retrieved_chunk": " log('QuotePostPipeline is already deployed');\n return;\n }\n this.#modal = modal;\n ultimatelyFind(modal, COMPOSE_CONTENT_EDITABLE).then((contentEditable) => {\n this.#contentEditable = contentEditable;\n this.#eventKeeper.add(contentEditable, 'paste', this.onPaste.bind(this), {capture: true});\n });\n }\n terminate(): void {", "score": 0.8685861825942993 }, { "filename": "src/content/pipelines/postModal.ts", "retrieved_chunk": " this.#pauseOuterServices = pauseCallback;\n this.#resumeOuterServices = resumeCallback;\n }\n deploy(modal: HTMLElement): void {\n if (this.#modal !== null) {\n log('PostModalPipeline is already deployed');\n return;\n }\n this.#pauseOuterServices();\n this.#modal = modal;", "score": 0.8557129502296448 } ]
typescript
COMPOSE_MODAL.selector) as HTMLElement | null;
import { CompiledQuery, Compilable, Kysely, QueryResult } from 'kysely'; import { ParameterizedValue } from './parameterized-value.js'; /** * Type for an object that defines the query parameters. It disallows the * object from having array properties. * @typeparam T Type that is to define the query parameters. */ export type ParametersObject<P> = { [K in keyof P]: P[K] extends Array<any> ? never : P[K]; }; /** * Class representing a parameterized compiled query that can be repeatedly * executed or instantiated with different values for its parameters. * @paramtype P Record characterizing the parameter names and types. */ export class ParameterizedQuery<P extends ParametersObject<P>, O> { #qb: Compilable<O> | null; #compiledQuery?: CompiledQuery<O>; /** * Creates a new parameterized query from a query builder whose query * arguments may contained parameterized values. */ constructor(qb: Compilable<O>) { this.#qb = qb; } /** * Executes the query with all parameters replaced, returning all results. * Compiles the query on the first call, caching the compiled query and * discarding the underlying query builder to reduce memory used. * @param db The Kysely database instance. * @param params Object providing values for all parameters. * @returns Query result. */ execute<DB>(db: Kysely<DB>, params: Readonly<P>): Promise<QueryResult<O>> { return db.executeQuery(this.instantiate(params)); } /** * Executes the query with all parameters replaced, returning the first * result. Compiles the query on the first call, caching the compiled query * and discarding the underlying query builder to reduce memory used. * @param db The Kysely database instance. * @param params Object providing values for all parameters. * @returns First query result, or undefined if there are no results. */ async executeTakeFirst<DB>( db: Kysely<DB>, params: Readonly<P> ): Promise<O | undefined> { const result = await db.executeQuery(this.instantiate(params)); return result.rows.length > 0 ? result.rows[0] : undefined; } /** * Instantiates the query as a compiled query with all parameters replaced, * returning the compiled query. Compiles the query on the first call, * caching the uninstantiated compiled query and discarding the underlying * query builder to reduce memory used. * @param params Object providing values for all parameters. * @returns Compiled query with values replacing all parameters. */ instantiate(params: Readonly<P>): CompiledQuery<O> { if (this.#compiledQuery === undefined) { this.#compiledQuery = this.#qb!.compile(); // Allow the query builder to be garbage collected. this.#qb = null; } return { query: this.#compiledQuery.query, sql: this.#compiledQuery.sql, parameters: this.#compiledQuery.parameters.map((value) => value instanceof ParameterizedValue
? params[value.parameterName as keyof P] : value ), };
} }
src/lib/parameterized-query.ts
jtlapp-kysely-params-3389d6f
[ { "filename": "src/tests/insert-params.test.ts", "retrieved_chunk": " };\n const parameterization = parameterizeQuery(\n db.insertInto('users').returning('id')\n ).asFollows<Params>(({ qb, param }) =>\n qb.values([\n {\n handle: user1.handle,\n name: param('sourceName1and2'),\n nickname: param('sourceNickname1'),\n birthYear: param('sourceBirthYear1'),", "score": 0.8033965229988098 }, { "filename": "src/lib/parameterizer.ts", "retrieved_chunk": "export class QueryParameterMaker<P> {\n /**\n * Returns a parameterized value.\n * @param name Parameter name.\n * @returns Parameter having the given name and the type assigned to that\n * name in P.\n */\n param<N extends keyof P & string>(name: N): P[N] {\n return new ParameterizedValue(name) as unknown as P[N];\n }", "score": 0.8019048571586609 }, { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " const compiledQuery2 = parameterization.instantiate({\n targetNickname: user2.nickname,\n targetBirthYear: 1980,\n });\n const result2 = await db.executeQuery(compiledQuery2);\n expect(result2?.rows).toEqual([{ ...user1, id: 1 }]);\n // Allows constant parameters\n const params = {\n targetNickname: 'Jane' as const,\n targetBirthYear: 1990 as const,", "score": 0.7986019849777222 }, { "filename": "src/tests/insert-params.test.ts", "retrieved_chunk": " birthYear: 1990,\n };\n const parameterization = parameterizeQuery(\n db.insertInto('users').returning('id')\n ).asFollows<Params>(({ qb, param }) =>\n qb.values({\n handle: param('sourceHandle'),\n name: user.name,\n birthYear: param('sourceBirthYear'),\n })", "score": 0.798496663570404 }, { "filename": "src/tests/insert-params.test.ts", "retrieved_chunk": " sourceHandle: string;\n sourceBirthYear: number | null;\n }\n const parameterization = parameterizeQuery(\n db.insertInto('users').returning('id')\n ).asFollows<ValidParams>(({ qb, param }) =>\n qb.values({\n handle: param('sourceHandle'),\n name: 'John Smith',\n birthYear: param('sourceBirthYear'),", "score": 0.7982149124145508 } ]
typescript
? params[value.parameterName as keyof P] : value ), };
import {TSetting, TSettings} from '../../types'; import {IPausable, ISettingsSubscriber} from '../../interfaces'; import {APP_SETTINGS} from '../../shared/appSettings'; import {Watcher} from './watcher'; import {VimKeybindingsHandler} from './helpers/vimKeybindings'; import {ultimatelyFind} from '../dom/utils'; import {Selector} from '../dom/selector'; const DEFAULT_SETTINGS: Partial<TSettings> = { [APP_SETTINGS.HANDLE_VIM_KEYBINDINGS]: false }; const LEFT_ARROW_BUTTON = new Selector('[aria-label="Previous image"]', {exhaustAfter: 0}); const RIGHT_ARROW_BUTTON = new Selector('[aria-label="Next image"]', {exhaustAfter: 0}); const PHOTO_KEYS = ['ArrowLeft', 'ArrowRight']; export class KeydownWatcher extends Watcher implements IPausable, ISettingsSubscriber { readonly #container: HTMLElement; readonly #vimHandler: VimKeybindingsHandler; #isPaused = false; constructor(targetContainer: HTMLElement, vimContainer: HTMLElement) { super(); this.#container = targetContainer; this.#vimHandler = new VimKeybindingsHandler(vimContainer, true); } watch(): void { document.addEventListener('keydown', this.#onKeydown.bind(this)); } start(): void { if (!this.#isPaused) return; this.#vimHandler.start(); this.#isPaused = false; } pause(): void { if (this.#isPaused) return; this.#vimHandler.pause(); this.#isPaused = true; } onSettingChange(name: APP_SETTINGS, value: TSetting): void { if (!this.SETTINGS.includes(name)) throw new Error(`Unknown setting name "${name}"`); if (typeof value !== typeof DEFAULT_SETTINGS[name]) throw new Error(`Invalid value "${value}" for "${name}"`); if (name === APP_SETTINGS.HANDLE_VIM_KEYBINDINGS) { if (value === true) { this.#vimHandler.start(); } else { this.#vimHandler.pause(); } } } get SETTINGS(): APP_SETTINGS[] { return Object.keys(DEFAULT_SETTINGS) as APP_SETTINGS[]; } #onKeydown(event: KeyboardEvent): void { if (this.#isPaused || event.ctrlKey || event.metaKey) return; if (PHOTO_KEYS.includes(event.key)) { Promise.all([ ultimatelyFind(this.#container, LEFT_ARROW_BUTTON).catch(() => null), ultimatelyFind(this.#container, RIGHT_ARROW_BUTTON).catch(() => null) ]).then(([leftArrow, rightArrow]) => { if (event.key === 'ArrowLeft' && leftArrow !== null) { leftArrow.click(); } else if (event.key === 'ArrowRight' && rightArrow !== null) { rightArrow.click(); } }); } else {
this.#vimHandler.handle(event);
} } }
src/content/watchers/keydown.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/watchers/helpers/vimKeybindings.ts", "retrieved_chunk": " this.#isPaused = true;\n }\n handle(event: KeyboardEvent): void {\n if (this.#isPaused) return;\n event.preventDefault();\n const key = event.key;\n if (!(key in VIM_KEY_MAP)) return;\n const action = VIM_KEY_MAP[key as keyof typeof VIM_KEY_MAP];\n switch (action) {\n case VIM_ACTIONS.SHOW_HELP:", "score": 0.8614885807037354 }, { "filename": "src/content/watchers/helpers/vimKeybindings.ts", "retrieved_chunk": " modal(generateHelpMessage());\n break;\n case VIM_ACTIONS.SEARCH:\n this.#focusSearchBar();\n break;\n case VIM_ACTIONS.LOAD_NEW_POSTS:\n this.#loadNewPosts();\n break;\n case VIM_ACTIONS.NEXT_POST:\n this.#selectPost(DIRECTION.NEXT);", "score": 0.8262273073196411 }, { "filename": "src/content/watchers/helpers/vimKeybindings.ts", "retrieved_chunk": " break;\n case VIM_ACTIONS.PREVIOUS_POST:\n this.#selectPost(DIRECTION.PREVIOUS);\n break;\n case VIM_ACTIONS.LIKE:\n this.#likePost();\n break;\n case VIM_ACTIONS.CREATE_POST:\n this.#newPost();\n break;", "score": 0.818035900592804 }, { "filename": "src/content/pipelines/postModal.ts", "retrieved_chunk": " Promise.all([\n ultimatelyFind(modal, COMPOSE_CANCEL_BUTTON),\n ultimatelyFind(modal, COMPOSE_CONTENT_EDITABLE)\n ]).then(([exitButton, contentEditable]) => {\n this.#exitButton = exitButton;\n this.#contentEditable = contentEditable;\n this.#eventKeeper.add(document, 'click', this.#onClick.bind(this));\n this.#eventKeeper.add(contentEditable, 'mousedown', this.#onPresumedSelect.bind(this));\n this.#eventKeeper.add(exitButton, 'click', () => this.#eventKeeper.cancelAll());\n });", "score": 0.8117805123329163 }, { "filename": "src/content/pipelines/postModal.ts", "retrieved_chunk": " if (target?.tagName.toLowerCase() === 'button') return;\n if (!this.#modal?.contains(event.target as Node) && event.target !== this.#exitButton) {\n this.#eventKeeper.cancelAll();\n this.#exitButton?.click();\n }\n }\n #onPresumedSelect(): void {\n if (this.#paused) return;\n this.pause();\n document.addEventListener('mouseup', () => setTimeout(this.start.bind(this), 0), {once: true});", "score": 0.8087564706802368 } ]
typescript
this.#vimHandler.handle(event);
import { Compilable } from 'kysely'; import { ParameterizedValue } from './parameterized-value.js'; import { ParameterizedQuery, ParametersObject } from './parameterized-query.js'; type QueryBuilderOutput<QB> = QB extends Compilable<infer O> ? O : never; /** * Creates and returns a parameterizer for the given query builder. The * provided query builder must designate any selected or returned columns * that you wish to be able to reference by name, as TypeScript will not * otherwise be aware of the columns being returned. * @paramtype O Type of the query result. * @paramtype QB Type of the source query builder. * @param qb The source query builder, which should establish any selected * or returned columns you wish to be able to reference by name. * @returns Parameterizer for the given query builder, which can be used * to create parameterized queries. */ export function parameterizeQuery< QB extends Compilable<O>, O = QueryBuilderOutput<QB> >(qb: QB): QueryParameterizer<QB, O> { return new QueryParameterizer(qb); } /** * Class for parameterizing queries. * @paramtype O Type of the query result. * @paramtype QB Type of the source query builder. */ export class QueryParameterizer< QB extends Compilable<O>, O = QueryBuilderOutput<QB> > { /** * Creates a new parameterizer for the given query builder. */ constructor(readonly qb: QB) {} /** * Creates and returns a parameterized query. * @paramtype P Record characterizing the available parameter names and types. * @param factory Function that receives an object of the form { qb, param } * and returns a query builder that may contain parameterized values. * @returns Parameterized query. */
asFollows<P extends ParametersObject<P>>( factory: ParameterizedQueryFactory<P, QB, O> ): ParameterizedQuery<P, O> {
const parameterMaker = new QueryParameterMaker<P>(); return new ParameterizedQuery( factory({ qb: this.qb, param: parameterMaker.param.bind(parameterMaker) }) ); } } /** * Factory function for creating a parameterized query. * @paramtype O Type of the query result. * @paramtype P Record characterizing the available parameter names and types. * @paramtype QB Type of the source query builder. * @param args Object of the form { qb, param }, returning a query builder * that may contain parameterized values. */ export interface ParameterizedQueryFactory< P extends ParametersObject<P>, QB extends Compilable<O>, O = QueryBuilderOutput<QB> > { (args: { qb: QB; param: QueryParameterMaker<P>['param'] }): Compilable<O>; } /** * Class for making occurrences of parameters within a query. * @paramtype P Record characterizing the available parameter names and types. */ export class QueryParameterMaker<P> { /** * Returns a parameterized value. * @param name Parameter name. * @returns Parameter having the given name and the type assigned to that * name in P. */ param<N extends keyof P & string>(name: N): P[N] { return new ParameterizedValue(name) as unknown as P[N]; } }
src/lib/parameterizer.ts
jtlapp-kysely-params-3389d6f
[ { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " parameterizeQuery(db.selectFrom('users')).asFollows<InvalidParams>(\n ({ qb, param }) =>\n //@ts-expect-error - invalid parameter type\n qb.where('handle', '=', param('targetHandle'))\n );\n parameterizeQuery(db.selectFrom('users')).asFollows<InvalidParams>(\n ({ qb, param }) =>\n qb.where(({ or, cmpr }) =>\n //@ts-expect-error - invalid parameter type\n or([cmpr('handle', '=', param('targetHandle'))])", "score": 0.8021156787872314 }, { "filename": "src/lib/parameterized-value.ts", "retrieved_chunk": "/**\n * Class representing a parameter-specified value.\n * @paramtype P Record characterizing the parameter names and types.\n */\nexport class ParameterizedValue<P extends Record<string, any>> {\n /**\n * Creates a new parameter-specified value.\n * @param parameterName Name of the parameter.\n */\n constructor(readonly parameterName: keyof P & string) {}", "score": 0.7867036461830139 }, { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " const parameterization = parameterizeQuery(\n db.selectFrom('users').selectAll()\n ).asFollows<Params>(({ qb, param }) =>\n qb\n .where('nickname', '=', param('targetNickname'))\n .where('birthYear', 'in', [\n param('targetBirthYear1'),\n param('targetBirthYear2'),\n ])\n );", "score": 0.7830044031143188 }, { "filename": "src/lib/parameterized-query.ts", "retrieved_chunk": " }\n /**\n * Instantiates the query as a compiled query with all parameters replaced,\n * returning the compiled query. Compiles the query on the first call,\n * caching the uninstantiated compiled query and discarding the underlying\n * query builder to reduce memory used.\n * @param params Object providing values for all parameters.\n * @returns Compiled query with values replacing all parameters.\n */\n instantiate(params: Readonly<P>): CompiledQuery<O> {", "score": 0.7825974225997925 }, { "filename": "src/tests/delete-params.test.ts", "retrieved_chunk": " ).asFollows<ValidParams>(({ qb, param }) =>\n qb\n .where('handle', '=', param('targetHandle'))\n .where('name', '=', 'John Smith')\n .where('birthYear', '=', param('targetBirthYear'))\n );\n await parameterization.execute(db, {\n //@ts-expect-error - invalid parameter name\n invalidParam: 'invalid',\n });", "score": 0.7767054438591003 } ]
typescript
asFollows<P extends ParametersObject<P>>( factory: ParameterizedQueryFactory<P, QB, O> ): ParameterizedQuery<P, O> {
import { Compilable } from 'kysely'; import { ParameterizedValue } from './parameterized-value.js'; import { ParameterizedQuery, ParametersObject } from './parameterized-query.js'; type QueryBuilderOutput<QB> = QB extends Compilable<infer O> ? O : never; /** * Creates and returns a parameterizer for the given query builder. The * provided query builder must designate any selected or returned columns * that you wish to be able to reference by name, as TypeScript will not * otherwise be aware of the columns being returned. * @paramtype O Type of the query result. * @paramtype QB Type of the source query builder. * @param qb The source query builder, which should establish any selected * or returned columns you wish to be able to reference by name. * @returns Parameterizer for the given query builder, which can be used * to create parameterized queries. */ export function parameterizeQuery< QB extends Compilable<O>, O = QueryBuilderOutput<QB> >(qb: QB): QueryParameterizer<QB, O> { return new QueryParameterizer(qb); } /** * Class for parameterizing queries. * @paramtype O Type of the query result. * @paramtype QB Type of the source query builder. */ export class QueryParameterizer< QB extends Compilable<O>, O = QueryBuilderOutput<QB> > { /** * Creates a new parameterizer for the given query builder. */ constructor(readonly qb: QB) {} /** * Creates and returns a parameterized query. * @paramtype P Record characterizing the available parameter names and types. * @param factory Function that receives an object of the form { qb, param } * and returns a query builder that may contain parameterized values. * @returns Parameterized query. */ asFollows<P extends ParametersObject<P>>( factory: ParameterizedQueryFactory<P, QB, O> ):
ParameterizedQuery<P, O> {
const parameterMaker = new QueryParameterMaker<P>(); return new ParameterizedQuery( factory({ qb: this.qb, param: parameterMaker.param.bind(parameterMaker) }) ); } } /** * Factory function for creating a parameterized query. * @paramtype O Type of the query result. * @paramtype P Record characterizing the available parameter names and types. * @paramtype QB Type of the source query builder. * @param args Object of the form { qb, param }, returning a query builder * that may contain parameterized values. */ export interface ParameterizedQueryFactory< P extends ParametersObject<P>, QB extends Compilable<O>, O = QueryBuilderOutput<QB> > { (args: { qb: QB; param: QueryParameterMaker<P>['param'] }): Compilable<O>; } /** * Class for making occurrences of parameters within a query. * @paramtype P Record characterizing the available parameter names and types. */ export class QueryParameterMaker<P> { /** * Returns a parameterized value. * @param name Parameter name. * @returns Parameter having the given name and the type assigned to that * name in P. */ param<N extends keyof P & string>(name: N): P[N] { return new ParameterizedValue(name) as unknown as P[N]; } }
src/lib/parameterizer.ts
jtlapp-kysely-params-3389d6f
[ { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " parameterizeQuery(db.selectFrom('users')).asFollows<InvalidParams>(\n ({ qb, param }) =>\n //@ts-expect-error - invalid parameter type\n qb.where('handle', '=', param('targetHandle'))\n );\n parameterizeQuery(db.selectFrom('users')).asFollows<InvalidParams>(\n ({ qb, param }) =>\n qb.where(({ or, cmpr }) =>\n //@ts-expect-error - invalid parameter type\n or([cmpr('handle', '=', param('targetHandle'))])", "score": 0.7932617664337158 }, { "filename": "src/lib/parameterized-value.ts", "retrieved_chunk": "/**\n * Class representing a parameter-specified value.\n * @paramtype P Record characterizing the parameter names and types.\n */\nexport class ParameterizedValue<P extends Record<string, any>> {\n /**\n * Creates a new parameter-specified value.\n * @param parameterName Name of the parameter.\n */\n constructor(readonly parameterName: keyof P & string) {}", "score": 0.7780370712280273 }, { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " const parameterization = parameterizeQuery(\n db.selectFrom('users').selectAll()\n ).asFollows<Params>(({ qb, param }) =>\n qb\n .where('nickname', '=', param('targetNickname'))\n .where('birthYear', 'in', [\n param('targetBirthYear1'),\n param('targetBirthYear2'),\n ])\n );", "score": 0.7715606689453125 }, { "filename": "src/lib/parameterized-query.ts", "retrieved_chunk": " }\n /**\n * Instantiates the query as a compiled query with all parameters replaced,\n * returning the compiled query. Compiles the query on the first call,\n * caching the uninstantiated compiled query and discarding the underlying\n * query builder to reduce memory used.\n * @param params Object providing values for all parameters.\n * @returns Compiled query with values replacing all parameters.\n */\n instantiate(params: Readonly<P>): CompiledQuery<O> {", "score": 0.7678371667861938 }, { "filename": "src/tests/delete-params.test.ts", "retrieved_chunk": " ).asFollows<ValidParams>(({ qb, param }) =>\n qb\n .where('handle', '=', param('targetHandle'))\n .where('name', '=', 'John Smith')\n .where('birthYear', '=', param('targetBirthYear'))\n );\n await parameterization.execute(db, {\n //@ts-expect-error - invalid parameter name\n invalidParam: 'invalid',\n });", "score": 0.766799807548523 } ]
typescript
ParameterizedQuery<P, O> {
import { CompiledQuery, Compilable, Kysely, QueryResult } from 'kysely'; import { ParameterizedValue } from './parameterized-value.js'; /** * Type for an object that defines the query parameters. It disallows the * object from having array properties. * @typeparam T Type that is to define the query parameters. */ export type ParametersObject<P> = { [K in keyof P]: P[K] extends Array<any> ? never : P[K]; }; /** * Class representing a parameterized compiled query that can be repeatedly * executed or instantiated with different values for its parameters. * @paramtype P Record characterizing the parameter names and types. */ export class ParameterizedQuery<P extends ParametersObject<P>, O> { #qb: Compilable<O> | null; #compiledQuery?: CompiledQuery<O>; /** * Creates a new parameterized query from a query builder whose query * arguments may contained parameterized values. */ constructor(qb: Compilable<O>) { this.#qb = qb; } /** * Executes the query with all parameters replaced, returning all results. * Compiles the query on the first call, caching the compiled query and * discarding the underlying query builder to reduce memory used. * @param db The Kysely database instance. * @param params Object providing values for all parameters. * @returns Query result. */ execute<DB>(db: Kysely<DB>, params: Readonly<P>): Promise<QueryResult<O>> { return db.executeQuery(this.instantiate(params)); } /** * Executes the query with all parameters replaced, returning the first * result. Compiles the query on the first call, caching the compiled query * and discarding the underlying query builder to reduce memory used. * @param db The Kysely database instance. * @param params Object providing values for all parameters. * @returns First query result, or undefined if there are no results. */ async executeTakeFirst<DB>( db: Kysely<DB>, params: Readonly<P> ): Promise<O | undefined> { const result = await db.executeQuery(this.instantiate(params)); return result.rows.length > 0 ? result.rows[0] : undefined; } /** * Instantiates the query as a compiled query with all parameters replaced, * returning the compiled query. Compiles the query on the first call, * caching the uninstantiated compiled query and discarding the underlying * query builder to reduce memory used. * @param params Object providing values for all parameters. * @returns Compiled query with values replacing all parameters. */ instantiate(params: Readonly<P>): CompiledQuery<O> { if (this.#compiledQuery === undefined) { this.#compiledQuery = this.#qb!.compile(); // Allow the query builder to be garbage collected. this.#qb = null; } return { query: this.#compiledQuery.query, sql: this.#compiledQuery.sql, parameters: this.#compiledQuery.parameters.map((value) =>
value instanceof ParameterizedValue ? params[value.parameterName as keyof P] : value ), };
} }
src/lib/parameterized-query.ts
jtlapp-kysely-params-3389d6f
[ { "filename": "src/tests/insert-params.test.ts", "retrieved_chunk": " };\n const parameterization = parameterizeQuery(\n db.insertInto('users').returning('id')\n ).asFollows<Params>(({ qb, param }) =>\n qb.values([\n {\n handle: user1.handle,\n name: param('sourceName1and2'),\n nickname: param('sourceNickname1'),\n birthYear: param('sourceBirthYear1'),", "score": 0.803427517414093 }, { "filename": "src/lib/parameterizer.ts", "retrieved_chunk": "export class QueryParameterMaker<P> {\n /**\n * Returns a parameterized value.\n * @param name Parameter name.\n * @returns Parameter having the given name and the type assigned to that\n * name in P.\n */\n param<N extends keyof P & string>(name: N): P[N] {\n return new ParameterizedValue(name) as unknown as P[N];\n }", "score": 0.8017634153366089 }, { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " const compiledQuery2 = parameterization.instantiate({\n targetNickname: user2.nickname,\n targetBirthYear: 1980,\n });\n const result2 = await db.executeQuery(compiledQuery2);\n expect(result2?.rows).toEqual([{ ...user1, id: 1 }]);\n // Allows constant parameters\n const params = {\n targetNickname: 'Jane' as const,\n targetBirthYear: 1990 as const,", "score": 0.7986897230148315 }, { "filename": "src/tests/insert-params.test.ts", "retrieved_chunk": " birthYear: 1990,\n };\n const parameterization = parameterizeQuery(\n db.insertInto('users').returning('id')\n ).asFollows<Params>(({ qb, param }) =>\n qb.values({\n handle: param('sourceHandle'),\n name: user.name,\n birthYear: param('sourceBirthYear'),\n })", "score": 0.7985512614250183 }, { "filename": "src/tests/insert-params.test.ts", "retrieved_chunk": " sourceHandle: string;\n sourceBirthYear: number | null;\n }\n const parameterization = parameterizeQuery(\n db.insertInto('users').returning('id')\n ).asFollows<ValidParams>(({ qb, param }) =>\n qb.values({\n handle: param('sourceHandle'),\n name: 'John Smith',\n birthYear: param('sourceBirthYear'),", "score": 0.7983263731002808 } ]
typescript
value instanceof ParameterizedValue ? params[value.parameterName as keyof P] : value ), };
import { Compilable } from 'kysely'; import { ParameterizedValue } from './parameterized-value.js'; import { ParameterizedQuery, ParametersObject } from './parameterized-query.js'; type QueryBuilderOutput<QB> = QB extends Compilable<infer O> ? O : never; /** * Creates and returns a parameterizer for the given query builder. The * provided query builder must designate any selected or returned columns * that you wish to be able to reference by name, as TypeScript will not * otherwise be aware of the columns being returned. * @paramtype O Type of the query result. * @paramtype QB Type of the source query builder. * @param qb The source query builder, which should establish any selected * or returned columns you wish to be able to reference by name. * @returns Parameterizer for the given query builder, which can be used * to create parameterized queries. */ export function parameterizeQuery< QB extends Compilable<O>, O = QueryBuilderOutput<QB> >(qb: QB): QueryParameterizer<QB, O> { return new QueryParameterizer(qb); } /** * Class for parameterizing queries. * @paramtype O Type of the query result. * @paramtype QB Type of the source query builder. */ export class QueryParameterizer< QB extends Compilable<O>, O = QueryBuilderOutput<QB> > { /** * Creates a new parameterizer for the given query builder. */ constructor(readonly qb: QB) {} /** * Creates and returns a parameterized query. * @paramtype P Record characterizing the available parameter names and types. * @param factory Function that receives an object of the form { qb, param } * and returns a query builder that may contain parameterized values. * @returns Parameterized query. */ asFollows<P extends ParametersObject<P>>( factory: ParameterizedQueryFactory<P, QB, O> )
: ParameterizedQuery<P, O> {
const parameterMaker = new QueryParameterMaker<P>(); return new ParameterizedQuery( factory({ qb: this.qb, param: parameterMaker.param.bind(parameterMaker) }) ); } } /** * Factory function for creating a parameterized query. * @paramtype O Type of the query result. * @paramtype P Record characterizing the available parameter names and types. * @paramtype QB Type of the source query builder. * @param args Object of the form { qb, param }, returning a query builder * that may contain parameterized values. */ export interface ParameterizedQueryFactory< P extends ParametersObject<P>, QB extends Compilable<O>, O = QueryBuilderOutput<QB> > { (args: { qb: QB; param: QueryParameterMaker<P>['param'] }): Compilable<O>; } /** * Class for making occurrences of parameters within a query. * @paramtype P Record characterizing the available parameter names and types. */ export class QueryParameterMaker<P> { /** * Returns a parameterized value. * @param name Parameter name. * @returns Parameter having the given name and the type assigned to that * name in P. */ param<N extends keyof P & string>(name: N): P[N] { return new ParameterizedValue(name) as unknown as P[N]; } }
src/lib/parameterizer.ts
jtlapp-kysely-params-3389d6f
[ { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " parameterizeQuery(db.selectFrom('users')).asFollows<InvalidParams>(\n ({ qb, param }) =>\n //@ts-expect-error - invalid parameter type\n qb.where('handle', '=', param('targetHandle'))\n );\n parameterizeQuery(db.selectFrom('users')).asFollows<InvalidParams>(\n ({ qb, param }) =>\n qb.where(({ or, cmpr }) =>\n //@ts-expect-error - invalid parameter type\n or([cmpr('handle', '=', param('targetHandle'))])", "score": 0.7972573041915894 }, { "filename": "src/lib/parameterized-value.ts", "retrieved_chunk": "/**\n * Class representing a parameter-specified value.\n * @paramtype P Record characterizing the parameter names and types.\n */\nexport class ParameterizedValue<P extends Record<string, any>> {\n /**\n * Creates a new parameter-specified value.\n * @param parameterName Name of the parameter.\n */\n constructor(readonly parameterName: keyof P & string) {}", "score": 0.786524772644043 }, { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " const parameterization = parameterizeQuery(\n db.selectFrom('users').selectAll()\n ).asFollows<Params>(({ qb, param }) =>\n qb\n .where('nickname', '=', param('targetNickname'))\n .where('birthYear', 'in', [\n param('targetBirthYear1'),\n param('targetBirthYear2'),\n ])\n );", "score": 0.7772938013076782 }, { "filename": "src/lib/parameterized-query.ts", "retrieved_chunk": "import { CompiledQuery, Compilable, Kysely, QueryResult } from 'kysely';\nimport { ParameterizedValue } from './parameterized-value.js';\n/**\n * Type for an object that defines the query parameters. It disallows the\n * object from having array properties.\n * @typeparam T Type that is to define the query parameters.\n */\nexport type ParametersObject<P> = {\n [K in keyof P]: P[K] extends Array<any> ? never : P[K];\n};", "score": 0.7709231972694397 }, { "filename": "src/tests/delete-params.test.ts", "retrieved_chunk": " ).asFollows<ValidParams>(({ qb, param }) =>\n qb\n .where('handle', '=', param('targetHandle'))\n .where('name', '=', 'John Smith')\n .where('birthYear', '=', param('targetBirthYear'))\n );\n await parameterization.execute(db, {\n //@ts-expect-error - invalid parameter name\n invalidParam: 'invalid',\n });", "score": 0.7708300352096558 } ]
typescript
: ParameterizedQuery<P, O> {
import { createPopper } from '@popperjs/core'; import {TSetting, TSettings} from '../../types'; import {APP_SETTINGS} from '../../shared/appSettings'; import {ISettingsSubscriber} from '../../interfaces'; import {Watcher} from './watcher'; import {getSettingsManager} from '../browser/settingsManager'; import {getAgent, fetchPost, LoginError} from '../bsky/api'; import {alert} from '../utils/notifications'; const DEFAULT_SETTINGS: Partial<TSettings> = { [APP_SETTINGS.SHOW_POST_DATETIME]: false, [APP_SETTINGS.BSKY_IDENTIFIER]: '', [APP_SETTINGS.BSKY_PASSWORD]: '' }; type PostUrl = { username: string; postId: string; }; const POST_HREF_REGEX = /profile\/(.+)\/post\/([a-zA-Z0-9]+)$/; const DATETIME_MARKER = 'data-bluesky-overhaul-datetime'; const getCredentials = async (): Promise<[string, string]> => { const settingsManager = await getSettingsManager(); return await Promise.all([ settingsManager.get(APP_SETTINGS.BSKY_IDENTIFIER) as string, settingsManager.get(APP_SETTINGS.BSKY_PASSWORD) as string ]); }; const parsePostUrl = (url: string | null): PostUrl => { if (!url) throw new Error('Missing post URL'); const match = url.match(POST_HREF_REGEX); if (!match) throw new Error('Invalid post URL'); return {username: match[1], postId: match[2]}; }; const parsePostDatetime = (datetime: string): string => { const date = new Date(datetime); return date.toLocaleString('en-US', { month: 'long', day: 'numeric', year: 'numeric', hour: 'numeric', minute: 'numeric' }); }; const createDatetimeTooltip = (datetime: string): HTMLElement => { const tooltip = document.createElement('div'); tooltip.role = 'tooltip'; tooltip.className = 'bluesky-overhaul-tooltip'; tooltip.textContent = datetime; return tooltip; }; export class PostDatetimeWatcher extends Watcher implements ISettingsSubscriber { #container: HTMLElement; #enabled: boolean; constructor(container: HTMLElement) { super(); this.#container = container;
this.#enabled = DEFAULT_SETTINGS[APP_SETTINGS.SHOW_POST_DATETIME] as boolean;
} watch(): void { this.#container.addEventListener('mouseover', this.#handleMouseOver.bind(this)); } onSettingChange(name: APP_SETTINGS, value: TSetting): void { if (!this.SETTINGS.includes(name)) throw new Error(`Unknown setting name "${name}"`); if (typeof value !== typeof DEFAULT_SETTINGS[name]) throw new Error(`Invalid value "${value}" for "${name}"`); if (name === APP_SETTINGS.SHOW_POST_DATETIME) { this.#enabled = value as boolean; } } get SETTINGS(): APP_SETTINGS[] { return Object.keys(DEFAULT_SETTINGS) as APP_SETTINGS[]; } async #handleMouseOver(event: MouseEvent): Promise<void> { if (!this.#enabled) return; const target = event.target as HTMLElement; if (target.tagName.toLowerCase() !== 'a') return; let datetime = target.getAttribute(DATETIME_MARKER); if (!datetime) { try { const {username, postId} = parsePostUrl(target.getAttribute('href')); if (username && postId) { const [identifier, password] = await getCredentials(); try { const agent = await getAgent(identifier, password); const post = await fetchPost(agent, username, postId); datetime = parsePostDatetime(post.indexedAt); target.setAttribute(DATETIME_MARKER, datetime); } catch (error) { if (error instanceof LoginError) alert('Login failed: wrong identifier or password'); return; } } else { return; } } catch { return; } } const tooltip = createDatetimeTooltip(datetime); document.body.appendChild(tooltip); const instance = createPopper(target, tooltip, { placement: 'top' }); target.addEventListener('mouseleave', () => { instance.destroy(); tooltip.remove(); }, {once: true}); } }
src/content/watchers/postDatetime.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/watchers/countersConcealer.ts", "retrieved_chunk": "const HIDE_FOLLOWERS_CLASS = 'bluesky-overhaul-hide-followers';\nconst HIDE_FOLLOWING_CLASS = 'bluesky-overhaul-hide-following';\nconst HIDE_POSTS_CLASS = 'bluesky-overhaul-hide-posts';\nexport class CountersConcealer extends Watcher implements ISettingsSubscriber {\n #container: HTMLElement;\n constructor(documentBody: HTMLElement) {\n super();\n this.#container = documentBody;\n }\n watch(): void {", "score": 0.8625134229660034 }, { "filename": "src/content/watchers/youtube.ts", "retrieved_chunk": "const createYoutubePlayers = (container: HTMLElement): void => {\n ultimatelyFindAll(container, [POST_ITEMS, POST_ITEM_LINKS])\n .then((links) => injectYoutubePlayers(links as HTMLLinkElement[]))\n .catch(noop);\n};\nexport class YoutubeWatcher extends Watcher {\n readonly #container: HTMLElement;\n readonly #throttler: CallThrottler = new CallThrottler(THROTTLING_INTERVAL);\n readonly #observer: MutationObserver;\n constructor(container: HTMLElement) {", "score": 0.8433645367622375 }, { "filename": "src/content/watchers/keydown.ts", "retrieved_chunk": "const LEFT_ARROW_BUTTON = new Selector('[aria-label=\"Previous image\"]', {exhaustAfter: 0});\nconst RIGHT_ARROW_BUTTON = new Selector('[aria-label=\"Next image\"]', {exhaustAfter: 0});\nconst PHOTO_KEYS = ['ArrowLeft', 'ArrowRight'];\nexport class KeydownWatcher extends Watcher implements IPausable, ISettingsSubscriber {\n readonly #container: HTMLElement;\n readonly #vimHandler: VimKeybindingsHandler;\n #isPaused = false;\n constructor(targetContainer: HTMLElement, vimContainer: HTMLElement) {\n super();\n this.#container = targetContainer;", "score": 0.843053936958313 }, { "filename": "src/content/main.ts", "retrieved_chunk": " settingsManager.subscribe(keydownWatcher);\n keydownWatcher.watch();\n const postDatetimeWatcher = new PostDatetimeWatcher(feedContainer);\n settingsManager.subscribe(postDatetimeWatcher);\n postDatetimeWatcher.watch();\n const youtubeWatcher = new YoutubeWatcher(feedContainer);\n youtubeWatcher.watch();\n const postModalPipeline = new PostModalPipeline(() => keydownWatcher.pause(), () => keydownWatcher.start());\n const emojiPipeline = new EmojiPipeline(() => postModalPipeline.pause(), () => postModalPipeline.start());\n const quotePostPipeline = new QuotePostPipeline();", "score": 0.8422204852104187 }, { "filename": "src/content/main.ts", "retrieved_chunk": "import '@webcomponents/custom-elements';\nimport {APP_SETTINGS} from '../shared/appSettings';\nimport {getSettingsManager} from './browser/settingsManager';\nimport {ultimatelyFind} from './dom/utils';\nimport {ROOT_CONTAINER, FEED_CONTAINER, MODAL_CONTAINER, COMPOSE_MODAL} from './dom/selectors';\nimport {CountersConcealer} from './watchers/countersConcealer';\nimport {KeydownWatcher} from './watchers/keydown';\nimport {PostDatetimeWatcher} from './watchers/postDatetime';\nimport {YoutubeWatcher} from './watchers/youtube';\nimport {PostModalPipeline} from './pipelines/postModal';", "score": 0.8303533792495728 } ]
typescript
this.#enabled = DEFAULT_SETTINGS[APP_SETTINGS.SHOW_POST_DATETIME] as boolean;
import { Compilable } from 'kysely'; import { ParameterizedValue } from './parameterized-value.js'; import { ParameterizedQuery, ParametersObject } from './parameterized-query.js'; type QueryBuilderOutput<QB> = QB extends Compilable<infer O> ? O : never; /** * Creates and returns a parameterizer for the given query builder. The * provided query builder must designate any selected or returned columns * that you wish to be able to reference by name, as TypeScript will not * otherwise be aware of the columns being returned. * @paramtype O Type of the query result. * @paramtype QB Type of the source query builder. * @param qb The source query builder, which should establish any selected * or returned columns you wish to be able to reference by name. * @returns Parameterizer for the given query builder, which can be used * to create parameterized queries. */ export function parameterizeQuery< QB extends Compilable<O>, O = QueryBuilderOutput<QB> >(qb: QB): QueryParameterizer<QB, O> { return new QueryParameterizer(qb); } /** * Class for parameterizing queries. * @paramtype O Type of the query result. * @paramtype QB Type of the source query builder. */ export class QueryParameterizer< QB extends Compilable<O>, O = QueryBuilderOutput<QB> > { /** * Creates a new parameterizer for the given query builder. */ constructor(readonly qb: QB) {} /** * Creates and returns a parameterized query. * @paramtype P Record characterizing the available parameter names and types. * @param factory Function that receives an object of the form { qb, param } * and returns a query builder that may contain parameterized values. * @returns Parameterized query. */ asFollows<P extends ParametersObject<P>>( factory: ParameterizedQueryFactory<P, QB, O> ): ParameterizedQuery<P, O> { const parameterMaker = new QueryParameterMaker<P>();
return new ParameterizedQuery( factory({ qb: this.qb, param: parameterMaker.param.bind(parameterMaker) }) );
} } /** * Factory function for creating a parameterized query. * @paramtype O Type of the query result. * @paramtype P Record characterizing the available parameter names and types. * @paramtype QB Type of the source query builder. * @param args Object of the form { qb, param }, returning a query builder * that may contain parameterized values. */ export interface ParameterizedQueryFactory< P extends ParametersObject<P>, QB extends Compilable<O>, O = QueryBuilderOutput<QB> > { (args: { qb: QB; param: QueryParameterMaker<P>['param'] }): Compilable<O>; } /** * Class for making occurrences of parameters within a query. * @paramtype P Record characterizing the available parameter names and types. */ export class QueryParameterMaker<P> { /** * Returns a parameterized value. * @param name Parameter name. * @returns Parameter having the given name and the type assigned to that * name in P. */ param<N extends keyof P & string>(name: N): P[N] { return new ParameterizedValue(name) as unknown as P[N]; } }
src/lib/parameterizer.ts
jtlapp-kysely-params-3389d6f
[ { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " parameterizeQuery(db.selectFrom('users')).asFollows<InvalidParams>(\n ({ qb, param }) =>\n //@ts-expect-error - invalid parameter type\n qb.where('handle', '=', param('targetHandle'))\n );\n parameterizeQuery(db.selectFrom('users')).asFollows<InvalidParams>(\n ({ qb, param }) =>\n qb.where(({ or, cmpr }) =>\n //@ts-expect-error - invalid parameter type\n or([cmpr('handle', '=', param('targetHandle'))])", "score": 0.8260014653205872 }, { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " const parameterization = parameterizeQuery(\n db.selectFrom('users').selectAll()\n ).asFollows<Params>(({ qb, param }) =>\n qb\n .where('nickname', '=', param('targetNickname'))\n .where('birthYear', 'in', [\n param('targetBirthYear1'),\n param('targetBirthYear2'),\n ])\n );", "score": 0.8036684989929199 }, { "filename": "src/tests/delete-params.test.ts", "retrieved_chunk": " ).asFollows<ValidParams>(({ qb, param }) =>\n qb\n .where('handle', '=', param('targetHandle'))\n .where('name', '=', 'John Smith')\n .where('birthYear', '=', param('targetBirthYear'))\n );\n await parameterization.execute(db, {\n //@ts-expect-error - invalid parameter name\n invalidParam: 'invalid',\n });", "score": 0.7999638915061951 }, { "filename": "src/tests/insert-params.test.ts", "retrieved_chunk": " ).asFollows<ValidParams>(({ qb, param }) =>\n qb.values({\n handle: param('sourceHandle'),\n name: 'John Smith',\n birthYear: param('sourceBirthYear'),\n })\n );\n await parameterization.execute(db, {\n //@ts-expect-error - invalid parameter name\n invalidParam: 'invalid',", "score": 0.7934263944625854 }, { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " qb.where(param('targetHandle'), '=', 'jsmith')\n );\n parameterizeQuery(db.selectFrom('users')).asFollows<ValidParams>(\n ({ qb, param }) =>\n qb.where(({ or, cmpr }) =>\n or([\n // @ts-expect-error - invalid parameter position\n cmpr(param('targetHandle'), '=', 'jsmith'),\n // @ts-expect-error - invalid parameter position\n cmpr('birthYear', param('targetHandle'), 1980),", "score": 0.793064534664154 } ]
typescript
return new ParameterizedQuery( factory({ qb: this.qb, param: parameterMaker.param.bind(parameterMaker) }) );
import { Compilable } from 'kysely'; import { ParameterizedValue } from './parameterized-value.js'; import { ParameterizedQuery, ParametersObject } from './parameterized-query.js'; type QueryBuilderOutput<QB> = QB extends Compilable<infer O> ? O : never; /** * Creates and returns a parameterizer for the given query builder. The * provided query builder must designate any selected or returned columns * that you wish to be able to reference by name, as TypeScript will not * otherwise be aware of the columns being returned. * @paramtype O Type of the query result. * @paramtype QB Type of the source query builder. * @param qb The source query builder, which should establish any selected * or returned columns you wish to be able to reference by name. * @returns Parameterizer for the given query builder, which can be used * to create parameterized queries. */ export function parameterizeQuery< QB extends Compilable<O>, O = QueryBuilderOutput<QB> >(qb: QB): QueryParameterizer<QB, O> { return new QueryParameterizer(qb); } /** * Class for parameterizing queries. * @paramtype O Type of the query result. * @paramtype QB Type of the source query builder. */ export class QueryParameterizer< QB extends Compilable<O>, O = QueryBuilderOutput<QB> > { /** * Creates a new parameterizer for the given query builder. */ constructor(readonly qb: QB) {} /** * Creates and returns a parameterized query. * @paramtype P Record characterizing the available parameter names and types. * @param factory Function that receives an object of the form { qb, param } * and returns a query builder that may contain parameterized values. * @returns Parameterized query. */ asFollows
<P extends ParametersObject<P>>( factory: ParameterizedQueryFactory<P, QB, O> ): ParameterizedQuery<P, O> {
const parameterMaker = new QueryParameterMaker<P>(); return new ParameterizedQuery( factory({ qb: this.qb, param: parameterMaker.param.bind(parameterMaker) }) ); } } /** * Factory function for creating a parameterized query. * @paramtype O Type of the query result. * @paramtype P Record characterizing the available parameter names and types. * @paramtype QB Type of the source query builder. * @param args Object of the form { qb, param }, returning a query builder * that may contain parameterized values. */ export interface ParameterizedQueryFactory< P extends ParametersObject<P>, QB extends Compilable<O>, O = QueryBuilderOutput<QB> > { (args: { qb: QB; param: QueryParameterMaker<P>['param'] }): Compilable<O>; } /** * Class for making occurrences of parameters within a query. * @paramtype P Record characterizing the available parameter names and types. */ export class QueryParameterMaker<P> { /** * Returns a parameterized value. * @param name Parameter name. * @returns Parameter having the given name and the type assigned to that * name in P. */ param<N extends keyof P & string>(name: N): P[N] { return new ParameterizedValue(name) as unknown as P[N]; } }
src/lib/parameterizer.ts
jtlapp-kysely-params-3389d6f
[ { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " parameterizeQuery(db.selectFrom('users')).asFollows<InvalidParams>(\n ({ qb, param }) =>\n //@ts-expect-error - invalid parameter type\n qb.where('handle', '=', param('targetHandle'))\n );\n parameterizeQuery(db.selectFrom('users')).asFollows<InvalidParams>(\n ({ qb, param }) =>\n qb.where(({ or, cmpr }) =>\n //@ts-expect-error - invalid parameter type\n or([cmpr('handle', '=', param('targetHandle'))])", "score": 0.7967545986175537 }, { "filename": "src/lib/parameterized-value.ts", "retrieved_chunk": "/**\n * Class representing a parameter-specified value.\n * @paramtype P Record characterizing the parameter names and types.\n */\nexport class ParameterizedValue<P extends Record<string, any>> {\n /**\n * Creates a new parameter-specified value.\n * @param parameterName Name of the parameter.\n */\n constructor(readonly parameterName: keyof P & string) {}", "score": 0.780449390411377 }, { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " const parameterization = parameterizeQuery(\n db.selectFrom('users').selectAll()\n ).asFollows<Params>(({ qb, param }) =>\n qb\n .where('nickname', '=', param('targetNickname'))\n .where('birthYear', 'in', [\n param('targetBirthYear1'),\n param('targetBirthYear2'),\n ])\n );", "score": 0.7766678333282471 }, { "filename": "src/tests/delete-params.test.ts", "retrieved_chunk": " ).asFollows<ValidParams>(({ qb, param }) =>\n qb\n .where('handle', '=', param('targetHandle'))\n .where('name', '=', 'John Smith')\n .where('birthYear', '=', param('targetBirthYear'))\n );\n await parameterization.execute(db, {\n //@ts-expect-error - invalid parameter name\n invalidParam: 'invalid',\n });", "score": 0.7727697491645813 }, { "filename": "src/lib/parameterized-query.ts", "retrieved_chunk": " }\n /**\n * Instantiates the query as a compiled query with all parameters replaced,\n * returning the compiled query. Compiles the query on the first call,\n * caching the uninstantiated compiled query and discarding the underlying\n * query builder to reduce memory used.\n * @param params Object providing values for all parameters.\n * @returns Compiled query with values replacing all parameters.\n */\n instantiate(params: Readonly<P>): CompiledQuery<O> {", "score": 0.7723864316940308 } ]
typescript
<P extends ParametersObject<P>>( factory: ParameterizedQueryFactory<P, QB, O> ): ParameterizedQuery<P, O> {
import { Kysely } from 'kysely'; import { createDB, resetDB, destroyDB } from '../utils/test-setup'; import { Database } from '../utils/test-tables'; import { ignore } from '../utils/test-utils'; import { parameterizeQuery } from '../lib/parameterizer'; let db: Kysely<Database>; beforeAll(async () => { db = await createDB(); }); beforeEach(() => resetDB(db)); afterAll(() => destroyDB(db)); const user1 = { name: 'John Smith', nickname: 'Johnny', handle: 'jsmith', birthYear: 1980, }; const user2 = { name: 'John McSmith', nickname: 'Johnny', handle: 'jmsmith', birthYear: 1990, }; const user3 = { name: 'Jane Doe', nickname: 'Jane', handle: 'jdoe', birthYear: 1990, }; it("instantiates update values and 'where' selections, with multiple executions", async () => { interface Params { toBirthYear: number; whereNickname: string; } await db.insertInto('users').values([user1, user2, user3]).execute(); const parameterization = parameterizeQuery( db.updateTable('users') ).asFollows<Params>(({ qb
, param }) => qb .set({
birthYear: param('toBirthYear'), handle: 'newHandle', }) .where('nickname', '=', param('whereNickname')) ); // First execution const compiledQuery1 = parameterization.instantiate({ toBirthYear: 2000, whereNickname: user2.nickname, }); const result1 = await db.executeQuery(compiledQuery1); expect(Number(result1?.numAffectedRows)).toEqual(2); // Second execution const compiledQuery2 = parameterization.instantiate({ toBirthYear: 2010, whereNickname: user3.nickname, }); const result2 = await db.executeQuery(compiledQuery2); expect(Number(result2?.numAffectedRows)).toEqual(1); const users = await db.selectFrom('users').selectAll().execute(); expect(users).toEqual([ { ...user1, id: 1, handle: 'newHandle', birthYear: 2000 }, { ...user2, id: 2, handle: 'newHandle', birthYear: 2000 }, { ...user3, id: 3, handle: 'newHandle', birthYear: 2010 }, ]); }); it("parameterizes update values and 'where' selections, with multiple executions", async () => { interface Params { toBirthYear: number; whereNickname: string; } await db.insertInto('users').values([user1, user2, user3]).execute(); // First execution const parameterization = parameterizeQuery( db.updateTable('users') ).asFollows<Params>(({ qb, param }) => qb .set({ birthYear: param('toBirthYear'), handle: 'newHandle', }) .where('nickname', '=', param('whereNickname')) ); const result1 = await parameterization.execute(db, { toBirthYear: 2000, whereNickname: user2.nickname, }); expect(Number(result1.numAffectedRows)).toEqual(2); // Second execution const result2 = await parameterization.executeTakeFirst(db, { toBirthYear: 2010, whereNickname: user3.nickname, }); expect(result2).toBeUndefined(); const users = await db.selectFrom('users').selectAll().execute(); expect(users).toEqual([ { ...user1, id: 1, handle: 'newHandle', birthYear: 2000 }, { ...user2, id: 2, handle: 'newHandle', birthYear: 2000 }, { ...user3, id: 3, handle: 'newHandle', birthYear: 2010 }, ]); }); it('parameterizes update values accepting nulls', async () => { interface Params { toBirthYear: number | null; whereNickname: string; } await db.insertInto('users').values([user1, user2, user3]).execute(); const parameterization = parameterizeQuery( db.updateTable('users') ).asFollows<Params>(({ qb, param }) => qb .set({ birthYear: param('toBirthYear'), }) .where('nickname', '=', param('whereNickname')) ); const result1 = await parameterization.execute(db, { toBirthYear: null, whereNickname: user2.nickname, }); expect(Number(result1.numAffectedRows)).toEqual(2); const result2 = await parameterization.executeTakeFirst(db, { toBirthYear: 2010, whereNickname: user3.nickname, }); expect(result2).toBeUndefined(); const users = await db.selectFrom('users').selectAll().execute(); expect(users).toEqual([ { ...user1, id: 1, birthYear: null }, { ...user2, id: 2, birthYear: null }, { ...user3, id: 3, birthYear: 2010 }, ]); }); it('parameterizes without defined parameters', async () => { await db.insertInto('users').values([user1, user2, user3]).execute(); const parameterization = parameterizeQuery(db.updateTable('users')).asFollows( ({ qb }) => qb .set({ birthYear: 2000, handle: 'newHandle', }) .where('nickname', '=', 'Johnny') ); const result1 = await parameterization.execute(db, {}); expect(Number(result1.numAffectedRows)).toEqual(2); const users = await db.selectFrom('users').selectAll().execute(); expect(users).toEqual([ { ...user1, id: 1, handle: 'newHandle', birthYear: 2000 }, { ...user2, id: 2, handle: 'newHandle', birthYear: 2000 }, { ...user3, id: 3, handle: 'jdoe', birthYear: 1990 }, ]); }); ignore('disallows incompatible set parameter types', () => { interface InvalidParams { sourceHandle: number; sourceName: string | null; } parameterizeQuery(db.updateTable('users')).asFollows<InvalidParams>( ({ qb, param }) => qb.set({ //@ts-expect-error - invalid parameter type handle: param('sourceHandle'), name: 'John Smith', }) ); parameterizeQuery(db.updateTable('users')).asFollows<InvalidParams>( ({ qb, param }) => qb.set({ handle: 'jsmith', //@ts-expect-error - invalid parameter type name: param('sourceName'), }) ); }); ignore('restricts a set generated column parameter', async () => { interface InvalidParams { sourceId?: string; } parameterizeQuery(db.insertInto('users')).asFollows<InvalidParams>( ({ qb, param }) => qb.values({ //@ts-expect-error - invalid parameter type id: param('sourceId'), name: 'John Smith', handle: 'jsmith', }) ); }); ignore('array parameters are not allowed', () => { interface InvalidParams { targetBirthYears: number[]; } parameterizeQuery(db.updateTable('users')) // @ts-expect-error - invalid parameter type .asFollows<InvalidParams>(({ qb, param }) => qb .set({ nickname: 'newNickname' }) .where('birthYear', 'in', param('targetBirthYears')) ); }); ignore('disallows incompatible parameter types', () => { interface InvalidParams { targetHandle: number; } parameterizeQuery(db.updateTable('users')).asFollows<InvalidParams>( ({ qb, param }) => qb .set({ nickname: 'newNickname' }) //@ts-expect-error - invalid parameter type .where('handle', '=', param('targetHandle')) ); }); ignore('restricts provided parameters', async () => { interface ValidParams { targetHandle: string; targetBirthYear: number; } const parameterization = parameterizeQuery( db.updateTable('users') ).asFollows<ValidParams>(({ qb, param }) => qb .set({ nickname: 'newNickname' }) .where('handle', '=', param('targetHandle')) .where('name', '=', 'John Smith') .where('birthYear', '=', param('targetBirthYear')) ); await parameterization.execute(db, { //@ts-expect-error - invalid parameter name invalidParam: 'invalid', }); await parameterization.executeTakeFirst(db, { //@ts-expect-error - invalid parameter name invalidParam: 'invalid', }); await parameterization.execute(db, { //@ts-expect-error - invalid parameter type targetBirthYear: '2020', targetHandle: 'jsmith', }); await parameterization.executeTakeFirst(db, { //@ts-expect-error - invalid parameter type targetBirthYear: '2020', targetHandle: 'jsmith', }); await parameterization.execute(db, { //@ts-expect-error - invalid parameter type targetHandle: null, }); await parameterization.executeTakeFirst(db, { //@ts-expect-error - invalid parameter type targetHandle: null, }); //@ts-expect-error - missing parameter name await parameterization.execute(db, { targetBirthYear: 2020, }); //@ts-expect-error - missing parameter name await parameterization.executeTakeFirst(db, { targetBirthYear: 2020, }); //@ts-expect-error - missing parameter name await parameterization.execute(db, {}); //@ts-expect-error - missing parameter name await parameterization.executeTakeFirst(db, {}); });
src/tests/update-params.test.ts
jtlapp-kysely-params-3389d6f
[ { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " interface Params {\n targetNickname: string;\n targetBirthYear: number;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(\n db.selectFrom('users').selectAll()\n ).asFollows<Params>(({ qb, param }) =>\n qb\n .where('nickname', '=', param('targetNickname'))", "score": 0.9646355509757996 }, { "filename": "src/tests/delete-params.test.ts", "retrieved_chunk": " interface Params {\n targetNickname: string;\n targetBirthYear1: number;\n targetBirthYear2: number;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(\n db.deleteFrom('users')\n ).asFollows<Params>(({ qb, param }) =>\n qb", "score": 0.9629865288734436 }, { "filename": "src/tests/delete-params.test.ts", "retrieved_chunk": " interface Params {\n targetNickname: string;\n targetBirthYear: number;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(\n db.deleteFrom('users')\n ).asFollows<Params>(({ qb, param }) =>\n qb\n .where('nickname', '=', param('targetNickname'))", "score": 0.9611292481422424 }, { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " targetHandle: string;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(\n db.selectFrom('users').select('name')\n ).asFollows<Params>(({ qb, param }) =>\n qb.where('handle', '=', param('targetHandle'))\n );\n const result1 = await parameterization.executeTakeFirst(db, {\n targetHandle: user3.handle,", "score": 0.9274473190307617 }, { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " expect(results.rows[0].name).toEqual(user1.name);\n});\nit('parameterizes values within a where expression', async () => {\n interface Params {\n targetNickname: string;\n targetBirthYear1: number;\n targetBirthYear2: number;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(", "score": 0.9213298559188843 } ]
typescript
, param }) => qb .set({
import { Client, Collection } from "discord.js"; import { Config, Commands, Events } from "../Interfaces"; import { Routes, REST } from "discord.js"; import configFile from "../config.json"; import fs from "fs"; import path from "path"; import { connect, set } from "mongoose"; export class Bot extends Client { public config : Config = configFile; public commands : Collection<string, Commands> = new Collection() async connect() { const rest = new REST({ version: "10" }).setToken(this.config.token); //this.mongodb() this.registeredCommands() this.registeredEvents() this.postingCommands(rest) this.login(this.config.token) } async registeredEvents() { fs.readdir(path.join(__dirname, "../Events"), (err, events: string[]) => { if(err) throw new Error(err.message); events.forEach(async (event : string) => { try { const { Event }: { Event: Events } = await import(`../Events/${event}`); if(Event.once) { this.once(Event.name, (...args) => { Event.execute(this, ...args) }); } else { this.on(Event.name, (...args) => { Event.execute(this, ...args) }); } } catch (err) { throw err; } }); }); return this; } public async registeredCommands() { fs.readdir(path.join(__dirname, "../Commands"), (err, commands: string[]) => { if(err) throw new Error(err.message); commands.forEach(async (command : string) => { try { const { Command }: { Command: Commands } = await import(`../Commands/${command}`); this.commands.set
(Command.name, Command) } catch (err) {
throw err; } }); }); } public async postingCommands(rest: any) { this.once("ready", async() => { await rest.put(Routes.applicationCommands("777595295055085588"), { body: this.commands.toJSON() }); }); } public async mongodb() { set("strictQuery", false) connect(this.config.database.url) } }
src/Client/index.ts
araschain-typescript-genel-bot-7cef33a
[ { "filename": "src/Interfaces/index.ts", "retrieved_chunk": "export { Commands } from \"./Commands\"\nexport { Events } from \"./Events\"\nexport { Config } from \"./Config\"", "score": 0.8158434629440308 }, { "filename": "src/Commands/yasaklı-kelime.ts", "retrieved_chunk": "import Discord from \"discord.js\";\nimport db from \"croxydb\";\nimport { Commands } from \"../Interfaces\";\nexport const Command : Commands = {\n name: \"yasaklı-kelime\",\n description: \"💙 Yasaklı kelime sistemini ayarlarsın!\",\n options: [\n {\n type: 3,\n name: \"kelime\",", "score": 0.7976603507995605 }, { "filename": "src/Events/interactionCreate.ts", "retrieved_chunk": "import { CommandInteraction, EmbedBuilder, codeBlock, ActionRowBuilder, ButtonBuilder, ButtonStyle, ModalActionRowComponentBuilder, Role, PermissionsBitField, User, ChannelType, GuildTextChannelResolvable, GuildTextBasedChannel } from \"discord.js\";\nimport db from \"croxydb\";\nimport Discord from \"discord.js\";\nimport { Events } from \"../Interfaces\";\nexport const Event : Events = {\n name: \"interactionCreate\",\n async execute(client, interaction) {\n if(interaction.isChatInputCommand()) {\n const cmd = client.commands.get(interaction.commandName);\n if(cmd) {", "score": 0.7760568261146545 }, { "filename": "src/Interfaces/Events.ts", "retrieved_chunk": "import { ClientEvents } from \"discord.js\";\nimport { Bot } from \"../Client\";\nexport interface Events { \n name: keyof ClientEvents;\n once?: boolean;\n execute: (client: Bot, ...args: any) => Promise<any> | any;\n}", "score": 0.773236870765686 }, { "filename": "src/Events/ready.ts", "retrieved_chunk": "import { Events } from \"../Interfaces\";\nexport const Event: Events = {\n name: \"ready\",\n once: false,\n async execute(client) {\n console.log(`Aktif: ${client.user?.tag}`)\n },\n};", "score": 0.7728912830352783 } ]
typescript
(Command.name, Command) } catch (err) {
import { Compilable } from 'kysely'; import { ParameterizedValue } from './parameterized-value.js'; import { ParameterizedQuery, ParametersObject } from './parameterized-query.js'; type QueryBuilderOutput<QB> = QB extends Compilable<infer O> ? O : never; /** * Creates and returns a parameterizer for the given query builder. The * provided query builder must designate any selected or returned columns * that you wish to be able to reference by name, as TypeScript will not * otherwise be aware of the columns being returned. * @paramtype O Type of the query result. * @paramtype QB Type of the source query builder. * @param qb The source query builder, which should establish any selected * or returned columns you wish to be able to reference by name. * @returns Parameterizer for the given query builder, which can be used * to create parameterized queries. */ export function parameterizeQuery< QB extends Compilable<O>, O = QueryBuilderOutput<QB> >(qb: QB): QueryParameterizer<QB, O> { return new QueryParameterizer(qb); } /** * Class for parameterizing queries. * @paramtype O Type of the query result. * @paramtype QB Type of the source query builder. */ export class QueryParameterizer< QB extends Compilable<O>, O = QueryBuilderOutput<QB> > { /** * Creates a new parameterizer for the given query builder. */ constructor(readonly qb: QB) {} /** * Creates and returns a parameterized query. * @paramtype P Record characterizing the available parameter names and types. * @param factory Function that receives an object of the form { qb, param } * and returns a query builder that may contain parameterized values. * @returns Parameterized query. */ asFollows<P extends ParametersObject<P>>( factory: ParameterizedQueryFactory<P, QB, O> ): ParameterizedQuery<P, O> { const parameterMaker = new QueryParameterMaker<P>(); return new ParameterizedQuery( factory({ qb: this.qb, param: parameterMaker.param.bind(parameterMaker) }) ); } } /** * Factory function for creating a parameterized query. * @paramtype O Type of the query result. * @paramtype P Record characterizing the available parameter names and types. * @paramtype QB Type of the source query builder. * @param args Object of the form { qb, param }, returning a query builder * that may contain parameterized values. */ export interface ParameterizedQueryFactory< P extends ParametersObject<P>, QB extends Compilable<O>, O = QueryBuilderOutput<QB> > { (args: { qb: QB; param: QueryParameterMaker<P>['param'] }): Compilable<O>; } /** * Class for making occurrences of parameters within a query. * @paramtype P Record characterizing the available parameter names and types. */ export class QueryParameterMaker<P> { /** * Returns a parameterized value. * @param name Parameter name. * @returns Parameter having the given name and the type assigned to that * name in P. */ param<N extends keyof P & string>(name: N): P[N] { return
new ParameterizedValue(name) as unknown as P[N];
} }
src/lib/parameterizer.ts
jtlapp-kysely-params-3389d6f
[ { "filename": "src/lib/parameterized-value.ts", "retrieved_chunk": "/**\n * Class representing a parameter-specified value.\n * @paramtype P Record characterizing the parameter names and types.\n */\nexport class ParameterizedValue<P extends Record<string, any>> {\n /**\n * Creates a new parameter-specified value.\n * @param parameterName Name of the parameter.\n */\n constructor(readonly parameterName: keyof P & string) {}", "score": 0.8429687023162842 }, { "filename": "src/lib/parameterized-query.ts", "retrieved_chunk": "import { CompiledQuery, Compilable, Kysely, QueryResult } from 'kysely';\nimport { ParameterizedValue } from './parameterized-value.js';\n/**\n * Type for an object that defines the query parameters. It disallows the\n * object from having array properties.\n * @typeparam T Type that is to define the query parameters.\n */\nexport type ParametersObject<P> = {\n [K in keyof P]: P[K] extends Array<any> ? never : P[K];\n};", "score": 0.8301964998245239 }, { "filename": "src/lib/parameterized-query.ts", "retrieved_chunk": " ? params[value.parameterName as keyof P]\n : value\n ),\n };\n }\n}", "score": 0.8274558782577515 }, { "filename": "src/index.ts", "retrieved_chunk": "export * from './lib/parameterizer.js';\nexport * from './lib/parameterized-query.js';\nexport * from './lib/parameterized-value.js';", "score": 0.7783374786376953 }, { "filename": "src/lib/parameterized-query.ts", "retrieved_chunk": " }\n /**\n * Instantiates the query as a compiled query with all parameters replaced,\n * returning the compiled query. Compiles the query on the first call,\n * caching the uninstantiated compiled query and discarding the underlying\n * query builder to reduce memory used.\n * @param params Object providing values for all parameters.\n * @returns Compiled query with values replacing all parameters.\n */\n instantiate(params: Readonly<P>): CompiledQuery<O> {", "score": 0.7712346315383911 } ]
typescript
new ParameterizedValue(name) as unknown as P[N];
import { createPopper } from '@popperjs/core'; import {TSetting, TSettings} from '../../types'; import {APP_SETTINGS} from '../../shared/appSettings'; import {ISettingsSubscriber} from '../../interfaces'; import {Watcher} from './watcher'; import {getSettingsManager} from '../browser/settingsManager'; import {getAgent, fetchPost, LoginError} from '../bsky/api'; import {alert} from '../utils/notifications'; const DEFAULT_SETTINGS: Partial<TSettings> = { [APP_SETTINGS.SHOW_POST_DATETIME]: false, [APP_SETTINGS.BSKY_IDENTIFIER]: '', [APP_SETTINGS.BSKY_PASSWORD]: '' }; type PostUrl = { username: string; postId: string; }; const POST_HREF_REGEX = /profile\/(.+)\/post\/([a-zA-Z0-9]+)$/; const DATETIME_MARKER = 'data-bluesky-overhaul-datetime'; const getCredentials = async (): Promise<[string, string]> => { const settingsManager = await getSettingsManager(); return await Promise.all([ settingsManager.get(APP_SETTINGS.BSKY_IDENTIFIER) as string, settingsManager.get(APP_SETTINGS.BSKY_PASSWORD) as string ]); }; const parsePostUrl = (url: string | null): PostUrl => { if (!url) throw new Error('Missing post URL'); const match = url.match(POST_HREF_REGEX); if (!match) throw new Error('Invalid post URL'); return {username: match[1], postId: match[2]}; }; const parsePostDatetime = (datetime: string): string => { const date = new Date(datetime); return date.toLocaleString('en-US', { month: 'long', day: 'numeric', year: 'numeric', hour: 'numeric', minute: 'numeric' }); }; const createDatetimeTooltip = (datetime: string): HTMLElement => { const tooltip = document.createElement('div'); tooltip.role = 'tooltip'; tooltip.className = 'bluesky-overhaul-tooltip'; tooltip.textContent = datetime; return tooltip; }; export class PostDatetimeWatcher extends Watcher implements ISettingsSubscriber { #container: HTMLElement; #enabled: boolean; constructor(container: HTMLElement) { super(); this.#container = container; this.#enabled = DEFAULT_SETTINGS[APP_SETTINGS.SHOW_POST_DATETIME] as boolean; } watch(): void { this.#container.addEventListener('mouseover', this.#handleMouseOver.bind(this)); } onSettingChange(name: APP_SETTINGS, value: TSetting): void { if (!this.SETTINGS.includes(name)) throw new Error(`Unknown setting name "${name}"`); if (typeof value !== typeof DEFAULT_SETTINGS[name]) throw new Error(`Invalid value "${value}" for "${name}"`); if (name === APP_SETTINGS.SHOW_POST_DATETIME) { this.#enabled = value as boolean; } } get SETTINGS(): APP_SETTINGS[] { return Object.keys(DEFAULT_SETTINGS) as APP_SETTINGS[]; } async #handleMouseOver(event: MouseEvent): Promise<void> { if (!this.#enabled) return; const target = event.target as HTMLElement; if (target.tagName.toLowerCase() !== 'a') return; let datetime = target.getAttribute(DATETIME_MARKER); if (!datetime) { try { const {username, postId} = parsePostUrl(target.getAttribute('href')); if (username && postId) { const [identifier, password] = await getCredentials(); try { const
agent = await getAgent(identifier, password);
const post = await fetchPost(agent, username, postId); datetime = parsePostDatetime(post.indexedAt); target.setAttribute(DATETIME_MARKER, datetime); } catch (error) { if (error instanceof LoginError) alert('Login failed: wrong identifier or password'); return; } } else { return; } } catch { return; } } const tooltip = createDatetimeTooltip(datetime); document.body.appendChild(tooltip); const instance = createPopper(target, tooltip, { placement: 'top' }); target.addEventListener('mouseleave', () => { instance.destroy(); tooltip.remove(); }, {once: true}); } }
src/content/watchers/postDatetime.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/bsky/api.ts", "retrieved_chunk": " throw new LoginError();\n }\n};\nexport const fetchPost = async (agent: BskyAgent, username: string, postId: string): Promise<Post> => {\n const did = await agent.resolveHandle({ handle: username }).then((response) => response.data.did);\n const response = await agent.getPostThread({uri: `at://${did}/app.bsky.feed.post/${postId}`});\n return response.data.thread.post as Post;\n};", "score": 0.8081095218658447 }, { "filename": "src/content/bsky/api.ts", "retrieved_chunk": "import {Post} from '@atproto/api/dist/src/types/app/bsky/getPostThread';\nimport {BskyAgent} from '@atproto/api';\nexport class LoginError extends Error {}\nexport const getAgent = async (identifier: string, password: string): Promise<BskyAgent> => {\n const agent = new BskyAgent({service: 'https://bsky.social'});\n // TODO : cache session\n try {\n await agent.login({identifier, password});\n return agent;\n } catch {", "score": 0.7966272830963135 }, { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": " }\n #onTabButtonClick(event: MouseEvent): void {\n const target = event.target as HTMLElement;\n const data = target.getAttribute('data-testid');\n if (data === FOLLOWING_DATA || target.querySelector(`[data-testid=\"${FOLLOWING_DATA}\"]`)) {\n if (this.#activeTabSelector !== FOLLOWING_FEED) this.#currentPost = null;\n this.#activeTabSelector = FOLLOWING_FEED;\n } else if (data === WHATSHOT_DATA || target.querySelector(`[data-testid=\"${WHATSHOT_DATA}\"]`)) {\n if (this.#activeTabSelector !== WHATSHOT_FEED) this.#currentPost = null;\n this.#activeTabSelector = WHATSHOT_FEED;", "score": 0.7933273911476135 }, { "filename": "src/content/watchers/youtube.ts", "retrieved_chunk": " if (link.getAttribute(POST_ITEM_LINK_INJECTED_MARKER)) return;\n const videoId = resolveYoutubeId(link.href ?? '');\n if (!videoId) return;\n const iframe = document.createElement('iframe');\n iframe.setAttribute('src', `https://www.youtube.com/embed/${videoId}`);\n iframe.setAttribute('allow', 'accelerometer; autoplay; encrypted-media; gyroscope; picture-in-picture');\n iframe.setAttribute('allowfullscreen', 'true');\n iframe.style.width = '100%';\n iframe.style.height = '400px';\n iframe.style.border = 'none';", "score": 0.7873629927635193 }, { "filename": "src/content/watchers/helpers/vimKeybindings.ts", "retrieved_chunk": " const repost = this.#currentPost.querySelector(REPOST_BUTTON_SELECTOR) as HTMLElement;\n repost?.click();\n }\n #likePost(): void {\n if (!this.#currentPost) return tip(MISSING_POST_ERROR);\n const like = this.#currentPost.querySelector(LIKE_BUTTON_SELECTOR) as HTMLElement;\n like?.click();\n }\n #expandImage(): void {\n if (!this.#currentPost) return tip(MISSING_POST_ERROR);", "score": 0.7844685316085815 } ]
typescript
agent = await getAgent(identifier, password);
import { Kysely } from 'kysely'; import { createDB, resetDB, destroyDB } from '../utils/test-setup'; import { Database } from '../utils/test-tables'; import { ignore } from '../utils/test-utils'; import { parameterizeQuery } from '../lib/parameterizer'; let db: Kysely<Database>; beforeAll(async () => { db = await createDB(); }); beforeEach(() => resetDB(db)); afterAll(() => destroyDB(db)); const user1 = { name: 'John Smith', nickname: 'Johnny', handle: 'jsmith', birthYear: 1980, }; const user2 = { name: 'John McSmith', nickname: 'Johnny', handle: 'jmsmith', birthYear: 1990, }; const user3 = { name: 'Jane Doe', nickname: 'Jane', handle: 'jdoe', birthYear: 1990, }; it("instantiates update values and 'where' selections, with multiple executions", async () => { interface Params { toBirthYear: number; whereNickname: string; } await db.insertInto('users').values([user1, user2, user3]).execute(); const parameterization = parameterizeQuery( db.updateTable('users') ).asFollows<Params
>(({ qb, param }) => qb .set({
birthYear: param('toBirthYear'), handle: 'newHandle', }) .where('nickname', '=', param('whereNickname')) ); // First execution const compiledQuery1 = parameterization.instantiate({ toBirthYear: 2000, whereNickname: user2.nickname, }); const result1 = await db.executeQuery(compiledQuery1); expect(Number(result1?.numAffectedRows)).toEqual(2); // Second execution const compiledQuery2 = parameterization.instantiate({ toBirthYear: 2010, whereNickname: user3.nickname, }); const result2 = await db.executeQuery(compiledQuery2); expect(Number(result2?.numAffectedRows)).toEqual(1); const users = await db.selectFrom('users').selectAll().execute(); expect(users).toEqual([ { ...user1, id: 1, handle: 'newHandle', birthYear: 2000 }, { ...user2, id: 2, handle: 'newHandle', birthYear: 2000 }, { ...user3, id: 3, handle: 'newHandle', birthYear: 2010 }, ]); }); it("parameterizes update values and 'where' selections, with multiple executions", async () => { interface Params { toBirthYear: number; whereNickname: string; } await db.insertInto('users').values([user1, user2, user3]).execute(); // First execution const parameterization = parameterizeQuery( db.updateTable('users') ).asFollows<Params>(({ qb, param }) => qb .set({ birthYear: param('toBirthYear'), handle: 'newHandle', }) .where('nickname', '=', param('whereNickname')) ); const result1 = await parameterization.execute(db, { toBirthYear: 2000, whereNickname: user2.nickname, }); expect(Number(result1.numAffectedRows)).toEqual(2); // Second execution const result2 = await parameterization.executeTakeFirst(db, { toBirthYear: 2010, whereNickname: user3.nickname, }); expect(result2).toBeUndefined(); const users = await db.selectFrom('users').selectAll().execute(); expect(users).toEqual([ { ...user1, id: 1, handle: 'newHandle', birthYear: 2000 }, { ...user2, id: 2, handle: 'newHandle', birthYear: 2000 }, { ...user3, id: 3, handle: 'newHandle', birthYear: 2010 }, ]); }); it('parameterizes update values accepting nulls', async () => { interface Params { toBirthYear: number | null; whereNickname: string; } await db.insertInto('users').values([user1, user2, user3]).execute(); const parameterization = parameterizeQuery( db.updateTable('users') ).asFollows<Params>(({ qb, param }) => qb .set({ birthYear: param('toBirthYear'), }) .where('nickname', '=', param('whereNickname')) ); const result1 = await parameterization.execute(db, { toBirthYear: null, whereNickname: user2.nickname, }); expect(Number(result1.numAffectedRows)).toEqual(2); const result2 = await parameterization.executeTakeFirst(db, { toBirthYear: 2010, whereNickname: user3.nickname, }); expect(result2).toBeUndefined(); const users = await db.selectFrom('users').selectAll().execute(); expect(users).toEqual([ { ...user1, id: 1, birthYear: null }, { ...user2, id: 2, birthYear: null }, { ...user3, id: 3, birthYear: 2010 }, ]); }); it('parameterizes without defined parameters', async () => { await db.insertInto('users').values([user1, user2, user3]).execute(); const parameterization = parameterizeQuery(db.updateTable('users')).asFollows( ({ qb }) => qb .set({ birthYear: 2000, handle: 'newHandle', }) .where('nickname', '=', 'Johnny') ); const result1 = await parameterization.execute(db, {}); expect(Number(result1.numAffectedRows)).toEqual(2); const users = await db.selectFrom('users').selectAll().execute(); expect(users).toEqual([ { ...user1, id: 1, handle: 'newHandle', birthYear: 2000 }, { ...user2, id: 2, handle: 'newHandle', birthYear: 2000 }, { ...user3, id: 3, handle: 'jdoe', birthYear: 1990 }, ]); }); ignore('disallows incompatible set parameter types', () => { interface InvalidParams { sourceHandle: number; sourceName: string | null; } parameterizeQuery(db.updateTable('users')).asFollows<InvalidParams>( ({ qb, param }) => qb.set({ //@ts-expect-error - invalid parameter type handle: param('sourceHandle'), name: 'John Smith', }) ); parameterizeQuery(db.updateTable('users')).asFollows<InvalidParams>( ({ qb, param }) => qb.set({ handle: 'jsmith', //@ts-expect-error - invalid parameter type name: param('sourceName'), }) ); }); ignore('restricts a set generated column parameter', async () => { interface InvalidParams { sourceId?: string; } parameterizeQuery(db.insertInto('users')).asFollows<InvalidParams>( ({ qb, param }) => qb.values({ //@ts-expect-error - invalid parameter type id: param('sourceId'), name: 'John Smith', handle: 'jsmith', }) ); }); ignore('array parameters are not allowed', () => { interface InvalidParams { targetBirthYears: number[]; } parameterizeQuery(db.updateTable('users')) // @ts-expect-error - invalid parameter type .asFollows<InvalidParams>(({ qb, param }) => qb .set({ nickname: 'newNickname' }) .where('birthYear', 'in', param('targetBirthYears')) ); }); ignore('disallows incompatible parameter types', () => { interface InvalidParams { targetHandle: number; } parameterizeQuery(db.updateTable('users')).asFollows<InvalidParams>( ({ qb, param }) => qb .set({ nickname: 'newNickname' }) //@ts-expect-error - invalid parameter type .where('handle', '=', param('targetHandle')) ); }); ignore('restricts provided parameters', async () => { interface ValidParams { targetHandle: string; targetBirthYear: number; } const parameterization = parameterizeQuery( db.updateTable('users') ).asFollows<ValidParams>(({ qb, param }) => qb .set({ nickname: 'newNickname' }) .where('handle', '=', param('targetHandle')) .where('name', '=', 'John Smith') .where('birthYear', '=', param('targetBirthYear')) ); await parameterization.execute(db, { //@ts-expect-error - invalid parameter name invalidParam: 'invalid', }); await parameterization.executeTakeFirst(db, { //@ts-expect-error - invalid parameter name invalidParam: 'invalid', }); await parameterization.execute(db, { //@ts-expect-error - invalid parameter type targetBirthYear: '2020', targetHandle: 'jsmith', }); await parameterization.executeTakeFirst(db, { //@ts-expect-error - invalid parameter type targetBirthYear: '2020', targetHandle: 'jsmith', }); await parameterization.execute(db, { //@ts-expect-error - invalid parameter type targetHandle: null, }); await parameterization.executeTakeFirst(db, { //@ts-expect-error - invalid parameter type targetHandle: null, }); //@ts-expect-error - missing parameter name await parameterization.execute(db, { targetBirthYear: 2020, }); //@ts-expect-error - missing parameter name await parameterization.executeTakeFirst(db, { targetBirthYear: 2020, }); //@ts-expect-error - missing parameter name await parameterization.execute(db, {}); //@ts-expect-error - missing parameter name await parameterization.executeTakeFirst(db, {}); });
src/tests/update-params.test.ts
jtlapp-kysely-params-3389d6f
[ { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " interface Params {\n targetNickname: string;\n targetBirthYear: number;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(\n db.selectFrom('users').selectAll()\n ).asFollows<Params>(({ qb, param }) =>\n qb\n .where('nickname', '=', param('targetNickname'))", "score": 0.965293288230896 }, { "filename": "src/tests/delete-params.test.ts", "retrieved_chunk": " interface Params {\n targetNickname: string;\n targetBirthYear1: number;\n targetBirthYear2: number;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(\n db.deleteFrom('users')\n ).asFollows<Params>(({ qb, param }) =>\n qb", "score": 0.9636030793190002 }, { "filename": "src/tests/delete-params.test.ts", "retrieved_chunk": " interface Params {\n targetNickname: string;\n targetBirthYear: number;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(\n db.deleteFrom('users')\n ).asFollows<Params>(({ qb, param }) =>\n qb\n .where('nickname', '=', param('targetNickname'))", "score": 0.9613886475563049 }, { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " targetHandle: string;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(\n db.selectFrom('users').select('name')\n ).asFollows<Params>(({ qb, param }) =>\n qb.where('handle', '=', param('targetHandle'))\n );\n const result1 = await parameterization.executeTakeFirst(db, {\n targetHandle: user3.handle,", "score": 0.9285325407981873 }, { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " expect(results.rows[0].name).toEqual(user1.name);\n});\nit('parameterizes values within a where expression', async () => {\n interface Params {\n targetNickname: string;\n targetBirthYear1: number;\n targetBirthYear2: number;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(", "score": 0.9196625351905823 } ]
typescript
>(({ qb, param }) => qb .set({
import { Message } from 'discord.js'; import { StreamInfo } from '@/sources/source-stream'; import { AudioPlayerStatus, joinVoiceChannel } from '@discordjs/voice'; import { BOT_MESSAGES } from '../containts/default-messages'; import { MarliMusic } from '../marli-music'; import { Command } from './command'; import { PlayHook } from './hooks/command-play-hook'; export class Play extends Command { constructor(bot: MarliMusic) { super(bot); this.name = 'play'; } async execute(message: Message, input: string) { try { await this.validate(message, input); const voiceMember = message.member.voice; const connection = joinVoiceChannel({ adapterCreator: voiceMember.guild.voiceAdapterCreator, channelId: voiceMember.channelId, guildId: String(voiceMember.guild.id), }); const source = this.getSourceStream(); const queue = this.getQueue(); const searchedStream = await source.getStreamFromUrl(input); const streamInfoCollection = searchedStream ?? ((await source.search(input, { limit: 1 })) as StreamInfo[]); streamInfoCollection.forEach((streamInfo: StreamInfo) => { queue.add(voiceMember.channelId, { streamInfo, userSearch: input, }); }); const firstSong = streamInfoCollection.shift(); const player = this.getPlayer(voiceMember.channelId); connection.subscribe(player); let replyContent = `${message.author.username} ${BOT_MESSAGES.PUSHED_TO_QUEUE} ${firstSong.title} - ${firstSong.artist}`; if (player.state.status === AudioPlayerStatus.Idle) { const searchResultUrl = firstSong?.url ?? (await this.getResourceUrl(firstSong.title, firstSong.artist)); player.play(await this.getAudioResource(searchResultUrl));
const playHook = new PlayHook(this.bot);
playHook.execute(message); replyContent = `${message.author.username} ${BOT_MESSAGES.CURRENT_PLAYING} ${firstSong.title} - ${firstSong.artist}`; } await message.channel.send(replyContent); } catch (err) { await this.sendCommandError(err, message); } } }
src/bot/commands/command-play.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/bot/commands/command-skip.ts", "retrieved_chunk": " next.streamInfo.url = await this.getResourceUrl(\n next.streamInfo.title,\n next.streamInfo.artist\n );\n }\n const audioResource = await this.getAudioResource(next.streamInfo.url);\n await message.reply(\n `${BOT_MESSAGES.MUSIC_SKIPPED} ${next.streamInfo.title} - ${next.streamInfo.artist}`\n );\n player.play(audioResource);", "score": 0.8722354173660278 }, { "filename": "src/bot/commands/command-skip.ts", "retrieved_chunk": " async execute(message: Message) {\n try {\n await this.validate(message, 'skip');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const queue = this.getQueue();\n const playlist = queue.getList(connectionID);\n if (playlist?.length > 1) {\n const next = playlist[1];\n if (!next.streamInfo?.url) {", "score": 0.8700119256973267 }, { "filename": "src/bot/commands/command-resume.ts", "retrieved_chunk": " try {\n await this.validate(message, 'resume');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n player.unpause();\n await message.reply({\n content: `${message.author.username} ${BOT_MESSAGES.MUSIC_RESUMED}`,\n });\n } catch (error) {\n await this.sendCommandError(error, message);", "score": 0.8561308979988098 }, { "filename": "src/bot/commands/hooks/command-play-hook.ts", "retrieved_chunk": " );\n });\n player.on(AudioPlayerStatus.Idle, async () => {\n const skip = new Skip(this.bot);\n await skip.execute(message);\n });\n connection.on('error', async (error: Error) => {\n await this.sendCommandError(\n new BotError(error.stack, BOT_MESSAGES.BOT_ERROR),\n message", "score": 0.8539276123046875 }, { "filename": "src/bot/commands/command-stop.ts", "retrieved_chunk": " try {\n await this.validate(message, 'stop');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const queue = this.getQueue();\n player.stop();\n queue.clear(connectionID);\n this.removePlayer(connectionID);\n this.getConnection(message).destroy();\n await message.reply(BOT_MESSAGES.PLAYLIST_ENDED);", "score": 0.8459435105323792 } ]
typescript
const playHook = new PlayHook(this.bot);
import { Message } from 'discord.js'; import { StreamInfo } from '@/sources/source-stream'; import { AudioPlayerStatus, joinVoiceChannel } from '@discordjs/voice'; import { BOT_MESSAGES } from '../containts/default-messages'; import { MarliMusic } from '../marli-music'; import { Command } from './command'; import { PlayHook } from './hooks/command-play-hook'; export class Play extends Command { constructor(bot: MarliMusic) { super(bot); this.name = 'play'; } async execute(message: Message, input: string) { try { await this.validate(message, input); const voiceMember = message.member.voice; const connection = joinVoiceChannel({ adapterCreator: voiceMember.guild.voiceAdapterCreator, channelId: voiceMember.channelId, guildId: String(voiceMember.guild.id), }); const source = this.getSourceStream(); const queue = this.getQueue(); const searchedStream = await source.getStreamFromUrl(input); const streamInfoCollection = searchedStream ?? ((await source.search(input, { limit: 1 })) as StreamInfo[]); streamInfoCollection.forEach((streamInfo: StreamInfo) => { queue.add(voiceMember.channelId, { streamInfo, userSearch: input, }); }); const firstSong = streamInfoCollection.shift(); const player = this.getPlayer(voiceMember.channelId); connection.subscribe(player); let replyContent = `${message.author.username} ${BOT_MESSAGES.PUSHED_TO_QUEUE} ${firstSong.title} - ${firstSong.artist}`; if (player.state.status === AudioPlayerStatus.Idle) { const searchResultUrl = firstSong?.url ?? (await this.getResourceUrl(firstSong.title, firstSong.artist)); player.play(
await this.getAudioResource(searchResultUrl));
const playHook = new PlayHook(this.bot); playHook.execute(message); replyContent = `${message.author.username} ${BOT_MESSAGES.CURRENT_PLAYING} ${firstSong.title} - ${firstSong.artist}`; } await message.channel.send(replyContent); } catch (err) { await this.sendCommandError(err, message); } } }
src/bot/commands/command-play.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/bot/commands/command-skip.ts", "retrieved_chunk": " async execute(message: Message) {\n try {\n await this.validate(message, 'skip');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const queue = this.getQueue();\n const playlist = queue.getList(connectionID);\n if (playlist?.length > 1) {\n const next = playlist[1];\n if (!next.streamInfo?.url) {", "score": 0.8758226633071899 }, { "filename": "src/bot/commands/command-skip.ts", "retrieved_chunk": " next.streamInfo.url = await this.getResourceUrl(\n next.streamInfo.title,\n next.streamInfo.artist\n );\n }\n const audioResource = await this.getAudioResource(next.streamInfo.url);\n await message.reply(\n `${BOT_MESSAGES.MUSIC_SKIPPED} ${next.streamInfo.title} - ${next.streamInfo.artist}`\n );\n player.play(audioResource);", "score": 0.8755307793617249 }, { "filename": "src/bot/commands/command-resume.ts", "retrieved_chunk": " try {\n await this.validate(message, 'resume');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n player.unpause();\n await message.reply({\n content: `${message.author.username} ${BOT_MESSAGES.MUSIC_RESUMED}`,\n });\n } catch (error) {\n await this.sendCommandError(error, message);", "score": 0.8607040047645569 }, { "filename": "src/bot/commands/hooks/command-play-hook.ts", "retrieved_chunk": " );\n });\n player.on(AudioPlayerStatus.Idle, async () => {\n const skip = new Skip(this.bot);\n await skip.execute(message);\n });\n connection.on('error', async (error: Error) => {\n await this.sendCommandError(\n new BotError(error.stack, BOT_MESSAGES.BOT_ERROR),\n message", "score": 0.857867956161499 }, { "filename": "src/bot/commands/command-stop.ts", "retrieved_chunk": " try {\n await this.validate(message, 'stop');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const queue = this.getQueue();\n player.stop();\n queue.clear(connectionID);\n this.removePlayer(connectionID);\n this.getConnection(message).destroy();\n await message.reply(BOT_MESSAGES.PLAYLIST_ENDED);", "score": 0.8495222330093384 } ]
typescript
await this.getAudioResource(searchResultUrl));
import {Watcher} from './watcher'; import {CallThrottler} from '../utils/callThrottler'; import {POST_ITEM_LINK_INJECTED_MARKER} from '../dom/constants'; import {POST_ITEMS, POST_ITEM_LINKS} from '../dom/selectors'; import {ultimatelyFindAll} from '../dom/utils'; import {noop} from '../../shared/misc'; const THROTTLING_INTERVAL = 500; const YOUTU_BE_REGEX = /youtu\.be\/([a-zA-Z0-9_-]+)/; const YOUTUBE_WATCH_REGEX = /youtube\.com\/watch\?v=([a-zA-Z0-9_-]+)/; const resolveYoutubeId = (url: string): string | null => { let match; if (url.includes('youtu.be')) { match = url.match(YOUTU_BE_REGEX); } else if (url.includes('youtube.com/watch')) { match = url.match(YOUTUBE_WATCH_REGEX); } return match?.[1] ?? null; }; const injectYoutubePlayers = (youtubeLinks: HTMLLinkElement[]): void => { youtubeLinks.forEach((link) => { if (link.getAttribute(POST_ITEM_LINK_INJECTED_MARKER)) return; const videoId = resolveYoutubeId(link.href ?? ''); if (!videoId) return; const iframe = document.createElement('iframe'); iframe.setAttribute('src', `https://www.youtube.com/embed/${videoId}`); iframe.setAttribute('allow', 'accelerometer; autoplay; encrypted-media; gyroscope; picture-in-picture'); iframe.setAttribute('allowfullscreen', 'true'); iframe.style.width = '100%'; iframe.style.height = '400px'; iframe.style.border = 'none'; iframe.style.flexGrow = '1'; iframe.style.paddingTop = '10px'; link.parentNode?.parentNode?.appendChild(iframe); link.setAttribute(POST_ITEM_LINK_INJECTED_MARKER, 'true'); const blueskyYoutubePreview = iframe.parentNode?.nextSibling as HTMLElement; if (blueskyYoutubePreview?.getAttribute('tabindex') === '0') { blueskyYoutubePreview.style.display = 'none'; } }); }; const createYoutubePlayers = (container: HTMLElement): void => { ultimatelyFindAll(container, [POST_ITEMS, POST_ITEM_LINKS]) .then
((links) => injectYoutubePlayers(links as HTMLLinkElement[])) .catch(noop);
}; export class YoutubeWatcher extends Watcher { readonly #container: HTMLElement; readonly #throttler: CallThrottler = new CallThrottler(THROTTLING_INTERVAL); readonly #observer: MutationObserver; constructor(container: HTMLElement) { super(); this.#container = container; this.#observer = new MutationObserver(() => { const currentLayout = this.#container.lastChild as HTMLElement; this.#throttler.call(() => createYoutubePlayers(currentLayout)); }); } watch(): void { const initialLayout = this.#container.lastChild as HTMLElement; this.#throttler.call(() => createYoutubePlayers(initialLayout)); this.#observer.observe(this.#container, {childList: true, subtree: true}); } }
src/content/watchers/youtube.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": " #subscribeToTabButtons(tabButtons: HTMLElement): void {\n this.#tabButtonEventKeeper.cancelAll();\n this.#tabButtonEventKeeper.add(tabButtons, 'click', this.#onTabButtonClick.bind(this));\n }\n #onContainerMutation(mutations: MutationRecord[]): void {\n mutations.forEach((mutation) => {\n if (mutation.target === this.#container) {\n this.#currentPost = null;\n }\n });", "score": 0.8242011070251465 }, { "filename": "src/content/dom/constants.ts", "retrieved_chunk": "export const FIRST_CHILD_MARKER = '~~FIRST_CHILD~~';\nexport const LAST_CHILD_MARKER = '~~LAST_CHILD~~';\nexport const POST_ITEM_LINK_INJECTED_MARKER = 'bluesky-overhaul-youtube-injected';", "score": 0.8089803457260132 }, { "filename": "src/content/main.ts", "retrieved_chunk": " }\n return ultimatelyFind(document.body, ROOT_CONTAINER).then((rootContainer) => Promise.all([\n Promise.resolve(rootContainer),\n ultimatelyFind(rootContainer, FEED_CONTAINER),\n ultimatelyFind(rootContainer, MODAL_CONTAINER)\n ]).then(([rootContainer, feedContainer, modalContainer]) => {\n const countersConcealer = new CountersConcealer(document.body);\n settingsManager.subscribe(countersConcealer);\n countersConcealer.watch();\n const keydownWatcher = new KeydownWatcher(rootContainer, feedContainer);", "score": 0.8018015623092651 }, { "filename": "src/content/watchers/helpers/vimKeybindings.ts", "retrieved_chunk": " #findSearchBar(): Promise<HTMLElement> {\n return ultimatelyFind(document.body, SEARCH_BAR);\n }\n async #loadNewPosts(): Promise<void> {\n try {\n const tab = await this.#postList.getCurrentFeedTab();\n const tabContainer = await ultimatelyFind(this.#container, tab);\n const newPostsButton = tabContainer.childNodes[1] as HTMLElement;\n if (newPostsButton && newPostsButton.nextSibling) {\n newPostsButton.click();", "score": 0.7990766763687134 }, { "filename": "src/content/dom/selectors.ts", "retrieved_chunk": "// relative to POST_ITEMS\nexport const POST_ITEM_LINKS = new SelectorGroup([\n new Selector(`a[href*=\"youtu.be/\"]:not([${POST_ITEM_LINK_INJECTED_MARKER}])`),\n new Selector(`a[href*=\"youtube.com/watch\"]:not([${POST_ITEM_LINK_INJECTED_MARKER}])`)\n]);", "score": 0.7986130714416504 } ]
typescript
((links) => injectYoutubePlayers(links as HTMLLinkElement[])) .catch(noop);
import { Message } from 'discord.js'; import { StreamInfo } from '@/sources/source-stream'; import { AudioPlayerStatus, joinVoiceChannel } from '@discordjs/voice'; import { BOT_MESSAGES } from '../containts/default-messages'; import { MarliMusic } from '../marli-music'; import { Command } from './command'; import { PlayHook } from './hooks/command-play-hook'; export class Play extends Command { constructor(bot: MarliMusic) { super(bot); this.name = 'play'; } async execute(message: Message, input: string) { try { await this.validate(message, input); const voiceMember = message.member.voice; const connection = joinVoiceChannel({ adapterCreator: voiceMember.guild.voiceAdapterCreator, channelId: voiceMember.channelId, guildId: String(voiceMember.guild.id), }); const source = this.getSourceStream(); const queue = this.getQueue(); const searchedStream = await source.getStreamFromUrl(input); const streamInfoCollection = searchedStream ?? ((await source.search(input, { limit: 1 })) as StreamInfo[]); streamInfoCollection.forEach((streamInfo: StreamInfo) => { queue.add(voiceMember.channelId, { streamInfo, userSearch: input, }); }); const firstSong = streamInfoCollection.shift(); const player = this.getPlayer(voiceMember.channelId); connection.subscribe(player); let replyContent = `${message.author.username} ${BOT_MESSAGES.PUSHED_TO_QUEUE} ${firstSong.title} - ${firstSong.artist}`; if (player.state.status === AudioPlayerStatus.Idle) { const searchResultUrl = firstSong?.url ?? (
await this.getResourceUrl(firstSong.title, firstSong.artist));
player.play(await this.getAudioResource(searchResultUrl)); const playHook = new PlayHook(this.bot); playHook.execute(message); replyContent = `${message.author.username} ${BOT_MESSAGES.CURRENT_PLAYING} ${firstSong.title} - ${firstSong.artist}`; } await message.channel.send(replyContent); } catch (err) { await this.sendCommandError(err, message); } } }
src/bot/commands/command-play.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/bot/commands/command-skip.ts", "retrieved_chunk": " next.streamInfo.url = await this.getResourceUrl(\n next.streamInfo.title,\n next.streamInfo.artist\n );\n }\n const audioResource = await this.getAudioResource(next.streamInfo.url);\n await message.reply(\n `${BOT_MESSAGES.MUSIC_SKIPPED} ${next.streamInfo.title} - ${next.streamInfo.artist}`\n );\n player.play(audioResource);", "score": 0.8784888982772827 }, { "filename": "src/bot/commands/command-skip.ts", "retrieved_chunk": " async execute(message: Message) {\n try {\n await this.validate(message, 'skip');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const queue = this.getQueue();\n const playlist = queue.getList(connectionID);\n if (playlist?.length > 1) {\n const next = playlist[1];\n if (!next.streamInfo?.url) {", "score": 0.8744329214096069 }, { "filename": "src/bot/commands/hooks/command-play-hook.ts", "retrieved_chunk": " );\n });\n player.on(AudioPlayerStatus.Idle, async () => {\n const skip = new Skip(this.bot);\n await skip.execute(message);\n });\n connection.on('error', async (error: Error) => {\n await this.sendCommandError(\n new BotError(error.stack, BOT_MESSAGES.BOT_ERROR),\n message", "score": 0.8568522930145264 }, { "filename": "src/bot/commands/command-resume.ts", "retrieved_chunk": " try {\n await this.validate(message, 'resume');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n player.unpause();\n await message.reply({\n content: `${message.author.username} ${BOT_MESSAGES.MUSIC_RESUMED}`,\n });\n } catch (error) {\n await this.sendCommandError(error, message);", "score": 0.8545084595680237 }, { "filename": "src/bot/commands/command-list-queue.ts", "retrieved_chunk": " const queue = this.getQueue();\n const queueList = queue.getList(connectionID);\n if (!queueList?.length) {\n message.reply(BOT_MESSAGES.PLAYLIST_EMPTY);\n return;\n }\n const itemsToShow = queueList\n .map(\n (item, index) =>\n `\\n${index + 1} - ${item.streamInfo.title} - ${", "score": 0.8473311066627502 } ]
typescript
await this.getResourceUrl(firstSong.title, firstSong.artist));
import { Client, ClientOptions, Message } from 'discord.js'; import { sentryCapture } from '@/config/sentry'; import { logger } from '@/config/winston'; import { Queue } from '@/queue/queue'; import { ERRORS } from '@/shared/errors'; import { SourceStream } from '@/sources/source-stream'; import { AudioPlayer } from '@discordjs/voice'; import { ALL_COMMANDS, Command } from './commands'; import { CommandHelp } from './commands/command-help'; import { BOT_MESSAGES } from './containts/default-messages'; export interface BotInfo { prefix: string; token: string; } export class MarliMusic extends Client { prefix: string; players: Map<string, AudioPlayer> = new Map(); static MAX_REPLY_CONTENT_LENGTH = 2000; constructor( private botInfo: BotInfo, public sourceStream: SourceStream, public queue: Queue, options?: ClientOptions ) { super(options); this.prefix = botInfo.prefix; this.login(this.botInfo.token).catch((reason) => { logger.log('error', ERRORS.BOT_STARTUP_ERROR, reason); sentryCapture(ERRORS.BOT_STARTUP_ERROR, new Error(reason)); }); this.once('ready', () => { this.healthCheck(); }); this.on('error', (error: Error) => { logger.error(ERRORS.BOT_STARTUP_ERROR, error); sentryCapture(ERRORS.BOT_STARTUP_ERROR, error); }); this.on('messageCreate', async (message: Message) => this.onMessage(message) ); } public healthCheck() { const healthString = `${this.user.username} online ${this.uptime}`; logger.log('debug', healthString); return healthString; } public addPlayer(connection: string) { this.players.set(connection, new AudioPlayer()); } public getPlayer(connection: string) { if (!this.players.has(connection)) { this.addPlayer(connection); } return this.players.get(connection); } public removePlayer(connection: string) { this.players.delete(connection); } private async onMessage(message: Message) { if (message.author.bot) return; if (!message.content.startsWith(this.prefix)) return; const args = message.content.split(' '); const input = message.content.replace(args[0], ''); const commandString = args[0].replace(this.prefix, ''); if
(!ALL_COMMANDS[commandString]) {
await message.reply(BOT_MESSAGES.INVALID_COMMAND); await new CommandHelp(this).execute(message); return; } const command: Command = new ALL_COMMANDS[commandString](this); await command.execute(message, input); } }
src/bot/marli-music.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/bot/commands/command-skip.ts", "retrieved_chunk": " queue.pop(connectionID);\n } else {\n player.removeAllListeners();\n const stop = new Stop(this.bot);\n await stop.execute(message);\n }\n } catch (error) {\n await this.sendCommandError(error, message);\n }\n }", "score": 0.8516377806663513 }, { "filename": "src/bot/commands/hooks/command-play-hook.ts", "retrieved_chunk": " );\n });\n connection.on(VoiceConnectionStatus.Disconnected, () => {\n logger.log('info', 'disconnect');\n connection.destroy();\n const connectionID = message.member.voice.channelId;\n this.removePlayer(connectionID);\n });\n }\n}", "score": 0.8379029631614685 }, { "filename": "src/bot/commands/hooks/command-play-hook.ts", "retrieved_chunk": " super(bot);\n }\n async execute(message: Message) {\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const connection = this.getConnection(message);\n player.on('error', async (error: Error) => {\n await this.sendCommandError(\n new BotError(error.stack, BOT_MESSAGES.BOT_ERROR),\n message", "score": 0.8363500833511353 }, { "filename": "src/bot/commands/command-play.ts", "retrieved_chunk": " this.name = 'play';\n }\n async execute(message: Message, input: string) {\n try {\n await this.validate(message, input);\n const voiceMember = message.member.voice;\n const connection = joinVoiceChannel({\n adapterCreator: voiceMember.guild.voiceAdapterCreator,\n channelId: voiceMember.channelId,\n guildId: String(voiceMember.guild.id),", "score": 0.8302382230758667 }, { "filename": "src/bot/commands/command-help.ts", "retrieved_chunk": " try {\n await this.validate(message, 'help');\n const commands = Object.keys(ALL_COMMANDS);\n message.reply(\n `Type: ${this.bot.prefix}<command> \\n\\nAll Commands:\\n${commands.join(\n '\\n'\n )}`\n );\n } catch (err) {\n await this.sendCommandError(err, message);", "score": 0.8298983573913574 } ]
typescript
(!ALL_COMMANDS[commandString]) {
import { createPopper } from '@popperjs/core'; import {TSetting, TSettings} from '../../types'; import {APP_SETTINGS} from '../../shared/appSettings'; import {ISettingsSubscriber} from '../../interfaces'; import {Watcher} from './watcher'; import {getSettingsManager} from '../browser/settingsManager'; import {getAgent, fetchPost, LoginError} from '../bsky/api'; import {alert} from '../utils/notifications'; const DEFAULT_SETTINGS: Partial<TSettings> = { [APP_SETTINGS.SHOW_POST_DATETIME]: false, [APP_SETTINGS.BSKY_IDENTIFIER]: '', [APP_SETTINGS.BSKY_PASSWORD]: '' }; type PostUrl = { username: string; postId: string; }; const POST_HREF_REGEX = /profile\/(.+)\/post\/([a-zA-Z0-9]+)$/; const DATETIME_MARKER = 'data-bluesky-overhaul-datetime'; const getCredentials = async (): Promise<[string, string]> => { const settingsManager = await getSettingsManager(); return await Promise.all([ settingsManager.get(APP_SETTINGS.BSKY_IDENTIFIER) as string, settingsManager.get(APP_SETTINGS.BSKY_PASSWORD) as string ]); }; const parsePostUrl = (url: string | null): PostUrl => { if (!url) throw new Error('Missing post URL'); const match = url.match(POST_HREF_REGEX); if (!match) throw new Error('Invalid post URL'); return {username: match[1], postId: match[2]}; }; const parsePostDatetime = (datetime: string): string => { const date = new Date(datetime); return date.toLocaleString('en-US', { month: 'long', day: 'numeric', year: 'numeric', hour: 'numeric', minute: 'numeric' }); }; const createDatetimeTooltip = (datetime: string): HTMLElement => { const tooltip = document.createElement('div'); tooltip.role = 'tooltip'; tooltip.className = 'bluesky-overhaul-tooltip'; tooltip.textContent = datetime; return tooltip; }; export class PostDatetimeWatcher extends Watcher implements ISettingsSubscriber { #container: HTMLElement; #enabled: boolean; constructor(container: HTMLElement) { super(); this.#container = container; this.#enabled = DEFAULT_SETTINGS[APP_SETTINGS.SHOW_POST_DATETIME] as boolean; } watch(): void { this.#container.addEventListener('mouseover', this.#handleMouseOver.bind(this)); } onSettingChange(name: APP_SETTINGS, value: TSetting): void { if (!this.SETTINGS.includes(name)) throw new Error(`Unknown setting name "${name}"`); if (typeof value !== typeof DEFAULT_SETTINGS[name]) throw new Error(`Invalid value "${value}" for "${name}"`); if (name === APP_SETTINGS.SHOW_POST_DATETIME) { this.#enabled = value as boolean; } } get SETTINGS(): APP_SETTINGS[] { return Object.keys(DEFAULT_SETTINGS) as APP_SETTINGS[]; } async #handleMouseOver(event: MouseEvent): Promise<void> { if (!this.#enabled) return; const target = event.target as HTMLElement; if (target.tagName.toLowerCase() !== 'a') return; let datetime = target.getAttribute(DATETIME_MARKER); if (!datetime) { try { const {username, postId} = parsePostUrl(target.getAttribute('href')); if (username && postId) { const [identifier, password] = await getCredentials(); try { const agent = await getAgent(identifier, password);
const post = await fetchPost(agent, username, postId);
datetime = parsePostDatetime(post.indexedAt); target.setAttribute(DATETIME_MARKER, datetime); } catch (error) { if (error instanceof LoginError) alert('Login failed: wrong identifier or password'); return; } } else { return; } } catch { return; } } const tooltip = createDatetimeTooltip(datetime); document.body.appendChild(tooltip); const instance = createPopper(target, tooltip, { placement: 'top' }); target.addEventListener('mouseleave', () => { instance.destroy(); tooltip.remove(); }, {once: true}); } }
src/content/watchers/postDatetime.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/bsky/api.ts", "retrieved_chunk": " throw new LoginError();\n }\n};\nexport const fetchPost = async (agent: BskyAgent, username: string, postId: string): Promise<Post> => {\n const did = await agent.resolveHandle({ handle: username }).then((response) => response.data.did);\n const response = await agent.getPostThread({uri: `at://${did}/app.bsky.feed.post/${postId}`});\n return response.data.thread.post as Post;\n};", "score": 0.828848123550415 }, { "filename": "src/content/watchers/helpers/vimKeybindings.ts", "retrieved_chunk": " const repost = this.#currentPost.querySelector(REPOST_BUTTON_SELECTOR) as HTMLElement;\n repost?.click();\n }\n #likePost(): void {\n if (!this.#currentPost) return tip(MISSING_POST_ERROR);\n const like = this.#currentPost.querySelector(LIKE_BUTTON_SELECTOR) as HTMLElement;\n like?.click();\n }\n #expandImage(): void {\n if (!this.#currentPost) return tip(MISSING_POST_ERROR);", "score": 0.8033201694488525 }, { "filename": "src/content/watchers/helpers/vimKeybindings.ts", "retrieved_chunk": " const imageContainer = this.#currentPost.querySelector('div.expo-image-container') as HTMLElement;\n imageContainer?.click();\n }\n #onPostAltClick(event: MouseEvent): void {\n if (this.#isPaused || !event.altKey) return;\n event.preventDefault();\n this.#postList.setCurrentPost(event.target as HTMLElement).then((p) => this.#highlightPost(p)).catch(noop);\n }\n #highlightPost(post: HTMLElement): void {\n if (post === this.#currentPost) return;", "score": 0.8011922240257263 }, { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": " }\n #onTabButtonClick(event: MouseEvent): void {\n const target = event.target as HTMLElement;\n const data = target.getAttribute('data-testid');\n if (data === FOLLOWING_DATA || target.querySelector(`[data-testid=\"${FOLLOWING_DATA}\"]`)) {\n if (this.#activeTabSelector !== FOLLOWING_FEED) this.#currentPost = null;\n this.#activeTabSelector = FOLLOWING_FEED;\n } else if (data === WHATSHOT_DATA || target.querySelector(`[data-testid=\"${WHATSHOT_DATA}\"]`)) {\n if (this.#activeTabSelector !== WHATSHOT_FEED) this.#currentPost = null;\n this.#activeTabSelector = WHATSHOT_FEED;", "score": 0.7993743419647217 }, { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": "const WHATSHOT_FEED = new Selector('[data-testid=\"whatshotFeedPage\"]');\nconst getNextPost = (post: HTMLElement): HTMLElement | null => {\n if (post.nextSibling) {\n return post.nextSibling as HTMLElement;\n } else {\n const parent = post.parentElement;\n if (parent && parent.nextSibling) {\n return parent.nextSibling.firstChild as HTMLElement;\n } else {\n return null;", "score": 0.7988224029541016 } ]
typescript
const post = await fetchPost(agent, username, postId);
import { Client, ClientOptions, Message } from 'discord.js'; import { sentryCapture } from '@/config/sentry'; import { logger } from '@/config/winston'; import { Queue } from '@/queue/queue'; import { ERRORS } from '@/shared/errors'; import { SourceStream } from '@/sources/source-stream'; import { AudioPlayer } from '@discordjs/voice'; import { ALL_COMMANDS, Command } from './commands'; import { CommandHelp } from './commands/command-help'; import { BOT_MESSAGES } from './containts/default-messages'; export interface BotInfo { prefix: string; token: string; } export class MarliMusic extends Client { prefix: string; players: Map<string, AudioPlayer> = new Map(); static MAX_REPLY_CONTENT_LENGTH = 2000; constructor( private botInfo: BotInfo, public sourceStream: SourceStream, public queue: Queue, options?: ClientOptions ) { super(options); this.prefix = botInfo.prefix; this.login(this.botInfo.token).catch((reason) => { logger.log('error', ERRORS.BOT_STARTUP_ERROR, reason); sentryCapture(ERRORS.BOT_STARTUP_ERROR, new Error(reason)); }); this.once('ready', () => { this.healthCheck(); }); this.on('error', (error: Error) => { logger.error(ERRORS.BOT_STARTUP_ERROR, error); sentryCapture(ERRORS.BOT_STARTUP_ERROR, error); }); this.on('messageCreate', async (message: Message) => this.onMessage(message) ); } public healthCheck() { const healthString = `${this.user.username} online ${this.uptime}`; logger.log('debug', healthString); return healthString; } public addPlayer(connection: string) { this.players.set(connection, new AudioPlayer()); } public getPlayer(connection: string) { if (!this.players.has(connection)) { this.addPlayer(connection); } return this.players.get(connection); } public removePlayer(connection: string) { this.players.delete(connection); } private async onMessage(message: Message) { if (message.author.bot) return; if (!message.content.startsWith(this.prefix)) return; const args = message.content.split(' '); const input = message.content.replace(args[0], ''); const commandString = args[0].replace(this.prefix, ''); if (!ALL_COMMANDS[commandString]) { await message.reply(BOT_MESSAGES.INVALID_COMMAND); await new CommandHelp(this).execute(message); return; } const command:
Command = new ALL_COMMANDS[commandString](this);
await command.execute(message, input); } }
src/bot/marli-music.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/bot/commands/command-help.ts", "retrieved_chunk": " try {\n await this.validate(message, 'help');\n const commands = Object.keys(ALL_COMMANDS);\n message.reply(\n `Type: ${this.bot.prefix}<command> \\n\\nAll Commands:\\n${commands.join(\n '\\n'\n )}`\n );\n } catch (err) {\n await this.sendCommandError(err, message);", "score": 0.9113501310348511 }, { "filename": "src/bot/commands/command-help.ts", "retrieved_chunk": "import { Message } from 'discord.js';\nimport { MarliMusic } from '../marli-music';\nimport { Command } from './command';\nimport { ALL_COMMANDS } from './command-map';\nexport class CommandHelp extends Command {\n name = 'help';\n constructor(bot: MarliMusic) {\n super(bot);\n }\n async execute(message: Message) {", "score": 0.8704947829246521 }, { "filename": "src/bot/commands/command-stop.ts", "retrieved_chunk": " } catch (err) {\n await this.sendCommandError(err, message);\n }\n }\n}", "score": 0.8441839218139648 }, { "filename": "src/bot/commands/command-list-queue.ts", "retrieved_chunk": " });\n } catch (error) {\n await this.sendCommandError(error, message);\n }\n }\n}", "score": 0.8440935015678406 }, { "filename": "src/bot/commands/command-search.ts", "retrieved_chunk": " .join(' ')\n );\n } catch (err) {\n await this.sendCommandError(err, message);\n }\n }\n}", "score": 0.8392041921615601 } ]
typescript
Command = new ALL_COMMANDS[commandString](this);
import { Readable } from 'node:stream'; import play, { validate as validateStreamUrl, YouTubeVideo } from 'play-dl'; import { BotError, ERRORS } from '@/shared/errors'; import { ResultAudioSearch, SerachOptionsParams, SourceStream, } from '../source-stream'; import { playDlStrategies } from './strategies/strategy'; const youtubeStreamTypes = ['yt_video']; const spotifyStreamTypes = ['sp_track', 'sp_playlist']; const validStreamTypes = [...youtubeStreamTypes, ...spotifyStreamTypes]; export class PlayDlSourceStream implements SourceStream { streamType = 'sp_track'; async getStream(input: string): Promise<Readable> { try { const result = await play.stream(input, { quality: 2, }); return result.stream; } catch (e) { throw new BotError(e.stack || e.message, ERRORS.RESULT_NOT_FOUND); } } async search( input: string, options?: SerachOptionsParams ): Promise<ResultAudioSearch[]> { try { const result = await play.search(input, { ...(options?.limit && { limit: options.limit }), source: { youtube: 'video', }, }); if (!result.length) throw new Error(ERRORS.RESULT_NOT_FOUND); const resultMap = result.map((video: YouTubeVideo) => ({ duration: video.durationRaw.toString(), id: video.id, title: video.title, url: video.url, artist: video.channel?.name || video?.music.shift()?.artist, })); if (options?.limit === 1) { return [resultMap.shift()]; } return resultMap; } catch (e) { throw new BotError(e.stack || e.message, ERRORS.RESULT_NOT_FOUND); } } async getStreamFromUrl(url: string) { try { if (!url?.trim().startsWith('https')) return; const validUrl = await this.validate(url); if (!validUrl) throw new Error(ERRORS.INVALID_URL); if (spotifyStreamTypes.includes(this.streamType) && play.is_expired()) { await play.refreshToken(); } const
Strategy = playDlStrategies[this.streamType];
return new Strategy(this).getStreamInfo(url); } catch (e) { throw new BotError(e.stack || e.message, ERRORS.RESULT_NOT_FOUND); } } async validate(input: string): Promise<boolean> { this.streamType = String(await validateStreamUrl(input)); if (Boolean(this.streamType) === false) return false; return validStreamTypes.includes(this.streamType); } }
src/sources/play-dl-source/play-dl-source.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/sources/play-dl-source/strategies/spotify-strategy.ts", "retrieved_chunk": "import play, { SpotifyPlaylist, SpotifyTrack } from 'play-dl';\nimport { StreamInfo } from '@/sources/source-stream';\nimport { PlayDlSourceStream } from '../play-dl-source';\nimport { IStrategy } from './strategy';\nexport class SpotifyTrackStrategy implements IStrategy {\n constructor(private playDlSourceStream: PlayDlSourceStream) {}\n async getStreamInfo(url: string): Promise<StreamInfo[]> {\n const spotifyInfo = (await play.spotify(url.trim())) as SpotifyTrack;\n const searched = (\n await this.playDlSourceStream.search(", "score": 0.8773442506790161 }, { "filename": "src/sources/play-dl-source/strategies/youtube-strategy.ts", "retrieved_chunk": "import play from 'play-dl';\nimport { StreamInfo } from '@/sources/source-stream';\nimport { IStrategy } from './strategy';\nexport class YoutubeStrategy implements IStrategy {\n async getStreamInfo(url: string): Promise<StreamInfo[]> {\n const videoInfo = await play.video_info(url);\n return [\n {\n title: videoInfo.video_details.title,\n url: videoInfo.video_details.url,", "score": 0.8716713786125183 }, { "filename": "src/sources/play-dl-source/strategies/strategy.ts", "retrieved_chunk": "export interface IStrategy {\n getStreamInfo(url: string): Promise<StreamInfo[]>;\n}\nexport const playDlStrategies = {\n sp_playlist: SpotifyPlaylistStrategy,\n sp_track: SpotifyTrackStrategy,\n yt_video: YoutubeStrategy,\n};", "score": 0.8689687252044678 }, { "filename": "src/sources/ytdl-source/ytdl-source.ts", "retrieved_chunk": "import { Readable } from 'node:stream';\nimport yts from 'yt-search';\nimport ytdl, { getInfo, getURLVideoID, validateURL } from 'ytdl-core';\nimport { ERRORS } from '@/shared/errors';\nimport { ResultAudioSearch, SourceStream } from '../source-stream';\nexport class YtdlSourceStream implements SourceStream {\n async getStream(url: string): Promise<Readable> {\n const stream = ytdl(url, {\n dlChunkSize: 0,\n filter: 'audioonly',", "score": 0.8523080348968506 }, { "filename": "src/sources/source-stream.ts", "retrieved_chunk": " ): Promise<ResultAudioSearch[]>;\n getStreamFromUrl(url: string): Promise<StreamInfo[]>;\n validate(input: string): Promise<boolean>;\n}", "score": 0.8375701904296875 } ]
typescript
Strategy = playDlStrategies[this.streamType];
import { Message } from 'discord.js'; import { StreamInfo } from '@/sources/source-stream'; import { AudioPlayerStatus, joinVoiceChannel } from '@discordjs/voice'; import { BOT_MESSAGES } from '../containts/default-messages'; import { MarliMusic } from '../marli-music'; import { Command } from './command'; import { PlayHook } from './hooks/command-play-hook'; export class Play extends Command { constructor(bot: MarliMusic) { super(bot); this.name = 'play'; } async execute(message: Message, input: string) { try { await this.validate(message, input); const voiceMember = message.member.voice; const connection = joinVoiceChannel({ adapterCreator: voiceMember.guild.voiceAdapterCreator, channelId: voiceMember.channelId, guildId: String(voiceMember.guild.id), }); const source = this.getSourceStream(); const queue = this.getQueue(); const searchedStream = await source.getStreamFromUrl(input); const streamInfoCollection = searchedStream ?? ((await source.search(input, { limit: 1 })) as StreamInfo[]); streamInfoCollection.forEach((streamInfo: StreamInfo) => { queue.add(voiceMember.channelId, { streamInfo, userSearch: input, }); }); const firstSong = streamInfoCollection.shift(); const player = this.getPlayer(voiceMember.channelId); connection.subscribe(player); let replyContent = `${message.author.
username} ${BOT_MESSAGES.PUSHED_TO_QUEUE} ${firstSong.title} - ${firstSong.artist}`;
if (player.state.status === AudioPlayerStatus.Idle) { const searchResultUrl = firstSong?.url ?? (await this.getResourceUrl(firstSong.title, firstSong.artist)); player.play(await this.getAudioResource(searchResultUrl)); const playHook = new PlayHook(this.bot); playHook.execute(message); replyContent = `${message.author.username} ${BOT_MESSAGES.CURRENT_PLAYING} ${firstSong.title} - ${firstSong.artist}`; } await message.channel.send(replyContent); } catch (err) { await this.sendCommandError(err, message); } } }
src/bot/commands/command-play.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/bot/commands/command-list-queue.ts", "retrieved_chunk": "import { Message } from 'discord.js';\nimport { BOT_MESSAGES } from '../containts/default-messages';\nimport { Command } from './command';\nimport { MarliMusic } from '../marli-music';\nimport { fragmentContent } from '@/helpers/helpers';\nexport class ListQueue extends Command {\n async execute(message: Message<boolean>): Promise<void> {\n try {\n await this.validate(message, 'list');\n const connectionID = message.member.voice.channelId;", "score": 0.8452733755111694 }, { "filename": "src/bot/commands/hooks/command-play-hook.ts", "retrieved_chunk": " );\n });\n connection.on(VoiceConnectionStatus.Disconnected, () => {\n logger.log('info', 'disconnect');\n connection.destroy();\n const connectionID = message.member.voice.channelId;\n this.removePlayer(connectionID);\n });\n }\n}", "score": 0.8447255492210388 }, { "filename": "src/bot/commands/command-shuffle.ts", "retrieved_chunk": " try {\n await this.validate(message, 'shuffle');\n this.getQueue().shuffle(message.member.voice.channelId);\n new ListQueue(this.bot).execute(message);\n } catch (error) {\n await this.sendCommandError(error, message);\n }\n }\n}", "score": 0.844406247138977 }, { "filename": "src/bot/commands/command-skip.ts", "retrieved_chunk": " async execute(message: Message) {\n try {\n await this.validate(message, 'skip');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const queue = this.getQueue();\n const playlist = queue.getList(connectionID);\n if (playlist?.length > 1) {\n const next = playlist[1];\n if (!next.streamInfo?.url) {", "score": 0.842663049697876 }, { "filename": "src/bot/commands/command-stop.ts", "retrieved_chunk": " try {\n await this.validate(message, 'stop');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const queue = this.getQueue();\n player.stop();\n queue.clear(connectionID);\n this.removePlayer(connectionID);\n this.getConnection(message).destroy();\n await message.reply(BOT_MESSAGES.PLAYLIST_ENDED);", "score": 0.8399209976196289 } ]
typescript
username} ${BOT_MESSAGES.PUSHED_TO_QUEUE} ${firstSong.title} - ${firstSong.artist}`;
import { Client, ClientOptions, Message } from 'discord.js'; import { sentryCapture } from '@/config/sentry'; import { logger } from '@/config/winston'; import { Queue } from '@/queue/queue'; import { ERRORS } from '@/shared/errors'; import { SourceStream } from '@/sources/source-stream'; import { AudioPlayer } from '@discordjs/voice'; import { ALL_COMMANDS, Command } from './commands'; import { CommandHelp } from './commands/command-help'; import { BOT_MESSAGES } from './containts/default-messages'; export interface BotInfo { prefix: string; token: string; } export class MarliMusic extends Client { prefix: string; players: Map<string, AudioPlayer> = new Map(); static MAX_REPLY_CONTENT_LENGTH = 2000; constructor( private botInfo: BotInfo, public sourceStream: SourceStream, public queue: Queue, options?: ClientOptions ) { super(options); this.prefix = botInfo.prefix; this.login(this.botInfo.token).catch((reason) => { logger.log('error', ERRORS.BOT_STARTUP_ERROR, reason); sentryCapture(ERRORS.BOT_STARTUP_ERROR, new Error(reason)); }); this.once('ready', () => { this.healthCheck(); }); this.on('error', (error: Error) => { logger.error(ERRORS.BOT_STARTUP_ERROR, error); sentryCapture(ERRORS.BOT_STARTUP_ERROR, error); }); this.on('messageCreate', async (message: Message) => this.onMessage(message) ); } public healthCheck() { const healthString = `${this.user.username} online ${this.uptime}`; logger.log('debug', healthString); return healthString; } public addPlayer(connection: string) { this.players.set(connection, new AudioPlayer()); } public getPlayer(connection: string) { if (!this.players.has(connection)) { this.addPlayer(connection); } return this.players.get(connection); } public removePlayer(connection: string) { this.players.delete(connection); } private async onMessage(message: Message) { if (message.author.bot) return; if (!message.content.startsWith(this.prefix)) return; const args = message.content.split(' '); const input = message.content.replace(args[0], ''); const commandString = args[0].replace(this.prefix, ''); if (!ALL_COMMANDS[commandString]) { await message.reply(BOT_MESSAGES.INVALID_COMMAND);
await new CommandHelp(this).execute(message);
return; } const command: Command = new ALL_COMMANDS[commandString](this); await command.execute(message, input); } }
src/bot/marli-music.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/bot/commands/command-help.ts", "retrieved_chunk": " try {\n await this.validate(message, 'help');\n const commands = Object.keys(ALL_COMMANDS);\n message.reply(\n `Type: ${this.bot.prefix}<command> \\n\\nAll Commands:\\n${commands.join(\n '\\n'\n )}`\n );\n } catch (err) {\n await this.sendCommandError(err, message);", "score": 0.8948386907577515 }, { "filename": "src/bot/commands/command-help.ts", "retrieved_chunk": "import { Message } from 'discord.js';\nimport { MarliMusic } from '../marli-music';\nimport { Command } from './command';\nimport { ALL_COMMANDS } from './command-map';\nexport class CommandHelp extends Command {\n name = 'help';\n constructor(bot: MarliMusic) {\n super(bot);\n }\n async execute(message: Message) {", "score": 0.8585383892059326 }, { "filename": "src/bot/commands/command-list-queue.ts", "retrieved_chunk": " });\n } catch (error) {\n await this.sendCommandError(error, message);\n }\n }\n}", "score": 0.8546338081359863 }, { "filename": "src/bot/commands/command-stop.ts", "retrieved_chunk": " } catch (err) {\n await this.sendCommandError(err, message);\n }\n }\n}", "score": 0.850548505783081 }, { "filename": "src/bot/commands/hooks/command-play-hook.ts", "retrieved_chunk": " super(bot);\n }\n async execute(message: Message) {\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const connection = this.getConnection(message);\n player.on('error', async (error: Error) => {\n await this.sendCommandError(\n new BotError(error.stack, BOT_MESSAGES.BOT_ERROR),\n message", "score": 0.8420084714889526 } ]
typescript
await new CommandHelp(this).execute(message);
import {Watcher} from './watcher'; import {CallThrottler} from '../utils/callThrottler'; import {POST_ITEM_LINK_INJECTED_MARKER} from '../dom/constants'; import {POST_ITEMS, POST_ITEM_LINKS} from '../dom/selectors'; import {ultimatelyFindAll} from '../dom/utils'; import {noop} from '../../shared/misc'; const THROTTLING_INTERVAL = 500; const YOUTU_BE_REGEX = /youtu\.be\/([a-zA-Z0-9_-]+)/; const YOUTUBE_WATCH_REGEX = /youtube\.com\/watch\?v=([a-zA-Z0-9_-]+)/; const resolveYoutubeId = (url: string): string | null => { let match; if (url.includes('youtu.be')) { match = url.match(YOUTU_BE_REGEX); } else if (url.includes('youtube.com/watch')) { match = url.match(YOUTUBE_WATCH_REGEX); } return match?.[1] ?? null; }; const injectYoutubePlayers = (youtubeLinks: HTMLLinkElement[]): void => { youtubeLinks.forEach((link) => { if (link.getAttribute(POST_ITEM_LINK_INJECTED_MARKER)) return; const videoId = resolveYoutubeId(link.href ?? ''); if (!videoId) return; const iframe = document.createElement('iframe'); iframe.setAttribute('src', `https://www.youtube.com/embed/${videoId}`); iframe.setAttribute('allow', 'accelerometer; autoplay; encrypted-media; gyroscope; picture-in-picture'); iframe.setAttribute('allowfullscreen', 'true'); iframe.style.width = '100%'; iframe.style.height = '400px'; iframe.style.border = 'none'; iframe.style.flexGrow = '1'; iframe.style.paddingTop = '10px'; link.parentNode?.parentNode?.appendChild(iframe); link.setAttribute(POST_ITEM_LINK_INJECTED_MARKER, 'true'); const blueskyYoutubePreview = iframe.parentNode?.nextSibling as HTMLElement; if (blueskyYoutubePreview?.getAttribute('tabindex') === '0') { blueskyYoutubePreview.style.display = 'none'; } }); }; const createYoutubePlayers = (container: HTMLElement): void => { ultimatelyFindAll(container, [POST_ITEMS, POST_ITEM_LINKS]) .then((links) => injectYoutubePlayers(links as HTMLLinkElement[])) .catch(noop); }; export class YoutubeWatcher extends Watcher { readonly #container: HTMLElement; readonly #throttler: CallThrottler = new CallThrottler(THROTTLING_INTERVAL); readonly #observer: MutationObserver; constructor(container: HTMLElement) { super(); this.#container = container; this.#observer = new MutationObserver(() => { const currentLayout = this.#container.lastChild as HTMLElement;
this.#throttler.call(() => createYoutubePlayers(currentLayout));
}); } watch(): void { const initialLayout = this.#container.lastChild as HTMLElement; this.#throttler.call(() => createYoutubePlayers(initialLayout)); this.#observer.observe(this.#container, {childList: true, subtree: true}); } }
src/content/watchers/youtube.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/watchers/helpers/postList.ts", "retrieved_chunk": " readonly #mutationObserver: MutationObserver;\n readonly #tabButtonEventKeeper = new EventKeeper();\n #activeTabSelector: Selector = FOLLOWING_FEED;\n #currentPost: HTMLElement | null = null;\n #isPaused: boolean;\n constructor(targetContainer: HTMLElement, startPaused = true) {\n this.#container = targetContainer;\n this.#mutationObserver = new MutationObserver(this.#onContainerMutation.bind(this));\n this.#isPaused = startPaused;\n if (!startPaused) this.start();", "score": 0.8624693751335144 }, { "filename": "src/content/watchers/postDatetime.ts", "retrieved_chunk": " tooltip.role = 'tooltip';\n tooltip.className = 'bluesky-overhaul-tooltip';\n tooltip.textContent = datetime;\n return tooltip;\n};\nexport class PostDatetimeWatcher extends Watcher implements ISettingsSubscriber {\n #container: HTMLElement;\n #enabled: boolean;\n constructor(container: HTMLElement) {\n super();", "score": 0.8563084006309509 }, { "filename": "src/content/watchers/keydown.ts", "retrieved_chunk": "const LEFT_ARROW_BUTTON = new Selector('[aria-label=\"Previous image\"]', {exhaustAfter: 0});\nconst RIGHT_ARROW_BUTTON = new Selector('[aria-label=\"Next image\"]', {exhaustAfter: 0});\nconst PHOTO_KEYS = ['ArrowLeft', 'ArrowRight'];\nexport class KeydownWatcher extends Watcher implements IPausable, ISettingsSubscriber {\n readonly #container: HTMLElement;\n readonly #vimHandler: VimKeybindingsHandler;\n #isPaused = false;\n constructor(targetContainer: HTMLElement, vimContainer: HTMLElement) {\n super();\n this.#container = targetContainer;", "score": 0.8490583896636963 }, { "filename": "src/content/watchers/countersConcealer.ts", "retrieved_chunk": "const HIDE_FOLLOWERS_CLASS = 'bluesky-overhaul-hide-followers';\nconst HIDE_FOLLOWING_CLASS = 'bluesky-overhaul-hide-following';\nconst HIDE_POSTS_CLASS = 'bluesky-overhaul-hide-posts';\nexport class CountersConcealer extends Watcher implements ISettingsSubscriber {\n #container: HTMLElement;\n constructor(documentBody: HTMLElement) {\n super();\n this.#container = documentBody;\n }\n watch(): void {", "score": 0.8480836153030396 }, { "filename": "src/content/watchers/watcher.ts", "retrieved_chunk": "export abstract class Watcher {\n abstract watch(): void;\n}", "score": 0.8278937339782715 } ]
typescript
this.#throttler.call(() => createYoutubePlayers(currentLayout));
import { createPopper } from '@popperjs/core'; import {TSetting, TSettings} from '../../types'; import {APP_SETTINGS} from '../../shared/appSettings'; import {ISettingsSubscriber} from '../../interfaces'; import {Watcher} from './watcher'; import {getSettingsManager} from '../browser/settingsManager'; import {getAgent, fetchPost, LoginError} from '../bsky/api'; import {alert} from '../utils/notifications'; const DEFAULT_SETTINGS: Partial<TSettings> = { [APP_SETTINGS.SHOW_POST_DATETIME]: false, [APP_SETTINGS.BSKY_IDENTIFIER]: '', [APP_SETTINGS.BSKY_PASSWORD]: '' }; type PostUrl = { username: string; postId: string; }; const POST_HREF_REGEX = /profile\/(.+)\/post\/([a-zA-Z0-9]+)$/; const DATETIME_MARKER = 'data-bluesky-overhaul-datetime'; const getCredentials = async (): Promise<[string, string]> => { const settingsManager = await getSettingsManager(); return await Promise.all([ settingsManager.get(APP_SETTINGS.BSKY_IDENTIFIER) as string, settingsManager.get(APP_SETTINGS.BSKY_PASSWORD) as string ]); }; const parsePostUrl = (url: string | null): PostUrl => { if (!url) throw new Error('Missing post URL'); const match = url.match(POST_HREF_REGEX); if (!match) throw new Error('Invalid post URL'); return {username: match[1], postId: match[2]}; }; const parsePostDatetime = (datetime: string): string => { const date = new Date(datetime); return date.toLocaleString('en-US', { month: 'long', day: 'numeric', year: 'numeric', hour: 'numeric', minute: 'numeric' }); }; const createDatetimeTooltip = (datetime: string): HTMLElement => { const tooltip = document.createElement('div'); tooltip.role = 'tooltip'; tooltip.className = 'bluesky-overhaul-tooltip'; tooltip.textContent = datetime; return tooltip; }; export class PostDatetimeWatcher extends Watcher implements ISettingsSubscriber { #container: HTMLElement; #enabled: boolean; constructor(container: HTMLElement) { super(); this.#container = container; this.#enabled = DEFAULT_SETTINGS[APP_SETTINGS.SHOW_POST_DATETIME] as boolean; } watch(): void { this.#container.addEventListener('mouseover', this.#handleMouseOver.bind(this)); } onSettingChange(name: APP_SETTINGS, value: TSetting): void { if (!this.SETTINGS.includes(name)) throw new Error(`Unknown setting name "${name}"`); if (typeof value !== typeof DEFAULT_SETTINGS[name]) throw new Error(`Invalid value "${value}" for "${name}"`); if (name === APP_SETTINGS.SHOW_POST_DATETIME) { this.#enabled = value as boolean; } } get SETTINGS(): APP_SETTINGS[] { return Object.keys(DEFAULT_SETTINGS) as APP_SETTINGS[]; } async #handleMouseOver(event: MouseEvent): Promise<void> { if (!this.#enabled) return; const target = event.target as HTMLElement; if (target.tagName.toLowerCase() !== 'a') return; let datetime = target.getAttribute(DATETIME_MARKER); if (!datetime) { try { const {username, postId} = parsePostUrl(target.getAttribute('href')); if (username && postId) { const [identifier, password] = await getCredentials(); try { const agent = await getAgent(identifier, password); const post = await fetchPost(agent, username, postId); datetime = parsePostDatetime(post.indexedAt); target.setAttribute(DATETIME_MARKER, datetime); } catch (error) { if (error instanceof
LoginError) alert('Login failed: wrong identifier or password');
return; } } else { return; } } catch { return; } } const tooltip = createDatetimeTooltip(datetime); document.body.appendChild(tooltip); const instance = createPopper(target, tooltip, { placement: 'top' }); target.addEventListener('mouseleave', () => { instance.destroy(); tooltip.remove(); }, {once: true}); } }
src/content/watchers/postDatetime.ts
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/content/bsky/api.ts", "retrieved_chunk": " throw new LoginError();\n }\n};\nexport const fetchPost = async (agent: BskyAgent, username: string, postId: string): Promise<Post> => {\n const did = await agent.resolveHandle({ handle: username }).then((response) => response.data.did);\n const response = await agent.getPostThread({uri: `at://${did}/app.bsky.feed.post/${postId}`});\n return response.data.thread.post as Post;\n};", "score": 0.8577259182929993 }, { "filename": "src/content/bsky/api.ts", "retrieved_chunk": "import {Post} from '@atproto/api/dist/src/types/app/bsky/getPostThread';\nimport {BskyAgent} from '@atproto/api';\nexport class LoginError extends Error {}\nexport const getAgent = async (identifier: string, password: string): Promise<BskyAgent> => {\n const agent = new BskyAgent({service: 'https://bsky.social'});\n // TODO : cache session\n try {\n await agent.login({identifier, password});\n return agent;\n } catch {", "score": 0.8246681094169617 }, { "filename": "src/content/watchers/helpers/vimKeybindings.ts", "retrieved_chunk": " const repost = this.#currentPost.querySelector(REPOST_BUTTON_SELECTOR) as HTMLElement;\n repost?.click();\n }\n #likePost(): void {\n if (!this.#currentPost) return tip(MISSING_POST_ERROR);\n const like = this.#currentPost.querySelector(LIKE_BUTTON_SELECTOR) as HTMLElement;\n like?.click();\n }\n #expandImage(): void {\n if (!this.#currentPost) return tip(MISSING_POST_ERROR);", "score": 0.8147543668746948 }, { "filename": "src/content/watchers/helpers/vimKeybindings.ts", "retrieved_chunk": " this.#postList.getPreviousPost().then((p) => this.#highlightPost(p));\n }\n }\n #replyToPost(): void {\n if (!this.#currentPost) return tip(MISSING_POST_ERROR);\n const reply = this.#currentPost.querySelector(REPLY_BUTTON_SELECTOR) as HTMLElement;\n reply?.click();\n }\n #repostPost(): void {\n if (!this.#currentPost) return tip(MISSING_POST_ERROR);", "score": 0.8094450235366821 }, { "filename": "src/content/watchers/helpers/vimKeybindings.ts", "retrieved_chunk": " const imageContainer = this.#currentPost.querySelector('div.expo-image-container') as HTMLElement;\n imageContainer?.click();\n }\n #onPostAltClick(event: MouseEvent): void {\n if (this.#isPaused || !event.altKey) return;\n event.preventDefault();\n this.#postList.setCurrentPost(event.target as HTMLElement).then((p) => this.#highlightPost(p)).catch(noop);\n }\n #highlightPost(post: HTMLElement): void {\n if (post === this.#currentPost) return;", "score": 0.806113600730896 } ]
typescript
LoginError) alert('Login failed: wrong identifier or password');
import { Client, ClientOptions, Message } from 'discord.js'; import { sentryCapture } from '@/config/sentry'; import { logger } from '@/config/winston'; import { Queue } from '@/queue/queue'; import { ERRORS } from '@/shared/errors'; import { SourceStream } from '@/sources/source-stream'; import { AudioPlayer } from '@discordjs/voice'; import { ALL_COMMANDS, Command } from './commands'; import { CommandHelp } from './commands/command-help'; import { BOT_MESSAGES } from './containts/default-messages'; export interface BotInfo { prefix: string; token: string; } export class MarliMusic extends Client { prefix: string; players: Map<string, AudioPlayer> = new Map(); static MAX_REPLY_CONTENT_LENGTH = 2000; constructor( private botInfo: BotInfo, public sourceStream: SourceStream, public queue: Queue, options?: ClientOptions ) { super(options); this.prefix = botInfo.prefix; this.login(this.botInfo.token).catch((reason) => { logger.log('error', ERRORS.BOT_STARTUP_ERROR, reason); sentryCapture(ERRORS.BOT_STARTUP_ERROR, new Error(reason)); }); this.once('ready', () => { this.healthCheck(); }); this.on('error', (error: Error) => { logger.error(ERRORS.BOT_STARTUP_ERROR, error); sentryCapture(ERRORS.BOT_STARTUP_ERROR, error); }); this.on('messageCreate', async (message: Message) => this.onMessage(message) ); } public healthCheck() { const healthString = `${this.user.username} online ${this.uptime}`; logger.log('debug', healthString); return healthString; } public addPlayer(connection: string) { this.players.set(connection, new AudioPlayer()); } public getPlayer(connection: string) { if (!this.players.has(connection)) { this.addPlayer(connection); } return this.players.get(connection); } public removePlayer(connection: string) { this.players.delete(connection); } private async onMessage(message: Message) { if (message.author.bot) return; if (!message.content.startsWith(this.prefix)) return; const args = message.content.split(' '); const input = message.content.replace(args[0], ''); const commandString = args[0].replace(this.prefix, ''); if (!ALL_COMMANDS[commandString]) { await message.reply(
BOT_MESSAGES.INVALID_COMMAND);
await new CommandHelp(this).execute(message); return; } const command: Command = new ALL_COMMANDS[commandString](this); await command.execute(message, input); } }
src/bot/marli-music.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/bot/commands/command-help.ts", "retrieved_chunk": " try {\n await this.validate(message, 'help');\n const commands = Object.keys(ALL_COMMANDS);\n message.reply(\n `Type: ${this.bot.prefix}<command> \\n\\nAll Commands:\\n${commands.join(\n '\\n'\n )}`\n );\n } catch (err) {\n await this.sendCommandError(err, message);", "score": 0.8828226923942566 }, { "filename": "src/bot/commands/command-list-queue.ts", "retrieved_chunk": " });\n } catch (error) {\n await this.sendCommandError(error, message);\n }\n }\n}", "score": 0.8459492921829224 }, { "filename": "src/bot/commands/command-stop.ts", "retrieved_chunk": " } catch (err) {\n await this.sendCommandError(err, message);\n }\n }\n}", "score": 0.8441019058227539 }, { "filename": "src/bot/commands/command-help.ts", "retrieved_chunk": "import { Message } from 'discord.js';\nimport { MarliMusic } from '../marli-music';\nimport { Command } from './command';\nimport { ALL_COMMANDS } from './command-map';\nexport class CommandHelp extends Command {\n name = 'help';\n constructor(bot: MarliMusic) {\n super(bot);\n }\n async execute(message: Message) {", "score": 0.8391119241714478 }, { "filename": "src/bot/commands/command.ts", "retrieved_chunk": " }\n getSourceStream() {\n return this.bot.sourceStream;\n }\n public getConnection(message: Message) {\n return getVoiceConnection(message.member.voice.guild.id);\n }\n async validate(message: Message, input: string): Promise<boolean> {\n const voiceChannel = message.member.voice.channel;\n if (!voiceChannel) {", "score": 0.8377583026885986 } ]
typescript
BOT_MESSAGES.INVALID_COMMAND);
import { Message } from 'discord.js'; import { StreamInfo } from '@/sources/source-stream'; import { AudioPlayerStatus, joinVoiceChannel } from '@discordjs/voice'; import { BOT_MESSAGES } from '../containts/default-messages'; import { MarliMusic } from '../marli-music'; import { Command } from './command'; import { PlayHook } from './hooks/command-play-hook'; export class Play extends Command { constructor(bot: MarliMusic) { super(bot); this.name = 'play'; } async execute(message: Message, input: string) { try { await this.validate(message, input); const voiceMember = message.member.voice; const connection = joinVoiceChannel({ adapterCreator: voiceMember.guild.voiceAdapterCreator, channelId: voiceMember.channelId, guildId: String(voiceMember.guild.id), }); const source = this.getSourceStream(); const queue = this.getQueue(); const searchedStream = await source.getStreamFromUrl(input); const streamInfoCollection = searchedStream ?? ((await source.search(input, { limit: 1 })) as StreamInfo[]); streamInfoCollection.forEach((streamInfo: StreamInfo) => { queue.add(voiceMember.channelId, { streamInfo, userSearch: input, }); }); const firstSong = streamInfoCollection.shift(); const player = this.getPlayer(voiceMember.channelId); connection.subscribe(player); let replyContent = `${message.author.username} ${BOT_MESSAGES.PUSHED_TO_QUEUE} ${firstSong.title} - ${firstSong.artist}`; if (player.state.status === AudioPlayerStatus.Idle) { const searchResultUrl = firstSong?.url ?? (await this.getResourceUrl(firstSong.title, firstSong.artist));
player.play(await this.getAudioResource(searchResultUrl));
const playHook = new PlayHook(this.bot); playHook.execute(message); replyContent = `${message.author.username} ${BOT_MESSAGES.CURRENT_PLAYING} ${firstSong.title} - ${firstSong.artist}`; } await message.channel.send(replyContent); } catch (err) { await this.sendCommandError(err, message); } } }
src/bot/commands/command-play.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/bot/commands/command-skip.ts", "retrieved_chunk": " next.streamInfo.url = await this.getResourceUrl(\n next.streamInfo.title,\n next.streamInfo.artist\n );\n }\n const audioResource = await this.getAudioResource(next.streamInfo.url);\n await message.reply(\n `${BOT_MESSAGES.MUSIC_SKIPPED} ${next.streamInfo.title} - ${next.streamInfo.artist}`\n );\n player.play(audioResource);", "score": 0.8760500550270081 }, { "filename": "src/bot/commands/command-skip.ts", "retrieved_chunk": " async execute(message: Message) {\n try {\n await this.validate(message, 'skip');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const queue = this.getQueue();\n const playlist = queue.getList(connectionID);\n if (playlist?.length > 1) {\n const next = playlist[1];\n if (!next.streamInfo?.url) {", "score": 0.8731497526168823 }, { "filename": "src/bot/commands/command-resume.ts", "retrieved_chunk": " try {\n await this.validate(message, 'resume');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n player.unpause();\n await message.reply({\n content: `${message.author.username} ${BOT_MESSAGES.MUSIC_RESUMED}`,\n });\n } catch (error) {\n await this.sendCommandError(error, message);", "score": 0.8643732666969299 }, { "filename": "src/bot/commands/hooks/command-play-hook.ts", "retrieved_chunk": " );\n });\n player.on(AudioPlayerStatus.Idle, async () => {\n const skip = new Skip(this.bot);\n await skip.execute(message);\n });\n connection.on('error', async (error: Error) => {\n await this.sendCommandError(\n new BotError(error.stack, BOT_MESSAGES.BOT_ERROR),\n message", "score": 0.8583762645721436 }, { "filename": "src/bot/commands/command-stop.ts", "retrieved_chunk": " try {\n await this.validate(message, 'stop');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const queue = this.getQueue();\n player.stop();\n queue.clear(connectionID);\n this.removePlayer(connectionID);\n this.getConnection(message).destroy();\n await message.reply(BOT_MESSAGES.PLAYLIST_ENDED);", "score": 0.8523480892181396 } ]
typescript
player.play(await this.getAudioResource(searchResultUrl));
import {TSetting, TSettings} from '../../types'; import React from 'react'; import {APP_SETTINGS} from '../../shared/appSettings'; import Checkbox from '../components/Checkbox'; import Input from '../components/Input'; import {BADGE_LEVEL} from '../components/Badge'; import {preventDefault} from '../../shared/misc'; const nameToText = (name: string): string => { return name.split('-').map((word) => word[0].toUpperCase() + word.slice(1)).join(' '); }; const BADGES: { [key in APP_SETTINGS]?: { type: BADGE_LEVEL, text: string } } = { [APP_SETTINGS.BLUESKY_OVERHAUL_ENABLED]: {type: BADGE_LEVEL.DANGER, text: 'page reload'}, [APP_SETTINGS.HANDLE_VIM_KEYBINDINGS]: {type: BADGE_LEVEL.WARNING, text: 'experimental'}, [APP_SETTINGS.SHOW_POST_DATETIME]: {type: BADGE_LEVEL.INFO, text: 'requires login'} }; const TIPS: { [key in APP_SETTINGS]?: string } = { [APP_SETTINGS.BLUESKY_OVERHAUL_ENABLED]: 'It will turn back on when the next release is ready', [APP_SETTINGS.HANDLE_VIM_KEYBINDINGS]: 'Press "?" while on Bluesky to see the list of keys', [APP_SETTINGS.SHOW_POST_DATETIME]: 'Enter your Bluesky credentials to enable this' }; type FormProps = { settings: TSettings; onChange: (name: APP_SETTINGS, value: TSetting) => void; }; export default function Form({settings, onChange}: FormProps): JSX.Element { return ( <form className="form-horizontal" onSubmit={preventDefault}> {Object.keys(settings).map((setting) => { const name = setting as keyof TSettings; const value = settings[name]; // TODO : introduce explicit types for all settings in TSettings if (name === APP_SETTINGS.BSKY_IDENTIFIER || name === APP_SETTINGS.BSKY_PASSWORD) { return <Input key={name} type={name === APP_SETTINGS.BSKY_PASSWORD ? 'password' : 'text'} value={value as string} // TODO : fix this text={nameToText(name)}
callback={(newValue) => onChange(name, newValue)}
/>; } else { return <Checkbox key={name} value={value as boolean} // TODO : fix this text={nameToText(name)} badge={BADGES[name]} tooltip={TIPS[name]} callback={(newValue) => onChange(name, newValue)} />; } })} </form> ); }
src/popup/blocks/Form.tsx
xenohunter-bluesky-overhaul-ec599a6
[ { "filename": "src/popup/settingsKeeper.ts", "retrieved_chunk": "import {TSetting} from '../types';\nimport {APP_SETTINGS, DEFAULT_SETTINGS} from '../shared/appSettings';\nimport {setSettings} from '../shared/browserApi';\nimport {SettingsProvider} from '../shared/settingsProvider';\nclass SettingsKeeper extends SettingsProvider {\n async set(settingName: APP_SETTINGS, value: TSetting): Promise<void> {\n if (!this.isInitialized) throw new Error('SettingsKeeper are not initialized');\n if (!(settingName in DEFAULT_SETTINGS)) throw new Error(`Unknown setting: ${settingName}`);\n const oldSettings = this.getAll();\n try {", "score": 0.8442825078964233 }, { "filename": "src/content/browser/settingsManager.ts", "retrieved_chunk": " this.#listeners[settingName]?.push(callback);\n if (settingName in this.settings) {\n callback(settingName, this.settings[settingName] as TSetting);\n }\n });\n }\n #onSettingsChange(newSettings: TSettings): void {\n this.settings = {...this.settings, ...newSettings};\n for (const [key, value] of Object.entries(newSettings)) {\n if (key in this.#listeners) {", "score": 0.8425911664962769 }, { "filename": "src/shared/appSettings.ts", "retrieved_chunk": "import {TSettings} from '../types';\nexport enum APP_SETTINGS {\n BLUESKY_OVERHAUL_ENABLED = 'bluesky-overhaul-enabled',\n HANDLE_VIM_KEYBINDINGS = 'vim-keybindings',\n HIDE_FOLLOWERS_COUNT = 'hide-followers-count',\n HIDE_FOLLOWING_COUNT = 'hide-following-count',\n HIDE_POSTS_COUNT = 'hide-posts-count',\n SHOW_POST_DATETIME = 'show-post-datetime',\n BSKY_IDENTIFIER = 'bsky-identifier',\n BSKY_PASSWORD = 'bsky-password'", "score": 0.8388779163360596 }, { "filename": "src/shared/settingsProvider.ts", "retrieved_chunk": " this.isInitialized = true;\n }\n getAll(): TSettings {\n if (!this.isInitialized) throw new Error('SettingsKeeper are not initialized');\n return {...this.settings};\n }\n get(settingName: APP_SETTINGS): TSetting {\n if (!this.isInitialized) throw new Error('SettingsKeeper are not initialized');\n if (!(settingName in this.settings)) throw new Error(`Setting ${settingName} is not present`);\n return this.settings[settingName];", "score": 0.8315374851226807 }, { "filename": "src/content/browser/settingsManager.ts", "retrieved_chunk": " const settingName = key as APP_SETTINGS;\n const listeners = this.#listeners[settingName] as TListener[];\n listeners.forEach((listener) => listener(settingName, value));\n }\n }\n success('Settings updated');\n }\n}\nconst settingsManager = new SettingsManager();\nexport const getSettingsManager = async (): Promise<SettingsManager> => {", "score": 0.8262481689453125 } ]
typescript
callback={(newValue) => onChange(name, newValue)}
import { Message } from 'discord.js'; import { StreamInfo } from '@/sources/source-stream'; import { AudioPlayerStatus, joinVoiceChannel } from '@discordjs/voice'; import { BOT_MESSAGES } from '../containts/default-messages'; import { MarliMusic } from '../marli-music'; import { Command } from './command'; import { PlayHook } from './hooks/command-play-hook'; export class Play extends Command { constructor(bot: MarliMusic) { super(bot); this.name = 'play'; } async execute(message: Message, input: string) { try { await this.validate(message, input); const voiceMember = message.member.voice; const connection = joinVoiceChannel({ adapterCreator: voiceMember.guild.voiceAdapterCreator, channelId: voiceMember.channelId, guildId: String(voiceMember.guild.id), }); const source = this.getSourceStream(); const queue = this.getQueue(); const searchedStream = await source.getStreamFromUrl(input); const streamInfoCollection = searchedStream ?? ((await source.search(input, { limit: 1 })) as StreamInfo[]); streamInfoCollection.forEach((streamInfo: StreamInfo) => { queue.add(voiceMember.channelId, { streamInfo, userSearch: input, }); }); const firstSong = streamInfoCollection.shift(); const player = this.getPlayer(voiceMember.channelId); connection.subscribe(player); let replyContent = `${message.author.username} ${BOT_MESSAGES.PUSHED_TO_QUEUE} ${firstSong.title} - ${firstSong.artist}`; if (player.state.status === AudioPlayerStatus.Idle) { const searchResultUrl = firstSong?.url ?? (await this.getResourceUrl(firstSong.title, firstSong.artist)); player.play(await this.getAudioResource(searchResultUrl)); const playHook = new PlayHook(this.bot); playHook.execute(message); replyContent = `${message.author.username}
${BOT_MESSAGES.CURRENT_PLAYING} ${firstSong.title} - ${firstSong.artist}`;
} await message.channel.send(replyContent); } catch (err) { await this.sendCommandError(err, message); } } }
src/bot/commands/command-play.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/bot/commands/command-skip.ts", "retrieved_chunk": " next.streamInfo.url = await this.getResourceUrl(\n next.streamInfo.title,\n next.streamInfo.artist\n );\n }\n const audioResource = await this.getAudioResource(next.streamInfo.url);\n await message.reply(\n `${BOT_MESSAGES.MUSIC_SKIPPED} ${next.streamInfo.title} - ${next.streamInfo.artist}`\n );\n player.play(audioResource);", "score": 0.871058464050293 }, { "filename": "src/bot/commands/hooks/command-play-hook.ts", "retrieved_chunk": " );\n });\n player.on(AudioPlayerStatus.Idle, async () => {\n const skip = new Skip(this.bot);\n await skip.execute(message);\n });\n connection.on('error', async (error: Error) => {\n await this.sendCommandError(\n new BotError(error.stack, BOT_MESSAGES.BOT_ERROR),\n message", "score": 0.8434434533119202 }, { "filename": "src/bot/commands/command-resume.ts", "retrieved_chunk": " try {\n await this.validate(message, 'resume');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n player.unpause();\n await message.reply({\n content: `${message.author.username} ${BOT_MESSAGES.MUSIC_RESUMED}`,\n });\n } catch (error) {\n await this.sendCommandError(error, message);", "score": 0.8419675230979919 }, { "filename": "src/bot/commands/command-skip.ts", "retrieved_chunk": " async execute(message: Message) {\n try {\n await this.validate(message, 'skip');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const queue = this.getQueue();\n const playlist = queue.getList(connectionID);\n if (playlist?.length > 1) {\n const next = playlist[1];\n if (!next.streamInfo?.url) {", "score": 0.839540421962738 }, { "filename": "src/bot/commands/command-list-queue.ts", "retrieved_chunk": " item.streamInfo.artist\n }\\t`\n )\n .join('');\n fragmentContent(\n itemsToShow,\n MarliMusic.MAX_REPLY_CONTENT_LENGTH,\n '\\t'\n ).forEach(async (fragment) => {\n await message.reply(fragment);", "score": 0.8285718560218811 } ]
typescript
${BOT_MESSAGES.CURRENT_PLAYING} ${firstSong.title} - ${firstSong.artist}`;
import { StreamInfo } from '@/sources/source-stream'; import { shuffleArray } from '../helpers/helpers'; export interface QueueData { streamInfo: StreamInfo; userSearch: string; } export abstract class Queue { items: Map<string, QueueData[]> = new Map(); abstract getList(connection: string): QueueData[]; abstract add(connection: string, value: QueueData): void; abstract pop(connection: string): void; abstract clear(connection: string): void; abstract shuffle(connection: string): void; } export class LocalQueue extends Queue { constructor() { super(); } getList(connectionID: string): QueueData[] { return this.items.get(connectionID) || []; } add(connectionID: string, value: QueueData) { const connectionItems = this.getList(connectionID); connectionItems.push(value); this.items.set(connectionID, connectionItems); } pop(connectionID: string) { const connectionItems = this.getList(connectionID); connectionItems.shift(); this.items.set(connectionID, connectionItems); } clear(connectionID: string): void { this.items.delete(connectionID); } shuffle(connectionID: string): void { const list = this.getList(connectionID); const shuffledList
= shuffleArray<QueueData>(list);
this.items.set(connectionID, shuffledList); } }
src/queue/queue.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/bot/commands/command-skip.ts", "retrieved_chunk": " queue.pop(connectionID);\n } else {\n player.removeAllListeners();\n const stop = new Stop(this.bot);\n await stop.execute(message);\n }\n } catch (error) {\n await this.sendCommandError(error, message);\n }\n }", "score": 0.8083321452140808 }, { "filename": "src/bot/commands/command-list-queue.ts", "retrieved_chunk": " const queue = this.getQueue();\n const queueList = queue.getList(connectionID);\n if (!queueList?.length) {\n message.reply(BOT_MESSAGES.PLAYLIST_EMPTY);\n return;\n }\n const itemsToShow = queueList\n .map(\n (item, index) =>\n `\\n${index + 1} - ${item.streamInfo.title} - ${", "score": 0.7985002994537354 }, { "filename": "src/bot/marli-music.ts", "retrieved_chunk": " if (!this.players.has(connection)) {\n this.addPlayer(connection);\n }\n return this.players.get(connection);\n }\n public removePlayer(connection: string) {\n this.players.delete(connection);\n }\n private async onMessage(message: Message) {\n if (message.author.bot) return;", "score": 0.7831128835678101 }, { "filename": "src/bot/commands/command.ts", "retrieved_chunk": " return search.url;\n }\n getPlayer(connectionID: string): AudioPlayer {\n return this.bot.getPlayer(connectionID);\n }\n removePlayer(connectionID: string) {\n this.bot.removePlayer(connectionID);\n }\n getQueue() {\n return this.bot.queue;", "score": 0.7759466171264648 }, { "filename": "src/bot/commands/hooks/command-play-hook.ts", "retrieved_chunk": " );\n });\n connection.on(VoiceConnectionStatus.Disconnected, () => {\n logger.log('info', 'disconnect');\n connection.destroy();\n const connectionID = message.member.voice.channelId;\n this.removePlayer(connectionID);\n });\n }\n}", "score": 0.7727314233779907 } ]
typescript
= shuffleArray<QueueData>(list);
import { Message } from 'discord.js'; import { StreamInfo } from '@/sources/source-stream'; import { AudioPlayerStatus, joinVoiceChannel } from '@discordjs/voice'; import { BOT_MESSAGES } from '../containts/default-messages'; import { MarliMusic } from '../marli-music'; import { Command } from './command'; import { PlayHook } from './hooks/command-play-hook'; export class Play extends Command { constructor(bot: MarliMusic) { super(bot); this.name = 'play'; } async execute(message: Message, input: string) { try { await this.validate(message, input); const voiceMember = message.member.voice; const connection = joinVoiceChannel({ adapterCreator: voiceMember.guild.voiceAdapterCreator, channelId: voiceMember.channelId, guildId: String(voiceMember.guild.id), }); const source = this.getSourceStream(); const queue = this.getQueue(); const searchedStream = await source.getStreamFromUrl(input); const streamInfoCollection = searchedStream ?? ((await source.search(input, { limit: 1 })) as StreamInfo[]); streamInfoCollection.forEach((streamInfo: StreamInfo) => { queue.add(voiceMember.channelId, { streamInfo, userSearch: input, }); }); const firstSong = streamInfoCollection.shift(); const player = this.getPlayer(voiceMember.channelId); connection.subscribe(player); let replyContent = `${message.author.username} ${BOT_MESSAGES.PUSHED_TO_QUEUE} ${firstSong.title} - ${firstSong.artist}`; if (player.state.status === AudioPlayerStatus.Idle) { const searchResultUrl = firstSong?.url ?? (await this.getResourceUrl(firstSong.title, firstSong.artist)); player.play(await this.getAudioResource(searchResultUrl)); const playHook = new PlayHook(this.bot);
playHook.execute(message);
replyContent = `${message.author.username} ${BOT_MESSAGES.CURRENT_PLAYING} ${firstSong.title} - ${firstSong.artist}`; } await message.channel.send(replyContent); } catch (err) { await this.sendCommandError(err, message); } } }
src/bot/commands/command-play.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/bot/commands/command-resume.ts", "retrieved_chunk": " try {\n await this.validate(message, 'resume');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n player.unpause();\n await message.reply({\n content: `${message.author.username} ${BOT_MESSAGES.MUSIC_RESUMED}`,\n });\n } catch (error) {\n await this.sendCommandError(error, message);", "score": 0.8655377626419067 }, { "filename": "src/bot/commands/hooks/command-play-hook.ts", "retrieved_chunk": " );\n });\n player.on(AudioPlayerStatus.Idle, async () => {\n const skip = new Skip(this.bot);\n await skip.execute(message);\n });\n connection.on('error', async (error: Error) => {\n await this.sendCommandError(\n new BotError(error.stack, BOT_MESSAGES.BOT_ERROR),\n message", "score": 0.8653923273086548 }, { "filename": "src/bot/commands/command-skip.ts", "retrieved_chunk": " async execute(message: Message) {\n try {\n await this.validate(message, 'skip');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const queue = this.getQueue();\n const playlist = queue.getList(connectionID);\n if (playlist?.length > 1) {\n const next = playlist[1];\n if (!next.streamInfo?.url) {", "score": 0.863170862197876 }, { "filename": "src/bot/commands/command-skip.ts", "retrieved_chunk": " next.streamInfo.url = await this.getResourceUrl(\n next.streamInfo.title,\n next.streamInfo.artist\n );\n }\n const audioResource = await this.getAudioResource(next.streamInfo.url);\n await message.reply(\n `${BOT_MESSAGES.MUSIC_SKIPPED} ${next.streamInfo.title} - ${next.streamInfo.artist}`\n );\n player.play(audioResource);", "score": 0.8575922250747681 }, { "filename": "src/bot/commands/command-stop.ts", "retrieved_chunk": " try {\n await this.validate(message, 'stop');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const queue = this.getQueue();\n player.stop();\n queue.clear(connectionID);\n this.removePlayer(connectionID);\n this.getConnection(message).destroy();\n await message.reply(BOT_MESSAGES.PLAYLIST_ENDED);", "score": 0.8535529375076294 } ]
typescript
playHook.execute(message);
import { Message } from 'discord.js'; import { StreamInfo } from '@/sources/source-stream'; import { AudioPlayerStatus, joinVoiceChannel } from '@discordjs/voice'; import { BOT_MESSAGES } from '../containts/default-messages'; import { MarliMusic } from '../marli-music'; import { Command } from './command'; import { PlayHook } from './hooks/command-play-hook'; export class Play extends Command { constructor(bot: MarliMusic) { super(bot); this.name = 'play'; } async execute(message: Message, input: string) { try { await this.validate(message, input); const voiceMember = message.member.voice; const connection = joinVoiceChannel({ adapterCreator: voiceMember.guild.voiceAdapterCreator, channelId: voiceMember.channelId, guildId: String(voiceMember.guild.id), }); const source = this.getSourceStream(); const queue = this.getQueue(); const searchedStream = await source.getStreamFromUrl(input); const streamInfoCollection = searchedStream ?? ((await source.search(input, { limit: 1 })) as StreamInfo[]); streamInfoCollection.forEach((streamInfo: StreamInfo) => { queue.add(voiceMember.channelId, { streamInfo, userSearch: input, }); }); const firstSong = streamInfoCollection.shift(); const player = this.getPlayer(voiceMember.channelId); connection.subscribe(player); let replyContent = `${message.author.username} ${BOT_MESSAGES.PUSHED_TO_QUEUE} ${firstSong.title} - ${firstSong.artist}`; if (player.state.status === AudioPlayerStatus.Idle) { const searchResultUrl = firstSong?.url ?? (await this.getResourceUrl(firstSong.title, firstSong.artist)); player.play(await this.getAudioResource(searchResultUrl)); const playHook =
new PlayHook(this.bot);
playHook.execute(message); replyContent = `${message.author.username} ${BOT_MESSAGES.CURRENT_PLAYING} ${firstSong.title} - ${firstSong.artist}`; } await message.channel.send(replyContent); } catch (err) { await this.sendCommandError(err, message); } } }
src/bot/commands/command-play.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/bot/commands/command-skip.ts", "retrieved_chunk": " async execute(message: Message) {\n try {\n await this.validate(message, 'skip');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const queue = this.getQueue();\n const playlist = queue.getList(connectionID);\n if (playlist?.length > 1) {\n const next = playlist[1];\n if (!next.streamInfo?.url) {", "score": 0.8592302799224854 }, { "filename": "src/bot/commands/hooks/command-play-hook.ts", "retrieved_chunk": " );\n });\n player.on(AudioPlayerStatus.Idle, async () => {\n const skip = new Skip(this.bot);\n await skip.execute(message);\n });\n connection.on('error', async (error: Error) => {\n await this.sendCommandError(\n new BotError(error.stack, BOT_MESSAGES.BOT_ERROR),\n message", "score": 0.8586975336074829 }, { "filename": "src/bot/commands/command-resume.ts", "retrieved_chunk": " try {\n await this.validate(message, 'resume');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n player.unpause();\n await message.reply({\n content: `${message.author.username} ${BOT_MESSAGES.MUSIC_RESUMED}`,\n });\n } catch (error) {\n await this.sendCommandError(error, message);", "score": 0.8571161031723022 }, { "filename": "src/bot/commands/command-skip.ts", "retrieved_chunk": " next.streamInfo.url = await this.getResourceUrl(\n next.streamInfo.title,\n next.streamInfo.artist\n );\n }\n const audioResource = await this.getAudioResource(next.streamInfo.url);\n await message.reply(\n `${BOT_MESSAGES.MUSIC_SKIPPED} ${next.streamInfo.title} - ${next.streamInfo.artist}`\n );\n player.play(audioResource);", "score": 0.8541313409805298 }, { "filename": "src/bot/commands/command-stop.ts", "retrieved_chunk": " try {\n await this.validate(message, 'stop');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const queue = this.getQueue();\n player.stop();\n queue.clear(connectionID);\n this.removePlayer(connectionID);\n this.getConnection(message).destroy();\n await message.reply(BOT_MESSAGES.PLAYLIST_ENDED);", "score": 0.845427930355072 } ]
typescript
new PlayHook(this.bot);
import { Message } from 'discord.js'; import { StreamInfo } from '@/sources/source-stream'; import { AudioPlayerStatus, joinVoiceChannel } from '@discordjs/voice'; import { BOT_MESSAGES } from '../containts/default-messages'; import { MarliMusic } from '../marli-music'; import { Command } from './command'; import { PlayHook } from './hooks/command-play-hook'; export class Play extends Command { constructor(bot: MarliMusic) { super(bot); this.name = 'play'; } async execute(message: Message, input: string) { try { await this.validate(message, input); const voiceMember = message.member.voice; const connection = joinVoiceChannel({ adapterCreator: voiceMember.guild.voiceAdapterCreator, channelId: voiceMember.channelId, guildId: String(voiceMember.guild.id), }); const source = this.getSourceStream(); const queue = this.getQueue(); const searchedStream = await source.getStreamFromUrl(input); const streamInfoCollection = searchedStream ?? ((await source.search(input, { limit: 1 })) as StreamInfo[]); streamInfoCollection.forEach((streamInfo: StreamInfo) => { queue.add(voiceMember.channelId, { streamInfo, userSearch: input, }); }); const firstSong = streamInfoCollection.shift(); const player = this.getPlayer(voiceMember.channelId); connection.subscribe(player); let replyContent = `${message.author.username} ${BOT_MESSAGES.PUSHED_TO_QUEUE} ${firstSong.title} - ${firstSong.artist}`; if (player.state.status === AudioPlayerStatus.Idle) { const searchResultUrl = firstSong?.url ?? (await
this.getResourceUrl(firstSong.title, firstSong.artist));
player.play(await this.getAudioResource(searchResultUrl)); const playHook = new PlayHook(this.bot); playHook.execute(message); replyContent = `${message.author.username} ${BOT_MESSAGES.CURRENT_PLAYING} ${firstSong.title} - ${firstSong.artist}`; } await message.channel.send(replyContent); } catch (err) { await this.sendCommandError(err, message); } } }
src/bot/commands/command-play.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/bot/commands/command-skip.ts", "retrieved_chunk": " next.streamInfo.url = await this.getResourceUrl(\n next.streamInfo.title,\n next.streamInfo.artist\n );\n }\n const audioResource = await this.getAudioResource(next.streamInfo.url);\n await message.reply(\n `${BOT_MESSAGES.MUSIC_SKIPPED} ${next.streamInfo.title} - ${next.streamInfo.artist}`\n );\n player.play(audioResource);", "score": 0.8782986402511597 }, { "filename": "src/bot/commands/command-skip.ts", "retrieved_chunk": " async execute(message: Message) {\n try {\n await this.validate(message, 'skip');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const queue = this.getQueue();\n const playlist = queue.getList(connectionID);\n if (playlist?.length > 1) {\n const next = playlist[1];\n if (!next.streamInfo?.url) {", "score": 0.8708269596099854 }, { "filename": "src/bot/commands/hooks/command-play-hook.ts", "retrieved_chunk": " );\n });\n player.on(AudioPlayerStatus.Idle, async () => {\n const skip = new Skip(this.bot);\n await skip.execute(message);\n });\n connection.on('error', async (error: Error) => {\n await this.sendCommandError(\n new BotError(error.stack, BOT_MESSAGES.BOT_ERROR),\n message", "score": 0.8517240285873413 }, { "filename": "src/bot/commands/command-resume.ts", "retrieved_chunk": " try {\n await this.validate(message, 'resume');\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n player.unpause();\n await message.reply({\n content: `${message.author.username} ${BOT_MESSAGES.MUSIC_RESUMED}`,\n });\n } catch (error) {\n await this.sendCommandError(error, message);", "score": 0.8507867455482483 }, { "filename": "src/bot/commands/command-list-queue.ts", "retrieved_chunk": " const queue = this.getQueue();\n const queueList = queue.getList(connectionID);\n if (!queueList?.length) {\n message.reply(BOT_MESSAGES.PLAYLIST_EMPTY);\n return;\n }\n const itemsToShow = queueList\n .map(\n (item, index) =>\n `\\n${index + 1} - ${item.streamInfo.title} - ${", "score": 0.8439692854881287 } ]
typescript
this.getResourceUrl(firstSong.title, firstSong.artist));
import { Message } from 'discord.js'; import { sentryCapture } from '@/config/sentry'; import { logger } from '@/config/winston'; import { BotError, ERRORS } from '@/shared/errors'; import { AudioPlayer, createAudioResource, getVoiceConnection, StreamType, } from '@discordjs/voice'; import { BOT_MESSAGES } from '../containts/default-messages'; import { MarliMusic } from '../marli-music'; export abstract class Command { name: string; constructor(protected bot: MarliMusic) {} abstract execute(message: Message, input?: string): Promise<void>; async getAudioResource(url: string) { const source = this.getSourceStream(); const stream = await source.getStream(url); return createAudioResource(stream, { inputType: StreamType.Opus, }); } async getResourceUrl(title: string, artist: string) { const source = this.getSourceStream(); const search = ( await source.search(`${title} ${artist}`, { limit: 1, }) ).shift(); return search.url; } getPlayer(connectionID: string): AudioPlayer { return this.bot.getPlayer(connectionID); } removePlayer(connectionID: string) { this.bot.removePlayer(connectionID); } getQueue() { return this.bot.queue; } getSourceStream() { return this.bot.sourceStream; } public getConnection(message: Message) { return getVoiceConnection(message.member.voice.guild.id); } async validate(message: Message, input: string): Promise<boolean> { const voiceChannel = message.member.voice.channel; if (!voiceChannel) { throw new BotError( ERRORS.INVALID_COMMAND_USAGE,
BOT_MESSAGES.NOT_IN_A_VOICE_CHANNEL );
} const permissions = voiceChannel.permissionsFor(message.client.user); if (!permissions.has('Connect') || !permissions.has('Speak')) { throw new BotError( ERRORS.INVALID_COMMAND_USAGE, BOT_MESSAGES.NO_PERMISSION_JOIN_SPEAK ); } if (!input.length) { throw new BotError( ERRORS.INVALID_COMMAND_USAGE, BOT_MESSAGES.INVALID_INPUT_MESSAGE ); } return true; } async sendCommandError(error: BotError, message: Message) { logger.debug('error', error.stack, error); await message.reply({ content: error.userMessage || BOT_MESSAGES.BOT_ERROR, }); sentryCapture(ERRORS.RESOURCE_ERROR, error); } }
src/bot/commands/command.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/bot/commands/command-play.ts", "retrieved_chunk": " this.name = 'play';\n }\n async execute(message: Message, input: string) {\n try {\n await this.validate(message, input);\n const voiceMember = message.member.voice;\n const connection = joinVoiceChannel({\n adapterCreator: voiceMember.guild.voiceAdapterCreator,\n channelId: voiceMember.channelId,\n guildId: String(voiceMember.guild.id),", "score": 0.88779616355896 }, { "filename": "src/bot/commands/hooks/command-play-hook.ts", "retrieved_chunk": " super(bot);\n }\n async execute(message: Message) {\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const connection = this.getConnection(message);\n player.on('error', async (error: Error) => {\n await this.sendCommandError(\n new BotError(error.stack, BOT_MESSAGES.BOT_ERROR),\n message", "score": 0.8655204176902771 }, { "filename": "src/bot/commands/command-search.ts", "retrieved_chunk": "import { Message } from 'discord.js';\nimport { MarliMusic } from '../marli-music';\nimport { Command } from './command';\nexport class Search extends Command {\n name = 'search';\n constructor(bot: MarliMusic) {\n super(bot);\n }\n async execute(message: Message, input: string) {\n try {", "score": 0.8366742134094238 }, { "filename": "src/bot/marli-music.ts", "retrieved_chunk": " if (!message.content.startsWith(this.prefix)) return;\n const args = message.content.split(' ');\n const input = message.content.replace(args[0], '');\n const commandString = args[0].replace(this.prefix, '');\n if (!ALL_COMMANDS[commandString]) {\n await message.reply(BOT_MESSAGES.INVALID_COMMAND);\n await new CommandHelp(this).execute(message);\n return;\n }\n const command: Command = new ALL_COMMANDS[commandString](this);", "score": 0.8362867832183838 }, { "filename": "src/bot/commands/command-list-queue.ts", "retrieved_chunk": "import { Message } from 'discord.js';\nimport { BOT_MESSAGES } from '../containts/default-messages';\nimport { Command } from './command';\nimport { MarliMusic } from '../marli-music';\nimport { fragmentContent } from '@/helpers/helpers';\nexport class ListQueue extends Command {\n async execute(message: Message<boolean>): Promise<void> {\n try {\n await this.validate(message, 'list');\n const connectionID = message.member.voice.channelId;", "score": 0.8327860236167908 } ]
typescript
BOT_MESSAGES.NOT_IN_A_VOICE_CHANNEL );
import { Kysely } from 'kysely'; import { createDB, resetDB, destroyDB } from '../utils/test-setup'; import { Database } from '../utils/test-tables'; import { ignore } from '../utils/test-utils'; import { parameterizeQuery } from '../lib/parameterizer'; let db: Kysely<Database>; beforeAll(async () => { db = await createDB(); }); beforeEach(() => resetDB(db)); afterAll(() => destroyDB(db)); it('instantiates inserted strings and numbers', async () => { interface Params { sourceHandle: string; sourceBirthYear: number | null; } const user = { name: 'John Smith', // leave out nickname handle: 'jsmith', birthYear: 1990, }; const parameterization = parameterizeQuery( db.insertInto('users').returning('id') ).asFollows<Params>(({ qb, param }) => qb.values({ handle: param('sourceHandle'), name: user.name, birthYear: param('sourceBirthYear'), }) ); const compiledQuery = parameterization.instantiate({ sourceHandle: user.handle, sourceBirthYear: user.birthYear, }); const result = await db.executeQuery(compiledQuery); expect(result?.rows).toEqual([{ id: 1 }]); const readUser = await db .selectFrom('users') .selectAll() .
where('handle', '=', user.handle) .executeTakeFirst();
expect(readUser).toEqual({ ...user, id: 1, nickname: null }); }); it('parameterizes inserted strings and numbers with non-null values', async () => { interface Params { sourceHandle: string; sourceBirthYear: number | null; } const user = { name: 'John Smith', // leave out nickname handle: 'jsmith', birthYear: 1990, }; const parameterization = parameterizeQuery( db.insertInto('users').returning('id') ).asFollows<Params>(({ qb, param }) => qb.values({ handle: param('sourceHandle'), name: user.name, birthYear: param('sourceBirthYear'), }) ); const result = await parameterization.executeTakeFirst(db, { sourceHandle: user.handle, sourceBirthYear: user.birthYear, }); expect(result).toEqual({ id: 1 }); // Make sure we can address properties by name. expect(result?.id).toBe(1); const readUser = await db .selectFrom('users') .selectAll() .where('handle', '=', user.handle) .executeTakeFirst(); expect(readUser).toEqual({ ...user, id: 1, nickname: null }); }); it('parameterizes inserted strings and numbers with null values', async () => { interface Params { sourceNickname: string | null; sourceBirthYear: number | null; } const user = { name: 'John Smith', nickname: null, handle: 'jsmith', birthYear: null, }; const parameterization = parameterizeQuery( db.insertInto('users').returning('id') ).asFollows<Params>(({ qb, param }) => qb.values({ handle: user.handle, name: user.name, nickname: param('sourceNickname'), birthYear: param('sourceBirthYear'), }) ); const result = await parameterization.executeTakeFirst(db, { sourceNickname: user.nickname, sourceBirthYear: user.birthYear, }); expect(result).toEqual({ id: 1 }); const readUser = await db .selectFrom('users') .selectAll() .where('handle', '=', user.handle) .executeTakeFirst(); expect(readUser).toEqual({ ...user, id: 1 }); }); it('parameterizes a generated column, with multiple executions', async () => { interface Params { sourceId?: number; } const user = { handle: 'jsmith', name: 'John Smith', nickname: null, birthYear: null, }; const parameterization = parameterizeQuery( db.insertInto('users') ).asFollows<Params>(({ qb, param }) => qb.values({ id: param('sourceId'), name: user.name, handle: user.handle, }) ); // First execution not assigning generated column. const result1 = await parameterization.executeTakeFirst(db, {}); expect(result1).toBeUndefined(); const readUser = await db .selectFrom('users') .selectAll() .where('handle', '=', user.handle) .executeTakeFirst(); expect(readUser).toEqual({ ...user, id: 1 }); // Second execution assigning generated column. const result = await parameterization.executeTakeFirst(db, { sourceId: 100 }); expect(result).toBeUndefined(); const readUsers = await db .selectFrom('users') .selectAll() .where('handle', '=', user.handle) .execute(); expect(readUsers).toEqual([ { ...user, id: 1 }, { ...user, id: 100 }, ]); }); it('parameterizes single query performing multiple insertions', async () => { interface Params { sourceName1and2: string; sourceNickname1: string; sourceBirthYear1: number; sourceBirthYear2: number; } const user1 = { name: 'John Smith', nickname: 'Johny', handle: 'jsmith1', birthYear: 1990, }; const user2 = { name: 'John Smith', nickname: null, handle: 'jsmith2', birthYear: 2000, }; const parameterization = parameterizeQuery( db.insertInto('users').returning('id') ).asFollows<Params>(({ qb, param }) => qb.values([ { handle: user1.handle, name: param('sourceName1and2'), nickname: param('sourceNickname1'), birthYear: param('sourceBirthYear1'), }, { handle: user2.handle, name: param('sourceName1and2'), nickname: user2.nickname, birthYear: user2.birthYear, }, ]) ); const result = await parameterization.execute(db, { sourceName1and2: user1.name, sourceNickname1: user1.nickname, sourceBirthYear1: user1.birthYear, sourceBirthYear2: user2.birthYear, }); expect(result.rows).toEqual([{ id: 1 }, { id: 2 }]); // Make sure we can address properties by name. expect(result?.rows[0].id).toBe(1); const readUsers = await db .selectFrom('users') .selectAll() .where('name', '=', user1.name) .execute(); expect(readUsers).toEqual([ { ...user1, id: 1 }, { ...user2, id: 2 }, ]); }); it('parameterizes without defined parameters', async () => { const user = { name: 'John Smith', nickname: null, handle: 'jsmith', birthYear: null, }; const parameterization = parameterizeQuery( db.insertInto('users').returning('id') ).asFollows(({ qb }) => qb.values(user)); const result = await parameterization.executeTakeFirst(db, {}); expect(result).toEqual({ id: 1 }); const readUser = await db .selectFrom('users') .selectAll() .where('handle', '=', user.handle) .executeTakeFirst(); expect(readUser).toEqual({ ...user, id: 1 }); }); ignore('disallows incompatible parameter types', () => { interface InvalidParams { sourceHandle: number; sourceName: string | null; } parameterizeQuery(db.insertInto('users')).asFollows<InvalidParams>( ({ qb, param }) => qb.values({ //@ts-expect-error - invalid parameter type handle: param('sourceHandle'), name: 'John Smith', }) ); parameterizeQuery(db.insertInto('users')).asFollows<InvalidParams>( ({ qb, param }) => qb.values({ handle: 'jsmith', //@ts-expect-error - invalid parameter type name: param('sourceName'), }) ); }); ignore('restricts a generated column parameter', async () => { interface InvalidParams { sourceId?: string; } parameterizeQuery(db.insertInto('users')).asFollows<InvalidParams>( ({ qb, param }) => qb.values({ //@ts-expect-error - invalid parameter type id: param('sourceId'), name: 'John Smith', handle: 'jsmith', }) ); }); ignore('restricts provided parameters', async () => { interface ValidParams { sourceHandle: string; sourceBirthYear: number | null; } const parameterization = parameterizeQuery( db.insertInto('users') ).asFollows<ValidParams>(({ qb, param }) => qb.values({ handle: param('sourceHandle'), name: 'John Smith', birthYear: param('sourceBirthYear'), }) ); await parameterization.execute(db, { //@ts-expect-error - invalid parameter name invalidParam: 'invalid', }); await parameterization.executeTakeFirst(db, { //@ts-expect-error - invalid parameter name invalidParam: 'invalid', }); await parameterization.execute(db, { //@ts-expect-error - invalid parameter type sourceBirthYear: '2020', sourceHandle: 'jsmith', }); await parameterization.executeTakeFirst(db, { //@ts-expect-error - invalid parameter type sourceBirthYear: '2020', sourceHandle: 'jsmith', }); await parameterization.execute(db, { //@ts-expect-error - invalid parameter type sourceHandle: null, sourceBirthYear: null, }); await parameterization.executeTakeFirst(db, { //@ts-expect-error - invalid parameter type sourceHandle: null, sourceBirthYear: null, }); //@ts-expect-error - missing parameter name await parameterization.execute(db, { sourceBirthYear: 2020, }); //@ts-expect-error - missing parameter name await parameterization.executeTakeFirst(db, { sourceBirthYear: 2020, }); //@ts-expect-error - missing parameter name await parameterization.execute(db, {}); //@ts-expect-error - missing parameter name await parameterization.executeTakeFirst(db, {}); }); ignore('restrict returned column names', async () => { interface ValidParams { sourceHandle: string; sourceBirthYear: number | null; } const parameterization = parameterizeQuery( db.insertInto('users').returning('id') ).asFollows<ValidParams>(({ qb, param }) => qb.values({ handle: param('sourceHandle'), name: 'John Smith', birthYear: param('sourceBirthYear'), }) ); const result1 = await parameterization.executeTakeFirst(db, { sourceHandle: 'jsmith', sourceBirthYear: 2020, }); // @ts-expect-error - invalid column name result1?.notThere; const result2 = await parameterization.execute(db, { sourceHandle: 'jsmith', sourceBirthYear: 2020, }); // @ts-expect-error - invalid column name result2.rows[0]?.notThere; });
src/tests/insert-params.test.ts
jtlapp-kysely-params-3389d6f
[ { "filename": "src/tests/update-params.test.ts", "retrieved_chunk": " toBirthYear: 2010,\n whereNickname: user3.nickname,\n });\n expect(result2).toBeUndefined();\n const users = await db.selectFrom('users').selectAll().execute();\n expect(users).toEqual([\n { ...user1, id: 1, handle: 'newHandle', birthYear: 2000 },\n { ...user2, id: 2, handle: 'newHandle', birthYear: 2000 },\n { ...user3, id: 3, handle: 'newHandle', birthYear: 2010 },\n ]);", "score": 0.9296529293060303 }, { "filename": "src/tests/update-params.test.ts", "retrieved_chunk": " const result1 = await db.executeQuery(compiledQuery1);\n expect(Number(result1?.numAffectedRows)).toEqual(2);\n // Second execution\n const compiledQuery2 = parameterization.instantiate({\n toBirthYear: 2010,\n whereNickname: user3.nickname,\n });\n const result2 = await db.executeQuery(compiledQuery2);\n expect(Number(result2?.numAffectedRows)).toEqual(1);\n const users = await db.selectFrom('users').selectAll().execute();", "score": 0.9251340627670288 }, { "filename": "src/tests/update-params.test.ts", "retrieved_chunk": " expect(Number(result1.numAffectedRows)).toEqual(2);\n const result2 = await parameterization.executeTakeFirst(db, {\n toBirthYear: 2010,\n whereNickname: user3.nickname,\n });\n expect(result2).toBeUndefined();\n const users = await db.selectFrom('users').selectAll().execute();\n expect(users).toEqual([\n { ...user1, id: 1, birthYear: null },\n { ...user2, id: 2, birthYear: null },", "score": 0.919837236404419 }, { "filename": "src/tests/delete-params.test.ts", "retrieved_chunk": " const compiledQuery2 = parameterization.instantiate({\n targetNickname: user3.nickname,\n targetBirthYear: user3.birthYear,\n });\n const result2 = await db.executeQuery(compiledQuery2);\n expect(Number(result2?.numAffectedRows)).toEqual(1);\n // Verify that the correct rows were deleted\n const results = await db.selectFrom('users').selectAll().execute();\n expect(results).toEqual([{ ...user1, id: 1 }]);\n});", "score": 0.910476803779602 }, { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " const compiledQuery2 = parameterization.instantiate({\n targetNickname: user2.nickname,\n targetBirthYear: 1980,\n });\n const result2 = await db.executeQuery(compiledQuery2);\n expect(result2?.rows).toEqual([{ ...user1, id: 1 }]);\n // Allows constant parameters\n const params = {\n targetNickname: 'Jane' as const,\n targetBirthYear: 1990 as const,", "score": 0.904217004776001 } ]
typescript
where('handle', '=', user.handle) .executeTakeFirst();
import { Message } from 'discord.js'; import { sentryCapture } from '@/config/sentry'; import { logger } from '@/config/winston'; import { BotError, ERRORS } from '@/shared/errors'; import { AudioPlayer, createAudioResource, getVoiceConnection, StreamType, } from '@discordjs/voice'; import { BOT_MESSAGES } from '../containts/default-messages'; import { MarliMusic } from '../marli-music'; export abstract class Command { name: string; constructor(protected bot: MarliMusic) {} abstract execute(message: Message, input?: string): Promise<void>; async getAudioResource(url: string) { const source = this.getSourceStream(); const stream = await source.getStream(url); return createAudioResource(stream, { inputType: StreamType.Opus, }); } async getResourceUrl(title: string, artist: string) { const source = this.getSourceStream(); const search = ( await source.search(`${title} ${artist}`, { limit: 1, }) ).shift(); return search.url; } getPlayer(connectionID: string): AudioPlayer { return this.bot.getPlayer(connectionID); } removePlayer(connectionID: string) { this.bot.removePlayer(connectionID); } getQueue() { return this.bot.queue; } getSourceStream() { return this.bot.sourceStream; } public getConnection(message: Message) { return getVoiceConnection(message.member.voice.guild.id); } async validate(message: Message, input: string): Promise<boolean> { const voiceChannel = message.member.voice.channel; if (!voiceChannel) { throw new BotError( ERRORS.INVALID_COMMAND_USAGE, BOT_MESSAGES.NOT_IN_A_VOICE_CHANNEL ); } const permissions = voiceChannel.permissionsFor(message.client.user); if (!permissions.has('Connect') || !permissions.has('Speak')) { throw new BotError( ERRORS.INVALID_COMMAND_USAGE,
BOT_MESSAGES.NO_PERMISSION_JOIN_SPEAK );
} if (!input.length) { throw new BotError( ERRORS.INVALID_COMMAND_USAGE, BOT_MESSAGES.INVALID_INPUT_MESSAGE ); } return true; } async sendCommandError(error: BotError, message: Message) { logger.debug('error', error.stack, error); await message.reply({ content: error.userMessage || BOT_MESSAGES.BOT_ERROR, }); sentryCapture(ERRORS.RESOURCE_ERROR, error); } }
src/bot/commands/command.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/bot/commands/hooks/command-play-hook.ts", "retrieved_chunk": " super(bot);\n }\n async execute(message: Message) {\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const connection = this.getConnection(message);\n player.on('error', async (error: Error) => {\n await this.sendCommandError(\n new BotError(error.stack, BOT_MESSAGES.BOT_ERROR),\n message", "score": 0.8525593280792236 }, { "filename": "src/bot/commands/command-play.ts", "retrieved_chunk": " this.name = 'play';\n }\n async execute(message: Message, input: string) {\n try {\n await this.validate(message, input);\n const voiceMember = message.member.voice;\n const connection = joinVoiceChannel({\n adapterCreator: voiceMember.guild.voiceAdapterCreator,\n channelId: voiceMember.channelId,\n guildId: String(voiceMember.guild.id),", "score": 0.844719648361206 }, { "filename": "src/bot/containts/default-messages.ts", "retrieved_chunk": "import * as dotenv from 'dotenv';\ndotenv.config();\nconst INVALID_COMMAND = process.env.INVALID_COMMAND || 'INVALID COMMAND';\nconst NOT_IN_A_VOICE_CHANNEL =\n process.env.NOT_IN_A_VOICE_CHANNEL || `YOU'RE NOT IN A VOICE CHANNEL`;\nconst NO_PERMISSION_JOIN_SPEAK =\n process.env.NO_PERMISSION_JOIN_SPEAK ||\n 'I HAVE NO PERMISSION TO JOIN OR SPEAK';\nconst INVALID_INPUT_MESSAGE =\n process.env.INVALID_INPUT_MESSAGE || 'INVALID INPUT MESSAGE';", "score": 0.8428541421890259 }, { "filename": "src/bot/containts/default-messages.ts", "retrieved_chunk": "const BOT_ERROR = process.env.BOT_ERROR || 'FAILED TO EXECUTE COMMAND';\nexport const BOT_MESSAGES = {\n CURRENT_PLAYING,\n INVALID_COMMAND,\n INVALID_INPUT_MESSAGE,\n MUSIC_PAUSED,\n MUSIC_RESUMED,\n MUSIC_SKIPPED,\n MUSIC_STOPPED,\n NOT_IN_A_VOICE_CHANNEL,", "score": 0.8388412594795227 }, { "filename": "src/bot/commands/command-stop.ts", "retrieved_chunk": " } catch (err) {\n await this.sendCommandError(err, message);\n }\n }\n}", "score": 0.8361613154411316 } ]
typescript
BOT_MESSAGES.NO_PERMISSION_JOIN_SPEAK );
import { Kysely } from 'kysely'; import { createDB, resetDB, destroyDB } from '../utils/test-setup'; import { Database } from '../utils/test-tables'; import { ignore } from '../utils/test-utils'; import { parameterizeQuery } from '../lib/parameterizer'; let db: Kysely<Database>; beforeAll(async () => { db = await createDB(); }); beforeEach(() => resetDB(db)); afterAll(() => destroyDB(db)); const user1 = { name: 'John Smith', nickname: 'Johnny', handle: 'jsmith', birthYear: 1980, }; const user2 = { name: 'John McSmith', nickname: 'Johnny', handle: 'jmsmith', birthYear: 1990, }; const user3 = { name: 'Jane Doe', nickname: 'Jane', handle: 'jdoe', birthYear: 1990, }; it("instantiates update values and 'where' selections, with multiple executions", async () => { interface Params { toBirthYear: number; whereNickname: string; } await db.insertInto('users').values([user1, user2, user3]).execute(); const parameterization = parameterizeQuery( db.updateTable('users') ).asFollows<Params>(({
qb, param }) => qb .set({
birthYear: param('toBirthYear'), handle: 'newHandle', }) .where('nickname', '=', param('whereNickname')) ); // First execution const compiledQuery1 = parameterization.instantiate({ toBirthYear: 2000, whereNickname: user2.nickname, }); const result1 = await db.executeQuery(compiledQuery1); expect(Number(result1?.numAffectedRows)).toEqual(2); // Second execution const compiledQuery2 = parameterization.instantiate({ toBirthYear: 2010, whereNickname: user3.nickname, }); const result2 = await db.executeQuery(compiledQuery2); expect(Number(result2?.numAffectedRows)).toEqual(1); const users = await db.selectFrom('users').selectAll().execute(); expect(users).toEqual([ { ...user1, id: 1, handle: 'newHandle', birthYear: 2000 }, { ...user2, id: 2, handle: 'newHandle', birthYear: 2000 }, { ...user3, id: 3, handle: 'newHandle', birthYear: 2010 }, ]); }); it("parameterizes update values and 'where' selections, with multiple executions", async () => { interface Params { toBirthYear: number; whereNickname: string; } await db.insertInto('users').values([user1, user2, user3]).execute(); // First execution const parameterization = parameterizeQuery( db.updateTable('users') ).asFollows<Params>(({ qb, param }) => qb .set({ birthYear: param('toBirthYear'), handle: 'newHandle', }) .where('nickname', '=', param('whereNickname')) ); const result1 = await parameterization.execute(db, { toBirthYear: 2000, whereNickname: user2.nickname, }); expect(Number(result1.numAffectedRows)).toEqual(2); // Second execution const result2 = await parameterization.executeTakeFirst(db, { toBirthYear: 2010, whereNickname: user3.nickname, }); expect(result2).toBeUndefined(); const users = await db.selectFrom('users').selectAll().execute(); expect(users).toEqual([ { ...user1, id: 1, handle: 'newHandle', birthYear: 2000 }, { ...user2, id: 2, handle: 'newHandle', birthYear: 2000 }, { ...user3, id: 3, handle: 'newHandle', birthYear: 2010 }, ]); }); it('parameterizes update values accepting nulls', async () => { interface Params { toBirthYear: number | null; whereNickname: string; } await db.insertInto('users').values([user1, user2, user3]).execute(); const parameterization = parameterizeQuery( db.updateTable('users') ).asFollows<Params>(({ qb, param }) => qb .set({ birthYear: param('toBirthYear'), }) .where('nickname', '=', param('whereNickname')) ); const result1 = await parameterization.execute(db, { toBirthYear: null, whereNickname: user2.nickname, }); expect(Number(result1.numAffectedRows)).toEqual(2); const result2 = await parameterization.executeTakeFirst(db, { toBirthYear: 2010, whereNickname: user3.nickname, }); expect(result2).toBeUndefined(); const users = await db.selectFrom('users').selectAll().execute(); expect(users).toEqual([ { ...user1, id: 1, birthYear: null }, { ...user2, id: 2, birthYear: null }, { ...user3, id: 3, birthYear: 2010 }, ]); }); it('parameterizes without defined parameters', async () => { await db.insertInto('users').values([user1, user2, user3]).execute(); const parameterization = parameterizeQuery(db.updateTable('users')).asFollows( ({ qb }) => qb .set({ birthYear: 2000, handle: 'newHandle', }) .where('nickname', '=', 'Johnny') ); const result1 = await parameterization.execute(db, {}); expect(Number(result1.numAffectedRows)).toEqual(2); const users = await db.selectFrom('users').selectAll().execute(); expect(users).toEqual([ { ...user1, id: 1, handle: 'newHandle', birthYear: 2000 }, { ...user2, id: 2, handle: 'newHandle', birthYear: 2000 }, { ...user3, id: 3, handle: 'jdoe', birthYear: 1990 }, ]); }); ignore('disallows incompatible set parameter types', () => { interface InvalidParams { sourceHandle: number; sourceName: string | null; } parameterizeQuery(db.updateTable('users')).asFollows<InvalidParams>( ({ qb, param }) => qb.set({ //@ts-expect-error - invalid parameter type handle: param('sourceHandle'), name: 'John Smith', }) ); parameterizeQuery(db.updateTable('users')).asFollows<InvalidParams>( ({ qb, param }) => qb.set({ handle: 'jsmith', //@ts-expect-error - invalid parameter type name: param('sourceName'), }) ); }); ignore('restricts a set generated column parameter', async () => { interface InvalidParams { sourceId?: string; } parameterizeQuery(db.insertInto('users')).asFollows<InvalidParams>( ({ qb, param }) => qb.values({ //@ts-expect-error - invalid parameter type id: param('sourceId'), name: 'John Smith', handle: 'jsmith', }) ); }); ignore('array parameters are not allowed', () => { interface InvalidParams { targetBirthYears: number[]; } parameterizeQuery(db.updateTable('users')) // @ts-expect-error - invalid parameter type .asFollows<InvalidParams>(({ qb, param }) => qb .set({ nickname: 'newNickname' }) .where('birthYear', 'in', param('targetBirthYears')) ); }); ignore('disallows incompatible parameter types', () => { interface InvalidParams { targetHandle: number; } parameterizeQuery(db.updateTable('users')).asFollows<InvalidParams>( ({ qb, param }) => qb .set({ nickname: 'newNickname' }) //@ts-expect-error - invalid parameter type .where('handle', '=', param('targetHandle')) ); }); ignore('restricts provided parameters', async () => { interface ValidParams { targetHandle: string; targetBirthYear: number; } const parameterization = parameterizeQuery( db.updateTable('users') ).asFollows<ValidParams>(({ qb, param }) => qb .set({ nickname: 'newNickname' }) .where('handle', '=', param('targetHandle')) .where('name', '=', 'John Smith') .where('birthYear', '=', param('targetBirthYear')) ); await parameterization.execute(db, { //@ts-expect-error - invalid parameter name invalidParam: 'invalid', }); await parameterization.executeTakeFirst(db, { //@ts-expect-error - invalid parameter name invalidParam: 'invalid', }); await parameterization.execute(db, { //@ts-expect-error - invalid parameter type targetBirthYear: '2020', targetHandle: 'jsmith', }); await parameterization.executeTakeFirst(db, { //@ts-expect-error - invalid parameter type targetBirthYear: '2020', targetHandle: 'jsmith', }); await parameterization.execute(db, { //@ts-expect-error - invalid parameter type targetHandle: null, }); await parameterization.executeTakeFirst(db, { //@ts-expect-error - invalid parameter type targetHandle: null, }); //@ts-expect-error - missing parameter name await parameterization.execute(db, { targetBirthYear: 2020, }); //@ts-expect-error - missing parameter name await parameterization.executeTakeFirst(db, { targetBirthYear: 2020, }); //@ts-expect-error - missing parameter name await parameterization.execute(db, {}); //@ts-expect-error - missing parameter name await parameterization.executeTakeFirst(db, {}); });
src/tests/update-params.test.ts
jtlapp-kysely-params-3389d6f
[ { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " interface Params {\n targetNickname: string;\n targetBirthYear: number;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(\n db.selectFrom('users').selectAll()\n ).asFollows<Params>(({ qb, param }) =>\n qb\n .where('nickname', '=', param('targetNickname'))", "score": 0.9642212390899658 }, { "filename": "src/tests/delete-params.test.ts", "retrieved_chunk": " interface Params {\n targetNickname: string;\n targetBirthYear1: number;\n targetBirthYear2: number;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(\n db.deleteFrom('users')\n ).asFollows<Params>(({ qb, param }) =>\n qb", "score": 0.9632714986801147 }, { "filename": "src/tests/delete-params.test.ts", "retrieved_chunk": " interface Params {\n targetNickname: string;\n targetBirthYear: number;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(\n db.deleteFrom('users')\n ).asFollows<Params>(({ qb, param }) =>\n qb\n .where('nickname', '=', param('targetNickname'))", "score": 0.9606310129165649 }, { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " targetHandle: string;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(\n db.selectFrom('users').select('name')\n ).asFollows<Params>(({ qb, param }) =>\n qb.where('handle', '=', param('targetHandle'))\n );\n const result1 = await parameterization.executeTakeFirst(db, {\n targetHandle: user3.handle,", "score": 0.9259286522865295 }, { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " expect(results.rows[0].name).toEqual(user1.name);\n});\nit('parameterizes values within a where expression', async () => {\n interface Params {\n targetNickname: string;\n targetBirthYear1: number;\n targetBirthYear2: number;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(", "score": 0.9228283166885376 } ]
typescript
qb, param }) => qb .set({
import { Kysely } from 'kysely'; import { createDB, resetDB, destroyDB } from '../utils/test-setup'; import { Database } from '../utils/test-tables'; import { ignore } from '../utils/test-utils'; import { parameterizeQuery } from '../lib/parameterizer'; let db: Kysely<Database>; beforeAll(async () => { db = await createDB(); }); beforeEach(() => resetDB(db)); afterAll(() => destroyDB(db)); const user1 = { name: 'John Smith', nickname: 'Johnny', handle: 'jsmith', birthYear: 1980, }; const user2 = { name: 'John McSmith', nickname: 'Johnny', handle: 'jmsmith', birthYear: 1990, }; const user3 = { name: 'Jane Doe', nickname: 'Jane', handle: 'jdoe', birthYear: 1990, }; it("instantiates update values and 'where' selections, with multiple executions", async () => { interface Params { toBirthYear: number; whereNickname: string; } await db.insertInto('users').values([user1, user2, user3]).execute(); const parameterization = parameterizeQuery(
db.updateTable('users') ).asFollows<Params>(({ qb, param }) => qb .set({
birthYear: param('toBirthYear'), handle: 'newHandle', }) .where('nickname', '=', param('whereNickname')) ); // First execution const compiledQuery1 = parameterization.instantiate({ toBirthYear: 2000, whereNickname: user2.nickname, }); const result1 = await db.executeQuery(compiledQuery1); expect(Number(result1?.numAffectedRows)).toEqual(2); // Second execution const compiledQuery2 = parameterization.instantiate({ toBirthYear: 2010, whereNickname: user3.nickname, }); const result2 = await db.executeQuery(compiledQuery2); expect(Number(result2?.numAffectedRows)).toEqual(1); const users = await db.selectFrom('users').selectAll().execute(); expect(users).toEqual([ { ...user1, id: 1, handle: 'newHandle', birthYear: 2000 }, { ...user2, id: 2, handle: 'newHandle', birthYear: 2000 }, { ...user3, id: 3, handle: 'newHandle', birthYear: 2010 }, ]); }); it("parameterizes update values and 'where' selections, with multiple executions", async () => { interface Params { toBirthYear: number; whereNickname: string; } await db.insertInto('users').values([user1, user2, user3]).execute(); // First execution const parameterization = parameterizeQuery( db.updateTable('users') ).asFollows<Params>(({ qb, param }) => qb .set({ birthYear: param('toBirthYear'), handle: 'newHandle', }) .where('nickname', '=', param('whereNickname')) ); const result1 = await parameterization.execute(db, { toBirthYear: 2000, whereNickname: user2.nickname, }); expect(Number(result1.numAffectedRows)).toEqual(2); // Second execution const result2 = await parameterization.executeTakeFirst(db, { toBirthYear: 2010, whereNickname: user3.nickname, }); expect(result2).toBeUndefined(); const users = await db.selectFrom('users').selectAll().execute(); expect(users).toEqual([ { ...user1, id: 1, handle: 'newHandle', birthYear: 2000 }, { ...user2, id: 2, handle: 'newHandle', birthYear: 2000 }, { ...user3, id: 3, handle: 'newHandle', birthYear: 2010 }, ]); }); it('parameterizes update values accepting nulls', async () => { interface Params { toBirthYear: number | null; whereNickname: string; } await db.insertInto('users').values([user1, user2, user3]).execute(); const parameterization = parameterizeQuery( db.updateTable('users') ).asFollows<Params>(({ qb, param }) => qb .set({ birthYear: param('toBirthYear'), }) .where('nickname', '=', param('whereNickname')) ); const result1 = await parameterization.execute(db, { toBirthYear: null, whereNickname: user2.nickname, }); expect(Number(result1.numAffectedRows)).toEqual(2); const result2 = await parameterization.executeTakeFirst(db, { toBirthYear: 2010, whereNickname: user3.nickname, }); expect(result2).toBeUndefined(); const users = await db.selectFrom('users').selectAll().execute(); expect(users).toEqual([ { ...user1, id: 1, birthYear: null }, { ...user2, id: 2, birthYear: null }, { ...user3, id: 3, birthYear: 2010 }, ]); }); it('parameterizes without defined parameters', async () => { await db.insertInto('users').values([user1, user2, user3]).execute(); const parameterization = parameterizeQuery(db.updateTable('users')).asFollows( ({ qb }) => qb .set({ birthYear: 2000, handle: 'newHandle', }) .where('nickname', '=', 'Johnny') ); const result1 = await parameterization.execute(db, {}); expect(Number(result1.numAffectedRows)).toEqual(2); const users = await db.selectFrom('users').selectAll().execute(); expect(users).toEqual([ { ...user1, id: 1, handle: 'newHandle', birthYear: 2000 }, { ...user2, id: 2, handle: 'newHandle', birthYear: 2000 }, { ...user3, id: 3, handle: 'jdoe', birthYear: 1990 }, ]); }); ignore('disallows incompatible set parameter types', () => { interface InvalidParams { sourceHandle: number; sourceName: string | null; } parameterizeQuery(db.updateTable('users')).asFollows<InvalidParams>( ({ qb, param }) => qb.set({ //@ts-expect-error - invalid parameter type handle: param('sourceHandle'), name: 'John Smith', }) ); parameterizeQuery(db.updateTable('users')).asFollows<InvalidParams>( ({ qb, param }) => qb.set({ handle: 'jsmith', //@ts-expect-error - invalid parameter type name: param('sourceName'), }) ); }); ignore('restricts a set generated column parameter', async () => { interface InvalidParams { sourceId?: string; } parameterizeQuery(db.insertInto('users')).asFollows<InvalidParams>( ({ qb, param }) => qb.values({ //@ts-expect-error - invalid parameter type id: param('sourceId'), name: 'John Smith', handle: 'jsmith', }) ); }); ignore('array parameters are not allowed', () => { interface InvalidParams { targetBirthYears: number[]; } parameterizeQuery(db.updateTable('users')) // @ts-expect-error - invalid parameter type .asFollows<InvalidParams>(({ qb, param }) => qb .set({ nickname: 'newNickname' }) .where('birthYear', 'in', param('targetBirthYears')) ); }); ignore('disallows incompatible parameter types', () => { interface InvalidParams { targetHandle: number; } parameterizeQuery(db.updateTable('users')).asFollows<InvalidParams>( ({ qb, param }) => qb .set({ nickname: 'newNickname' }) //@ts-expect-error - invalid parameter type .where('handle', '=', param('targetHandle')) ); }); ignore('restricts provided parameters', async () => { interface ValidParams { targetHandle: string; targetBirthYear: number; } const parameterization = parameterizeQuery( db.updateTable('users') ).asFollows<ValidParams>(({ qb, param }) => qb .set({ nickname: 'newNickname' }) .where('handle', '=', param('targetHandle')) .where('name', '=', 'John Smith') .where('birthYear', '=', param('targetBirthYear')) ); await parameterization.execute(db, { //@ts-expect-error - invalid parameter name invalidParam: 'invalid', }); await parameterization.executeTakeFirst(db, { //@ts-expect-error - invalid parameter name invalidParam: 'invalid', }); await parameterization.execute(db, { //@ts-expect-error - invalid parameter type targetBirthYear: '2020', targetHandle: 'jsmith', }); await parameterization.executeTakeFirst(db, { //@ts-expect-error - invalid parameter type targetBirthYear: '2020', targetHandle: 'jsmith', }); await parameterization.execute(db, { //@ts-expect-error - invalid parameter type targetHandle: null, }); await parameterization.executeTakeFirst(db, { //@ts-expect-error - invalid parameter type targetHandle: null, }); //@ts-expect-error - missing parameter name await parameterization.execute(db, { targetBirthYear: 2020, }); //@ts-expect-error - missing parameter name await parameterization.executeTakeFirst(db, { targetBirthYear: 2020, }); //@ts-expect-error - missing parameter name await parameterization.execute(db, {}); //@ts-expect-error - missing parameter name await parameterization.executeTakeFirst(db, {}); });
src/tests/update-params.test.ts
jtlapp-kysely-params-3389d6f
[ { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " interface Params {\n targetNickname: string;\n targetBirthYear: number;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(\n db.selectFrom('users').selectAll()\n ).asFollows<Params>(({ qb, param }) =>\n qb\n .where('nickname', '=', param('targetNickname'))", "score": 0.9733131527900696 }, { "filename": "src/tests/delete-params.test.ts", "retrieved_chunk": " interface Params {\n targetNickname: string;\n targetBirthYear1: number;\n targetBirthYear2: number;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(\n db.deleteFrom('users')\n ).asFollows<Params>(({ qb, param }) =>\n qb", "score": 0.9717246294021606 }, { "filename": "src/tests/delete-params.test.ts", "retrieved_chunk": " interface Params {\n targetNickname: string;\n targetBirthYear: number;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(\n db.deleteFrom('users')\n ).asFollows<Params>(({ qb, param }) =>\n qb\n .where('nickname', '=', param('targetNickname'))", "score": 0.9696210026741028 }, { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " expect(results.rows[0].name).toEqual(user1.name);\n});\nit('parameterizes values within a where expression', async () => {\n interface Params {\n targetNickname: string;\n targetBirthYear1: number;\n targetBirthYear2: number;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(", "score": 0.9271588921546936 }, { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " targetHandle: string;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(\n db.selectFrom('users').select('name')\n ).asFollows<Params>(({ qb, param }) =>\n qb.where('handle', '=', param('targetHandle'))\n );\n const result1 = await parameterization.executeTakeFirst(db, {\n targetHandle: user3.handle,", "score": 0.9247762560844421 } ]
typescript
db.updateTable('users') ).asFollows<Params>(({ qb, param }) => qb .set({
import { Kysely } from 'kysely'; import { createDB, resetDB, destroyDB } from '../utils/test-setup'; import { Database } from '../utils/test-tables'; import { ignore } from '../utils/test-utils'; import { parameterizeQuery } from '../lib/parameterizer'; let db: Kysely<Database>; beforeAll(async () => { db = await createDB(); }); beforeEach(() => resetDB(db)); afterAll(() => destroyDB(db)); it('instantiates inserted strings and numbers', async () => { interface Params { sourceHandle: string; sourceBirthYear: number | null; } const user = { name: 'John Smith', // leave out nickname handle: 'jsmith', birthYear: 1990, }; const parameterization = parameterizeQuery( db.insertInto('users').returning('id') ).asFollows<Params>(({ qb, param }) => qb.values({ handle: param('sourceHandle'), name: user.name, birthYear: param('sourceBirthYear'), }) ); const compiledQuery = parameterization.instantiate({ sourceHandle: user.handle, sourceBirthYear: user.birthYear, }); const result = await db.executeQuery(compiledQuery); expect(result?.rows).toEqual([{ id: 1 }]); const readUser = await db .selectFrom(
'users') .selectAll() .where('handle', '=', user.handle) .executeTakeFirst();
expect(readUser).toEqual({ ...user, id: 1, nickname: null }); }); it('parameterizes inserted strings and numbers with non-null values', async () => { interface Params { sourceHandle: string; sourceBirthYear: number | null; } const user = { name: 'John Smith', // leave out nickname handle: 'jsmith', birthYear: 1990, }; const parameterization = parameterizeQuery( db.insertInto('users').returning('id') ).asFollows<Params>(({ qb, param }) => qb.values({ handle: param('sourceHandle'), name: user.name, birthYear: param('sourceBirthYear'), }) ); const result = await parameterization.executeTakeFirst(db, { sourceHandle: user.handle, sourceBirthYear: user.birthYear, }); expect(result).toEqual({ id: 1 }); // Make sure we can address properties by name. expect(result?.id).toBe(1); const readUser = await db .selectFrom('users') .selectAll() .where('handle', '=', user.handle) .executeTakeFirst(); expect(readUser).toEqual({ ...user, id: 1, nickname: null }); }); it('parameterizes inserted strings and numbers with null values', async () => { interface Params { sourceNickname: string | null; sourceBirthYear: number | null; } const user = { name: 'John Smith', nickname: null, handle: 'jsmith', birthYear: null, }; const parameterization = parameterizeQuery( db.insertInto('users').returning('id') ).asFollows<Params>(({ qb, param }) => qb.values({ handle: user.handle, name: user.name, nickname: param('sourceNickname'), birthYear: param('sourceBirthYear'), }) ); const result = await parameterization.executeTakeFirst(db, { sourceNickname: user.nickname, sourceBirthYear: user.birthYear, }); expect(result).toEqual({ id: 1 }); const readUser = await db .selectFrom('users') .selectAll() .where('handle', '=', user.handle) .executeTakeFirst(); expect(readUser).toEqual({ ...user, id: 1 }); }); it('parameterizes a generated column, with multiple executions', async () => { interface Params { sourceId?: number; } const user = { handle: 'jsmith', name: 'John Smith', nickname: null, birthYear: null, }; const parameterization = parameterizeQuery( db.insertInto('users') ).asFollows<Params>(({ qb, param }) => qb.values({ id: param('sourceId'), name: user.name, handle: user.handle, }) ); // First execution not assigning generated column. const result1 = await parameterization.executeTakeFirst(db, {}); expect(result1).toBeUndefined(); const readUser = await db .selectFrom('users') .selectAll() .where('handle', '=', user.handle) .executeTakeFirst(); expect(readUser).toEqual({ ...user, id: 1 }); // Second execution assigning generated column. const result = await parameterization.executeTakeFirst(db, { sourceId: 100 }); expect(result).toBeUndefined(); const readUsers = await db .selectFrom('users') .selectAll() .where('handle', '=', user.handle) .execute(); expect(readUsers).toEqual([ { ...user, id: 1 }, { ...user, id: 100 }, ]); }); it('parameterizes single query performing multiple insertions', async () => { interface Params { sourceName1and2: string; sourceNickname1: string; sourceBirthYear1: number; sourceBirthYear2: number; } const user1 = { name: 'John Smith', nickname: 'Johny', handle: 'jsmith1', birthYear: 1990, }; const user2 = { name: 'John Smith', nickname: null, handle: 'jsmith2', birthYear: 2000, }; const parameterization = parameterizeQuery( db.insertInto('users').returning('id') ).asFollows<Params>(({ qb, param }) => qb.values([ { handle: user1.handle, name: param('sourceName1and2'), nickname: param('sourceNickname1'), birthYear: param('sourceBirthYear1'), }, { handle: user2.handle, name: param('sourceName1and2'), nickname: user2.nickname, birthYear: user2.birthYear, }, ]) ); const result = await parameterization.execute(db, { sourceName1and2: user1.name, sourceNickname1: user1.nickname, sourceBirthYear1: user1.birthYear, sourceBirthYear2: user2.birthYear, }); expect(result.rows).toEqual([{ id: 1 }, { id: 2 }]); // Make sure we can address properties by name. expect(result?.rows[0].id).toBe(1); const readUsers = await db .selectFrom('users') .selectAll() .where('name', '=', user1.name) .execute(); expect(readUsers).toEqual([ { ...user1, id: 1 }, { ...user2, id: 2 }, ]); }); it('parameterizes without defined parameters', async () => { const user = { name: 'John Smith', nickname: null, handle: 'jsmith', birthYear: null, }; const parameterization = parameterizeQuery( db.insertInto('users').returning('id') ).asFollows(({ qb }) => qb.values(user)); const result = await parameterization.executeTakeFirst(db, {}); expect(result).toEqual({ id: 1 }); const readUser = await db .selectFrom('users') .selectAll() .where('handle', '=', user.handle) .executeTakeFirst(); expect(readUser).toEqual({ ...user, id: 1 }); }); ignore('disallows incompatible parameter types', () => { interface InvalidParams { sourceHandle: number; sourceName: string | null; } parameterizeQuery(db.insertInto('users')).asFollows<InvalidParams>( ({ qb, param }) => qb.values({ //@ts-expect-error - invalid parameter type handle: param('sourceHandle'), name: 'John Smith', }) ); parameterizeQuery(db.insertInto('users')).asFollows<InvalidParams>( ({ qb, param }) => qb.values({ handle: 'jsmith', //@ts-expect-error - invalid parameter type name: param('sourceName'), }) ); }); ignore('restricts a generated column parameter', async () => { interface InvalidParams { sourceId?: string; } parameterizeQuery(db.insertInto('users')).asFollows<InvalidParams>( ({ qb, param }) => qb.values({ //@ts-expect-error - invalid parameter type id: param('sourceId'), name: 'John Smith', handle: 'jsmith', }) ); }); ignore('restricts provided parameters', async () => { interface ValidParams { sourceHandle: string; sourceBirthYear: number | null; } const parameterization = parameterizeQuery( db.insertInto('users') ).asFollows<ValidParams>(({ qb, param }) => qb.values({ handle: param('sourceHandle'), name: 'John Smith', birthYear: param('sourceBirthYear'), }) ); await parameterization.execute(db, { //@ts-expect-error - invalid parameter name invalidParam: 'invalid', }); await parameterization.executeTakeFirst(db, { //@ts-expect-error - invalid parameter name invalidParam: 'invalid', }); await parameterization.execute(db, { //@ts-expect-error - invalid parameter type sourceBirthYear: '2020', sourceHandle: 'jsmith', }); await parameterization.executeTakeFirst(db, { //@ts-expect-error - invalid parameter type sourceBirthYear: '2020', sourceHandle: 'jsmith', }); await parameterization.execute(db, { //@ts-expect-error - invalid parameter type sourceHandle: null, sourceBirthYear: null, }); await parameterization.executeTakeFirst(db, { //@ts-expect-error - invalid parameter type sourceHandle: null, sourceBirthYear: null, }); //@ts-expect-error - missing parameter name await parameterization.execute(db, { sourceBirthYear: 2020, }); //@ts-expect-error - missing parameter name await parameterization.executeTakeFirst(db, { sourceBirthYear: 2020, }); //@ts-expect-error - missing parameter name await parameterization.execute(db, {}); //@ts-expect-error - missing parameter name await parameterization.executeTakeFirst(db, {}); }); ignore('restrict returned column names', async () => { interface ValidParams { sourceHandle: string; sourceBirthYear: number | null; } const parameterization = parameterizeQuery( db.insertInto('users').returning('id') ).asFollows<ValidParams>(({ qb, param }) => qb.values({ handle: param('sourceHandle'), name: 'John Smith', birthYear: param('sourceBirthYear'), }) ); const result1 = await parameterization.executeTakeFirst(db, { sourceHandle: 'jsmith', sourceBirthYear: 2020, }); // @ts-expect-error - invalid column name result1?.notThere; const result2 = await parameterization.execute(db, { sourceHandle: 'jsmith', sourceBirthYear: 2020, }); // @ts-expect-error - invalid column name result2.rows[0]?.notThere; });
src/tests/insert-params.test.ts
jtlapp-kysely-params-3389d6f
[ { "filename": "src/tests/update-params.test.ts", "retrieved_chunk": " toBirthYear: 2010,\n whereNickname: user3.nickname,\n });\n expect(result2).toBeUndefined();\n const users = await db.selectFrom('users').selectAll().execute();\n expect(users).toEqual([\n { ...user1, id: 1, handle: 'newHandle', birthYear: 2000 },\n { ...user2, id: 2, handle: 'newHandle', birthYear: 2000 },\n { ...user3, id: 3, handle: 'newHandle', birthYear: 2010 },\n ]);", "score": 0.930046796798706 }, { "filename": "src/tests/update-params.test.ts", "retrieved_chunk": " const result1 = await db.executeQuery(compiledQuery1);\n expect(Number(result1?.numAffectedRows)).toEqual(2);\n // Second execution\n const compiledQuery2 = parameterization.instantiate({\n toBirthYear: 2010,\n whereNickname: user3.nickname,\n });\n const result2 = await db.executeQuery(compiledQuery2);\n expect(Number(result2?.numAffectedRows)).toEqual(1);\n const users = await db.selectFrom('users').selectAll().execute();", "score": 0.9245411157608032 }, { "filename": "src/tests/update-params.test.ts", "retrieved_chunk": " expect(Number(result1.numAffectedRows)).toEqual(2);\n const result2 = await parameterization.executeTakeFirst(db, {\n toBirthYear: 2010,\n whereNickname: user3.nickname,\n });\n expect(result2).toBeUndefined();\n const users = await db.selectFrom('users').selectAll().execute();\n expect(users).toEqual([\n { ...user1, id: 1, birthYear: null },\n { ...user2, id: 2, birthYear: null },", "score": 0.9185634851455688 }, { "filename": "src/tests/delete-params.test.ts", "retrieved_chunk": " const compiledQuery2 = parameterization.instantiate({\n targetNickname: user3.nickname,\n targetBirthYear: user3.birthYear,\n });\n const result2 = await db.executeQuery(compiledQuery2);\n expect(Number(result2?.numAffectedRows)).toEqual(1);\n // Verify that the correct rows were deleted\n const results = await db.selectFrom('users').selectAll().execute();\n expect(results).toEqual([{ ...user1, id: 1 }]);\n});", "score": 0.9101168513298035 }, { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " const compiledQuery2 = parameterization.instantiate({\n targetNickname: user2.nickname,\n targetBirthYear: 1980,\n });\n const result2 = await db.executeQuery(compiledQuery2);\n expect(result2?.rows).toEqual([{ ...user1, id: 1 }]);\n // Allows constant parameters\n const params = {\n targetNickname: 'Jane' as const,\n targetBirthYear: 1990 as const,", "score": 0.9034068584442139 } ]
typescript
'users') .selectAll() .where('handle', '=', user.handle) .executeTakeFirst();
import { Kysely } from 'kysely'; import { createDB, resetDB, destroyDB } from '../utils/test-setup'; import { Database } from '../utils/test-tables'; import { ignore } from '../utils/test-utils'; import { parameterizeQuery } from '../lib/parameterizer'; let db: Kysely<Database>; beforeAll(async () => { db = await createDB(); }); beforeEach(() => resetDB(db)); afterAll(() => destroyDB(db)); const user1 = { name: 'John Smith', nickname: 'Johnny', handle: 'jsmith', birthYear: 1980, }; const user2 = { name: 'John McSmith', nickname: 'Johnny', handle: 'jmsmith', birthYear: 1990, }; const user3 = { name: 'Jane Doe', nickname: 'Jane', handle: 'jdoe', birthYear: 1990, }; it("instantiates update values and 'where' selections, with multiple executions", async () => { interface Params { toBirthYear: number; whereNickname: string; } await db.insertInto('users').values([user1, user2, user3]).execute(); const parameterization = parameterizeQuery( db.updateTable('users') ).
asFollows<Params>(({ qb, param }) => qb .set({
birthYear: param('toBirthYear'), handle: 'newHandle', }) .where('nickname', '=', param('whereNickname')) ); // First execution const compiledQuery1 = parameterization.instantiate({ toBirthYear: 2000, whereNickname: user2.nickname, }); const result1 = await db.executeQuery(compiledQuery1); expect(Number(result1?.numAffectedRows)).toEqual(2); // Second execution const compiledQuery2 = parameterization.instantiate({ toBirthYear: 2010, whereNickname: user3.nickname, }); const result2 = await db.executeQuery(compiledQuery2); expect(Number(result2?.numAffectedRows)).toEqual(1); const users = await db.selectFrom('users').selectAll().execute(); expect(users).toEqual([ { ...user1, id: 1, handle: 'newHandle', birthYear: 2000 }, { ...user2, id: 2, handle: 'newHandle', birthYear: 2000 }, { ...user3, id: 3, handle: 'newHandle', birthYear: 2010 }, ]); }); it("parameterizes update values and 'where' selections, with multiple executions", async () => { interface Params { toBirthYear: number; whereNickname: string; } await db.insertInto('users').values([user1, user2, user3]).execute(); // First execution const parameterization = parameterizeQuery( db.updateTable('users') ).asFollows<Params>(({ qb, param }) => qb .set({ birthYear: param('toBirthYear'), handle: 'newHandle', }) .where('nickname', '=', param('whereNickname')) ); const result1 = await parameterization.execute(db, { toBirthYear: 2000, whereNickname: user2.nickname, }); expect(Number(result1.numAffectedRows)).toEqual(2); // Second execution const result2 = await parameterization.executeTakeFirst(db, { toBirthYear: 2010, whereNickname: user3.nickname, }); expect(result2).toBeUndefined(); const users = await db.selectFrom('users').selectAll().execute(); expect(users).toEqual([ { ...user1, id: 1, handle: 'newHandle', birthYear: 2000 }, { ...user2, id: 2, handle: 'newHandle', birthYear: 2000 }, { ...user3, id: 3, handle: 'newHandle', birthYear: 2010 }, ]); }); it('parameterizes update values accepting nulls', async () => { interface Params { toBirthYear: number | null; whereNickname: string; } await db.insertInto('users').values([user1, user2, user3]).execute(); const parameterization = parameterizeQuery( db.updateTable('users') ).asFollows<Params>(({ qb, param }) => qb .set({ birthYear: param('toBirthYear'), }) .where('nickname', '=', param('whereNickname')) ); const result1 = await parameterization.execute(db, { toBirthYear: null, whereNickname: user2.nickname, }); expect(Number(result1.numAffectedRows)).toEqual(2); const result2 = await parameterization.executeTakeFirst(db, { toBirthYear: 2010, whereNickname: user3.nickname, }); expect(result2).toBeUndefined(); const users = await db.selectFrom('users').selectAll().execute(); expect(users).toEqual([ { ...user1, id: 1, birthYear: null }, { ...user2, id: 2, birthYear: null }, { ...user3, id: 3, birthYear: 2010 }, ]); }); it('parameterizes without defined parameters', async () => { await db.insertInto('users').values([user1, user2, user3]).execute(); const parameterization = parameterizeQuery(db.updateTable('users')).asFollows( ({ qb }) => qb .set({ birthYear: 2000, handle: 'newHandle', }) .where('nickname', '=', 'Johnny') ); const result1 = await parameterization.execute(db, {}); expect(Number(result1.numAffectedRows)).toEqual(2); const users = await db.selectFrom('users').selectAll().execute(); expect(users).toEqual([ { ...user1, id: 1, handle: 'newHandle', birthYear: 2000 }, { ...user2, id: 2, handle: 'newHandle', birthYear: 2000 }, { ...user3, id: 3, handle: 'jdoe', birthYear: 1990 }, ]); }); ignore('disallows incompatible set parameter types', () => { interface InvalidParams { sourceHandle: number; sourceName: string | null; } parameterizeQuery(db.updateTable('users')).asFollows<InvalidParams>( ({ qb, param }) => qb.set({ //@ts-expect-error - invalid parameter type handle: param('sourceHandle'), name: 'John Smith', }) ); parameterizeQuery(db.updateTable('users')).asFollows<InvalidParams>( ({ qb, param }) => qb.set({ handle: 'jsmith', //@ts-expect-error - invalid parameter type name: param('sourceName'), }) ); }); ignore('restricts a set generated column parameter', async () => { interface InvalidParams { sourceId?: string; } parameterizeQuery(db.insertInto('users')).asFollows<InvalidParams>( ({ qb, param }) => qb.values({ //@ts-expect-error - invalid parameter type id: param('sourceId'), name: 'John Smith', handle: 'jsmith', }) ); }); ignore('array parameters are not allowed', () => { interface InvalidParams { targetBirthYears: number[]; } parameterizeQuery(db.updateTable('users')) // @ts-expect-error - invalid parameter type .asFollows<InvalidParams>(({ qb, param }) => qb .set({ nickname: 'newNickname' }) .where('birthYear', 'in', param('targetBirthYears')) ); }); ignore('disallows incompatible parameter types', () => { interface InvalidParams { targetHandle: number; } parameterizeQuery(db.updateTable('users')).asFollows<InvalidParams>( ({ qb, param }) => qb .set({ nickname: 'newNickname' }) //@ts-expect-error - invalid parameter type .where('handle', '=', param('targetHandle')) ); }); ignore('restricts provided parameters', async () => { interface ValidParams { targetHandle: string; targetBirthYear: number; } const parameterization = parameterizeQuery( db.updateTable('users') ).asFollows<ValidParams>(({ qb, param }) => qb .set({ nickname: 'newNickname' }) .where('handle', '=', param('targetHandle')) .where('name', '=', 'John Smith') .where('birthYear', '=', param('targetBirthYear')) ); await parameterization.execute(db, { //@ts-expect-error - invalid parameter name invalidParam: 'invalid', }); await parameterization.executeTakeFirst(db, { //@ts-expect-error - invalid parameter name invalidParam: 'invalid', }); await parameterization.execute(db, { //@ts-expect-error - invalid parameter type targetBirthYear: '2020', targetHandle: 'jsmith', }); await parameterization.executeTakeFirst(db, { //@ts-expect-error - invalid parameter type targetBirthYear: '2020', targetHandle: 'jsmith', }); await parameterization.execute(db, { //@ts-expect-error - invalid parameter type targetHandle: null, }); await parameterization.executeTakeFirst(db, { //@ts-expect-error - invalid parameter type targetHandle: null, }); //@ts-expect-error - missing parameter name await parameterization.execute(db, { targetBirthYear: 2020, }); //@ts-expect-error - missing parameter name await parameterization.executeTakeFirst(db, { targetBirthYear: 2020, }); //@ts-expect-error - missing parameter name await parameterization.execute(db, {}); //@ts-expect-error - missing parameter name await parameterization.executeTakeFirst(db, {}); });
src/tests/update-params.test.ts
jtlapp-kysely-params-3389d6f
[ { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " interface Params {\n targetNickname: string;\n targetBirthYear: number;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(\n db.selectFrom('users').selectAll()\n ).asFollows<Params>(({ qb, param }) =>\n qb\n .where('nickname', '=', param('targetNickname'))", "score": 0.9641749262809753 }, { "filename": "src/tests/delete-params.test.ts", "retrieved_chunk": " interface Params {\n targetNickname: string;\n targetBirthYear1: number;\n targetBirthYear2: number;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(\n db.deleteFrom('users')\n ).asFollows<Params>(({ qb, param }) =>\n qb", "score": 0.9629871249198914 }, { "filename": "src/tests/delete-params.test.ts", "retrieved_chunk": " interface Params {\n targetNickname: string;\n targetBirthYear: number;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(\n db.deleteFrom('users')\n ).asFollows<Params>(({ qb, param }) =>\n qb\n .where('nickname', '=', param('targetNickname'))", "score": 0.9608122706413269 }, { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " targetHandle: string;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(\n db.selectFrom('users').select('name')\n ).asFollows<Params>(({ qb, param }) =>\n qb.where('handle', '=', param('targetHandle'))\n );\n const result1 = await parameterization.executeTakeFirst(db, {\n targetHandle: user3.handle,", "score": 0.9261205792427063 }, { "filename": "src/tests/select-params.test.ts", "retrieved_chunk": " expect(results.rows[0].name).toEqual(user1.name);\n});\nit('parameterizes values within a where expression', async () => {\n interface Params {\n targetNickname: string;\n targetBirthYear1: number;\n targetBirthYear2: number;\n }\n await db.insertInto('users').values([user1, user2, user3]).execute();\n const parameterization = parameterizeQuery(", "score": 0.922523558139801 } ]
typescript
asFollows<Params>(({ qb, param }) => qb .set({
import { Message } from 'discord.js'; import { sentryCapture } from '@/config/sentry'; import { logger } from '@/config/winston'; import { BotError, ERRORS } from '@/shared/errors'; import { AudioPlayer, createAudioResource, getVoiceConnection, StreamType, } from '@discordjs/voice'; import { BOT_MESSAGES } from '../containts/default-messages'; import { MarliMusic } from '../marli-music'; export abstract class Command { name: string; constructor(protected bot: MarliMusic) {} abstract execute(message: Message, input?: string): Promise<void>; async getAudioResource(url: string) { const source = this.getSourceStream(); const stream = await source.getStream(url); return createAudioResource(stream, { inputType: StreamType.Opus, }); } async getResourceUrl(title: string, artist: string) { const source = this.getSourceStream(); const search = ( await source.search(`${title} ${artist}`, { limit: 1, }) ).shift(); return search.url; } getPlayer(connectionID: string): AudioPlayer { return this.bot.getPlayer(connectionID); } removePlayer(connectionID: string) { this.bot.removePlayer(connectionID); } getQueue() { return this.bot.queue; } getSourceStream() { return this.bot.sourceStream; } public getConnection(message: Message) { return getVoiceConnection(message.member.voice.guild.id); } async validate(message: Message, input: string): Promise<boolean> { const voiceChannel = message.member.voice.channel; if (!voiceChannel) { throw new BotError( ERRORS.INVALID_COMMAND_USAGE, BOT_MESSAGES.NOT_IN_A_VOICE_CHANNEL ); } const permissions = voiceChannel.permissionsFor(message.client.user); if (!permissions.has('Connect') || !permissions.has('Speak')) { throw new BotError( ERRORS.INVALID_COMMAND_USAGE, BOT_MESSAGES.NO_PERMISSION_JOIN_SPEAK ); } if (!input.length) { throw new BotError( ERRORS.INVALID_COMMAND_USAGE,
BOT_MESSAGES.INVALID_INPUT_MESSAGE );
} return true; } async sendCommandError(error: BotError, message: Message) { logger.debug('error', error.stack, error); await message.reply({ content: error.userMessage || BOT_MESSAGES.BOT_ERROR, }); sentryCapture(ERRORS.RESOURCE_ERROR, error); } }
src/bot/commands/command.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/bot/containts/default-messages.ts", "retrieved_chunk": "import * as dotenv from 'dotenv';\ndotenv.config();\nconst INVALID_COMMAND = process.env.INVALID_COMMAND || 'INVALID COMMAND';\nconst NOT_IN_A_VOICE_CHANNEL =\n process.env.NOT_IN_A_VOICE_CHANNEL || `YOU'RE NOT IN A VOICE CHANNEL`;\nconst NO_PERMISSION_JOIN_SPEAK =\n process.env.NO_PERMISSION_JOIN_SPEAK ||\n 'I HAVE NO PERMISSION TO JOIN OR SPEAK';\nconst INVALID_INPUT_MESSAGE =\n process.env.INVALID_INPUT_MESSAGE || 'INVALID INPUT MESSAGE';", "score": 0.8244547843933105 }, { "filename": "src/bot/marli-music.ts", "retrieved_chunk": " if (!message.content.startsWith(this.prefix)) return;\n const args = message.content.split(' ');\n const input = message.content.replace(args[0], '');\n const commandString = args[0].replace(this.prefix, '');\n if (!ALL_COMMANDS[commandString]) {\n await message.reply(BOT_MESSAGES.INVALID_COMMAND);\n await new CommandHelp(this).execute(message);\n return;\n }\n const command: Command = new ALL_COMMANDS[commandString](this);", "score": 0.8162358403205872 }, { "filename": "src/bot/containts/default-messages.ts", "retrieved_chunk": "const BOT_ERROR = process.env.BOT_ERROR || 'FAILED TO EXECUTE COMMAND';\nexport const BOT_MESSAGES = {\n CURRENT_PLAYING,\n INVALID_COMMAND,\n INVALID_INPUT_MESSAGE,\n MUSIC_PAUSED,\n MUSIC_RESUMED,\n MUSIC_SKIPPED,\n MUSIC_STOPPED,\n NOT_IN_A_VOICE_CHANNEL,", "score": 0.8096842765808105 }, { "filename": "src/bot/commands/command-play.ts", "retrieved_chunk": " this.name = 'play';\n }\n async execute(message: Message, input: string) {\n try {\n await this.validate(message, input);\n const voiceMember = message.member.voice;\n const connection = joinVoiceChannel({\n adapterCreator: voiceMember.guild.voiceAdapterCreator,\n channelId: voiceMember.channelId,\n guildId: String(voiceMember.guild.id),", "score": 0.8092172145843506 }, { "filename": "src/bot/commands/command-search.ts", "retrieved_chunk": " .join(' ')\n );\n } catch (err) {\n await this.sendCommandError(err, message);\n }\n }\n}", "score": 0.8023342490196228 } ]
typescript
BOT_MESSAGES.INVALID_INPUT_MESSAGE );
import { StreamInfo } from '@/sources/source-stream'; import { shuffleArray } from '../helpers/helpers'; export interface QueueData { streamInfo: StreamInfo; userSearch: string; } export abstract class Queue { items: Map<string, QueueData[]> = new Map(); abstract getList(connection: string): QueueData[]; abstract add(connection: string, value: QueueData): void; abstract pop(connection: string): void; abstract clear(connection: string): void; abstract shuffle(connection: string): void; } export class LocalQueue extends Queue { constructor() { super(); } getList(connectionID: string): QueueData[] { return this.items.get(connectionID) || []; } add(connectionID: string, value: QueueData) { const connectionItems = this.getList(connectionID); connectionItems.push(value); this.items.set(connectionID, connectionItems); } pop(connectionID: string) { const connectionItems = this.getList(connectionID); connectionItems.shift(); this.items.set(connectionID, connectionItems); } clear(connectionID: string): void { this.items.delete(connectionID); } shuffle(connectionID: string): void { const list = this.getList(connectionID);
const shuffledList = shuffleArray<QueueData>(list);
this.items.set(connectionID, shuffledList); } }
src/queue/queue.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/bot/commands/command-skip.ts", "retrieved_chunk": " queue.pop(connectionID);\n } else {\n player.removeAllListeners();\n const stop = new Stop(this.bot);\n await stop.execute(message);\n }\n } catch (error) {\n await this.sendCommandError(error, message);\n }\n }", "score": 0.8197052478790283 }, { "filename": "src/bot/commands/command-list-queue.ts", "retrieved_chunk": " const queue = this.getQueue();\n const queueList = queue.getList(connectionID);\n if (!queueList?.length) {\n message.reply(BOT_MESSAGES.PLAYLIST_EMPTY);\n return;\n }\n const itemsToShow = queueList\n .map(\n (item, index) =>\n `\\n${index + 1} - ${item.streamInfo.title} - ${", "score": 0.8028223514556885 }, { "filename": "src/bot/marli-music.ts", "retrieved_chunk": " if (!this.players.has(connection)) {\n this.addPlayer(connection);\n }\n return this.players.get(connection);\n }\n public removePlayer(connection: string) {\n this.players.delete(connection);\n }\n private async onMessage(message: Message) {\n if (message.author.bot) return;", "score": 0.7891563177108765 }, { "filename": "src/bot/commands/hooks/command-play-hook.ts", "retrieved_chunk": " );\n });\n connection.on(VoiceConnectionStatus.Disconnected, () => {\n logger.log('info', 'disconnect');\n connection.destroy();\n const connectionID = message.member.voice.channelId;\n this.removePlayer(connectionID);\n });\n }\n}", "score": 0.7845227718353271 }, { "filename": "src/bot/commands/command.ts", "retrieved_chunk": " return search.url;\n }\n getPlayer(connectionID: string): AudioPlayer {\n return this.bot.getPlayer(connectionID);\n }\n removePlayer(connectionID: string) {\n this.bot.removePlayer(connectionID);\n }\n getQueue() {\n return this.bot.queue;", "score": 0.7837932109832764 } ]
typescript
const shuffledList = shuffleArray<QueueData>(list);
import { Client, ClientOptions, Message } from 'discord.js'; import { sentryCapture } from '@/config/sentry'; import { logger } from '@/config/winston'; import { Queue } from '@/queue/queue'; import { ERRORS } from '@/shared/errors'; import { SourceStream } from '@/sources/source-stream'; import { AudioPlayer } from '@discordjs/voice'; import { ALL_COMMANDS, Command } from './commands'; import { CommandHelp } from './commands/command-help'; import { BOT_MESSAGES } from './containts/default-messages'; export interface BotInfo { prefix: string; token: string; } export class MarliMusic extends Client { prefix: string; players: Map<string, AudioPlayer> = new Map(); static MAX_REPLY_CONTENT_LENGTH = 2000; constructor( private botInfo: BotInfo, public sourceStream: SourceStream, public queue: Queue, options?: ClientOptions ) { super(options); this.prefix = botInfo.prefix; this.login(this.botInfo.token).catch((reason) => { logger.log('error', ERRORS.BOT_STARTUP_ERROR, reason); sentryCapture(ERRORS.BOT_STARTUP_ERROR, new Error(reason)); }); this.once('ready', () => { this.healthCheck(); }); this.on('error', (error: Error) => { logger.error(ERRORS.BOT_STARTUP_ERROR, error); sentryCapture(ERRORS.BOT_STARTUP_ERROR, error); }); this.on('messageCreate', async (message: Message) => this.onMessage(message) ); } public healthCheck() { const healthString = `${this.user.username} online ${this.uptime}`; logger.log('debug', healthString); return healthString; } public addPlayer(connection: string) { this.players.set(connection, new AudioPlayer()); } public getPlayer(connection: string) { if (!this.players.has(connection)) { this.addPlayer(connection); } return this.players.get(connection); } public removePlayer(connection: string) { this.players.delete(connection); } private async onMessage(message: Message) { if (message.author.bot) return; if (!message.content.startsWith(this.prefix)) return; const args = message.content.split(' '); const input = message.content.replace(args[0], ''); const commandString = args[0].replace(this.prefix, ''); if (!ALL_COMMANDS[commandString]) { await message.reply(BOT_MESSAGES.INVALID_COMMAND); await new CommandHelp(
this).execute(message);
return; } const command: Command = new ALL_COMMANDS[commandString](this); await command.execute(message, input); } }
src/bot/marli-music.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/bot/commands/command-help.ts", "retrieved_chunk": " try {\n await this.validate(message, 'help');\n const commands = Object.keys(ALL_COMMANDS);\n message.reply(\n `Type: ${this.bot.prefix}<command> \\n\\nAll Commands:\\n${commands.join(\n '\\n'\n )}`\n );\n } catch (err) {\n await this.sendCommandError(err, message);", "score": 0.8912621736526489 }, { "filename": "src/bot/commands/command-help.ts", "retrieved_chunk": "import { Message } from 'discord.js';\nimport { MarliMusic } from '../marli-music';\nimport { Command } from './command';\nimport { ALL_COMMANDS } from './command-map';\nexport class CommandHelp extends Command {\n name = 'help';\n constructor(bot: MarliMusic) {\n super(bot);\n }\n async execute(message: Message) {", "score": 0.8579956293106079 }, { "filename": "src/bot/commands/command-list-queue.ts", "retrieved_chunk": " });\n } catch (error) {\n await this.sendCommandError(error, message);\n }\n }\n}", "score": 0.8535109758377075 }, { "filename": "src/bot/commands/command-stop.ts", "retrieved_chunk": " } catch (err) {\n await this.sendCommandError(err, message);\n }\n }\n}", "score": 0.8483737707138062 }, { "filename": "src/bot/commands/hooks/command-play-hook.ts", "retrieved_chunk": " super(bot);\n }\n async execute(message: Message) {\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const connection = this.getConnection(message);\n player.on('error', async (error: Error) => {\n await this.sendCommandError(\n new BotError(error.stack, BOT_MESSAGES.BOT_ERROR),\n message", "score": 0.8385148048400879 } ]
typescript
this).execute(message);
import { Client, ClientOptions, Message } from 'discord.js'; import { sentryCapture } from '@/config/sentry'; import { logger } from '@/config/winston'; import { Queue } from '@/queue/queue'; import { ERRORS } from '@/shared/errors'; import { SourceStream } from '@/sources/source-stream'; import { AudioPlayer } from '@discordjs/voice'; import { ALL_COMMANDS, Command } from './commands'; import { CommandHelp } from './commands/command-help'; import { BOT_MESSAGES } from './containts/default-messages'; export interface BotInfo { prefix: string; token: string; } export class MarliMusic extends Client { prefix: string; players: Map<string, AudioPlayer> = new Map(); static MAX_REPLY_CONTENT_LENGTH = 2000; constructor( private botInfo: BotInfo, public sourceStream: SourceStream, public queue: Queue, options?: ClientOptions ) { super(options); this.prefix = botInfo.prefix; this.login(this.botInfo.token).catch((reason) => { logger.log('error', ERRORS.BOT_STARTUP_ERROR, reason); sentryCapture(ERRORS.BOT_STARTUP_ERROR, new Error(reason)); }); this.once('ready', () => { this.healthCheck(); }); this.on('error', (error: Error) => { logger.error(ERRORS.BOT_STARTUP_ERROR, error); sentryCapture(ERRORS.BOT_STARTUP_ERROR, error); }); this.on('messageCreate', async (message: Message) => this.onMessage(message) ); } public healthCheck() { const healthString = `${this.user.username} online ${this.uptime}`; logger.log('debug', healthString); return healthString; } public addPlayer(connection: string) { this.players.set(connection, new AudioPlayer()); } public getPlayer(connection: string) { if (!this.players.has(connection)) { this.addPlayer(connection); } return this.players.get(connection); } public removePlayer(connection: string) { this.players.delete(connection); } private async onMessage(message: Message) { if (message.author.bot) return; if (!message.content.startsWith(this.prefix)) return; const args = message.content.split(' '); const input = message.content.replace(args[0], ''); const commandString = args[0].replace(this.prefix, ''); if (!ALL_COMMANDS[commandString]) {
await message.reply(BOT_MESSAGES.INVALID_COMMAND);
await new CommandHelp(this).execute(message); return; } const command: Command = new ALL_COMMANDS[commandString](this); await command.execute(message, input); } }
src/bot/marli-music.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/bot/commands/hooks/command-play-hook.ts", "retrieved_chunk": " super(bot);\n }\n async execute(message: Message) {\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const connection = this.getConnection(message);\n player.on('error', async (error: Error) => {\n await this.sendCommandError(\n new BotError(error.stack, BOT_MESSAGES.BOT_ERROR),\n message", "score": 0.8563265800476074 }, { "filename": "src/bot/commands/command-skip.ts", "retrieved_chunk": " queue.pop(connectionID);\n } else {\n player.removeAllListeners();\n const stop = new Stop(this.bot);\n await stop.execute(message);\n }\n } catch (error) {\n await this.sendCommandError(error, message);\n }\n }", "score": 0.8530210256576538 }, { "filename": "src/bot/commands/command-help.ts", "retrieved_chunk": " try {\n await this.validate(message, 'help');\n const commands = Object.keys(ALL_COMMANDS);\n message.reply(\n `Type: ${this.bot.prefix}<command> \\n\\nAll Commands:\\n${commands.join(\n '\\n'\n )}`\n );\n } catch (err) {\n await this.sendCommandError(err, message);", "score": 0.8513013124465942 }, { "filename": "src/bot/commands/hooks/command-play-hook.ts", "retrieved_chunk": " );\n });\n connection.on(VoiceConnectionStatus.Disconnected, () => {\n logger.log('info', 'disconnect');\n connection.destroy();\n const connectionID = message.member.voice.channelId;\n this.removePlayer(connectionID);\n });\n }\n}", "score": 0.8403884172439575 }, { "filename": "src/bot/commands/command-list-queue.ts", "retrieved_chunk": " });\n } catch (error) {\n await this.sendCommandError(error, message);\n }\n }\n}", "score": 0.839056134223938 } ]
typescript
await message.reply(BOT_MESSAGES.INVALID_COMMAND);
// Here is a brief technical description of each function in the Python script: import { createWriteStream } from 'node:fs' import { dirname, join } from 'node:path' import { fileURLToPath } from 'node:url' import Table from 'cli-table3' import type { Address, Hex } from 'viem' import { formatUnits } from 'viem' import { got } from 'got' import { splitArray } from '../utils/split-array.js' import { NETWORKS } from '../data/config.js' import { getEvmWallet } from '../utils/get-evm-wallet.js' import { ERC20_ABI } from '../data/abi.js' import type { Chains } from '../data/constants.js' import { WALLETS } from '../data/wallets.js' import type { Web3CheckerTokens, Web3CheckerTokensResult, Web3ChekerTokenInfo } from '../models/web3-checker.js' import { getPublicClient } from '../utils/get-clients.js' import { ONCHAIN_BALANCES_PARAMETERS } from '../data/settings.js' async function getTokenInfo(tokens: Web3CheckerTokens): Promise<Web3ChekerTokenInfo> { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const symbolParams = { abi: ERC20_ABI, functionName: 'symbol', } const decimalsParams = { abi: ERC20_ABI, functionName: 'decimals', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = chainTokens.flatMap(token => [ { address: token, ...symbolParams, }, { address: token, ...decimalsParams, }, ]) return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).map((chainResults, chainIndex) => { const chain = chains[chainIndex] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const chainInfo: any = {} chainResults.flat().forEach((el, index) => { const isSymbol = index % 2 === 0 const tokenIndex = Math.floor(index / 2) const tokenAddress = chainTokens[tokenIndex] if (!chainInfo[tokenAddress]) chainInfo[tokenAddress] = {} if (isSymbol) chainInfo[tokenAddress].symbol = el.result as string else chainInfo[tokenAddress].decimals = el.result as number }) // check and process gas token if (tokens[chain]?.includes('')) { chainInfo[''] = { symbol: NETWORKS[chain].token, decimals: 18, } } return { [chain]: chainInfo } }) const tokenInfo: Web3ChekerTokenInfo = Object.assign({}, ...erc20Results) // Fetching prices const uniqueSymbols = new Set<string>() for (const chain of Object.values(tokenInfo)) { for (const token of Object.values(chain)) uniqueSymbols.add(token.symbol) } const priceRequests = Array.from(uniqueSymbols).map(async (symbol) => { try { const response = await got(`https://min-api.cryptocompare.com/data/price?fsym=${symbol}&tsyms=USDT`).json<{ USDT: number }>() return { [symbol]: response.USDT } } catch (error: any) { console.error(`Failed to fetch price for ${symbol}: ${error.message}`) return { [symbol]: 0 } } }) const prices = Object.assign({}, ...(await Promise.all(priceRequests))) // Adding prices to token info for (const chain of Object.keys(tokenInfo) as Chains[]) { for (const token of Object.keys(tokenInfo[chain]!)) tokenInfo[chain]![token].price = prices[tokenInfo![chain]![token].symbol] || 0 } return tokenInfo } async function getBalances(tokens: Web3CheckerTokens) { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const balanceParams = { abi: ERC20_ABI, functionName: 'balanceOf', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts
= WALLETS.map((wallet) => {
return chainTokens.map((token) => { return { address: token, args: [getEvmWallet(wallet)], ...balanceParams, } }) }).flat() return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).flatMap((result) => { return result.flat().map(el => el.result as bigint) }) const gasRequests = Object.entries(tokens).map(async ([chain, tokens]) => { if (tokens.includes('')) { const client = getPublicClient({ network: chain as Chains }) const balances = await Promise.all( WALLETS.map(async (wallet) => { return await client.getBalance({ address: getEvmWallet(wallet) }) }), ) return balances.flat() } }).filter(Boolean) const gasResults = await (await Promise.all(gasRequests as Promise<bigint[]>[])).flat() return [...erc20Results, ...gasResults] } function formatResults(walletBalances: bigint[][], wallets: Hex[], tokens: Web3CheckerTokens) { const finalBalances: Web3CheckerTokensResult = {} wallets.forEach((privateKey, walletIndex) => { const wallet = getEvmWallet(privateKey) const walletBalance = walletBalances[walletIndex] let balanceIndex = 0 for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} for (const token of chainTokens) { if (token) { // if not gas token finalBalances![wallet]![chain]![token] = walletBalance[balanceIndex++] } } } } for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} if (chainTokens.includes('')) finalBalances![wallet]![chain]![''] = walletBalance[balanceIndex++] } } }) return finalBalances } function printBalancesTable(formattedBalances: Web3CheckerTokensResult, tokens: Web3CheckerTokens, tokenInfo: Web3ChekerTokenInfo) { let csvData = 'number,wallet,' const chainsList: Chains[] = [] const totalBalances: { [chain: string]: { [token: string]: bigint } } = {} for (const chain of Object.keys(tokens) as Chains[]) { chainsList.push(chain) for (const token of tokens[chain]!) { csvData += `${tokenInfo[chain][token].symbol}-${chain},` totalBalances[chain] = totalBalances[chain] || {} totalBalances[chain][token] = BigInt(0) // Initialize total balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add wallet balances let walletNumber = 1 for (const wallet of Object.keys(formattedBalances)) { // let shortAddress = wallet.substring(0, 6) + '...' + wallet.substring(address.length - 4); const formattedWallet = `${wallet.substring(0, 6)}...${wallet.substring(wallet.length - 4)}` csvData += `${walletNumber++},${formattedWallet},` for (const chain of chainsList) { for (const token of tokens[chain]!) { const balance = formattedBalances[wallet]![chain]![token] const decimals = tokenInfo[chain][token].decimals const readableBalance = formatUnits(balance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` totalBalances[chain][token] += balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' } // Add total balances csvData += ',TOTAL,' let totalValueUSD = 0 const totalValuesPerTokenUSD: { [token: string]: number } = {} for (const chain of chainsList) { for (const token of tokens[chain]!) { const totalBalance = totalBalances[chain][token] const decimals = tokenInfo[chain][token].decimals const price = tokenInfo[chain][token].price const readableBalance = formatUnits(totalBalance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` const valueUSD = Number(readableBalance) * price! totalValueUSD += valueUSD const tokenSymbolWithChain = `${tokenInfo[chain][token].symbol}-${chain}` totalValuesPerTokenUSD[tokenSymbolWithChain] = (totalValuesPerTokenUSD[tokenSymbolWithChain] || 0) + valueUSD } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add total value in USD csvData += `TOTAL_VALUE:,${totalValueUSD.toFixed(2)} $,` for (const chain of chainsList) { for (const token of tokens[chain]!) { const tokenValueUSD = totalValuesPerTokenUSD[`${tokenInfo[chain][token].symbol}-${chain}`] csvData += `${tokenValueUSD.toFixed(2)} $,` } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Convert CSV data to table format const lines = csvData.split('\n') const headers = lines[0].split(',') const tableData = lines.slice(1, -1).map(line => line.split(',')) // exclude the last line since it could be empty // Transpose the table data const transposedData = headers.map((header, i) => [header, ...tableData.map(row => row[i])]) // Create a new table and push the transposed data into the table const table = new Table() transposedData.forEach(row => table.push(row)) // Print the table to the console console.log(table.toString()) // Write data to CSV file const directory = dirname(fileURLToPath(import.meta.url)) const path = join(directory, `../../results/${ONCHAIN_BALANCES_PARAMETERS.fileName}.csv`) const csvStream = createWriteStream(path) csvStream.write(csvData) csvStream.end() } async function main() { const { tokens } = ONCHAIN_BALANCES_PARAMETERS const allBalances = await getBalances(tokens) const walletBalances = splitArray(allBalances, WALLETS.length) const formattedBalances = formatResults(walletBalances, WALLETS, tokens) const tokenInfo = await getTokenInfo(tokens) printBalancesTable(formattedBalances, tokens, tokenInfo) } main()
src/modules/web3-checker.ts
insulineru-sybil-aio-058cd84
[ { "filename": "src/models/web3-checker.ts", "retrieved_chunk": " address: Address\n price?: number\n }\n }\n}\ninterface Web3CheckerTokensResult {\n [wallet: string]: {\n [chain in Chains]?: {\n [token: string]: bigint\n }", "score": 0.8283171653747559 }, { "filename": "src/data/settings.ts", "retrieved_chunk": "import type { Web3CheckerAlert, Web3CheckerParameters, Web3CheckerTokens } from '../models/web3-checker.js'\nimport { Chains } from './constants.js'\n// Модуль будет проверять только токены, указанные в этом объекте.\nconst ONCHAIN_BALANCES_TOKENS: Web3CheckerTokens = {\n [Chains.Bsc]: [\n '', // BNB\n '0x8ac76a51cc950d9822d68b83fe1ad97b32cd580d', // USDC\n '0x55d398326f99059ff775485246999027b3197955', // USDT\n ],\n [Chains.Arbitrum]: [", "score": 0.8242793083190918 }, { "filename": "src/utils/get-clients.ts", "retrieved_chunk": "import type { Chain, Hex, HttpTransport, PrivateKeyAccount, PublicClient, WalletClient } from 'viem'\nimport { createPublicClient, createWalletClient, http } from 'viem'\nimport { privateKeyToAccount } from 'viem/accounts'\nimport { NETWORKS } from '../data/config.js'\nimport type { Chains } from '../data/constants.js'\n// TODO: Singleton maybe?\nfunction getPublicClient({ network }: { network: Chains }): PublicClient {\n const { rpc, viemChain } = NETWORKS[network]\n return createPublicClient({ chain: viemChain, transport: http(rpc) })\n}", "score": 0.8178251385688782 }, { "filename": "src/data/settings.ts", "retrieved_chunk": " '', // ETH\n '0xFd086bC7CD5C481DCC9C85ebE478A1C0b69FCbb9', // USDT\n '0xFF970A61A04b1cA14834A43f5dE4533eBDDB5CC8', // USDC\n ],\n [Chains.Optimism]: [\n '', // ETH\n '0x7f5c764cbc14f9669b88837ca1490cca17c31607', // USDC\n '0x4200000000000000000000000000000000000042', // OP\n // '0x94b008aa00579c1307b0ef2c499ad98a8ce58e58', // USDT\n ],", "score": 0.8140689134597778 }, { "filename": "src/data/abi.ts", "retrieved_chunk": "const ERC20_ABI = [\n {\n constant: true,\n inputs: [],\n name: 'name',\n outputs: [\n {\n name: '',\n type: 'string',\n },", "score": 0.8085576891899109 } ]
typescript
= WALLETS.map((wallet) => {
import * as fs from "fs/promises"; import { getScripturesPath } from "../metadata"; import { AvailableLanguage } from "../lang"; import { Book, Verse } from "../types"; export class VerseSuggestion { public text: string; public previewText: string; public verses: Verse[]; constructor( public pluginName: string, public book: string, public chapter: number, public verseStart: number, public verseEnd: number | null, public lang: AvailableLanguage ) {} public getReplacement(): string { const url = this.getUrl(); const headerFront = `${this.book} ${this.chapter}:`; const range = this.verseEnd === null ? `${this.verseStart}` : `${this.verseStart}-${this.verseEnd}`; const head = `> [!Mormon] [${headerFront}${range}](${url})`; return head + "\n" + this.text + "\n"; } private getUrl(): string { const { volume_title_short, book_title_short, chapter_number } = this.verses[0]; const { lang } = this; const start = `p${this.verseStart}`; const range = this.verseEnd === null ? start : `${start}-p${this.verseEnd}`; return `https://www.churchofjesuschrist.org/study/scriptures/${volume_title_short}/${book_title_short}/${chapter_number}?lang=${lang}&id=${range}#${start}`; } private async fetchVerses(): Promise<Verse[]> { const fileContent = await fs.readFile( `${getScripturesPath(this.pluginName, this.lang)}/${this.book}.json` ); const book: Book = JSON.parse(fileContent.toString());
const chapter = book.chapters[this.chapter - 1];
if (this.verseEnd === null) return [chapter.verses[this.verseStart - 1]]; return chapter.verses.slice(this.verseStart - 1, this.verseEnd); } private toText(verses: Verse[]): string { return ( `> <ol start="${verses[0].verse_number}">` + `${verses .map(({ scripture_text }) => `<li>${scripture_text}</li>`) .join(" ")}` + "</ol>" ); } private toPreviewText(verses: Verse[]): string { return verses .map( ({ verse_number, scripture_text }) => `${verse_number}. ${scripture_text}` ) .join("\n"); } public async loadVerse(): Promise<void> { const verses = await this.fetchVerses(); this.verses = verses; this.text = this.toText(verses); this.previewText = this.toPreviewText(verses); } public render(el: HTMLElement): void { const outer = el.createDiv({ cls: "obr-suggester-container" }); outer.createDiv({ cls: "obr-shortcode" }).setText(this.previewText); } }
src/suggestion/VerseSuggestion.ts
pacokwon-obsidian-lds-scriptures-plugin-d81c19e
[ { "filename": "src/suggestion/suggester.ts", "retrieved_chunk": " return [];\n // bail out if there is no matching book\n const filenames = await fs.readdir(scripturePath);\n const candidate = filenames.find(name => name.startsWith(book));\n if (!candidate)\n return [];\n const suggestion = new VerseSuggestion(this.plugin.manifest.id, book, chapter, start, end, language);\n await suggestion.loadVerse();\n return [suggestion];\n }", "score": 0.8661054372787476 }, { "filename": "src/suggestion/suggester.ts", "retrieved_chunk": " const { language } = this.plugin.settings;\n const scripturePath = getScripturesPath(this.plugin.manifest.id, language);\n const { query } = context;\n const fullMatch = query.match(FULL_REG);\n if (fullMatch === null)\n return [];\n const book = fullMatch[1];\n const chapter = Number(fullMatch[2]);\n const { start, end } = this.parseRange(fullMatch[3]);\n if (end !== null && start > end)", "score": 0.854649543762207 }, { "filename": "src/types.ts", "retrieved_chunk": "export interface Verse {\n volume_title: string;\n volume_title_short: string;\n book_title: string;\n book_title_short: string;\n chapter_number: number;\n verse_number: number;\n verse_title: string;\n scripture_text: string;\n}", "score": 0.8435790538787842 }, { "filename": "src/types.ts", "retrieved_chunk": "export interface Chapter {\n volume_title: string;\n volume_title_short: string;\n book_title: string;\n book_title_short: string;\n chapter_number: number;\n verses: Verse[];\n}\nexport interface Book {\n volume_title: string;", "score": 0.8392826318740845 }, { "filename": "src/metadata.ts", "retrieved_chunk": "import { AvailableLanguage } from \"./lang\";\nimport envPaths from \"./env-paths\";\nexport function getScripturesPath(pluginName: string, lang: AvailableLanguage): string {\n const paths = envPaths(pluginName);\n return `${paths.config}/translations/${lang}`;\n}", "score": 0.8214211463928223 } ]
typescript
const chapter = book.chapters[this.chapter - 1];
import { Message } from 'discord.js'; import { sentryCapture } from '@/config/sentry'; import { logger } from '@/config/winston'; import { BotError, ERRORS } from '@/shared/errors'; import { AudioPlayer, createAudioResource, getVoiceConnection, StreamType, } from '@discordjs/voice'; import { BOT_MESSAGES } from '../containts/default-messages'; import { MarliMusic } from '../marli-music'; export abstract class Command { name: string; constructor(protected bot: MarliMusic) {} abstract execute(message: Message, input?: string): Promise<void>; async getAudioResource(url: string) { const source = this.getSourceStream(); const stream = await source.getStream(url); return createAudioResource(stream, { inputType: StreamType.Opus, }); } async getResourceUrl(title: string, artist: string) { const source = this.getSourceStream(); const search = ( await source.search(`${title} ${artist}`, { limit: 1, }) ).shift(); return search.url; } getPlayer(connectionID: string): AudioPlayer { return this.bot.getPlayer(connectionID); } removePlayer(connectionID: string) { this.bot.removePlayer(connectionID); } getQueue() { return this.bot.queue; } getSourceStream() { return this.bot.sourceStream; } public getConnection(message: Message) { return getVoiceConnection(message.member.voice.guild.id); } async validate(message: Message, input: string): Promise<boolean> { const voiceChannel = message.member.voice.channel; if (!voiceChannel) { throw new BotError( ERRORS.INVALID_COMMAND_USAGE, BOT_MESSAGES.NOT_IN_A_VOICE_CHANNEL ); } const permissions = voiceChannel.permissionsFor(message.client.user); if (!permissions.has('Connect') || !permissions.has('Speak')) { throw new BotError( ERRORS.INVALID_COMMAND_USAGE, BOT_MESSAGES.NO_PERMISSION_JOIN_SPEAK ); } if (!input.length) { throw new BotError( ERRORS.INVALID_COMMAND_USAGE, BOT_MESSAGES.INVALID_INPUT_MESSAGE ); } return true; } async sendCommandError(error: BotError, message: Message) { logger.debug('error', error.stack, error); await message.reply({
content: error.userMessage || BOT_MESSAGES.BOT_ERROR, });
sentryCapture(ERRORS.RESOURCE_ERROR, error); } }
src/bot/commands/command.ts
Marli-Marlete-marli-music-5bf51b0
[ { "filename": "src/bot/commands/command-list-queue.ts", "retrieved_chunk": " });\n } catch (error) {\n await this.sendCommandError(error, message);\n }\n }\n}", "score": 0.8750523924827576 }, { "filename": "src/bot/commands/command-stop.ts", "retrieved_chunk": " } catch (err) {\n await this.sendCommandError(err, message);\n }\n }\n}", "score": 0.8668413162231445 }, { "filename": "src/bot/commands/hooks/command-play-hook.ts", "retrieved_chunk": " super(bot);\n }\n async execute(message: Message) {\n const connectionID = message.member.voice.channelId;\n const player = this.getPlayer(connectionID);\n const connection = this.getConnection(message);\n player.on('error', async (error: Error) => {\n await this.sendCommandError(\n new BotError(error.stack, BOT_MESSAGES.BOT_ERROR),\n message", "score": 0.8426499366760254 }, { "filename": "src/bot/commands/command-search.ts", "retrieved_chunk": " .join(' ')\n );\n } catch (err) {\n await this.sendCommandError(err, message);\n }\n }\n}", "score": 0.8416496515274048 }, { "filename": "src/bot/commands/command-help.ts", "retrieved_chunk": " try {\n await this.validate(message, 'help');\n const commands = Object.keys(ALL_COMMANDS);\n message.reply(\n `Type: ${this.bot.prefix}<command> \\n\\nAll Commands:\\n${commands.join(\n '\\n'\n )}`\n );\n } catch (err) {\n await this.sendCommandError(err, message);", "score": 0.8401880264282227 } ]
typescript
content: error.userMessage || BOT_MESSAGES.BOT_ERROR, });
import { Editor, EditorPosition, EditorSuggest, EditorSuggestContext, EditorSuggestTriggerInfo, TFile, } from "obsidian"; import BookOfMormonPlugin from "src/main"; import { VerseSuggestion } from "./VerseSuggestion"; import * as fs from "fs/promises"; import { getScripturesPath } from "src/metadata"; const SHORT_REG = /\+([123])*[A-z ]{3,}\d{1,3}:\d{1,3}(-\d{1,3})*/; const FULL_REG = /\+([123]*[A-z ]{3,}) (\d{1,3}):(\d{1,3}(?:-\d{1,3})*)/i; export class Suggester extends EditorSuggest<VerseSuggestion> { constructor(public plugin: BookOfMormonPlugin) { super(plugin.app); } onTrigger( cursor: EditorPosition, editor: Editor, _file: TFile | null ): EditorSuggestTriggerInfo | null { const currentContent = editor .getLine(cursor.line) .substring(0, cursor.ch); const match = currentContent.match(SHORT_REG)?.first() ?? ""; if (!match) return null; return { start: { line: cursor.line, ch: currentContent.lastIndexOf(match), }, end: cursor, query: match, }; } async getSuggestions( context: EditorSuggestContext ): Promise<VerseSuggestion[]> { const { language } = this.plugin.settings; const scripturePath = getScripturesPath(this.plugin.manifest.id, language); const { query } = context; const fullMatch = query.match(FULL_REG); if (fullMatch === null) return []; const book = fullMatch[1]; const chapter = Number(fullMatch[2]); const { start, end } = this.parseRange(fullMatch[3]); if (end !== null && start > end) return []; // bail out if there is no matching book const filenames = await fs.readdir(scripturePath); const candidate = filenames.find(name => name.startsWith(book)); if (!candidate) return []; const suggestion = new VerseSuggestion(this.plugin.manifest.id, book, chapter, start, end, language); await
suggestion.loadVerse();
return [suggestion]; } renderSuggestion(suggestion: VerseSuggestion, el: HTMLElement): void { suggestion.render(el); } selectSuggestion( suggestion: VerseSuggestion, _evt: MouseEvent | KeyboardEvent ): void { if (!this.context) return; this.context.editor.replaceRange( suggestion.getReplacement(), this.context.start, this.context.end ) } parseRange(range: string): { start: number, end: number | null } { const splitted = range.split("-"); if (splitted.length === 1) return { start: Number(splitted[0]), end: null }; return { start: Number(splitted[0]), end: Number(splitted[1]), }; } }
src/suggestion/suggester.ts
pacokwon-obsidian-lds-scriptures-plugin-d81c19e
[ { "filename": "src/suggestion/VerseSuggestion.ts", "retrieved_chunk": " const start = `p${this.verseStart}`;\n const range = this.verseEnd === null ? start : `${start}-p${this.verseEnd}`;\n return `https://www.churchofjesuschrist.org/study/scriptures/${volume_title_short}/${book_title_short}/${chapter_number}?lang=${lang}&id=${range}#${start}`;\n }\n private async fetchVerses(): Promise<Verse[]> {\n const fileContent = await fs.readFile(\n `${getScripturesPath(this.pluginName, this.lang)}/${this.book}.json`\n );\n const book: Book = JSON.parse(fileContent.toString());\n const chapter = book.chapters[this.chapter - 1];", "score": 0.8677326440811157 }, { "filename": "src/suggestion/VerseSuggestion.ts", "retrieved_chunk": "import * as fs from \"fs/promises\";\nimport { getScripturesPath } from \"../metadata\";\nimport { AvailableLanguage } from \"../lang\";\nimport { Book, Verse } from \"../types\";\nexport class VerseSuggestion {\n public text: string;\n public previewText: string;\n public verses: Verse[];\n constructor(\n public pluginName: string,", "score": 0.8588787317276001 }, { "filename": "src/suggestion/VerseSuggestion.ts", "retrieved_chunk": " public book: string,\n public chapter: number,\n public verseStart: number,\n public verseEnd: number | null,\n public lang: AvailableLanguage\n ) {}\n public getReplacement(): string {\n const url = this.getUrl();\n const headerFront = `${this.book} ${this.chapter}:`;\n const range =", "score": 0.7996686697006226 }, { "filename": "src/suggestion/VerseSuggestion.ts", "retrieved_chunk": " if (this.verseEnd === null)\n return [chapter.verses[this.verseStart - 1]];\n return chapter.verses.slice(this.verseStart - 1, this.verseEnd);\n }\n private toText(verses: Verse[]): string {\n return (\n `> <ol start=\"${verses[0].verse_number}\">` +\n `${verses\n .map(({ scripture_text }) => `<li>${scripture_text}</li>`)\n .join(\" \")}` +", "score": 0.7949161529541016 }, { "filename": "src/suggestion/VerseSuggestion.ts", "retrieved_chunk": " }\n public async loadVerse(): Promise<void> {\n const verses = await this.fetchVerses();\n this.verses = verses;\n this.text = this.toText(verses);\n this.previewText = this.toPreviewText(verses);\n }\n public render(el: HTMLElement): void {\n const outer = el.createDiv({ cls: \"obr-suggester-container\" });\n outer.createDiv({ cls: \"obr-shortcode\" }).setText(this.previewText);", "score": 0.7898924350738525 } ]
typescript
suggestion.loadVerse();
// Here is a brief technical description of each function in the Python script: import { createWriteStream } from 'node:fs' import { dirname, join } from 'node:path' import { fileURLToPath } from 'node:url' import Table from 'cli-table3' import type { Address, Hex } from 'viem' import { formatUnits } from 'viem' import { got } from 'got' import { splitArray } from '../utils/split-array.js' import { NETWORKS } from '../data/config.js' import { getEvmWallet } from '../utils/get-evm-wallet.js' import { ERC20_ABI } from '../data/abi.js' import type { Chains } from '../data/constants.js' import { WALLETS } from '../data/wallets.js' import type { Web3CheckerTokens, Web3CheckerTokensResult, Web3ChekerTokenInfo } from '../models/web3-checker.js' import { getPublicClient } from '../utils/get-clients.js' import { ONCHAIN_BALANCES_PARAMETERS } from '../data/settings.js' async function getTokenInfo(tokens: Web3CheckerTokens): Promise<Web3ChekerTokenInfo> { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const symbolParams = { abi: ERC20_ABI, functionName: 'symbol', } const decimalsParams = { abi: ERC20_ABI, functionName: 'decimals', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = chainTokens.flatMap(token => [ { address: token, ...symbolParams, }, { address: token, ...decimalsParams, }, ]) return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).map((chainResults, chainIndex) => { const chain = chains[chainIndex] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const chainInfo: any = {} chainResults.flat().forEach((el, index) => { const isSymbol = index % 2 === 0 const tokenIndex = Math.floor(index / 2) const tokenAddress = chainTokens[tokenIndex] if (!chainInfo[tokenAddress]) chainInfo[tokenAddress] = {} if (isSymbol) chainInfo[tokenAddress].symbol = el.result as string else chainInfo[tokenAddress].decimals = el.result as number }) // check and process gas token if (tokens[chain]?.includes('')) { chainInfo[''] = { symbol: NETWORKS[chain].token, decimals: 18, } } return { [chain]: chainInfo } }) const tokenInfo: Web3ChekerTokenInfo = Object.assign({}, ...erc20Results) // Fetching prices const uniqueSymbols = new Set<string>() for (const chain of Object.values(tokenInfo)) { for (const token of Object.values(chain)) uniqueSymbols.add(token.symbol) } const priceRequests = Array.from(uniqueSymbols).map(async (symbol) => { try { const response = await got(`https://min-api.cryptocompare.com/data/price?fsym=${symbol}&tsyms=USDT`).json<{ USDT: number }>() return { [symbol]: response.USDT } } catch (error: any) { console.error(`Failed to fetch price for ${symbol}: ${error.message}`) return { [symbol]: 0 } } }) const prices = Object.assign({}, ...(await Promise.all(priceRequests))) // Adding prices to token info for (const chain of Object.keys(tokenInfo) as Chains[]) { for (const token of Object.keys(tokenInfo[chain]!)) tokenInfo[chain]![token].price = prices[tokenInfo![chain]![token].symbol] || 0 } return tokenInfo } async function getBalances(tokens: Web3CheckerTokens) { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const balanceParams = { abi: ERC20_ABI, functionName: 'balanceOf', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[]
const contracts = WALLETS.map((wallet) => {
return chainTokens.map((token) => { return { address: token, args: [getEvmWallet(wallet)], ...balanceParams, } }) }).flat() return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).flatMap((result) => { return result.flat().map(el => el.result as bigint) }) const gasRequests = Object.entries(tokens).map(async ([chain, tokens]) => { if (tokens.includes('')) { const client = getPublicClient({ network: chain as Chains }) const balances = await Promise.all( WALLETS.map(async (wallet) => { return await client.getBalance({ address: getEvmWallet(wallet) }) }), ) return balances.flat() } }).filter(Boolean) const gasResults = await (await Promise.all(gasRequests as Promise<bigint[]>[])).flat() return [...erc20Results, ...gasResults] } function formatResults(walletBalances: bigint[][], wallets: Hex[], tokens: Web3CheckerTokens) { const finalBalances: Web3CheckerTokensResult = {} wallets.forEach((privateKey, walletIndex) => { const wallet = getEvmWallet(privateKey) const walletBalance = walletBalances[walletIndex] let balanceIndex = 0 for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} for (const token of chainTokens) { if (token) { // if not gas token finalBalances![wallet]![chain]![token] = walletBalance[balanceIndex++] } } } } for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} if (chainTokens.includes('')) finalBalances![wallet]![chain]![''] = walletBalance[balanceIndex++] } } }) return finalBalances } function printBalancesTable(formattedBalances: Web3CheckerTokensResult, tokens: Web3CheckerTokens, tokenInfo: Web3ChekerTokenInfo) { let csvData = 'number,wallet,' const chainsList: Chains[] = [] const totalBalances: { [chain: string]: { [token: string]: bigint } } = {} for (const chain of Object.keys(tokens) as Chains[]) { chainsList.push(chain) for (const token of tokens[chain]!) { csvData += `${tokenInfo[chain][token].symbol}-${chain},` totalBalances[chain] = totalBalances[chain] || {} totalBalances[chain][token] = BigInt(0) // Initialize total balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add wallet balances let walletNumber = 1 for (const wallet of Object.keys(formattedBalances)) { // let shortAddress = wallet.substring(0, 6) + '...' + wallet.substring(address.length - 4); const formattedWallet = `${wallet.substring(0, 6)}...${wallet.substring(wallet.length - 4)}` csvData += `${walletNumber++},${formattedWallet},` for (const chain of chainsList) { for (const token of tokens[chain]!) { const balance = formattedBalances[wallet]![chain]![token] const decimals = tokenInfo[chain][token].decimals const readableBalance = formatUnits(balance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` totalBalances[chain][token] += balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' } // Add total balances csvData += ',TOTAL,' let totalValueUSD = 0 const totalValuesPerTokenUSD: { [token: string]: number } = {} for (const chain of chainsList) { for (const token of tokens[chain]!) { const totalBalance = totalBalances[chain][token] const decimals = tokenInfo[chain][token].decimals const price = tokenInfo[chain][token].price const readableBalance = formatUnits(totalBalance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` const valueUSD = Number(readableBalance) * price! totalValueUSD += valueUSD const tokenSymbolWithChain = `${tokenInfo[chain][token].symbol}-${chain}` totalValuesPerTokenUSD[tokenSymbolWithChain] = (totalValuesPerTokenUSD[tokenSymbolWithChain] || 0) + valueUSD } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add total value in USD csvData += `TOTAL_VALUE:,${totalValueUSD.toFixed(2)} $,` for (const chain of chainsList) { for (const token of tokens[chain]!) { const tokenValueUSD = totalValuesPerTokenUSD[`${tokenInfo[chain][token].symbol}-${chain}`] csvData += `${tokenValueUSD.toFixed(2)} $,` } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Convert CSV data to table format const lines = csvData.split('\n') const headers = lines[0].split(',') const tableData = lines.slice(1, -1).map(line => line.split(',')) // exclude the last line since it could be empty // Transpose the table data const transposedData = headers.map((header, i) => [header, ...tableData.map(row => row[i])]) // Create a new table and push the transposed data into the table const table = new Table() transposedData.forEach(row => table.push(row)) // Print the table to the console console.log(table.toString()) // Write data to CSV file const directory = dirname(fileURLToPath(import.meta.url)) const path = join(directory, `../../results/${ONCHAIN_BALANCES_PARAMETERS.fileName}.csv`) const csvStream = createWriteStream(path) csvStream.write(csvData) csvStream.end() } async function main() { const { tokens } = ONCHAIN_BALANCES_PARAMETERS const allBalances = await getBalances(tokens) const walletBalances = splitArray(allBalances, WALLETS.length) const formattedBalances = formatResults(walletBalances, WALLETS, tokens) const tokenInfo = await getTokenInfo(tokens) printBalancesTable(formattedBalances, tokens, tokenInfo) } main()
src/modules/web3-checker.ts
insulineru-sybil-aio-058cd84
[ { "filename": "src/models/web3-checker.ts", "retrieved_chunk": " address: Address\n price?: number\n }\n }\n}\ninterface Web3CheckerTokensResult {\n [wallet: string]: {\n [chain in Chains]?: {\n [token: string]: bigint\n }", "score": 0.8334416747093201 }, { "filename": "src/data/settings.ts", "retrieved_chunk": "import type { Web3CheckerAlert, Web3CheckerParameters, Web3CheckerTokens } from '../models/web3-checker.js'\nimport { Chains } from './constants.js'\n// Модуль будет проверять только токены, указанные в этом объекте.\nconst ONCHAIN_BALANCES_TOKENS: Web3CheckerTokens = {\n [Chains.Bsc]: [\n '', // BNB\n '0x8ac76a51cc950d9822d68b83fe1ad97b32cd580d', // USDC\n '0x55d398326f99059ff775485246999027b3197955', // USDT\n ],\n [Chains.Arbitrum]: [", "score": 0.8327033519744873 }, { "filename": "src/data/abi.ts", "retrieved_chunk": "const ERC20_ABI = [\n {\n constant: true,\n inputs: [],\n name: 'name',\n outputs: [\n {\n name: '',\n type: 'string',\n },", "score": 0.8175201416015625 }, { "filename": "src/models/web3-checker.ts", "retrieved_chunk": "import type { Address } from 'viem'\nimport type { Chains } from '../data/constants.js'\ntype Web3CheckerTokens = {\n [key in Chains]?: Array<Address | ''>\n}\ninterface Web3ChekerTokenInfo {\n [key: string]: {\n [key: string]: {\n symbol: string\n decimals: number", "score": 0.8152400851249695 }, { "filename": "src/utils/get-clients.ts", "retrieved_chunk": "import type { Chain, Hex, HttpTransport, PrivateKeyAccount, PublicClient, WalletClient } from 'viem'\nimport { createPublicClient, createWalletClient, http } from 'viem'\nimport { privateKeyToAccount } from 'viem/accounts'\nimport { NETWORKS } from '../data/config.js'\nimport type { Chains } from '../data/constants.js'\n// TODO: Singleton maybe?\nfunction getPublicClient({ network }: { network: Chains }): PublicClient {\n const { rpc, viemChain } = NETWORKS[network]\n return createPublicClient({ chain: viemChain, transport: http(rpc) })\n}", "score": 0.8112662434577942 } ]
typescript
const contracts = WALLETS.map((wallet) => {
import * as fs from "fs/promises"; import { getScripturesPath } from "../metadata"; import { AvailableLanguage } from "../lang"; import { Book, Verse } from "../types"; export class VerseSuggestion { public text: string; public previewText: string; public verses: Verse[]; constructor( public pluginName: string, public book: string, public chapter: number, public verseStart: number, public verseEnd: number | null, public lang: AvailableLanguage ) {} public getReplacement(): string { const url = this.getUrl(); const headerFront = `${this.book} ${this.chapter}:`; const range = this.verseEnd === null ? `${this.verseStart}` : `${this.verseStart}-${this.verseEnd}`; const head = `> [!Mormon] [${headerFront}${range}](${url})`; return head + "\n" + this.text + "\n"; } private getUrl(): string { const { volume_title_short, book_title_short, chapter_number } = this.verses[0]; const { lang } = this; const start = `p${this.verseStart}`; const range = this.verseEnd === null ? start : `${start}-p${this.verseEnd}`; return `https://www.churchofjesuschrist.org/study/scriptures/${volume_title_short}/${book_title_short}/${chapter_number}?lang=${lang}&id=${range}#${start}`; } private async fetchVerses(): Promise<Verse[]> { const fileContent = await fs.readFile( `${getScripturesPath(this.pluginName, this.lang)}/${this.book}.json` );
const book: Book = JSON.parse(fileContent.toString());
const chapter = book.chapters[this.chapter - 1]; if (this.verseEnd === null) return [chapter.verses[this.verseStart - 1]]; return chapter.verses.slice(this.verseStart - 1, this.verseEnd); } private toText(verses: Verse[]): string { return ( `> <ol start="${verses[0].verse_number}">` + `${verses .map(({ scripture_text }) => `<li>${scripture_text}</li>`) .join(" ")}` + "</ol>" ); } private toPreviewText(verses: Verse[]): string { return verses .map( ({ verse_number, scripture_text }) => `${verse_number}. ${scripture_text}` ) .join("\n"); } public async loadVerse(): Promise<void> { const verses = await this.fetchVerses(); this.verses = verses; this.text = this.toText(verses); this.previewText = this.toPreviewText(verses); } public render(el: HTMLElement): void { const outer = el.createDiv({ cls: "obr-suggester-container" }); outer.createDiv({ cls: "obr-shortcode" }).setText(this.previewText); } }
src/suggestion/VerseSuggestion.ts
pacokwon-obsidian-lds-scriptures-plugin-d81c19e
[ { "filename": "src/suggestion/suggester.ts", "retrieved_chunk": " return [];\n // bail out if there is no matching book\n const filenames = await fs.readdir(scripturePath);\n const candidate = filenames.find(name => name.startsWith(book));\n if (!candidate)\n return [];\n const suggestion = new VerseSuggestion(this.plugin.manifest.id, book, chapter, start, end, language);\n await suggestion.loadVerse();\n return [suggestion];\n }", "score": 0.864995539188385 }, { "filename": "src/suggestion/suggester.ts", "retrieved_chunk": " const { language } = this.plugin.settings;\n const scripturePath = getScripturesPath(this.plugin.manifest.id, language);\n const { query } = context;\n const fullMatch = query.match(FULL_REG);\n if (fullMatch === null)\n return [];\n const book = fullMatch[1];\n const chapter = Number(fullMatch[2]);\n const { start, end } = this.parseRange(fullMatch[3]);\n if (end !== null && start > end)", "score": 0.8493433594703674 }, { "filename": "src/types.ts", "retrieved_chunk": "export interface Verse {\n volume_title: string;\n volume_title_short: string;\n book_title: string;\n book_title_short: string;\n chapter_number: number;\n verse_number: number;\n verse_title: string;\n scripture_text: string;\n}", "score": 0.8433933854103088 }, { "filename": "src/types.ts", "retrieved_chunk": "export interface Chapter {\n volume_title: string;\n volume_title_short: string;\n book_title: string;\n book_title_short: string;\n chapter_number: number;\n verses: Verse[];\n}\nexport interface Book {\n volume_title: string;", "score": 0.8343932628631592 }, { "filename": "src/metadata.ts", "retrieved_chunk": "import { AvailableLanguage } from \"./lang\";\nimport envPaths from \"./env-paths\";\nexport function getScripturesPath(pluginName: string, lang: AvailableLanguage): string {\n const paths = envPaths(pluginName);\n return `${paths.config}/translations/${lang}`;\n}", "score": 0.8292142152786255 } ]
typescript
const book: Book = JSON.parse(fileContent.toString());
// Here is a brief technical description of each function in the Python script: import { createWriteStream } from 'node:fs' import { dirname, join } from 'node:path' import { fileURLToPath } from 'node:url' import Table from 'cli-table3' import type { Address, Hex } from 'viem' import { formatUnits } from 'viem' import { got } from 'got' import { splitArray } from '../utils/split-array.js' import { NETWORKS } from '../data/config.js' import { getEvmWallet } from '../utils/get-evm-wallet.js' import { ERC20_ABI } from '../data/abi.js' import type { Chains } from '../data/constants.js' import { WALLETS } from '../data/wallets.js' import type { Web3CheckerTokens, Web3CheckerTokensResult, Web3ChekerTokenInfo } from '../models/web3-checker.js' import { getPublicClient } from '../utils/get-clients.js' import { ONCHAIN_BALANCES_PARAMETERS } from '../data/settings.js' async function getTokenInfo(tokens: Web3CheckerTokens): Promise<Web3ChekerTokenInfo> { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const symbolParams = { abi: ERC20_ABI, functionName: 'symbol', } const decimalsParams = { abi: ERC20_ABI, functionName: 'decimals', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = chainTokens.flatMap(token => [ { address: token, ...symbolParams, }, { address: token, ...decimalsParams, }, ]) return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).map((chainResults, chainIndex) => { const chain = chains[chainIndex] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const chainInfo: any = {} chainResults.flat().forEach((el, index) => { const isSymbol = index % 2 === 0 const tokenIndex = Math.floor(index / 2) const tokenAddress = chainTokens[tokenIndex] if (!chainInfo[tokenAddress]) chainInfo[tokenAddress] = {} if (isSymbol) chainInfo[tokenAddress].symbol = el.result as string else chainInfo[tokenAddress].decimals = el.result as number }) // check and process gas token if (tokens[chain]?.includes('')) { chainInfo[''] = { symbol: NETWORKS[chain].token, decimals: 18, } } return { [chain]: chainInfo } }) const tokenInfo: Web3ChekerTokenInfo = Object.assign({}, ...erc20Results) // Fetching prices const uniqueSymbols = new Set<string>() for (const chain of Object.values(tokenInfo)) { for (const token of Object.values(chain)) uniqueSymbols.add(token.symbol) } const priceRequests = Array.from(uniqueSymbols).map(async (symbol) => { try { const response = await got(`https://min-api.cryptocompare.com/data/price?fsym=${symbol}&tsyms=USDT`).json<{ USDT: number }>() return { [symbol]: response.USDT } } catch (error: any) { console.error(`Failed to fetch price for ${symbol}: ${error.message}`) return { [symbol]: 0 } } }) const prices = Object.assign({}, ...(await Promise.all(priceRequests))) // Adding prices to token info for (const chain of Object.keys(tokenInfo) as Chains[]) { for (const token of Object.keys(tokenInfo[chain]!)) tokenInfo[chain]![token].price = prices[tokenInfo![chain]![token].symbol] || 0 } return tokenInfo } async function getBalances(tokens: Web3CheckerTokens) { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const balanceParams = { abi: ERC20_ABI, functionName: 'balanceOf', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = WALLETS.map((wallet) => { return chainTokens.map((token) => { return { address: token, args: [
getEvmWallet(wallet)], ...balanceParams, }
}) }).flat() return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).flatMap((result) => { return result.flat().map(el => el.result as bigint) }) const gasRequests = Object.entries(tokens).map(async ([chain, tokens]) => { if (tokens.includes('')) { const client = getPublicClient({ network: chain as Chains }) const balances = await Promise.all( WALLETS.map(async (wallet) => { return await client.getBalance({ address: getEvmWallet(wallet) }) }), ) return balances.flat() } }).filter(Boolean) const gasResults = await (await Promise.all(gasRequests as Promise<bigint[]>[])).flat() return [...erc20Results, ...gasResults] } function formatResults(walletBalances: bigint[][], wallets: Hex[], tokens: Web3CheckerTokens) { const finalBalances: Web3CheckerTokensResult = {} wallets.forEach((privateKey, walletIndex) => { const wallet = getEvmWallet(privateKey) const walletBalance = walletBalances[walletIndex] let balanceIndex = 0 for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} for (const token of chainTokens) { if (token) { // if not gas token finalBalances![wallet]![chain]![token] = walletBalance[balanceIndex++] } } } } for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} if (chainTokens.includes('')) finalBalances![wallet]![chain]![''] = walletBalance[balanceIndex++] } } }) return finalBalances } function printBalancesTable(formattedBalances: Web3CheckerTokensResult, tokens: Web3CheckerTokens, tokenInfo: Web3ChekerTokenInfo) { let csvData = 'number,wallet,' const chainsList: Chains[] = [] const totalBalances: { [chain: string]: { [token: string]: bigint } } = {} for (const chain of Object.keys(tokens) as Chains[]) { chainsList.push(chain) for (const token of tokens[chain]!) { csvData += `${tokenInfo[chain][token].symbol}-${chain},` totalBalances[chain] = totalBalances[chain] || {} totalBalances[chain][token] = BigInt(0) // Initialize total balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add wallet balances let walletNumber = 1 for (const wallet of Object.keys(formattedBalances)) { // let shortAddress = wallet.substring(0, 6) + '...' + wallet.substring(address.length - 4); const formattedWallet = `${wallet.substring(0, 6)}...${wallet.substring(wallet.length - 4)}` csvData += `${walletNumber++},${formattedWallet},` for (const chain of chainsList) { for (const token of tokens[chain]!) { const balance = formattedBalances[wallet]![chain]![token] const decimals = tokenInfo[chain][token].decimals const readableBalance = formatUnits(balance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` totalBalances[chain][token] += balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' } // Add total balances csvData += ',TOTAL,' let totalValueUSD = 0 const totalValuesPerTokenUSD: { [token: string]: number } = {} for (const chain of chainsList) { for (const token of tokens[chain]!) { const totalBalance = totalBalances[chain][token] const decimals = tokenInfo[chain][token].decimals const price = tokenInfo[chain][token].price const readableBalance = formatUnits(totalBalance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` const valueUSD = Number(readableBalance) * price! totalValueUSD += valueUSD const tokenSymbolWithChain = `${tokenInfo[chain][token].symbol}-${chain}` totalValuesPerTokenUSD[tokenSymbolWithChain] = (totalValuesPerTokenUSD[tokenSymbolWithChain] || 0) + valueUSD } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add total value in USD csvData += `TOTAL_VALUE:,${totalValueUSD.toFixed(2)} $,` for (const chain of chainsList) { for (const token of tokens[chain]!) { const tokenValueUSD = totalValuesPerTokenUSD[`${tokenInfo[chain][token].symbol}-${chain}`] csvData += `${tokenValueUSD.toFixed(2)} $,` } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Convert CSV data to table format const lines = csvData.split('\n') const headers = lines[0].split(',') const tableData = lines.slice(1, -1).map(line => line.split(',')) // exclude the last line since it could be empty // Transpose the table data const transposedData = headers.map((header, i) => [header, ...tableData.map(row => row[i])]) // Create a new table and push the transposed data into the table const table = new Table() transposedData.forEach(row => table.push(row)) // Print the table to the console console.log(table.toString()) // Write data to CSV file const directory = dirname(fileURLToPath(import.meta.url)) const path = join(directory, `../../results/${ONCHAIN_BALANCES_PARAMETERS.fileName}.csv`) const csvStream = createWriteStream(path) csvStream.write(csvData) csvStream.end() } async function main() { const { tokens } = ONCHAIN_BALANCES_PARAMETERS const allBalances = await getBalances(tokens) const walletBalances = splitArray(allBalances, WALLETS.length) const formattedBalances = formatResults(walletBalances, WALLETS, tokens) const tokenInfo = await getTokenInfo(tokens) printBalancesTable(formattedBalances, tokens, tokenInfo) } main()
src/modules/web3-checker.ts
insulineru-sybil-aio-058cd84
[ { "filename": "src/models/web3-checker.ts", "retrieved_chunk": " address: Address\n price?: number\n }\n }\n}\ninterface Web3CheckerTokensResult {\n [wallet: string]: {\n [chain in Chains]?: {\n [token: string]: bigint\n }", "score": 0.844744086265564 }, { "filename": "src/data/settings.ts", "retrieved_chunk": " '', // ETH\n '0xFd086bC7CD5C481DCC9C85ebE478A1C0b69FCbb9', // USDT\n '0xFF970A61A04b1cA14834A43f5dE4533eBDDB5CC8', // USDC\n ],\n [Chains.Optimism]: [\n '', // ETH\n '0x7f5c764cbc14f9669b88837ca1490cca17c31607', // USDC\n '0x4200000000000000000000000000000000000042', // OP\n // '0x94b008aa00579c1307b0ef2c499ad98a8ce58e58', // USDT\n ],", "score": 0.8239359259605408 }, { "filename": "src/data/settings.ts", "retrieved_chunk": "import type { Web3CheckerAlert, Web3CheckerParameters, Web3CheckerTokens } from '../models/web3-checker.js'\nimport { Chains } from './constants.js'\n// Модуль будет проверять только токены, указанные в этом объекте.\nconst ONCHAIN_BALANCES_TOKENS: Web3CheckerTokens = {\n [Chains.Bsc]: [\n '', // BNB\n '0x8ac76a51cc950d9822d68b83fe1ad97b32cd580d', // USDC\n '0x55d398326f99059ff775485246999027b3197955', // USDT\n ],\n [Chains.Arbitrum]: [", "score": 0.8225545883178711 }, { "filename": "src/models/web3-checker.ts", "retrieved_chunk": " }\n}\ninterface Web3CheckerAlert {\n chain: Chains\n coin: Address | ''\n amount: number\n}\ntype Web3CheckerGasAmountLimit = {\n [key in Chains]?: number\n}", "score": 0.8197131752967834 }, { "filename": "src/data/settings.ts", "retrieved_chunk": " // [Chains.Polygon]: [\n // '', // MATIC\n // ],\n // [Chains.Avalanche]: [\n // '', // AVAX\n // ],\n [Chains.Ethereum]: [\n '', // ETH\n // '0xdac17f958d2ee523a2206206994597c13d831ec7', // USDT\n ],", "score": 0.8175469636917114 } ]
typescript
getEvmWallet(wallet)], ...balanceParams, }
// Here is a brief technical description of each function in the Python script: import { createWriteStream } from 'node:fs' import { dirname, join } from 'node:path' import { fileURLToPath } from 'node:url' import Table from 'cli-table3' import type { Address, Hex } from 'viem' import { formatUnits } from 'viem' import { got } from 'got' import { splitArray } from '../utils/split-array.js' import { NETWORKS } from '../data/config.js' import { getEvmWallet } from '../utils/get-evm-wallet.js' import { ERC20_ABI } from '../data/abi.js' import type { Chains } from '../data/constants.js' import { WALLETS } from '../data/wallets.js' import type { Web3CheckerTokens, Web3CheckerTokensResult, Web3ChekerTokenInfo } from '../models/web3-checker.js' import { getPublicClient } from '../utils/get-clients.js' import { ONCHAIN_BALANCES_PARAMETERS } from '../data/settings.js' async function getTokenInfo(tokens: Web3CheckerTokens): Promise<Web3ChekerTokenInfo> { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const symbolParams = { abi: ERC20_ABI, functionName: 'symbol', } const decimalsParams = { abi: ERC20_ABI, functionName: 'decimals', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = chainTokens.flatMap(token => [ { address: token, ...symbolParams, }, { address: token, ...decimalsParams, }, ]) return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).map((chainResults, chainIndex) => { const chain = chains[chainIndex] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const chainInfo: any = {} chainResults.flat().forEach((el, index) => { const isSymbol = index % 2 === 0 const tokenIndex = Math.floor(index / 2) const tokenAddress = chainTokens[tokenIndex] if (!chainInfo[tokenAddress]) chainInfo[tokenAddress] = {} if (isSymbol) chainInfo[tokenAddress].symbol = el.result as string else chainInfo[tokenAddress].decimals = el.result as number }) // check and process gas token if (tokens[chain]?.includes('')) { chainInfo[''] = {
symbol: NETWORKS[chain].token, decimals: 18, }
} return { [chain]: chainInfo } }) const tokenInfo: Web3ChekerTokenInfo = Object.assign({}, ...erc20Results) // Fetching prices const uniqueSymbols = new Set<string>() for (const chain of Object.values(tokenInfo)) { for (const token of Object.values(chain)) uniqueSymbols.add(token.symbol) } const priceRequests = Array.from(uniqueSymbols).map(async (symbol) => { try { const response = await got(`https://min-api.cryptocompare.com/data/price?fsym=${symbol}&tsyms=USDT`).json<{ USDT: number }>() return { [symbol]: response.USDT } } catch (error: any) { console.error(`Failed to fetch price for ${symbol}: ${error.message}`) return { [symbol]: 0 } } }) const prices = Object.assign({}, ...(await Promise.all(priceRequests))) // Adding prices to token info for (const chain of Object.keys(tokenInfo) as Chains[]) { for (const token of Object.keys(tokenInfo[chain]!)) tokenInfo[chain]![token].price = prices[tokenInfo![chain]![token].symbol] || 0 } return tokenInfo } async function getBalances(tokens: Web3CheckerTokens) { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const balanceParams = { abi: ERC20_ABI, functionName: 'balanceOf', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = WALLETS.map((wallet) => { return chainTokens.map((token) => { return { address: token, args: [getEvmWallet(wallet)], ...balanceParams, } }) }).flat() return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).flatMap((result) => { return result.flat().map(el => el.result as bigint) }) const gasRequests = Object.entries(tokens).map(async ([chain, tokens]) => { if (tokens.includes('')) { const client = getPublicClient({ network: chain as Chains }) const balances = await Promise.all( WALLETS.map(async (wallet) => { return await client.getBalance({ address: getEvmWallet(wallet) }) }), ) return balances.flat() } }).filter(Boolean) const gasResults = await (await Promise.all(gasRequests as Promise<bigint[]>[])).flat() return [...erc20Results, ...gasResults] } function formatResults(walletBalances: bigint[][], wallets: Hex[], tokens: Web3CheckerTokens) { const finalBalances: Web3CheckerTokensResult = {} wallets.forEach((privateKey, walletIndex) => { const wallet = getEvmWallet(privateKey) const walletBalance = walletBalances[walletIndex] let balanceIndex = 0 for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} for (const token of chainTokens) { if (token) { // if not gas token finalBalances![wallet]![chain]![token] = walletBalance[balanceIndex++] } } } } for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} if (chainTokens.includes('')) finalBalances![wallet]![chain]![''] = walletBalance[balanceIndex++] } } }) return finalBalances } function printBalancesTable(formattedBalances: Web3CheckerTokensResult, tokens: Web3CheckerTokens, tokenInfo: Web3ChekerTokenInfo) { let csvData = 'number,wallet,' const chainsList: Chains[] = [] const totalBalances: { [chain: string]: { [token: string]: bigint } } = {} for (const chain of Object.keys(tokens) as Chains[]) { chainsList.push(chain) for (const token of tokens[chain]!) { csvData += `${tokenInfo[chain][token].symbol}-${chain},` totalBalances[chain] = totalBalances[chain] || {} totalBalances[chain][token] = BigInt(0) // Initialize total balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add wallet balances let walletNumber = 1 for (const wallet of Object.keys(formattedBalances)) { // let shortAddress = wallet.substring(0, 6) + '...' + wallet.substring(address.length - 4); const formattedWallet = `${wallet.substring(0, 6)}...${wallet.substring(wallet.length - 4)}` csvData += `${walletNumber++},${formattedWallet},` for (const chain of chainsList) { for (const token of tokens[chain]!) { const balance = formattedBalances[wallet]![chain]![token] const decimals = tokenInfo[chain][token].decimals const readableBalance = formatUnits(balance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` totalBalances[chain][token] += balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' } // Add total balances csvData += ',TOTAL,' let totalValueUSD = 0 const totalValuesPerTokenUSD: { [token: string]: number } = {} for (const chain of chainsList) { for (const token of tokens[chain]!) { const totalBalance = totalBalances[chain][token] const decimals = tokenInfo[chain][token].decimals const price = tokenInfo[chain][token].price const readableBalance = formatUnits(totalBalance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` const valueUSD = Number(readableBalance) * price! totalValueUSD += valueUSD const tokenSymbolWithChain = `${tokenInfo[chain][token].symbol}-${chain}` totalValuesPerTokenUSD[tokenSymbolWithChain] = (totalValuesPerTokenUSD[tokenSymbolWithChain] || 0) + valueUSD } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add total value in USD csvData += `TOTAL_VALUE:,${totalValueUSD.toFixed(2)} $,` for (const chain of chainsList) { for (const token of tokens[chain]!) { const tokenValueUSD = totalValuesPerTokenUSD[`${tokenInfo[chain][token].symbol}-${chain}`] csvData += `${tokenValueUSD.toFixed(2)} $,` } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Convert CSV data to table format const lines = csvData.split('\n') const headers = lines[0].split(',') const tableData = lines.slice(1, -1).map(line => line.split(',')) // exclude the last line since it could be empty // Transpose the table data const transposedData = headers.map((header, i) => [header, ...tableData.map(row => row[i])]) // Create a new table and push the transposed data into the table const table = new Table() transposedData.forEach(row => table.push(row)) // Print the table to the console console.log(table.toString()) // Write data to CSV file const directory = dirname(fileURLToPath(import.meta.url)) const path = join(directory, `../../results/${ONCHAIN_BALANCES_PARAMETERS.fileName}.csv`) const csvStream = createWriteStream(path) csvStream.write(csvData) csvStream.end() } async function main() { const { tokens } = ONCHAIN_BALANCES_PARAMETERS const allBalances = await getBalances(tokens) const walletBalances = splitArray(allBalances, WALLETS.length) const formattedBalances = formatResults(walletBalances, WALLETS, tokens) const tokenInfo = await getTokenInfo(tokens) printBalancesTable(formattedBalances, tokens, tokenInfo) } main()
src/modules/web3-checker.ts
insulineru-sybil-aio-058cd84
[ { "filename": "src/models/web3-checker.ts", "retrieved_chunk": "import type { Address } from 'viem'\nimport type { Chains } from '../data/constants.js'\ntype Web3CheckerTokens = {\n [key in Chains]?: Array<Address | ''>\n}\ninterface Web3ChekerTokenInfo {\n [key: string]: {\n [key: string]: {\n symbol: string\n decimals: number", "score": 0.8341191411018372 }, { "filename": "src/models/web3-checker.ts", "retrieved_chunk": " address: Address\n price?: number\n }\n }\n}\ninterface Web3CheckerTokensResult {\n [wallet: string]: {\n [chain in Chains]?: {\n [token: string]: bigint\n }", "score": 0.8164199590682983 }, { "filename": "src/models/web3-checker.ts", "retrieved_chunk": " }\n}\ninterface Web3CheckerAlert {\n chain: Chains\n coin: Address | ''\n amount: number\n}\ntype Web3CheckerGasAmountLimit = {\n [key in Chains]?: number\n}", "score": 0.8050861358642578 }, { "filename": "src/data/settings.ts", "retrieved_chunk": " // [Chains.Polygon]: [\n // '', // MATIC\n // ],\n // [Chains.Avalanche]: [\n // '', // AVAX\n // ],\n [Chains.Ethereum]: [\n '', // ETH\n // '0xdac17f958d2ee523a2206206994597c13d831ec7', // USDT\n ],", "score": 0.8017772436141968 }, { "filename": "src/data/config.ts", "retrieved_chunk": " token: 'ETH',\n chain_id: 1101,\n viemChain: polygonZkEvm,\n },\n arbitrum: {\n rpc: 'https://arb1.croswap.com/rpc',\n scan: 'https://arbiscan.io/tx',\n token: 'ETH',\n chain_id: 42161,\n viemChain: arbitrum,", "score": 0.7969249486923218 } ]
typescript
symbol: NETWORKS[chain].token, decimals: 18, }
import * as fs from "fs/promises"; import { getScripturesPath } from "../metadata"; import { AvailableLanguage } from "../lang"; import { Book, Verse } from "../types"; export class VerseSuggestion { public text: string; public previewText: string; public verses: Verse[]; constructor( public pluginName: string, public book: string, public chapter: number, public verseStart: number, public verseEnd: number | null, public lang: AvailableLanguage ) {} public getReplacement(): string { const url = this.getUrl(); const headerFront = `${this.book} ${this.chapter}:`; const range = this.verseEnd === null ? `${this.verseStart}` : `${this.verseStart}-${this.verseEnd}`; const head = `> [!Mormon] [${headerFront}${range}](${url})`; return head + "\n" + this.text + "\n"; } private getUrl(): string { const { volume_title_short, book_title_short, chapter_number } = this.verses[0]; const { lang } = this; const start = `p${this.verseStart}`; const range = this.verseEnd === null ? start : `${start}-p${this.verseEnd}`; return `https://www.churchofjesuschrist.org/study/scriptures/${volume_title_short}/${book_title_short}/${chapter_number}?lang=${lang}&id=${range}#${start}`; } private async fetchVerses(): Promise<Verse[]> { const fileContent = await fs.readFile( `${
getScripturesPath(this.pluginName, this.lang)}/${this.book}.json` );
const book: Book = JSON.parse(fileContent.toString()); const chapter = book.chapters[this.chapter - 1]; if (this.verseEnd === null) return [chapter.verses[this.verseStart - 1]]; return chapter.verses.slice(this.verseStart - 1, this.verseEnd); } private toText(verses: Verse[]): string { return ( `> <ol start="${verses[0].verse_number}">` + `${verses .map(({ scripture_text }) => `<li>${scripture_text}</li>`) .join(" ")}` + "</ol>" ); } private toPreviewText(verses: Verse[]): string { return verses .map( ({ verse_number, scripture_text }) => `${verse_number}. ${scripture_text}` ) .join("\n"); } public async loadVerse(): Promise<void> { const verses = await this.fetchVerses(); this.verses = verses; this.text = this.toText(verses); this.previewText = this.toPreviewText(verses); } public render(el: HTMLElement): void { const outer = el.createDiv({ cls: "obr-suggester-container" }); outer.createDiv({ cls: "obr-shortcode" }).setText(this.previewText); } }
src/suggestion/VerseSuggestion.ts
pacokwon-obsidian-lds-scriptures-plugin-d81c19e
[ { "filename": "src/suggestion/suggester.ts", "retrieved_chunk": " return [];\n // bail out if there is no matching book\n const filenames = await fs.readdir(scripturePath);\n const candidate = filenames.find(name => name.startsWith(book));\n if (!candidate)\n return [];\n const suggestion = new VerseSuggestion(this.plugin.manifest.id, book, chapter, start, end, language);\n await suggestion.loadVerse();\n return [suggestion];\n }", "score": 0.864959716796875 }, { "filename": "src/suggestion/suggester.ts", "retrieved_chunk": " const { language } = this.plugin.settings;\n const scripturePath = getScripturesPath(this.plugin.manifest.id, language);\n const { query } = context;\n const fullMatch = query.match(FULL_REG);\n if (fullMatch === null)\n return [];\n const book = fullMatch[1];\n const chapter = Number(fullMatch[2]);\n const { start, end } = this.parseRange(fullMatch[3]);\n if (end !== null && start > end)", "score": 0.8453843593597412 }, { "filename": "src/types.ts", "retrieved_chunk": "export interface Verse {\n volume_title: string;\n volume_title_short: string;\n book_title: string;\n book_title_short: string;\n chapter_number: number;\n verse_number: number;\n verse_title: string;\n scripture_text: string;\n}", "score": 0.836754560470581 }, { "filename": "src/metadata.ts", "retrieved_chunk": "import { AvailableLanguage } from \"./lang\";\nimport envPaths from \"./env-paths\";\nexport function getScripturesPath(pluginName: string, lang: AvailableLanguage): string {\n const paths = envPaths(pluginName);\n return `${paths.config}/translations/${lang}`;\n}", "score": 0.8255172967910767 }, { "filename": "src/types.ts", "retrieved_chunk": "export interface Chapter {\n volume_title: string;\n volume_title_short: string;\n book_title: string;\n book_title_short: string;\n chapter_number: number;\n verses: Verse[];\n}\nexport interface Book {\n volume_title: string;", "score": 0.8208986520767212 } ]
typescript
getScripturesPath(this.pluginName, this.lang)}/${this.book}.json` );
import { Editor, EditorPosition, EditorSuggest, EditorSuggestContext, EditorSuggestTriggerInfo, TFile, } from "obsidian"; import BookOfMormonPlugin from "src/main"; import { VerseSuggestion } from "./VerseSuggestion"; import * as fs from "fs/promises"; import { getScripturesPath } from "src/metadata"; const SHORT_REG = /\+([123])*[A-z ]{3,}\d{1,3}:\d{1,3}(-\d{1,3})*/; const FULL_REG = /\+([123]*[A-z ]{3,}) (\d{1,3}):(\d{1,3}(?:-\d{1,3})*)/i; export class Suggester extends EditorSuggest<VerseSuggestion> { constructor(public plugin: BookOfMormonPlugin) { super(plugin.app); } onTrigger( cursor: EditorPosition, editor: Editor, _file: TFile | null ): EditorSuggestTriggerInfo | null { const currentContent = editor .getLine(cursor.line) .substring(0, cursor.ch); const match = currentContent.match(SHORT_REG)?.first() ?? ""; if (!match) return null; return { start: { line: cursor.line, ch: currentContent.lastIndexOf(match), }, end: cursor, query: match, }; } async getSuggestions( context: EditorSuggestContext ): Promise<VerseSuggestion[]> { const { language } = this.plugin.settings; const scripturePath = getScripturesPath(this.plugin.manifest.id, language); const { query } = context; const fullMatch = query.match(FULL_REG); if (fullMatch === null) return []; const book = fullMatch[1]; const chapter = Number(fullMatch[2]); const { start, end } = this.parseRange(fullMatch[3]); if (end !== null && start > end) return []; // bail out if there is no matching book const filenames = await fs.readdir(scripturePath); const candidate = filenames.find(name => name.startsWith(book)); if (!candidate) return [];
const suggestion = new VerseSuggestion(this.plugin.manifest.id, book, chapter, start, end, language);
await suggestion.loadVerse(); return [suggestion]; } renderSuggestion(suggestion: VerseSuggestion, el: HTMLElement): void { suggestion.render(el); } selectSuggestion( suggestion: VerseSuggestion, _evt: MouseEvent | KeyboardEvent ): void { if (!this.context) return; this.context.editor.replaceRange( suggestion.getReplacement(), this.context.start, this.context.end ) } parseRange(range: string): { start: number, end: number | null } { const splitted = range.split("-"); if (splitted.length === 1) return { start: Number(splitted[0]), end: null }; return { start: Number(splitted[0]), end: Number(splitted[1]), }; } }
src/suggestion/suggester.ts
pacokwon-obsidian-lds-scriptures-plugin-d81c19e
[ { "filename": "src/suggestion/VerseSuggestion.ts", "retrieved_chunk": "import * as fs from \"fs/promises\";\nimport { getScripturesPath } from \"../metadata\";\nimport { AvailableLanguage } from \"../lang\";\nimport { Book, Verse } from \"../types\";\nexport class VerseSuggestion {\n public text: string;\n public previewText: string;\n public verses: Verse[];\n constructor(\n public pluginName: string,", "score": 0.8622249364852905 }, { "filename": "src/suggestion/VerseSuggestion.ts", "retrieved_chunk": " const start = `p${this.verseStart}`;\n const range = this.verseEnd === null ? start : `${start}-p${this.verseEnd}`;\n return `https://www.churchofjesuschrist.org/study/scriptures/${volume_title_short}/${book_title_short}/${chapter_number}?lang=${lang}&id=${range}#${start}`;\n }\n private async fetchVerses(): Promise<Verse[]> {\n const fileContent = await fs.readFile(\n `${getScripturesPath(this.pluginName, this.lang)}/${this.book}.json`\n );\n const book: Book = JSON.parse(fileContent.toString());\n const chapter = book.chapters[this.chapter - 1];", "score": 0.8617455959320068 }, { "filename": "src/suggestion/VerseSuggestion.ts", "retrieved_chunk": " public book: string,\n public chapter: number,\n public verseStart: number,\n public verseEnd: number | null,\n public lang: AvailableLanguage\n ) {}\n public getReplacement(): string {\n const url = this.getUrl();\n const headerFront = `${this.book} ${this.chapter}:`;\n const range =", "score": 0.8250420093536377 }, { "filename": "src/suggestion/VerseSuggestion.ts", "retrieved_chunk": " this.verseEnd === null\n ? `${this.verseStart}`\n : `${this.verseStart}-${this.verseEnd}`;\n const head = `> [!Mormon] [${headerFront}${range}](${url})`;\n return head + \"\\n\" + this.text + \"\\n\";\n }\n private getUrl(): string {\n const { volume_title_short, book_title_short, chapter_number } =\n this.verses[0];\n const { lang } = this;", "score": 0.8001182079315186 }, { "filename": "src/types.ts", "retrieved_chunk": "export interface Verse {\n volume_title: string;\n volume_title_short: string;\n book_title: string;\n book_title_short: string;\n chapter_number: number;\n verse_number: number;\n verse_title: string;\n scripture_text: string;\n}", "score": 0.7986205816268921 } ]
typescript
const suggestion = new VerseSuggestion(this.plugin.manifest.id, book, chapter, start, end, language);
// Here is a brief technical description of each function in the Python script: import { createWriteStream } from 'node:fs' import { dirname, join } from 'node:path' import { fileURLToPath } from 'node:url' import Table from 'cli-table3' import type { Address, Hex } from 'viem' import { formatUnits } from 'viem' import { got } from 'got' import { splitArray } from '../utils/split-array.js' import { NETWORKS } from '../data/config.js' import { getEvmWallet } from '../utils/get-evm-wallet.js' import { ERC20_ABI } from '../data/abi.js' import type { Chains } from '../data/constants.js' import { WALLETS } from '../data/wallets.js' import type { Web3CheckerTokens, Web3CheckerTokensResult, Web3ChekerTokenInfo } from '../models/web3-checker.js' import { getPublicClient } from '../utils/get-clients.js' import { ONCHAIN_BALANCES_PARAMETERS } from '../data/settings.js' async function getTokenInfo(tokens: Web3CheckerTokens): Promise<Web3ChekerTokenInfo> { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const symbolParams = { abi: ERC20_ABI, functionName: 'symbol', } const decimalsParams = { abi: ERC20_ABI, functionName: 'decimals', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = chainTokens.flatMap(token => [ { address: token, ...symbolParams, }, { address: token, ...decimalsParams, }, ]) return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).map((chainResults, chainIndex) => { const chain = chains[chainIndex] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const chainInfo: any = {} chainResults.flat().forEach((el, index) => { const isSymbol = index % 2 === 0 const tokenIndex = Math.floor(index / 2) const tokenAddress = chainTokens[tokenIndex] if (!chainInfo[tokenAddress]) chainInfo[tokenAddress] = {} if (isSymbol) chainInfo[tokenAddress].symbol = el.result as string else chainInfo[tokenAddress].decimals = el.result as number }) // check and process gas token if (tokens[chain]?.includes('')) { chainInfo[''] = { symbol: NETWORKS[chain].token, decimals: 18, } } return { [chain]: chainInfo } }) const tokenInfo: Web3ChekerTokenInfo = Object.assign({}, ...erc20Results) // Fetching prices const uniqueSymbols = new Set<string>() for (const chain of Object.values(tokenInfo)) { for (const token of Object.values(chain)) uniqueSymbols.add(token.symbol) } const priceRequests = Array.from(uniqueSymbols).map(async (symbol) => { try { const response = await got(`https://min-api.cryptocompare.com/data/price?fsym=${symbol}&tsyms=USDT`).json<{ USDT: number }>() return { [symbol]: response.USDT } } catch (error: any) { console.error(`Failed to fetch price for ${symbol}: ${error.message}`) return { [symbol]: 0 } } }) const prices = Object.assign({}, ...(await Promise.all(priceRequests))) // Adding prices to token info for (const chain of Object.keys(tokenInfo) as Chains[]) { for (const token of Object.keys(tokenInfo[chain]!)) tokenInfo[chain]![token].price = prices[tokenInfo![chain]![token].symbol] || 0 } return tokenInfo } async function getBalances(tokens: Web3CheckerTokens) { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const balanceParams = { abi: ERC20_ABI, functionName: 'balanceOf', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = WALLETS.map((wallet) => { return chainTokens.map((token) => { return { address: token, args: [getEvmWallet(wallet)], ...balanceParams, } }) }).flat() return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).flatMap((result) => { return result.flat().map(el => el.result as bigint) }) const gasRequests = Object.entries(tokens).map(async ([chain, tokens]) => { if (
tokens.includes('')) {
const client = getPublicClient({ network: chain as Chains }) const balances = await Promise.all( WALLETS.map(async (wallet) => { return await client.getBalance({ address: getEvmWallet(wallet) }) }), ) return balances.flat() } }).filter(Boolean) const gasResults = await (await Promise.all(gasRequests as Promise<bigint[]>[])).flat() return [...erc20Results, ...gasResults] } function formatResults(walletBalances: bigint[][], wallets: Hex[], tokens: Web3CheckerTokens) { const finalBalances: Web3CheckerTokensResult = {} wallets.forEach((privateKey, walletIndex) => { const wallet = getEvmWallet(privateKey) const walletBalance = walletBalances[walletIndex] let balanceIndex = 0 for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} for (const token of chainTokens) { if (token) { // if not gas token finalBalances![wallet]![chain]![token] = walletBalance[balanceIndex++] } } } } for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} if (chainTokens.includes('')) finalBalances![wallet]![chain]![''] = walletBalance[balanceIndex++] } } }) return finalBalances } function printBalancesTable(formattedBalances: Web3CheckerTokensResult, tokens: Web3CheckerTokens, tokenInfo: Web3ChekerTokenInfo) { let csvData = 'number,wallet,' const chainsList: Chains[] = [] const totalBalances: { [chain: string]: { [token: string]: bigint } } = {} for (const chain of Object.keys(tokens) as Chains[]) { chainsList.push(chain) for (const token of tokens[chain]!) { csvData += `${tokenInfo[chain][token].symbol}-${chain},` totalBalances[chain] = totalBalances[chain] || {} totalBalances[chain][token] = BigInt(0) // Initialize total balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add wallet balances let walletNumber = 1 for (const wallet of Object.keys(formattedBalances)) { // let shortAddress = wallet.substring(0, 6) + '...' + wallet.substring(address.length - 4); const formattedWallet = `${wallet.substring(0, 6)}...${wallet.substring(wallet.length - 4)}` csvData += `${walletNumber++},${formattedWallet},` for (const chain of chainsList) { for (const token of tokens[chain]!) { const balance = formattedBalances[wallet]![chain]![token] const decimals = tokenInfo[chain][token].decimals const readableBalance = formatUnits(balance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` totalBalances[chain][token] += balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' } // Add total balances csvData += ',TOTAL,' let totalValueUSD = 0 const totalValuesPerTokenUSD: { [token: string]: number } = {} for (const chain of chainsList) { for (const token of tokens[chain]!) { const totalBalance = totalBalances[chain][token] const decimals = tokenInfo[chain][token].decimals const price = tokenInfo[chain][token].price const readableBalance = formatUnits(totalBalance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` const valueUSD = Number(readableBalance) * price! totalValueUSD += valueUSD const tokenSymbolWithChain = `${tokenInfo[chain][token].symbol}-${chain}` totalValuesPerTokenUSD[tokenSymbolWithChain] = (totalValuesPerTokenUSD[tokenSymbolWithChain] || 0) + valueUSD } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add total value in USD csvData += `TOTAL_VALUE:,${totalValueUSD.toFixed(2)} $,` for (const chain of chainsList) { for (const token of tokens[chain]!) { const tokenValueUSD = totalValuesPerTokenUSD[`${tokenInfo[chain][token].symbol}-${chain}`] csvData += `${tokenValueUSD.toFixed(2)} $,` } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Convert CSV data to table format const lines = csvData.split('\n') const headers = lines[0].split(',') const tableData = lines.slice(1, -1).map(line => line.split(',')) // exclude the last line since it could be empty // Transpose the table data const transposedData = headers.map((header, i) => [header, ...tableData.map(row => row[i])]) // Create a new table and push the transposed data into the table const table = new Table() transposedData.forEach(row => table.push(row)) // Print the table to the console console.log(table.toString()) // Write data to CSV file const directory = dirname(fileURLToPath(import.meta.url)) const path = join(directory, `../../results/${ONCHAIN_BALANCES_PARAMETERS.fileName}.csv`) const csvStream = createWriteStream(path) csvStream.write(csvData) csvStream.end() } async function main() { const { tokens } = ONCHAIN_BALANCES_PARAMETERS const allBalances = await getBalances(tokens) const walletBalances = splitArray(allBalances, WALLETS.length) const formattedBalances = formatResults(walletBalances, WALLETS, tokens) const tokenInfo = await getTokenInfo(tokens) printBalancesTable(formattedBalances, tokens, tokenInfo) } main()
src/modules/web3-checker.ts
insulineru-sybil-aio-058cd84
[ { "filename": "src/models/web3-checker.ts", "retrieved_chunk": " address: Address\n price?: number\n }\n }\n}\ninterface Web3CheckerTokensResult {\n [wallet: string]: {\n [chain in Chains]?: {\n [token: string]: bigint\n }", "score": 0.8078941106796265 }, { "filename": "src/data/abi.ts", "retrieved_chunk": "const ERC20_ABI = [\n {\n constant: true,\n inputs: [],\n name: 'name',\n outputs: [\n {\n name: '',\n type: 'string',\n },", "score": 0.8034433126449585 }, { "filename": "src/data/settings.ts", "retrieved_chunk": " '', // ETH\n '0xFd086bC7CD5C481DCC9C85ebE478A1C0b69FCbb9', // USDT\n '0xFF970A61A04b1cA14834A43f5dE4533eBDDB5CC8', // USDC\n ],\n [Chains.Optimism]: [\n '', // ETH\n '0x7f5c764cbc14f9669b88837ca1490cca17c31607', // USDC\n '0x4200000000000000000000000000000000000042', // OP\n // '0x94b008aa00579c1307b0ef2c499ad98a8ce58e58', // USDT\n ],", "score": 0.7907447218894958 }, { "filename": "src/data/abi.ts", "retrieved_chunk": " },\n] as const\nexport { ERC20_ABI }", "score": 0.7899402976036072 }, { "filename": "src/data/settings.ts", "retrieved_chunk": " // [Chains.Polygon]: [\n // '', // MATIC\n // ],\n // [Chains.Avalanche]: [\n // '', // AVAX\n // ],\n [Chains.Ethereum]: [\n '', // ETH\n // '0xdac17f958d2ee523a2206206994597c13d831ec7', // USDT\n ],", "score": 0.7780361175537109 } ]
typescript
tokens.includes('')) {
import { Editor, EditorPosition, EditorSuggest, EditorSuggestContext, EditorSuggestTriggerInfo, TFile, } from "obsidian"; import BookOfMormonPlugin from "src/main"; import { VerseSuggestion } from "./VerseSuggestion"; import * as fs from "fs/promises"; import { getScripturesPath } from "src/metadata"; const SHORT_REG = /\+([123])*[A-z ]{3,}\d{1,3}:\d{1,3}(-\d{1,3})*/; const FULL_REG = /\+([123]*[A-z ]{3,}) (\d{1,3}):(\d{1,3}(?:-\d{1,3})*)/i; export class Suggester extends EditorSuggest<VerseSuggestion> { constructor(public plugin: BookOfMormonPlugin) { super(plugin.app); } onTrigger( cursor: EditorPosition, editor: Editor, _file: TFile | null ): EditorSuggestTriggerInfo | null { const currentContent = editor .getLine(cursor.line) .substring(0, cursor.ch); const match = currentContent.match(SHORT_REG)?.first() ?? ""; if (!match) return null; return { start: { line: cursor.line, ch: currentContent.lastIndexOf(match), }, end: cursor, query: match, }; } async getSuggestions( context: EditorSuggestContext ): Promise<VerseSuggestion[]> { const { language } = this.plugin.settings; const scripturePath = getScripturesPath(this.plugin.manifest.id, language); const { query } = context; const fullMatch = query.match(FULL_REG); if (fullMatch === null) return []; const book = fullMatch[1]; const chapter = Number(fullMatch[2]); const { start, end } = this.parseRange(fullMatch[3]); if (end !== null && start > end) return []; // bail out if there is no matching book const filenames = await fs.readdir(scripturePath); const candidate = filenames.find(name => name.startsWith(book)); if (!candidate) return []; const suggestion =
new VerseSuggestion(this.plugin.manifest.id, book, chapter, start, end, language);
await suggestion.loadVerse(); return [suggestion]; } renderSuggestion(suggestion: VerseSuggestion, el: HTMLElement): void { suggestion.render(el); } selectSuggestion( suggestion: VerseSuggestion, _evt: MouseEvent | KeyboardEvent ): void { if (!this.context) return; this.context.editor.replaceRange( suggestion.getReplacement(), this.context.start, this.context.end ) } parseRange(range: string): { start: number, end: number | null } { const splitted = range.split("-"); if (splitted.length === 1) return { start: Number(splitted[0]), end: null }; return { start: Number(splitted[0]), end: Number(splitted[1]), }; } }
src/suggestion/suggester.ts
pacokwon-obsidian-lds-scriptures-plugin-d81c19e
[ { "filename": "src/suggestion/VerseSuggestion.ts", "retrieved_chunk": "import * as fs from \"fs/promises\";\nimport { getScripturesPath } from \"../metadata\";\nimport { AvailableLanguage } from \"../lang\";\nimport { Book, Verse } from \"../types\";\nexport class VerseSuggestion {\n public text: string;\n public previewText: string;\n public verses: Verse[];\n constructor(\n public pluginName: string,", "score": 0.8593753576278687 }, { "filename": "src/suggestion/VerseSuggestion.ts", "retrieved_chunk": " const start = `p${this.verseStart}`;\n const range = this.verseEnd === null ? start : `${start}-p${this.verseEnd}`;\n return `https://www.churchofjesuschrist.org/study/scriptures/${volume_title_short}/${book_title_short}/${chapter_number}?lang=${lang}&id=${range}#${start}`;\n }\n private async fetchVerses(): Promise<Verse[]> {\n const fileContent = await fs.readFile(\n `${getScripturesPath(this.pluginName, this.lang)}/${this.book}.json`\n );\n const book: Book = JSON.parse(fileContent.toString());\n const chapter = book.chapters[this.chapter - 1];", "score": 0.8550176620483398 }, { "filename": "src/suggestion/VerseSuggestion.ts", "retrieved_chunk": " public book: string,\n public chapter: number,\n public verseStart: number,\n public verseEnd: number | null,\n public lang: AvailableLanguage\n ) {}\n public getReplacement(): string {\n const url = this.getUrl();\n const headerFront = `${this.book} ${this.chapter}:`;\n const range =", "score": 0.8198388814926147 }, { "filename": "src/suggestion/VerseSuggestion.ts", "retrieved_chunk": " this.verseEnd === null\n ? `${this.verseStart}`\n : `${this.verseStart}-${this.verseEnd}`;\n const head = `> [!Mormon] [${headerFront}${range}](${url})`;\n return head + \"\\n\" + this.text + \"\\n\";\n }\n private getUrl(): string {\n const { volume_title_short, book_title_short, chapter_number } =\n this.verses[0];\n const { lang } = this;", "score": 0.7943272590637207 }, { "filename": "src/suggestion/VerseSuggestion.ts", "retrieved_chunk": " if (this.verseEnd === null)\n return [chapter.verses[this.verseStart - 1]];\n return chapter.verses.slice(this.verseStart - 1, this.verseEnd);\n }\n private toText(verses: Verse[]): string {\n return (\n `> <ol start=\"${verses[0].verse_number}\">` +\n `${verses\n .map(({ scripture_text }) => `<li>${scripture_text}</li>`)\n .join(\" \")}` +", "score": 0.7869459986686707 } ]
typescript
new VerseSuggestion(this.plugin.manifest.id, book, chapter, start, end, language);
import * as fs from "fs/promises"; import { getScripturesPath } from "../metadata"; import { AvailableLanguage } from "../lang"; import { Book, Verse } from "../types"; export class VerseSuggestion { public text: string; public previewText: string; public verses: Verse[]; constructor( public pluginName: string, public book: string, public chapter: number, public verseStart: number, public verseEnd: number | null, public lang: AvailableLanguage ) {} public getReplacement(): string { const url = this.getUrl(); const headerFront = `${this.book} ${this.chapter}:`; const range = this.verseEnd === null ? `${this.verseStart}` : `${this.verseStart}-${this.verseEnd}`; const head = `> [!Mormon] [${headerFront}${range}](${url})`; return head + "\n" + this.text + "\n"; } private getUrl(): string { const { volume_title_short, book_title_short, chapter_number } = this.verses[0]; const { lang } = this; const start = `p${this.verseStart}`; const range = this.verseEnd === null ? start : `${start}-p${this.verseEnd}`; return `https://www.churchofjesuschrist.org/study/scriptures/${volume_title_short}/${book_title_short}/${chapter_number}?lang=${lang}&id=${range}#${start}`; } private async fetchVerses(): Promise<Verse[]> { const fileContent = await fs.readFile(
`${getScripturesPath(this.pluginName, this.lang)}/${this.book}.json` );
const book: Book = JSON.parse(fileContent.toString()); const chapter = book.chapters[this.chapter - 1]; if (this.verseEnd === null) return [chapter.verses[this.verseStart - 1]]; return chapter.verses.slice(this.verseStart - 1, this.verseEnd); } private toText(verses: Verse[]): string { return ( `> <ol start="${verses[0].verse_number}">` + `${verses .map(({ scripture_text }) => `<li>${scripture_text}</li>`) .join(" ")}` + "</ol>" ); } private toPreviewText(verses: Verse[]): string { return verses .map( ({ verse_number, scripture_text }) => `${verse_number}. ${scripture_text}` ) .join("\n"); } public async loadVerse(): Promise<void> { const verses = await this.fetchVerses(); this.verses = verses; this.text = this.toText(verses); this.previewText = this.toPreviewText(verses); } public render(el: HTMLElement): void { const outer = el.createDiv({ cls: "obr-suggester-container" }); outer.createDiv({ cls: "obr-shortcode" }).setText(this.previewText); } }
src/suggestion/VerseSuggestion.ts
pacokwon-obsidian-lds-scriptures-plugin-d81c19e
[ { "filename": "src/suggestion/suggester.ts", "retrieved_chunk": " return [];\n // bail out if there is no matching book\n const filenames = await fs.readdir(scripturePath);\n const candidate = filenames.find(name => name.startsWith(book));\n if (!candidate)\n return [];\n const suggestion = new VerseSuggestion(this.plugin.manifest.id, book, chapter, start, end, language);\n await suggestion.loadVerse();\n return [suggestion];\n }", "score": 0.8622591495513916 }, { "filename": "src/types.ts", "retrieved_chunk": "export interface Verse {\n volume_title: string;\n volume_title_short: string;\n book_title: string;\n book_title_short: string;\n chapter_number: number;\n verse_number: number;\n verse_title: string;\n scripture_text: string;\n}", "score": 0.8373095989227295 }, { "filename": "src/suggestion/suggester.ts", "retrieved_chunk": " const { language } = this.plugin.settings;\n const scripturePath = getScripturesPath(this.plugin.manifest.id, language);\n const { query } = context;\n const fullMatch = query.match(FULL_REG);\n if (fullMatch === null)\n return [];\n const book = fullMatch[1];\n const chapter = Number(fullMatch[2]);\n const { start, end } = this.parseRange(fullMatch[3]);\n if (end !== null && start > end)", "score": 0.8344433903694153 }, { "filename": "src/types.ts", "retrieved_chunk": "export interface Chapter {\n volume_title: string;\n volume_title_short: string;\n book_title: string;\n book_title_short: string;\n chapter_number: number;\n verses: Verse[];\n}\nexport interface Book {\n volume_title: string;", "score": 0.8197594881057739 }, { "filename": "src/metadata.ts", "retrieved_chunk": "import { AvailableLanguage } from \"./lang\";\nimport envPaths from \"./env-paths\";\nexport function getScripturesPath(pluginName: string, lang: AvailableLanguage): string {\n const paths = envPaths(pluginName);\n return `${paths.config}/translations/${lang}`;\n}", "score": 0.818696916103363 } ]
typescript
`${getScripturesPath(this.pluginName, this.lang)}/${this.book}.json` );
import { Editor, EditorPosition, EditorSuggest, EditorSuggestContext, EditorSuggestTriggerInfo, TFile, } from "obsidian"; import BookOfMormonPlugin from "src/main"; import { VerseSuggestion } from "./VerseSuggestion"; import * as fs from "fs/promises"; import { getScripturesPath } from "src/metadata"; const SHORT_REG = /\+([123])*[A-z ]{3,}\d{1,3}:\d{1,3}(-\d{1,3})*/; const FULL_REG = /\+([123]*[A-z ]{3,}) (\d{1,3}):(\d{1,3}(?:-\d{1,3})*)/i; export class Suggester extends EditorSuggest<VerseSuggestion> { constructor(public plugin: BookOfMormonPlugin) { super(plugin.app); } onTrigger( cursor: EditorPosition, editor: Editor, _file: TFile | null ): EditorSuggestTriggerInfo | null { const currentContent = editor .getLine(cursor.line) .substring(0, cursor.ch); const match = currentContent.match(SHORT_REG)?.first() ?? ""; if (!match) return null; return { start: { line: cursor.line, ch: currentContent.lastIndexOf(match), }, end: cursor, query: match, }; } async getSuggestions( context: EditorSuggestContext ): Promise<VerseSuggestion[]> { const { language } = this.plugin.settings; const scripturePath = getScripturesPath(this.plugin.manifest.id, language); const { query } = context; const fullMatch = query.match(FULL_REG); if (fullMatch === null) return []; const book = fullMatch[1]; const chapter = Number(fullMatch[2]); const { start, end } = this.parseRange(fullMatch[3]); if (end !== null && start > end) return []; // bail out if there is no matching book const filenames = await fs.readdir(scripturePath); const candidate = filenames.find(name => name.startsWith(book)); if (!candidate) return []; const suggestion = new VerseSuggestion(this.plugin.manifest.id, book, chapter, start, end, language); await suggestion.loadVerse(); return [suggestion]; } renderSuggestion(suggestion: VerseSuggestion, el: HTMLElement): void {
suggestion.render(el);
} selectSuggestion( suggestion: VerseSuggestion, _evt: MouseEvent | KeyboardEvent ): void { if (!this.context) return; this.context.editor.replaceRange( suggestion.getReplacement(), this.context.start, this.context.end ) } parseRange(range: string): { start: number, end: number | null } { const splitted = range.split("-"); if (splitted.length === 1) return { start: Number(splitted[0]), end: null }; return { start: Number(splitted[0]), end: Number(splitted[1]), }; } }
src/suggestion/suggester.ts
pacokwon-obsidian-lds-scriptures-plugin-d81c19e
[ { "filename": "src/suggestion/VerseSuggestion.ts", "retrieved_chunk": "import * as fs from \"fs/promises\";\nimport { getScripturesPath } from \"../metadata\";\nimport { AvailableLanguage } from \"../lang\";\nimport { Book, Verse } from \"../types\";\nexport class VerseSuggestion {\n public text: string;\n public previewText: string;\n public verses: Verse[];\n constructor(\n public pluginName: string,", "score": 0.8743667602539062 }, { "filename": "src/suggestion/VerseSuggestion.ts", "retrieved_chunk": " }\n public async loadVerse(): Promise<void> {\n const verses = await this.fetchVerses();\n this.verses = verses;\n this.text = this.toText(verses);\n this.previewText = this.toPreviewText(verses);\n }\n public render(el: HTMLElement): void {\n const outer = el.createDiv({ cls: \"obr-suggester-container\" });\n outer.createDiv({ cls: \"obr-shortcode\" }).setText(this.previewText);", "score": 0.8741095066070557 }, { "filename": "src/suggestion/VerseSuggestion.ts", "retrieved_chunk": " const start = `p${this.verseStart}`;\n const range = this.verseEnd === null ? start : `${start}-p${this.verseEnd}`;\n return `https://www.churchofjesuschrist.org/study/scriptures/${volume_title_short}/${book_title_short}/${chapter_number}?lang=${lang}&id=${range}#${start}`;\n }\n private async fetchVerses(): Promise<Verse[]> {\n const fileContent = await fs.readFile(\n `${getScripturesPath(this.pluginName, this.lang)}/${this.book}.json`\n );\n const book: Book = JSON.parse(fileContent.toString());\n const chapter = book.chapters[this.chapter - 1];", "score": 0.8585066795349121 }, { "filename": "src/types.ts", "retrieved_chunk": "export interface Verse {\n volume_title: string;\n volume_title_short: string;\n book_title: string;\n book_title_short: string;\n chapter_number: number;\n verse_number: number;\n verse_title: string;\n scripture_text: string;\n}", "score": 0.8062905073165894 }, { "filename": "src/suggestion/VerseSuggestion.ts", "retrieved_chunk": " if (this.verseEnd === null)\n return [chapter.verses[this.verseStart - 1]];\n return chapter.verses.slice(this.verseStart - 1, this.verseEnd);\n }\n private toText(verses: Verse[]): string {\n return (\n `> <ol start=\"${verses[0].verse_number}\">` +\n `${verses\n .map(({ scripture_text }) => `<li>${scripture_text}</li>`)\n .join(\" \")}` +", "score": 0.8047560453414917 } ]
typescript
suggestion.render(el);
// Here is a brief technical description of each function in the Python script: import { createWriteStream } from 'node:fs' import { dirname, join } from 'node:path' import { fileURLToPath } from 'node:url' import Table from 'cli-table3' import type { Address, Hex } from 'viem' import { formatUnits } from 'viem' import { got } from 'got' import { splitArray } from '../utils/split-array.js' import { NETWORKS } from '../data/config.js' import { getEvmWallet } from '../utils/get-evm-wallet.js' import { ERC20_ABI } from '../data/abi.js' import type { Chains } from '../data/constants.js' import { WALLETS } from '../data/wallets.js' import type { Web3CheckerTokens, Web3CheckerTokensResult, Web3ChekerTokenInfo } from '../models/web3-checker.js' import { getPublicClient } from '../utils/get-clients.js' import { ONCHAIN_BALANCES_PARAMETERS } from '../data/settings.js' async function getTokenInfo(tokens: Web3CheckerTokens): Promise<Web3ChekerTokenInfo> { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const symbolParams = { abi: ERC20_ABI, functionName: 'symbol', } const decimalsParams = { abi: ERC20_ABI, functionName: 'decimals', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = chainTokens.flatMap(token => [ { address: token, ...symbolParams, }, { address: token, ...decimalsParams, }, ]) return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).map((chainResults, chainIndex) => { const chain = chains[chainIndex] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const chainInfo: any = {} chainResults.
flat().forEach((el, index) => {
const isSymbol = index % 2 === 0 const tokenIndex = Math.floor(index / 2) const tokenAddress = chainTokens[tokenIndex] if (!chainInfo[tokenAddress]) chainInfo[tokenAddress] = {} if (isSymbol) chainInfo[tokenAddress].symbol = el.result as string else chainInfo[tokenAddress].decimals = el.result as number }) // check and process gas token if (tokens[chain]?.includes('')) { chainInfo[''] = { symbol: NETWORKS[chain].token, decimals: 18, } } return { [chain]: chainInfo } }) const tokenInfo: Web3ChekerTokenInfo = Object.assign({}, ...erc20Results) // Fetching prices const uniqueSymbols = new Set<string>() for (const chain of Object.values(tokenInfo)) { for (const token of Object.values(chain)) uniqueSymbols.add(token.symbol) } const priceRequests = Array.from(uniqueSymbols).map(async (symbol) => { try { const response = await got(`https://min-api.cryptocompare.com/data/price?fsym=${symbol}&tsyms=USDT`).json<{ USDT: number }>() return { [symbol]: response.USDT } } catch (error: any) { console.error(`Failed to fetch price for ${symbol}: ${error.message}`) return { [symbol]: 0 } } }) const prices = Object.assign({}, ...(await Promise.all(priceRequests))) // Adding prices to token info for (const chain of Object.keys(tokenInfo) as Chains[]) { for (const token of Object.keys(tokenInfo[chain]!)) tokenInfo[chain]![token].price = prices[tokenInfo![chain]![token].symbol] || 0 } return tokenInfo } async function getBalances(tokens: Web3CheckerTokens) { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const balanceParams = { abi: ERC20_ABI, functionName: 'balanceOf', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = WALLETS.map((wallet) => { return chainTokens.map((token) => { return { address: token, args: [getEvmWallet(wallet)], ...balanceParams, } }) }).flat() return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).flatMap((result) => { return result.flat().map(el => el.result as bigint) }) const gasRequests = Object.entries(tokens).map(async ([chain, tokens]) => { if (tokens.includes('')) { const client = getPublicClient({ network: chain as Chains }) const balances = await Promise.all( WALLETS.map(async (wallet) => { return await client.getBalance({ address: getEvmWallet(wallet) }) }), ) return balances.flat() } }).filter(Boolean) const gasResults = await (await Promise.all(gasRequests as Promise<bigint[]>[])).flat() return [...erc20Results, ...gasResults] } function formatResults(walletBalances: bigint[][], wallets: Hex[], tokens: Web3CheckerTokens) { const finalBalances: Web3CheckerTokensResult = {} wallets.forEach((privateKey, walletIndex) => { const wallet = getEvmWallet(privateKey) const walletBalance = walletBalances[walletIndex] let balanceIndex = 0 for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} for (const token of chainTokens) { if (token) { // if not gas token finalBalances![wallet]![chain]![token] = walletBalance[balanceIndex++] } } } } for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} if (chainTokens.includes('')) finalBalances![wallet]![chain]![''] = walletBalance[balanceIndex++] } } }) return finalBalances } function printBalancesTable(formattedBalances: Web3CheckerTokensResult, tokens: Web3CheckerTokens, tokenInfo: Web3ChekerTokenInfo) { let csvData = 'number,wallet,' const chainsList: Chains[] = [] const totalBalances: { [chain: string]: { [token: string]: bigint } } = {} for (const chain of Object.keys(tokens) as Chains[]) { chainsList.push(chain) for (const token of tokens[chain]!) { csvData += `${tokenInfo[chain][token].symbol}-${chain},` totalBalances[chain] = totalBalances[chain] || {} totalBalances[chain][token] = BigInt(0) // Initialize total balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add wallet balances let walletNumber = 1 for (const wallet of Object.keys(formattedBalances)) { // let shortAddress = wallet.substring(0, 6) + '...' + wallet.substring(address.length - 4); const formattedWallet = `${wallet.substring(0, 6)}...${wallet.substring(wallet.length - 4)}` csvData += `${walletNumber++},${formattedWallet},` for (const chain of chainsList) { for (const token of tokens[chain]!) { const balance = formattedBalances[wallet]![chain]![token] const decimals = tokenInfo[chain][token].decimals const readableBalance = formatUnits(balance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` totalBalances[chain][token] += balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' } // Add total balances csvData += ',TOTAL,' let totalValueUSD = 0 const totalValuesPerTokenUSD: { [token: string]: number } = {} for (const chain of chainsList) { for (const token of tokens[chain]!) { const totalBalance = totalBalances[chain][token] const decimals = tokenInfo[chain][token].decimals const price = tokenInfo[chain][token].price const readableBalance = formatUnits(totalBalance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` const valueUSD = Number(readableBalance) * price! totalValueUSD += valueUSD const tokenSymbolWithChain = `${tokenInfo[chain][token].symbol}-${chain}` totalValuesPerTokenUSD[tokenSymbolWithChain] = (totalValuesPerTokenUSD[tokenSymbolWithChain] || 0) + valueUSD } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add total value in USD csvData += `TOTAL_VALUE:,${totalValueUSD.toFixed(2)} $,` for (const chain of chainsList) { for (const token of tokens[chain]!) { const tokenValueUSD = totalValuesPerTokenUSD[`${tokenInfo[chain][token].symbol}-${chain}`] csvData += `${tokenValueUSD.toFixed(2)} $,` } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Convert CSV data to table format const lines = csvData.split('\n') const headers = lines[0].split(',') const tableData = lines.slice(1, -1).map(line => line.split(',')) // exclude the last line since it could be empty // Transpose the table data const transposedData = headers.map((header, i) => [header, ...tableData.map(row => row[i])]) // Create a new table and push the transposed data into the table const table = new Table() transposedData.forEach(row => table.push(row)) // Print the table to the console console.log(table.toString()) // Write data to CSV file const directory = dirname(fileURLToPath(import.meta.url)) const path = join(directory, `../../results/${ONCHAIN_BALANCES_PARAMETERS.fileName}.csv`) const csvStream = createWriteStream(path) csvStream.write(csvData) csvStream.end() } async function main() { const { tokens } = ONCHAIN_BALANCES_PARAMETERS const allBalances = await getBalances(tokens) const walletBalances = splitArray(allBalances, WALLETS.length) const formattedBalances = formatResults(walletBalances, WALLETS, tokens) const tokenInfo = await getTokenInfo(tokens) printBalancesTable(formattedBalances, tokens, tokenInfo) } main()
src/modules/web3-checker.ts
insulineru-sybil-aio-058cd84
[ { "filename": "src/models/web3-checker.ts", "retrieved_chunk": " address: Address\n price?: number\n }\n }\n}\ninterface Web3CheckerTokensResult {\n [wallet: string]: {\n [chain in Chains]?: {\n [token: string]: bigint\n }", "score": 0.8239315152168274 }, { "filename": "src/data/settings.ts", "retrieved_chunk": " '', // ETH\n '0xFd086bC7CD5C481DCC9C85ebE478A1C0b69FCbb9', // USDT\n '0xFF970A61A04b1cA14834A43f5dE4533eBDDB5CC8', // USDC\n ],\n [Chains.Optimism]: [\n '', // ETH\n '0x7f5c764cbc14f9669b88837ca1490cca17c31607', // USDC\n '0x4200000000000000000000000000000000000042', // OP\n // '0x94b008aa00579c1307b0ef2c499ad98a8ce58e58', // USDT\n ],", "score": 0.8018046617507935 }, { "filename": "src/data/abi.ts", "retrieved_chunk": "const ERC20_ABI = [\n {\n constant: true,\n inputs: [],\n name: 'name',\n outputs: [\n {\n name: '',\n type: 'string',\n },", "score": 0.7938076257705688 }, { "filename": "src/models/web3-checker.ts", "retrieved_chunk": "import type { Address } from 'viem'\nimport type { Chains } from '../data/constants.js'\ntype Web3CheckerTokens = {\n [key in Chains]?: Array<Address | ''>\n}\ninterface Web3ChekerTokenInfo {\n [key: string]: {\n [key: string]: {\n symbol: string\n decimals: number", "score": 0.7909562587738037 }, { "filename": "src/data/constants.ts", "retrieved_chunk": "enum Chains {\n Ethereum = 'ethereum',\n Optimism = 'optimism',\n Bsc = 'bsc',\n Polygon = 'polygon',\n PolygonZkEvm = 'polygonZkEvm',\n Arbitrum = 'arbitrum',\n Avalanche = 'avalanche',\n Fantom = 'fantom',\n Nova = 'nova',", "score": 0.7894445657730103 } ]
typescript
flat().forEach((el, index) => {
// Here is a brief technical description of each function in the Python script: import { createWriteStream } from 'node:fs' import { dirname, join } from 'node:path' import { fileURLToPath } from 'node:url' import Table from 'cli-table3' import type { Address, Hex } from 'viem' import { formatUnits } from 'viem' import { got } from 'got' import { splitArray } from '../utils/split-array.js' import { NETWORKS } from '../data/config.js' import { getEvmWallet } from '../utils/get-evm-wallet.js' import { ERC20_ABI } from '../data/abi.js' import type { Chains } from '../data/constants.js' import { WALLETS } from '../data/wallets.js' import type { Web3CheckerTokens, Web3CheckerTokensResult, Web3ChekerTokenInfo } from '../models/web3-checker.js' import { getPublicClient } from '../utils/get-clients.js' import { ONCHAIN_BALANCES_PARAMETERS } from '../data/settings.js' async function getTokenInfo(tokens: Web3CheckerTokens): Promise<Web3ChekerTokenInfo> { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const symbolParams = { abi: ERC20_ABI, functionName: 'symbol', } const decimalsParams = { abi: ERC20_ABI, functionName: 'decimals', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = chainTokens.flatMap(token => [ { address: token, ...symbolParams, }, { address: token, ...decimalsParams, }, ]) return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).map((chainResults, chainIndex) => { const chain = chains[chainIndex] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const chainInfo: any = {} chainResults.flat().forEach((el, index) => { const isSymbol = index % 2 === 0 const tokenIndex = Math.floor(index / 2) const tokenAddress = chainTokens[tokenIndex] if (!chainInfo[tokenAddress]) chainInfo[tokenAddress] = {} if (isSymbol) chainInfo[tokenAddress].symbol = el.result as string else chainInfo[tokenAddress].decimals = el.result as number }) // check and process gas token if (tokens[chain]?.includes('')) { chainInfo[''] = { symbol: NETWORKS[chain].token, decimals: 18, } }
return { [chain]: chainInfo }
}) const tokenInfo: Web3ChekerTokenInfo = Object.assign({}, ...erc20Results) // Fetching prices const uniqueSymbols = new Set<string>() for (const chain of Object.values(tokenInfo)) { for (const token of Object.values(chain)) uniqueSymbols.add(token.symbol) } const priceRequests = Array.from(uniqueSymbols).map(async (symbol) => { try { const response = await got(`https://min-api.cryptocompare.com/data/price?fsym=${symbol}&tsyms=USDT`).json<{ USDT: number }>() return { [symbol]: response.USDT } } catch (error: any) { console.error(`Failed to fetch price for ${symbol}: ${error.message}`) return { [symbol]: 0 } } }) const prices = Object.assign({}, ...(await Promise.all(priceRequests))) // Adding prices to token info for (const chain of Object.keys(tokenInfo) as Chains[]) { for (const token of Object.keys(tokenInfo[chain]!)) tokenInfo[chain]![token].price = prices[tokenInfo![chain]![token].symbol] || 0 } return tokenInfo } async function getBalances(tokens: Web3CheckerTokens) { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const balanceParams = { abi: ERC20_ABI, functionName: 'balanceOf', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = WALLETS.map((wallet) => { return chainTokens.map((token) => { return { address: token, args: [getEvmWallet(wallet)], ...balanceParams, } }) }).flat() return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).flatMap((result) => { return result.flat().map(el => el.result as bigint) }) const gasRequests = Object.entries(tokens).map(async ([chain, tokens]) => { if (tokens.includes('')) { const client = getPublicClient({ network: chain as Chains }) const balances = await Promise.all( WALLETS.map(async (wallet) => { return await client.getBalance({ address: getEvmWallet(wallet) }) }), ) return balances.flat() } }).filter(Boolean) const gasResults = await (await Promise.all(gasRequests as Promise<bigint[]>[])).flat() return [...erc20Results, ...gasResults] } function formatResults(walletBalances: bigint[][], wallets: Hex[], tokens: Web3CheckerTokens) { const finalBalances: Web3CheckerTokensResult = {} wallets.forEach((privateKey, walletIndex) => { const wallet = getEvmWallet(privateKey) const walletBalance = walletBalances[walletIndex] let balanceIndex = 0 for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} for (const token of chainTokens) { if (token) { // if not gas token finalBalances![wallet]![chain]![token] = walletBalance[balanceIndex++] } } } } for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} if (chainTokens.includes('')) finalBalances![wallet]![chain]![''] = walletBalance[balanceIndex++] } } }) return finalBalances } function printBalancesTable(formattedBalances: Web3CheckerTokensResult, tokens: Web3CheckerTokens, tokenInfo: Web3ChekerTokenInfo) { let csvData = 'number,wallet,' const chainsList: Chains[] = [] const totalBalances: { [chain: string]: { [token: string]: bigint } } = {} for (const chain of Object.keys(tokens) as Chains[]) { chainsList.push(chain) for (const token of tokens[chain]!) { csvData += `${tokenInfo[chain][token].symbol}-${chain},` totalBalances[chain] = totalBalances[chain] || {} totalBalances[chain][token] = BigInt(0) // Initialize total balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add wallet balances let walletNumber = 1 for (const wallet of Object.keys(formattedBalances)) { // let shortAddress = wallet.substring(0, 6) + '...' + wallet.substring(address.length - 4); const formattedWallet = `${wallet.substring(0, 6)}...${wallet.substring(wallet.length - 4)}` csvData += `${walletNumber++},${formattedWallet},` for (const chain of chainsList) { for (const token of tokens[chain]!) { const balance = formattedBalances[wallet]![chain]![token] const decimals = tokenInfo[chain][token].decimals const readableBalance = formatUnits(balance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` totalBalances[chain][token] += balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' } // Add total balances csvData += ',TOTAL,' let totalValueUSD = 0 const totalValuesPerTokenUSD: { [token: string]: number } = {} for (const chain of chainsList) { for (const token of tokens[chain]!) { const totalBalance = totalBalances[chain][token] const decimals = tokenInfo[chain][token].decimals const price = tokenInfo[chain][token].price const readableBalance = formatUnits(totalBalance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` const valueUSD = Number(readableBalance) * price! totalValueUSD += valueUSD const tokenSymbolWithChain = `${tokenInfo[chain][token].symbol}-${chain}` totalValuesPerTokenUSD[tokenSymbolWithChain] = (totalValuesPerTokenUSD[tokenSymbolWithChain] || 0) + valueUSD } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add total value in USD csvData += `TOTAL_VALUE:,${totalValueUSD.toFixed(2)} $,` for (const chain of chainsList) { for (const token of tokens[chain]!) { const tokenValueUSD = totalValuesPerTokenUSD[`${tokenInfo[chain][token].symbol}-${chain}`] csvData += `${tokenValueUSD.toFixed(2)} $,` } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Convert CSV data to table format const lines = csvData.split('\n') const headers = lines[0].split(',') const tableData = lines.slice(1, -1).map(line => line.split(',')) // exclude the last line since it could be empty // Transpose the table data const transposedData = headers.map((header, i) => [header, ...tableData.map(row => row[i])]) // Create a new table and push the transposed data into the table const table = new Table() transposedData.forEach(row => table.push(row)) // Print the table to the console console.log(table.toString()) // Write data to CSV file const directory = dirname(fileURLToPath(import.meta.url)) const path = join(directory, `../../results/${ONCHAIN_BALANCES_PARAMETERS.fileName}.csv`) const csvStream = createWriteStream(path) csvStream.write(csvData) csvStream.end() } async function main() { const { tokens } = ONCHAIN_BALANCES_PARAMETERS const allBalances = await getBalances(tokens) const walletBalances = splitArray(allBalances, WALLETS.length) const formattedBalances = formatResults(walletBalances, WALLETS, tokens) const tokenInfo = await getTokenInfo(tokens) printBalancesTable(formattedBalances, tokens, tokenInfo) } main()
src/modules/web3-checker.ts
insulineru-sybil-aio-058cd84
[ { "filename": "src/models/web3-checker.ts", "retrieved_chunk": "import type { Address } from 'viem'\nimport type { Chains } from '../data/constants.js'\ntype Web3CheckerTokens = {\n [key in Chains]?: Array<Address | ''>\n}\ninterface Web3ChekerTokenInfo {\n [key: string]: {\n [key: string]: {\n symbol: string\n decimals: number", "score": 0.842562198638916 }, { "filename": "src/models/web3-checker.ts", "retrieved_chunk": " address: Address\n price?: number\n }\n }\n}\ninterface Web3CheckerTokensResult {\n [wallet: string]: {\n [chain in Chains]?: {\n [token: string]: bigint\n }", "score": 0.841558575630188 }, { "filename": "src/models/web3-checker.ts", "retrieved_chunk": " }\n}\ninterface Web3CheckerAlert {\n chain: Chains\n coin: Address | ''\n amount: number\n}\ntype Web3CheckerGasAmountLimit = {\n [key in Chains]?: number\n}", "score": 0.8208513259887695 }, { "filename": "src/data/settings.ts", "retrieved_chunk": " // [Chains.Polygon]: [\n // '', // MATIC\n // ],\n // [Chains.Avalanche]: [\n // '', // AVAX\n // ],\n [Chains.Ethereum]: [\n '', // ETH\n // '0xdac17f958d2ee523a2206206994597c13d831ec7', // USDT\n ],", "score": 0.804227352142334 }, { "filename": "src/data/config.ts", "retrieved_chunk": " token: 'ETH',\n chain_id: 1101,\n viemChain: polygonZkEvm,\n },\n arbitrum: {\n rpc: 'https://arb1.croswap.com/rpc',\n scan: 'https://arbiscan.io/tx',\n token: 'ETH',\n chain_id: 42161,\n viemChain: arbitrum,", "score": 0.8006147742271423 } ]
typescript
return { [chain]: chainInfo }
// Here is a brief technical description of each function in the Python script: import { createWriteStream } from 'node:fs' import { dirname, join } from 'node:path' import { fileURLToPath } from 'node:url' import Table from 'cli-table3' import type { Address, Hex } from 'viem' import { formatUnits } from 'viem' import { got } from 'got' import { splitArray } from '../utils/split-array.js' import { NETWORKS } from '../data/config.js' import { getEvmWallet } from '../utils/get-evm-wallet.js' import { ERC20_ABI } from '../data/abi.js' import type { Chains } from '../data/constants.js' import { WALLETS } from '../data/wallets.js' import type { Web3CheckerTokens, Web3CheckerTokensResult, Web3ChekerTokenInfo } from '../models/web3-checker.js' import { getPublicClient } from '../utils/get-clients.js' import { ONCHAIN_BALANCES_PARAMETERS } from '../data/settings.js' async function getTokenInfo(tokens: Web3CheckerTokens): Promise<Web3ChekerTokenInfo> { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const symbolParams = { abi: ERC20_ABI, functionName: 'symbol', } const decimalsParams = { abi: ERC20_ABI, functionName: 'decimals', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = chainTokens.flatMap(token => [ { address: token, ...symbolParams, }, { address: token, ...decimalsParams, }, ]) return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).map((chainResults, chainIndex) => { const chain = chains[chainIndex] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const chainInfo: any = {}
chainResults.flat().forEach((el, index) => {
const isSymbol = index % 2 === 0 const tokenIndex = Math.floor(index / 2) const tokenAddress = chainTokens[tokenIndex] if (!chainInfo[tokenAddress]) chainInfo[tokenAddress] = {} if (isSymbol) chainInfo[tokenAddress].symbol = el.result as string else chainInfo[tokenAddress].decimals = el.result as number }) // check and process gas token if (tokens[chain]?.includes('')) { chainInfo[''] = { symbol: NETWORKS[chain].token, decimals: 18, } } return { [chain]: chainInfo } }) const tokenInfo: Web3ChekerTokenInfo = Object.assign({}, ...erc20Results) // Fetching prices const uniqueSymbols = new Set<string>() for (const chain of Object.values(tokenInfo)) { for (const token of Object.values(chain)) uniqueSymbols.add(token.symbol) } const priceRequests = Array.from(uniqueSymbols).map(async (symbol) => { try { const response = await got(`https://min-api.cryptocompare.com/data/price?fsym=${symbol}&tsyms=USDT`).json<{ USDT: number }>() return { [symbol]: response.USDT } } catch (error: any) { console.error(`Failed to fetch price for ${symbol}: ${error.message}`) return { [symbol]: 0 } } }) const prices = Object.assign({}, ...(await Promise.all(priceRequests))) // Adding prices to token info for (const chain of Object.keys(tokenInfo) as Chains[]) { for (const token of Object.keys(tokenInfo[chain]!)) tokenInfo[chain]![token].price = prices[tokenInfo![chain]![token].symbol] || 0 } return tokenInfo } async function getBalances(tokens: Web3CheckerTokens) { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const balanceParams = { abi: ERC20_ABI, functionName: 'balanceOf', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = WALLETS.map((wallet) => { return chainTokens.map((token) => { return { address: token, args: [getEvmWallet(wallet)], ...balanceParams, } }) }).flat() return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).flatMap((result) => { return result.flat().map(el => el.result as bigint) }) const gasRequests = Object.entries(tokens).map(async ([chain, tokens]) => { if (tokens.includes('')) { const client = getPublicClient({ network: chain as Chains }) const balances = await Promise.all( WALLETS.map(async (wallet) => { return await client.getBalance({ address: getEvmWallet(wallet) }) }), ) return balances.flat() } }).filter(Boolean) const gasResults = await (await Promise.all(gasRequests as Promise<bigint[]>[])).flat() return [...erc20Results, ...gasResults] } function formatResults(walletBalances: bigint[][], wallets: Hex[], tokens: Web3CheckerTokens) { const finalBalances: Web3CheckerTokensResult = {} wallets.forEach((privateKey, walletIndex) => { const wallet = getEvmWallet(privateKey) const walletBalance = walletBalances[walletIndex] let balanceIndex = 0 for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} for (const token of chainTokens) { if (token) { // if not gas token finalBalances![wallet]![chain]![token] = walletBalance[balanceIndex++] } } } } for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} if (chainTokens.includes('')) finalBalances![wallet]![chain]![''] = walletBalance[balanceIndex++] } } }) return finalBalances } function printBalancesTable(formattedBalances: Web3CheckerTokensResult, tokens: Web3CheckerTokens, tokenInfo: Web3ChekerTokenInfo) { let csvData = 'number,wallet,' const chainsList: Chains[] = [] const totalBalances: { [chain: string]: { [token: string]: bigint } } = {} for (const chain of Object.keys(tokens) as Chains[]) { chainsList.push(chain) for (const token of tokens[chain]!) { csvData += `${tokenInfo[chain][token].symbol}-${chain},` totalBalances[chain] = totalBalances[chain] || {} totalBalances[chain][token] = BigInt(0) // Initialize total balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add wallet balances let walletNumber = 1 for (const wallet of Object.keys(formattedBalances)) { // let shortAddress = wallet.substring(0, 6) + '...' + wallet.substring(address.length - 4); const formattedWallet = `${wallet.substring(0, 6)}...${wallet.substring(wallet.length - 4)}` csvData += `${walletNumber++},${formattedWallet},` for (const chain of chainsList) { for (const token of tokens[chain]!) { const balance = formattedBalances[wallet]![chain]![token] const decimals = tokenInfo[chain][token].decimals const readableBalance = formatUnits(balance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` totalBalances[chain][token] += balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' } // Add total balances csvData += ',TOTAL,' let totalValueUSD = 0 const totalValuesPerTokenUSD: { [token: string]: number } = {} for (const chain of chainsList) { for (const token of tokens[chain]!) { const totalBalance = totalBalances[chain][token] const decimals = tokenInfo[chain][token].decimals const price = tokenInfo[chain][token].price const readableBalance = formatUnits(totalBalance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` const valueUSD = Number(readableBalance) * price! totalValueUSD += valueUSD const tokenSymbolWithChain = `${tokenInfo[chain][token].symbol}-${chain}` totalValuesPerTokenUSD[tokenSymbolWithChain] = (totalValuesPerTokenUSD[tokenSymbolWithChain] || 0) + valueUSD } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add total value in USD csvData += `TOTAL_VALUE:,${totalValueUSD.toFixed(2)} $,` for (const chain of chainsList) { for (const token of tokens[chain]!) { const tokenValueUSD = totalValuesPerTokenUSD[`${tokenInfo[chain][token].symbol}-${chain}`] csvData += `${tokenValueUSD.toFixed(2)} $,` } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Convert CSV data to table format const lines = csvData.split('\n') const headers = lines[0].split(',') const tableData = lines.slice(1, -1).map(line => line.split(',')) // exclude the last line since it could be empty // Transpose the table data const transposedData = headers.map((header, i) => [header, ...tableData.map(row => row[i])]) // Create a new table and push the transposed data into the table const table = new Table() transposedData.forEach(row => table.push(row)) // Print the table to the console console.log(table.toString()) // Write data to CSV file const directory = dirname(fileURLToPath(import.meta.url)) const path = join(directory, `../../results/${ONCHAIN_BALANCES_PARAMETERS.fileName}.csv`) const csvStream = createWriteStream(path) csvStream.write(csvData) csvStream.end() } async function main() { const { tokens } = ONCHAIN_BALANCES_PARAMETERS const allBalances = await getBalances(tokens) const walletBalances = splitArray(allBalances, WALLETS.length) const formattedBalances = formatResults(walletBalances, WALLETS, tokens) const tokenInfo = await getTokenInfo(tokens) printBalancesTable(formattedBalances, tokens, tokenInfo) } main()
src/modules/web3-checker.ts
insulineru-sybil-aio-058cd84
[ { "filename": "src/models/web3-checker.ts", "retrieved_chunk": " address: Address\n price?: number\n }\n }\n}\ninterface Web3CheckerTokensResult {\n [wallet: string]: {\n [chain in Chains]?: {\n [token: string]: bigint\n }", "score": 0.8267525434494019 }, { "filename": "src/data/settings.ts", "retrieved_chunk": " '', // ETH\n '0xFd086bC7CD5C481DCC9C85ebE478A1C0b69FCbb9', // USDT\n '0xFF970A61A04b1cA14834A43f5dE4533eBDDB5CC8', // USDC\n ],\n [Chains.Optimism]: [\n '', // ETH\n '0x7f5c764cbc14f9669b88837ca1490cca17c31607', // USDC\n '0x4200000000000000000000000000000000000042', // OP\n // '0x94b008aa00579c1307b0ef2c499ad98a8ce58e58', // USDT\n ],", "score": 0.8081296682357788 }, { "filename": "src/data/abi.ts", "retrieved_chunk": "const ERC20_ABI = [\n {\n constant: true,\n inputs: [],\n name: 'name',\n outputs: [\n {\n name: '',\n type: 'string',\n },", "score": 0.7964256405830383 }, { "filename": "src/models/web3-checker.ts", "retrieved_chunk": "import type { Address } from 'viem'\nimport type { Chains } from '../data/constants.js'\ntype Web3CheckerTokens = {\n [key in Chains]?: Array<Address | ''>\n}\ninterface Web3ChekerTokenInfo {\n [key: string]: {\n [key: string]: {\n symbol: string\n decimals: number", "score": 0.7929272651672363 }, { "filename": "src/data/settings.ts", "retrieved_chunk": " // [Chains.Polygon]: [\n // '', // MATIC\n // ],\n // [Chains.Avalanche]: [\n // '', // AVAX\n // ],\n [Chains.Ethereum]: [\n '', // ETH\n // '0xdac17f958d2ee523a2206206994597c13d831ec7', // USDT\n ],", "score": 0.7916377782821655 } ]
typescript
chainResults.flat().forEach((el, index) => {
// Here is a brief technical description of each function in the Python script: import { createWriteStream } from 'node:fs' import { dirname, join } from 'node:path' import { fileURLToPath } from 'node:url' import Table from 'cli-table3' import type { Address, Hex } from 'viem' import { formatUnits } from 'viem' import { got } from 'got' import { splitArray } from '../utils/split-array.js' import { NETWORKS } from '../data/config.js' import { getEvmWallet } from '../utils/get-evm-wallet.js' import { ERC20_ABI } from '../data/abi.js' import type { Chains } from '../data/constants.js' import { WALLETS } from '../data/wallets.js' import type { Web3CheckerTokens, Web3CheckerTokensResult, Web3ChekerTokenInfo } from '../models/web3-checker.js' import { getPublicClient } from '../utils/get-clients.js' import { ONCHAIN_BALANCES_PARAMETERS } from '../data/settings.js' async function getTokenInfo(tokens: Web3CheckerTokens): Promise<Web3ChekerTokenInfo> { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const symbolParams = { abi: ERC20_ABI, functionName: 'symbol', } const decimalsParams = { abi: ERC20_ABI, functionName: 'decimals', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = chainTokens.flatMap(token => [ { address: token, ...symbolParams, }, { address: token, ...decimalsParams, }, ]) return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).map((chainResults, chainIndex) => { const chain = chains[chainIndex] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const chainInfo: any = {} chainResults.flat().forEach((el, index) => { const isSymbol = index % 2 === 0 const tokenIndex = Math.floor(index / 2) const tokenAddress = chainTokens[tokenIndex] if (!chainInfo[tokenAddress]) chainInfo[tokenAddress] = {} if (isSymbol) chainInfo[tokenAddress].symbol = el.result as string else chainInfo[tokenAddress].decimals = el.result as number }) // check and process gas token if (tokens[chain]?.includes('')) { chainInfo[''] = { symbol: NETWORKS[chain].token, decimals: 18, } } return { [chain]: chainInfo } }) const tokenInfo: Web3ChekerTokenInfo = Object.assign({}, ...erc20Results) // Fetching prices const uniqueSymbols = new Set<string>() for (const chain of Object.values(tokenInfo)) { for (const token of Object.values(chain)) uniqueSymbols.add(token.symbol) } const priceRequests = Array.from(uniqueSymbols).map(async (symbol) => { try { const response = await got(`https://min-api.cryptocompare.com/data/price?fsym=${symbol}&tsyms=USDT`).json<{ USDT: number }>() return { [symbol]: response.USDT } } catch (error: any) { console.error(`Failed to fetch price for ${symbol}: ${error.message}`) return { [symbol]: 0 } } }) const prices = Object.assign({}, ...(await Promise.all(priceRequests))) // Adding prices to token info for (const chain of Object.keys(tokenInfo) as Chains[]) { for (const token of Object.keys(tokenInfo[chain]!)) tokenInfo[chain]![token].price = prices[tokenInfo![chain]![token].symbol] || 0 } return tokenInfo } async function getBalances(tokens: Web3CheckerTokens) { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const balanceParams = { abi: ERC20_ABI, functionName: 'balanceOf', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = WALLETS.map((wallet) => { return chainTokens.map((token) => { return { address: token, args: [getEvmWallet(wallet)], ...balanceParams, } }) }).flat() return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).flatMap((result) => { return result.flat().map(el => el.result as bigint) }) const gasRequests = Object.entries(tokens).map(async ([chain, tokens]) => { if (tokens.includes('')) { const client = getPublicClient({ network: chain as Chains }) const balances = await Promise.all( WALLETS.map(async (wallet) => { return await client.getBalance({ address: getEvmWallet(wallet) }) }), ) return balances.flat() } }).filter(Boolean) const gasResults = await (await Promise.all(gasRequests as Promise<bigint[]>[])).flat() return [...erc20Results, ...gasResults] } function formatResults(walletBalances: bigint[][], wallets: Hex[], tokens: Web3CheckerTokens) { const finalBalances:
Web3CheckerTokensResult = {}
wallets.forEach((privateKey, walletIndex) => { const wallet = getEvmWallet(privateKey) const walletBalance = walletBalances[walletIndex] let balanceIndex = 0 for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} for (const token of chainTokens) { if (token) { // if not gas token finalBalances![wallet]![chain]![token] = walletBalance[balanceIndex++] } } } } for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} if (chainTokens.includes('')) finalBalances![wallet]![chain]![''] = walletBalance[balanceIndex++] } } }) return finalBalances } function printBalancesTable(formattedBalances: Web3CheckerTokensResult, tokens: Web3CheckerTokens, tokenInfo: Web3ChekerTokenInfo) { let csvData = 'number,wallet,' const chainsList: Chains[] = [] const totalBalances: { [chain: string]: { [token: string]: bigint } } = {} for (const chain of Object.keys(tokens) as Chains[]) { chainsList.push(chain) for (const token of tokens[chain]!) { csvData += `${tokenInfo[chain][token].symbol}-${chain},` totalBalances[chain] = totalBalances[chain] || {} totalBalances[chain][token] = BigInt(0) // Initialize total balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add wallet balances let walletNumber = 1 for (const wallet of Object.keys(formattedBalances)) { // let shortAddress = wallet.substring(0, 6) + '...' + wallet.substring(address.length - 4); const formattedWallet = `${wallet.substring(0, 6)}...${wallet.substring(wallet.length - 4)}` csvData += `${walletNumber++},${formattedWallet},` for (const chain of chainsList) { for (const token of tokens[chain]!) { const balance = formattedBalances[wallet]![chain]![token] const decimals = tokenInfo[chain][token].decimals const readableBalance = formatUnits(balance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` totalBalances[chain][token] += balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' } // Add total balances csvData += ',TOTAL,' let totalValueUSD = 0 const totalValuesPerTokenUSD: { [token: string]: number } = {} for (const chain of chainsList) { for (const token of tokens[chain]!) { const totalBalance = totalBalances[chain][token] const decimals = tokenInfo[chain][token].decimals const price = tokenInfo[chain][token].price const readableBalance = formatUnits(totalBalance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` const valueUSD = Number(readableBalance) * price! totalValueUSD += valueUSD const tokenSymbolWithChain = `${tokenInfo[chain][token].symbol}-${chain}` totalValuesPerTokenUSD[tokenSymbolWithChain] = (totalValuesPerTokenUSD[tokenSymbolWithChain] || 0) + valueUSD } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add total value in USD csvData += `TOTAL_VALUE:,${totalValueUSD.toFixed(2)} $,` for (const chain of chainsList) { for (const token of tokens[chain]!) { const tokenValueUSD = totalValuesPerTokenUSD[`${tokenInfo[chain][token].symbol}-${chain}`] csvData += `${tokenValueUSD.toFixed(2)} $,` } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Convert CSV data to table format const lines = csvData.split('\n') const headers = lines[0].split(',') const tableData = lines.slice(1, -1).map(line => line.split(',')) // exclude the last line since it could be empty // Transpose the table data const transposedData = headers.map((header, i) => [header, ...tableData.map(row => row[i])]) // Create a new table and push the transposed data into the table const table = new Table() transposedData.forEach(row => table.push(row)) // Print the table to the console console.log(table.toString()) // Write data to CSV file const directory = dirname(fileURLToPath(import.meta.url)) const path = join(directory, `../../results/${ONCHAIN_BALANCES_PARAMETERS.fileName}.csv`) const csvStream = createWriteStream(path) csvStream.write(csvData) csvStream.end() } async function main() { const { tokens } = ONCHAIN_BALANCES_PARAMETERS const allBalances = await getBalances(tokens) const walletBalances = splitArray(allBalances, WALLETS.length) const formattedBalances = formatResults(walletBalances, WALLETS, tokens) const tokenInfo = await getTokenInfo(tokens) printBalancesTable(formattedBalances, tokens, tokenInfo) } main()
src/modules/web3-checker.ts
insulineru-sybil-aio-058cd84
[ { "filename": "src/models/web3-checker.ts", "retrieved_chunk": " address: Address\n price?: number\n }\n }\n}\ninterface Web3CheckerTokensResult {\n [wallet: string]: {\n [chain in Chains]?: {\n [token: string]: bigint\n }", "score": 0.8416346311569214 }, { "filename": "src/models/web3-checker.ts", "retrieved_chunk": " }\n}\ninterface Web3CheckerAlert {\n chain: Chains\n coin: Address | ''\n amount: number\n}\ntype Web3CheckerGasAmountLimit = {\n [key in Chains]?: number\n}", "score": 0.8065901398658752 }, { "filename": "src/data/settings.ts", "retrieved_chunk": "import type { Web3CheckerAlert, Web3CheckerParameters, Web3CheckerTokens } from '../models/web3-checker.js'\nimport { Chains } from './constants.js'\n// Модуль будет проверять только токены, указанные в этом объекте.\nconst ONCHAIN_BALANCES_TOKENS: Web3CheckerTokens = {\n [Chains.Bsc]: [\n '', // BNB\n '0x8ac76a51cc950d9822d68b83fe1ad97b32cd580d', // USDC\n '0x55d398326f99059ff775485246999027b3197955', // USDT\n ],\n [Chains.Arbitrum]: [", "score": 0.7966215014457703 }, { "filename": "src/models/web3-checker.ts", "retrieved_chunk": "import type { Address } from 'viem'\nimport type { Chains } from '../data/constants.js'\ntype Web3CheckerTokens = {\n [key in Chains]?: Array<Address | ''>\n}\ninterface Web3ChekerTokenInfo {\n [key: string]: {\n [key: string]: {\n symbol: string\n decimals: number", "score": 0.793122410774231 }, { "filename": "src/data/settings.ts", "retrieved_chunk": " '', // ETH\n '0xFd086bC7CD5C481DCC9C85ebE478A1C0b69FCbb9', // USDT\n '0xFF970A61A04b1cA14834A43f5dE4533eBDDB5CC8', // USDC\n ],\n [Chains.Optimism]: [\n '', // ETH\n '0x7f5c764cbc14f9669b88837ca1490cca17c31607', // USDC\n '0x4200000000000000000000000000000000000042', // OP\n // '0x94b008aa00579c1307b0ef2c499ad98a8ce58e58', // USDT\n ],", "score": 0.7882773876190186 } ]
typescript
Web3CheckerTokensResult = {}
// Here is a brief technical description of each function in the Python script: import { createWriteStream } from 'node:fs' import { dirname, join } from 'node:path' import { fileURLToPath } from 'node:url' import Table from 'cli-table3' import type { Address, Hex } from 'viem' import { formatUnits } from 'viem' import { got } from 'got' import { splitArray } from '../utils/split-array.js' import { NETWORKS } from '../data/config.js' import { getEvmWallet } from '../utils/get-evm-wallet.js' import { ERC20_ABI } from '../data/abi.js' import type { Chains } from '../data/constants.js' import { WALLETS } from '../data/wallets.js' import type { Web3CheckerTokens, Web3CheckerTokensResult, Web3ChekerTokenInfo } from '../models/web3-checker.js' import { getPublicClient } from '../utils/get-clients.js' import { ONCHAIN_BALANCES_PARAMETERS } from '../data/settings.js' async function getTokenInfo(tokens: Web3CheckerTokens): Promise<Web3ChekerTokenInfo> { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const symbolParams = { abi: ERC20_ABI, functionName: 'symbol', } const decimalsParams = { abi: ERC20_ABI, functionName: 'decimals', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = chainTokens.flatMap(token => [ { address: token, ...symbolParams, }, { address: token, ...decimalsParams, }, ]) return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).map((chainResults, chainIndex) => { const chain = chains[chainIndex] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const chainInfo: any = {} chainResults.flat().forEach((el, index) => { const isSymbol = index % 2 === 0 const tokenIndex = Math.floor(index / 2) const tokenAddress = chainTokens[tokenIndex] if (!chainInfo[tokenAddress]) chainInfo[tokenAddress] = {} if (isSymbol) chainInfo[tokenAddress].symbol = el.result as string else chainInfo[tokenAddress].decimals = el.result as number }) // check and process gas token if (tokens[chain]?.includes('')) { chainInfo[''] = { symbol: NETWORKS[chain].token, decimals: 18, } } return { [chain]: chainInfo } }) const tokenInfo: Web3ChekerTokenInfo = Object.assign({}, ...erc20Results) // Fetching prices const uniqueSymbols = new Set<string>() for (const chain of Object.values(tokenInfo)) { for (const token of Object
.values(chain)) uniqueSymbols.add(token.symbol) }
const priceRequests = Array.from(uniqueSymbols).map(async (symbol) => { try { const response = await got(`https://min-api.cryptocompare.com/data/price?fsym=${symbol}&tsyms=USDT`).json<{ USDT: number }>() return { [symbol]: response.USDT } } catch (error: any) { console.error(`Failed to fetch price for ${symbol}: ${error.message}`) return { [symbol]: 0 } } }) const prices = Object.assign({}, ...(await Promise.all(priceRequests))) // Adding prices to token info for (const chain of Object.keys(tokenInfo) as Chains[]) { for (const token of Object.keys(tokenInfo[chain]!)) tokenInfo[chain]![token].price = prices[tokenInfo![chain]![token].symbol] || 0 } return tokenInfo } async function getBalances(tokens: Web3CheckerTokens) { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const balanceParams = { abi: ERC20_ABI, functionName: 'balanceOf', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = WALLETS.map((wallet) => { return chainTokens.map((token) => { return { address: token, args: [getEvmWallet(wallet)], ...balanceParams, } }) }).flat() return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).flatMap((result) => { return result.flat().map(el => el.result as bigint) }) const gasRequests = Object.entries(tokens).map(async ([chain, tokens]) => { if (tokens.includes('')) { const client = getPublicClient({ network: chain as Chains }) const balances = await Promise.all( WALLETS.map(async (wallet) => { return await client.getBalance({ address: getEvmWallet(wallet) }) }), ) return balances.flat() } }).filter(Boolean) const gasResults = await (await Promise.all(gasRequests as Promise<bigint[]>[])).flat() return [...erc20Results, ...gasResults] } function formatResults(walletBalances: bigint[][], wallets: Hex[], tokens: Web3CheckerTokens) { const finalBalances: Web3CheckerTokensResult = {} wallets.forEach((privateKey, walletIndex) => { const wallet = getEvmWallet(privateKey) const walletBalance = walletBalances[walletIndex] let balanceIndex = 0 for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} for (const token of chainTokens) { if (token) { // if not gas token finalBalances![wallet]![chain]![token] = walletBalance[balanceIndex++] } } } } for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} if (chainTokens.includes('')) finalBalances![wallet]![chain]![''] = walletBalance[balanceIndex++] } } }) return finalBalances } function printBalancesTable(formattedBalances: Web3CheckerTokensResult, tokens: Web3CheckerTokens, tokenInfo: Web3ChekerTokenInfo) { let csvData = 'number,wallet,' const chainsList: Chains[] = [] const totalBalances: { [chain: string]: { [token: string]: bigint } } = {} for (const chain of Object.keys(tokens) as Chains[]) { chainsList.push(chain) for (const token of tokens[chain]!) { csvData += `${tokenInfo[chain][token].symbol}-${chain},` totalBalances[chain] = totalBalances[chain] || {} totalBalances[chain][token] = BigInt(0) // Initialize total balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add wallet balances let walletNumber = 1 for (const wallet of Object.keys(formattedBalances)) { // let shortAddress = wallet.substring(0, 6) + '...' + wallet.substring(address.length - 4); const formattedWallet = `${wallet.substring(0, 6)}...${wallet.substring(wallet.length - 4)}` csvData += `${walletNumber++},${formattedWallet},` for (const chain of chainsList) { for (const token of tokens[chain]!) { const balance = formattedBalances[wallet]![chain]![token] const decimals = tokenInfo[chain][token].decimals const readableBalance = formatUnits(balance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` totalBalances[chain][token] += balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' } // Add total balances csvData += ',TOTAL,' let totalValueUSD = 0 const totalValuesPerTokenUSD: { [token: string]: number } = {} for (const chain of chainsList) { for (const token of tokens[chain]!) { const totalBalance = totalBalances[chain][token] const decimals = tokenInfo[chain][token].decimals const price = tokenInfo[chain][token].price const readableBalance = formatUnits(totalBalance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` const valueUSD = Number(readableBalance) * price! totalValueUSD += valueUSD const tokenSymbolWithChain = `${tokenInfo[chain][token].symbol}-${chain}` totalValuesPerTokenUSD[tokenSymbolWithChain] = (totalValuesPerTokenUSD[tokenSymbolWithChain] || 0) + valueUSD } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add total value in USD csvData += `TOTAL_VALUE:,${totalValueUSD.toFixed(2)} $,` for (const chain of chainsList) { for (const token of tokens[chain]!) { const tokenValueUSD = totalValuesPerTokenUSD[`${tokenInfo[chain][token].symbol}-${chain}`] csvData += `${tokenValueUSD.toFixed(2)} $,` } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Convert CSV data to table format const lines = csvData.split('\n') const headers = lines[0].split(',') const tableData = lines.slice(1, -1).map(line => line.split(',')) // exclude the last line since it could be empty // Transpose the table data const transposedData = headers.map((header, i) => [header, ...tableData.map(row => row[i])]) // Create a new table and push the transposed data into the table const table = new Table() transposedData.forEach(row => table.push(row)) // Print the table to the console console.log(table.toString()) // Write data to CSV file const directory = dirname(fileURLToPath(import.meta.url)) const path = join(directory, `../../results/${ONCHAIN_BALANCES_PARAMETERS.fileName}.csv`) const csvStream = createWriteStream(path) csvStream.write(csvData) csvStream.end() } async function main() { const { tokens } = ONCHAIN_BALANCES_PARAMETERS const allBalances = await getBalances(tokens) const walletBalances = splitArray(allBalances, WALLETS.length) const formattedBalances = formatResults(walletBalances, WALLETS, tokens) const tokenInfo = await getTokenInfo(tokens) printBalancesTable(formattedBalances, tokens, tokenInfo) } main()
src/modules/web3-checker.ts
insulineru-sybil-aio-058cd84
[ { "filename": "src/models/web3-checker.ts", "retrieved_chunk": " address: Address\n price?: number\n }\n }\n}\ninterface Web3CheckerTokensResult {\n [wallet: string]: {\n [chain in Chains]?: {\n [token: string]: bigint\n }", "score": 0.8553097248077393 }, { "filename": "src/models/web3-checker.ts", "retrieved_chunk": "import type { Address } from 'viem'\nimport type { Chains } from '../data/constants.js'\ntype Web3CheckerTokens = {\n [key in Chains]?: Array<Address | ''>\n}\ninterface Web3ChekerTokenInfo {\n [key: string]: {\n [key: string]: {\n symbol: string\n decimals: number", "score": 0.8552061915397644 }, { "filename": "src/models/web3-checker.ts", "retrieved_chunk": " }\n}\ninterface Web3CheckerAlert {\n chain: Chains\n coin: Address | ''\n amount: number\n}\ntype Web3CheckerGasAmountLimit = {\n [key in Chains]?: number\n}", "score": 0.8178407549858093 }, { "filename": "src/data/settings.ts", "retrieved_chunk": "import type { Web3CheckerAlert, Web3CheckerParameters, Web3CheckerTokens } from '../models/web3-checker.js'\nimport { Chains } from './constants.js'\n// Модуль будет проверять только токены, указанные в этом объекте.\nconst ONCHAIN_BALANCES_TOKENS: Web3CheckerTokens = {\n [Chains.Bsc]: [\n '', // BNB\n '0x8ac76a51cc950d9822d68b83fe1ad97b32cd580d', // USDC\n '0x55d398326f99059ff775485246999027b3197955', // USDT\n ],\n [Chains.Arbitrum]: [", "score": 0.8159929513931274 }, { "filename": "src/data/settings.ts", "retrieved_chunk": " '', // ETH\n '0xFd086bC7CD5C481DCC9C85ebE478A1C0b69FCbb9', // USDT\n '0xFF970A61A04b1cA14834A43f5dE4533eBDDB5CC8', // USDC\n ],\n [Chains.Optimism]: [\n '', // ETH\n '0x7f5c764cbc14f9669b88837ca1490cca17c31607', // USDC\n '0x4200000000000000000000000000000000000042', // OP\n // '0x94b008aa00579c1307b0ef2c499ad98a8ce58e58', // USDT\n ],", "score": 0.8100102543830872 } ]
typescript
.values(chain)) uniqueSymbols.add(token.symbol) }
// Here is a brief technical description of each function in the Python script: import { createWriteStream } from 'node:fs' import { dirname, join } from 'node:path' import { fileURLToPath } from 'node:url' import Table from 'cli-table3' import type { Address, Hex } from 'viem' import { formatUnits } from 'viem' import { got } from 'got' import { splitArray } from '../utils/split-array.js' import { NETWORKS } from '../data/config.js' import { getEvmWallet } from '../utils/get-evm-wallet.js' import { ERC20_ABI } from '../data/abi.js' import type { Chains } from '../data/constants.js' import { WALLETS } from '../data/wallets.js' import type { Web3CheckerTokens, Web3CheckerTokensResult, Web3ChekerTokenInfo } from '../models/web3-checker.js' import { getPublicClient } from '../utils/get-clients.js' import { ONCHAIN_BALANCES_PARAMETERS } from '../data/settings.js' async function getTokenInfo(tokens: Web3CheckerTokens): Promise<Web3ChekerTokenInfo> { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const symbolParams = { abi: ERC20_ABI, functionName: 'symbol', } const decimalsParams = { abi: ERC20_ABI, functionName: 'decimals', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = chainTokens.flatMap(token => [ { address: token, ...symbolParams, }, { address: token, ...decimalsParams, }, ]) return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).map((chainResults, chainIndex) => { const chain = chains[chainIndex] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const chainInfo: any = {} chainResults.flat().forEach((el, index) => { const isSymbol = index % 2 === 0 const tokenIndex = Math.floor(index / 2) const tokenAddress = chainTokens[tokenIndex] if (!chainInfo[tokenAddress]) chainInfo[tokenAddress] = {} if (isSymbol) chainInfo[tokenAddress].symbol = el.result as string else chainInfo[tokenAddress].decimals = el.result as number }) // check and process gas token if (tokens[chain]?.includes('')) { chainInfo[''] = { symbol: NETWORKS[chain].token, decimals: 18, } } return { [chain]: chainInfo } }) const tokenInfo: Web3ChekerTokenInfo = Object.assign({}, ...erc20Results) // Fetching prices const uniqueSymbols = new Set<string>() for (const chain of Object.values(tokenInfo)) { for (const token of Object.values(chain)) uniqueSymbols.add(token.symbol) } const priceRequests = Array.from(uniqueSymbols).map(async (symbol) => { try { const response = await got(`https://min-api.cryptocompare.com/data/price?fsym=${symbol}&tsyms=USDT`).json<{ USDT: number }>() return { [symbol]: response.USDT } } catch (error: any) { console.error(`Failed to fetch price for ${symbol}: ${error.message}`) return { [symbol]: 0 } } }) const prices = Object.assign({}, ...(await Promise.all(priceRequests))) // Adding prices to token info for (const chain of Object.keys(tokenInfo) as Chains[]) { for (const token of Object.keys(tokenInfo[chain]!)) tokenInfo[chain]![token].price = prices[tokenInfo![chain]![token].symbol] || 0 } return tokenInfo } async function getBalances(tokens: Web3CheckerTokens) { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const balanceParams = { abi: ERC20_ABI, functionName: 'balanceOf', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = WALLETS.map((wallet) => { return chainTokens.map((token) => { return { address: token, args: [getEvmWallet(wallet)], ...balanceParams, } }) }).flat() return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).flatMap((result) => { return result.flat().map(el => el.result as bigint) }) const gasRequests = Object.entries(tokens).map(async ([chain, tokens]) => { if (tokens.includes('')) { const client = getPublicClient({ network: chain as Chains }) const balances = await Promise.all( WALLETS.map(async (wallet) => { return await client.getBalance({ address: getEvmWallet(wallet) }) }), ) return balances.flat() } }).filter(Boolean) const gasResults = await (await Promise.all(gasRequests as Promise<bigint[]>[])).flat() return [...erc20Results, ...gasResults] } function formatResults(walletBalances: bigint[][], wallets: Hex[], tokens: Web3CheckerTokens) { const finalBalances: Web3CheckerTokensResult = {} wallets.forEach((privateKey, walletIndex) => { const wallet = getEvmWallet(privateKey) const walletBalance = walletBalances[walletIndex] let balanceIndex = 0 for (const chain of Object.keys(tokens) as Chains[]) { if (
!finalBalances[wallet]) finalBalances[wallet] = {}
const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} for (const token of chainTokens) { if (token) { // if not gas token finalBalances![wallet]![chain]![token] = walletBalance[balanceIndex++] } } } } for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} if (chainTokens.includes('')) finalBalances![wallet]![chain]![''] = walletBalance[balanceIndex++] } } }) return finalBalances } function printBalancesTable(formattedBalances: Web3CheckerTokensResult, tokens: Web3CheckerTokens, tokenInfo: Web3ChekerTokenInfo) { let csvData = 'number,wallet,' const chainsList: Chains[] = [] const totalBalances: { [chain: string]: { [token: string]: bigint } } = {} for (const chain of Object.keys(tokens) as Chains[]) { chainsList.push(chain) for (const token of tokens[chain]!) { csvData += `${tokenInfo[chain][token].symbol}-${chain},` totalBalances[chain] = totalBalances[chain] || {} totalBalances[chain][token] = BigInt(0) // Initialize total balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add wallet balances let walletNumber = 1 for (const wallet of Object.keys(formattedBalances)) { // let shortAddress = wallet.substring(0, 6) + '...' + wallet.substring(address.length - 4); const formattedWallet = `${wallet.substring(0, 6)}...${wallet.substring(wallet.length - 4)}` csvData += `${walletNumber++},${formattedWallet},` for (const chain of chainsList) { for (const token of tokens[chain]!) { const balance = formattedBalances[wallet]![chain]![token] const decimals = tokenInfo[chain][token].decimals const readableBalance = formatUnits(balance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` totalBalances[chain][token] += balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' } // Add total balances csvData += ',TOTAL,' let totalValueUSD = 0 const totalValuesPerTokenUSD: { [token: string]: number } = {} for (const chain of chainsList) { for (const token of tokens[chain]!) { const totalBalance = totalBalances[chain][token] const decimals = tokenInfo[chain][token].decimals const price = tokenInfo[chain][token].price const readableBalance = formatUnits(totalBalance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` const valueUSD = Number(readableBalance) * price! totalValueUSD += valueUSD const tokenSymbolWithChain = `${tokenInfo[chain][token].symbol}-${chain}` totalValuesPerTokenUSD[tokenSymbolWithChain] = (totalValuesPerTokenUSD[tokenSymbolWithChain] || 0) + valueUSD } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add total value in USD csvData += `TOTAL_VALUE:,${totalValueUSD.toFixed(2)} $,` for (const chain of chainsList) { for (const token of tokens[chain]!) { const tokenValueUSD = totalValuesPerTokenUSD[`${tokenInfo[chain][token].symbol}-${chain}`] csvData += `${tokenValueUSD.toFixed(2)} $,` } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Convert CSV data to table format const lines = csvData.split('\n') const headers = lines[0].split(',') const tableData = lines.slice(1, -1).map(line => line.split(',')) // exclude the last line since it could be empty // Transpose the table data const transposedData = headers.map((header, i) => [header, ...tableData.map(row => row[i])]) // Create a new table and push the transposed data into the table const table = new Table() transposedData.forEach(row => table.push(row)) // Print the table to the console console.log(table.toString()) // Write data to CSV file const directory = dirname(fileURLToPath(import.meta.url)) const path = join(directory, `../../results/${ONCHAIN_BALANCES_PARAMETERS.fileName}.csv`) const csvStream = createWriteStream(path) csvStream.write(csvData) csvStream.end() } async function main() { const { tokens } = ONCHAIN_BALANCES_PARAMETERS const allBalances = await getBalances(tokens) const walletBalances = splitArray(allBalances, WALLETS.length) const formattedBalances = formatResults(walletBalances, WALLETS, tokens) const tokenInfo = await getTokenInfo(tokens) printBalancesTable(formattedBalances, tokens, tokenInfo) } main()
src/modules/web3-checker.ts
insulineru-sybil-aio-058cd84
[ { "filename": "src/models/web3-checker.ts", "retrieved_chunk": " address: Address\n price?: number\n }\n }\n}\ninterface Web3CheckerTokensResult {\n [wallet: string]: {\n [chain in Chains]?: {\n [token: string]: bigint\n }", "score": 0.854791522026062 }, { "filename": "src/data/settings.ts", "retrieved_chunk": "import type { Web3CheckerAlert, Web3CheckerParameters, Web3CheckerTokens } from '../models/web3-checker.js'\nimport { Chains } from './constants.js'\n// Модуль будет проверять только токены, указанные в этом объекте.\nconst ONCHAIN_BALANCES_TOKENS: Web3CheckerTokens = {\n [Chains.Bsc]: [\n '', // BNB\n '0x8ac76a51cc950d9822d68b83fe1ad97b32cd580d', // USDC\n '0x55d398326f99059ff775485246999027b3197955', // USDT\n ],\n [Chains.Arbitrum]: [", "score": 0.8304809927940369 }, { "filename": "src/models/web3-checker.ts", "retrieved_chunk": "import type { Address } from 'viem'\nimport type { Chains } from '../data/constants.js'\ntype Web3CheckerTokens = {\n [key in Chains]?: Array<Address | ''>\n}\ninterface Web3ChekerTokenInfo {\n [key: string]: {\n [key: string]: {\n symbol: string\n decimals: number", "score": 0.8280324935913086 }, { "filename": "src/models/web3-checker.ts", "retrieved_chunk": " }\n}\ninterface Web3CheckerAlert {\n chain: Chains\n coin: Address | ''\n amount: number\n}\ntype Web3CheckerGasAmountLimit = {\n [key in Chains]?: number\n}", "score": 0.8159775137901306 }, { "filename": "src/models/web3-checker.ts", "retrieved_chunk": "interface Web3CheckerParameters {\n tokens: Web3CheckerTokens\n alerts: Web3CheckerAlert[]\n fileName: string\n isNeedSaveToFile: boolean\n // maxGwei?: number\n // gasLimits: Web3CheckerGasAmountLimit\n // isNeedTgAlerts: boolean\n // isNeedTgBalances: boolean\n // isCheckGweiEnabled: boolean", "score": 0.7995514273643494 } ]
typescript
!finalBalances[wallet]) finalBalances[wallet] = {}
// Here is a brief technical description of each function in the Python script: import { createWriteStream } from 'node:fs' import { dirname, join } from 'node:path' import { fileURLToPath } from 'node:url' import Table from 'cli-table3' import type { Address, Hex } from 'viem' import { formatUnits } from 'viem' import { got } from 'got' import { splitArray } from '../utils/split-array.js' import { NETWORKS } from '../data/config.js' import { getEvmWallet } from '../utils/get-evm-wallet.js' import { ERC20_ABI } from '../data/abi.js' import type { Chains } from '../data/constants.js' import { WALLETS } from '../data/wallets.js' import type { Web3CheckerTokens, Web3CheckerTokensResult, Web3ChekerTokenInfo } from '../models/web3-checker.js' import { getPublicClient } from '../utils/get-clients.js' import { ONCHAIN_BALANCES_PARAMETERS } from '../data/settings.js' async function getTokenInfo(tokens: Web3CheckerTokens): Promise<Web3ChekerTokenInfo> { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const symbolParams = { abi: ERC20_ABI, functionName: 'symbol', } const decimalsParams = { abi: ERC20_ABI, functionName: 'decimals', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = chainTokens.flatMap(token => [ { address: token, ...symbolParams, }, { address: token, ...decimalsParams, }, ]) return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).map((chainResults, chainIndex) => { const chain = chains[chainIndex] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const chainInfo: any = {} chainResults.flat().forEach((el, index) => { const isSymbol = index % 2 === 0 const tokenIndex = Math.floor(index / 2) const tokenAddress = chainTokens[tokenIndex] if (!chainInfo[tokenAddress]) chainInfo[tokenAddress] = {} if (isSymbol) chainInfo[tokenAddress].symbol = el.result as string else chainInfo[tokenAddress].decimals = el.result as number }) // check and process gas token if (tokens[chain]?.includes('')) { chainInfo[''] = { symbol: NETWORKS[chain].token, decimals: 18, } } return { [chain]: chainInfo } }) const tokenInfo: Web3ChekerTokenInfo = Object.assign({}, ...erc20Results) // Fetching prices const uniqueSymbols = new Set<string>() for (const chain of Object.values(tokenInfo)) { for (const token of Object.values(chain)) uniqueSymbols.add(token.symbol) } const priceRequests = Array.from(uniqueSymbols).map(async (symbol) => { try { const response = await got(`https://min-api.cryptocompare.com/data/price?fsym=${symbol}&tsyms=USDT`).json<{ USDT: number }>() return { [symbol]: response.USDT } } catch (error: any) { console.error(`Failed to fetch price for ${symbol}: ${error.message}`) return { [symbol]: 0 } } }) const prices = Object.assign({}, ...(await Promise.all(priceRequests))) // Adding prices to token info for (const chain of Object.keys(tokenInfo) as Chains[]) { for (const token of Object.keys(tokenInfo[chain]!)) tokenInfo[chain]![token].price = prices[tokenInfo![chain]![token].symbol] || 0 } return tokenInfo } async function getBalances(tokens: Web3CheckerTokens) { const chains = Object.keys(tokens) as Chains[] const clients = chains.map(chain => getPublicClient({ network: chain })) const balanceParams = { abi: ERC20_ABI, functionName: 'balanceOf', } const erc20Requests = clients.map(async (client, index) => { const chain = chains[index] const chainTokens = tokens[chain]?.filter(Boolean) as Address[] const contracts = WALLETS
.map((wallet) => {
return chainTokens.map((token) => { return { address: token, args: [getEvmWallet(wallet)], ...balanceParams, } }) }).flat() return await client.multicall({ contracts, }) }) const erc20Results = (await Promise.all(erc20Requests)).flatMap((result) => { return result.flat().map(el => el.result as bigint) }) const gasRequests = Object.entries(tokens).map(async ([chain, tokens]) => { if (tokens.includes('')) { const client = getPublicClient({ network: chain as Chains }) const balances = await Promise.all( WALLETS.map(async (wallet) => { return await client.getBalance({ address: getEvmWallet(wallet) }) }), ) return balances.flat() } }).filter(Boolean) const gasResults = await (await Promise.all(gasRequests as Promise<bigint[]>[])).flat() return [...erc20Results, ...gasResults] } function formatResults(walletBalances: bigint[][], wallets: Hex[], tokens: Web3CheckerTokens) { const finalBalances: Web3CheckerTokensResult = {} wallets.forEach((privateKey, walletIndex) => { const wallet = getEvmWallet(privateKey) const walletBalance = walletBalances[walletIndex] let balanceIndex = 0 for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} for (const token of chainTokens) { if (token) { // if not gas token finalBalances![wallet]![chain]![token] = walletBalance[balanceIndex++] } } } } for (const chain of Object.keys(tokens) as Chains[]) { if (!finalBalances[wallet]) finalBalances[wallet] = {} const chainTokens = tokens[chain] if (chainTokens) { if (!finalBalances[wallet][chain]) finalBalances[wallet][chain] = {} if (chainTokens.includes('')) finalBalances![wallet]![chain]![''] = walletBalance[balanceIndex++] } } }) return finalBalances } function printBalancesTable(formattedBalances: Web3CheckerTokensResult, tokens: Web3CheckerTokens, tokenInfo: Web3ChekerTokenInfo) { let csvData = 'number,wallet,' const chainsList: Chains[] = [] const totalBalances: { [chain: string]: { [token: string]: bigint } } = {} for (const chain of Object.keys(tokens) as Chains[]) { chainsList.push(chain) for (const token of tokens[chain]!) { csvData += `${tokenInfo[chain][token].symbol}-${chain},` totalBalances[chain] = totalBalances[chain] || {} totalBalances[chain][token] = BigInt(0) // Initialize total balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add wallet balances let walletNumber = 1 for (const wallet of Object.keys(formattedBalances)) { // let shortAddress = wallet.substring(0, 6) + '...' + wallet.substring(address.length - 4); const formattedWallet = `${wallet.substring(0, 6)}...${wallet.substring(wallet.length - 4)}` csvData += `${walletNumber++},${formattedWallet},` for (const chain of chainsList) { for (const token of tokens[chain]!) { const balance = formattedBalances[wallet]![chain]![token] const decimals = tokenInfo[chain][token].decimals const readableBalance = formatUnits(balance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` totalBalances[chain][token] += balance } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' } // Add total balances csvData += ',TOTAL,' let totalValueUSD = 0 const totalValuesPerTokenUSD: { [token: string]: number } = {} for (const chain of chainsList) { for (const token of tokens[chain]!) { const totalBalance = totalBalances[chain][token] const decimals = tokenInfo[chain][token].decimals const price = tokenInfo[chain][token].price const readableBalance = formatUnits(totalBalance, decimals) csvData += `${parseFloat(readableBalance).toFixed(4)},` const valueUSD = Number(readableBalance) * price! totalValueUSD += valueUSD const tokenSymbolWithChain = `${tokenInfo[chain][token].symbol}-${chain}` totalValuesPerTokenUSD[tokenSymbolWithChain] = (totalValuesPerTokenUSD[tokenSymbolWithChain] || 0) + valueUSD } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Add total value in USD csvData += `TOTAL_VALUE:,${totalValueUSD.toFixed(2)} $,` for (const chain of chainsList) { for (const token of tokens[chain]!) { const tokenValueUSD = totalValuesPerTokenUSD[`${tokenInfo[chain][token].symbol}-${chain}`] csvData += `${tokenValueUSD.toFixed(2)} $,` } } csvData = csvData.slice(0, -1) // Remove trailing comma csvData += '\n' // Convert CSV data to table format const lines = csvData.split('\n') const headers = lines[0].split(',') const tableData = lines.slice(1, -1).map(line => line.split(',')) // exclude the last line since it could be empty // Transpose the table data const transposedData = headers.map((header, i) => [header, ...tableData.map(row => row[i])]) // Create a new table and push the transposed data into the table const table = new Table() transposedData.forEach(row => table.push(row)) // Print the table to the console console.log(table.toString()) // Write data to CSV file const directory = dirname(fileURLToPath(import.meta.url)) const path = join(directory, `../../results/${ONCHAIN_BALANCES_PARAMETERS.fileName}.csv`) const csvStream = createWriteStream(path) csvStream.write(csvData) csvStream.end() } async function main() { const { tokens } = ONCHAIN_BALANCES_PARAMETERS const allBalances = await getBalances(tokens) const walletBalances = splitArray(allBalances, WALLETS.length) const formattedBalances = formatResults(walletBalances, WALLETS, tokens) const tokenInfo = await getTokenInfo(tokens) printBalancesTable(formattedBalances, tokens, tokenInfo) } main()
src/modules/web3-checker.ts
insulineru-sybil-aio-058cd84
[ { "filename": "src/models/web3-checker.ts", "retrieved_chunk": " address: Address\n price?: number\n }\n }\n}\ninterface Web3CheckerTokensResult {\n [wallet: string]: {\n [chain in Chains]?: {\n [token: string]: bigint\n }", "score": 0.8273589611053467 }, { "filename": "src/data/settings.ts", "retrieved_chunk": "import type { Web3CheckerAlert, Web3CheckerParameters, Web3CheckerTokens } from '../models/web3-checker.js'\nimport { Chains } from './constants.js'\n// Модуль будет проверять только токены, указанные в этом объекте.\nconst ONCHAIN_BALANCES_TOKENS: Web3CheckerTokens = {\n [Chains.Bsc]: [\n '', // BNB\n '0x8ac76a51cc950d9822d68b83fe1ad97b32cd580d', // USDC\n '0x55d398326f99059ff775485246999027b3197955', // USDT\n ],\n [Chains.Arbitrum]: [", "score": 0.8254681825637817 }, { "filename": "src/utils/get-clients.ts", "retrieved_chunk": "import type { Chain, Hex, HttpTransport, PrivateKeyAccount, PublicClient, WalletClient } from 'viem'\nimport { createPublicClient, createWalletClient, http } from 'viem'\nimport { privateKeyToAccount } from 'viem/accounts'\nimport { NETWORKS } from '../data/config.js'\nimport type { Chains } from '../data/constants.js'\n// TODO: Singleton maybe?\nfunction getPublicClient({ network }: { network: Chains }): PublicClient {\n const { rpc, viemChain } = NETWORKS[network]\n return createPublicClient({ chain: viemChain, transport: http(rpc) })\n}", "score": 0.8181235790252686 }, { "filename": "src/data/settings.ts", "retrieved_chunk": " '', // ETH\n '0xFd086bC7CD5C481DCC9C85ebE478A1C0b69FCbb9', // USDT\n '0xFF970A61A04b1cA14834A43f5dE4533eBDDB5CC8', // USDC\n ],\n [Chains.Optimism]: [\n '', // ETH\n '0x7f5c764cbc14f9669b88837ca1490cca17c31607', // USDC\n '0x4200000000000000000000000000000000000042', // OP\n // '0x94b008aa00579c1307b0ef2c499ad98a8ce58e58', // USDT\n ],", "score": 0.8136849403381348 }, { "filename": "src/data/abi.ts", "retrieved_chunk": "const ERC20_ABI = [\n {\n constant: true,\n inputs: [],\n name: 'name',\n outputs: [\n {\n name: '',\n type: 'string',\n },", "score": 0.8101980686187744 } ]
typescript
.map((wallet) => {
import { bitfield, field, SBitmask, Serializable, SObject, SStringNT, SUInt16BE, SUInt32BE, SUInt8, } from 'serio'; import {DatabaseTimestamp, EPOCH_TIMESTAMP} from './date-time'; import {LocalId, RecordId, SDynamicArray, TypeId} from './util'; import pick from 'lodash/pick'; /** Maximum length of database names - 31 chars + 1 NUL byte. * * References: * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataMgr.h#L72 */ export const DB_NAME_LENGTH = 32; /** Database header. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L67 */ export class DatabaseHdrType extends SObject { /** Database name. */ @field(SStringNT.ofLength(DB_NAME_LENGTH)) name = ''; /** Database attribute flags. */ @field() attributes: DatabaseAttrs = new DatabaseAttrs(); /** Database version (integer). */ @field(SUInt16BE) version = 0; /** Database creation timestamp. */ @field() creationDate = new DatabaseTimestamp(); /** Database modification timestamp. */ @field() modificationDate = new DatabaseTimestamp(); /** Last backup timestamp. */ @field() lastBackupDate: DatabaseTimestamp = EPOCH_TIMESTAMP; /** Modification number (integer). */ @field(SUInt32BE) modificationNumber = 0; /** Offset to AppInfo block. */
@field(LocalId) appInfoId = 0;
/** Offset to SortInfo block. */ @field(LocalId) sortInfoId = 0; /** Database type identifier (max 4 bytes). */ @field(TypeId) type = ''; /** Database creator identifier (max 4 bytes). */ @field(TypeId) creator = ''; /** Seed for generating record IDs. */ @field(SUInt32BE) uniqueIdSeed = 0; } /** Record entry in PDB files. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L23 */ export class RecordEntryType extends SObject { /** Offset to raw record data. */ @field(LocalId) localChunkId = 0; /** Record attributes. */ @field() attributes = new RecordAttrs(); /** Unique ID of the record. * * Valid records should have a non-zero unique ID. */ @field(RecordId) uniqueId = 0; } /** Resource entry in PRC files. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L36 */ export class RsrcEntryType extends SObject { /** Resource type identifier (max 4 bytes). */ @field(TypeId) type = ''; /** Resource ID. */ @field(SUInt16BE) resourceId = 0; /** Offset to raw record data. */ @field(LocalId) localChunkId = 0; } /** Union type representing any record entry type. */ export type EntryType = RecordEntryType | RsrcEntryType; /** Record or resource entry list. */ export interface RecordListType<EntryT extends EntryType> extends Serializable { /** Array of record or resource entries. */ values: Array<EntryT>; } /** Record entry list in PDB databases. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L51 */ export class PdbRecordListType extends SObject implements RecordListType<RecordEntryType> { /** Offset of next PdbRecordListType structure. * * We don't support multiple RecordListTypes, so this must always be 0. See * page 17 of the Palm File Format Specification for more details. */ @field(SUInt32BE) private readonly nextListId = 0; /** Array of record entries. */ @field(SDynamicArray.of(SUInt16BE, RecordEntryType)) values: Array<RecordEntryType> = []; @field(SUInt16BE) private readonly padding1 = 0; } /** Resource entry list in PRC databases. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L51 */ export class PrcRecordListType extends SObject implements RecordListType<RsrcEntryType> { /** Offset of next PrcRecordListType structure. * * We don't support multiple RecordListTypes, so this must always be 0. See * page 17 of the Palm File Format Specification for more details. */ @field(SUInt32BE) private readonly nextListId = 0; /** Array of resource entries. */ @field(SDynamicArray.of(SUInt16BE, RsrcEntryType)) values: Array<RsrcEntryType> = []; @field(SUInt16BE) private readonly padding1 = 0; } /** Database attribute flags. * * References: * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-5r4/include/Core/System/DataMgr.h * - https://github.com/madsen/Palm-PDB/blob/master/lib/Palm/PDB.pm */ export class DatabaseAttrs extends SBitmask.of(SUInt16BE) { /** Database not closed properly. */ @bitfield(1) open = false; @bitfield(3) private unused1 = 0; /** This database (resource or record) is associated with the application * with the same creator. It will be beamed and copied along with the * application. */ @bitfield(1) bundle = false; /** This database (resource or record) is recyclable: it will be deleted Real * Soon Now, generally the next time the database is closed. */ @bitfield(1) recyclable = false; /** This data database (not applicable for executables) can be "launched" by * passing its name to it's owner app ('appl' database with same creator) * using the sysAppLaunchCmdOpenNamedDB action code. */ @bitfield(1) launchableData = false; /** This database should generally be hidden from view. * * Used to hide some apps from the main view of the launcher for example. For * data (non-resource) databases, this hides the record count within the * launcher info screen. */ @bitfield(1) hidden = false; /** This database is used for file stream implementation. */ @bitfield(1) stream = false; /** This database should not be copied to */ @bitfield(1) copyPrevention = false; /** Device requires a reset after this database is installed. */ @bitfield(1) resetAfterInstall = false; /** This tells the backup conduit that it's OK for it to install a newer version * of this database with a different name if the current database is open. This * mechanism is used to update the Graffiti Shortcuts database, for example. */ @bitfield(1) okToInstallNewer = false; /** Set if database should be backed up to PC if no app-specific synchronization * conduit has been supplied. */ @bitfield(1) backup = false; /** Set if Application Info block is dirty. * * Optionally supported by an App's conduit. */ @bitfield(1) appInfoDirty = false; /** Read Only database. */ @bitfield(1) readOnly = false; /** Whether this is a resource database (i.e. PRC). */ @bitfield(1) resDB = false; } /** Record attribute flags in PDB files. * * In the DLP protocol, we use one byte to store record attribute flags and * another byte to store the record category. However, in PDB files, we use a * single byte is used to store both attribute flags and the record category. * * This presents a problem: there are 5 record attributes (namely delete, dirty, * busy, secret, and archive), leaving 3 bits unused, but we need 4 bits to * store the record category. So the lowest 4 bits are overloaded, but the * exactly how differs among existing open source implementations: * * In pilot-link: * - Upper 4 bits store the first 4 record attributes (delete, dirty, busy, secret) * - Lower 4 bits store the record category; there's no archive bit * * In ColdSync: * - If the record is busy, bit 5 stores the archive flag and the lowest 3 * bits are unused. * - If the record is not busy, the lowest 4 bits store the category. * * In the Palm::PDB Perl module: * - If the record is deleted or busy, bit 5 stores the archive flag and the * lowest 3 bits are unused. * - If the record is neither deleted or busy, the lowest 4 bits store the * category. * * Here we've chosen to follow the Palm::PDB Perl module's implementation, as it * is the most flexible. * * References: * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-5r4/include/Core/System/DataMgr.h#L44 * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-5r4/include/Core/System/DLCommon.h#L44 * - https://github.com/jichu4n/pilot-link/blob/master/libpisock/pi-file.c#L670 * - https://github.com/jichu4n/pilot-link/blob/master/libpisock/pi-file.c#L479 * - https://github.com/dwery/coldsync/blob/master/libpdb/pdb.c#L96 * - https://metacpan.org/dist/Palm-PDB/source/lib/Palm/PDB.pm#L428 */ export class RecordAttrs extends SBitmask.of(SUInt8) { /** Record has been deleted. */ @bitfield(1) delete = false; /** Record has been modified. */ @bitfield(1) dirty = false; /** Record currently in use. * * This bit may also indicate the record has been deleted -- see comments in * https://github.com/dwery/coldsync/blob/master/include/pdb.h . */ @bitfield(1) busy = false; /** "Secret" record - password protected. */ @bitfield(1) secret = false; @bitfield(4) private lowest4bits = 0; /** Record is archived. * * Only available if deleted or busy. */ get archive() { if (this.delete || this.busy) { return Boolean(this.lowest4bits & 0b1000); } else { return false; } } set archive(newValue: boolean) { if (!(this.delete || this.busy)) { throw new Error( `Attempting to set archive = ${newValue} ` + `on record that is neither deleted nor busy` ); } this.lowest4bits = newValue ? this.lowest4bits | 0b1000 : this.lowest4bits & 0b0111; } /** Record category. * * Only available if NOT deleted or busy. */ get category() { if (this.delete || this.busy) { return 0; } else { return this.lowest4bits; } } set category(newValue: number) { if (this.delete || this.busy) { const recordState = this.delete && this.busy ? 'deleted and busy' : this.delete ? 'deleted' : 'busy'; throw new Error( `Attempting to set category ${newValue} on record ` + `that is currently ${recordState}` ); } this.lowest4bits = newValue & 0b1111; } }
src/database-header.ts
jichu4n-palm-pdb-497cb75
[ { "filename": "src/database.ts", "retrieved_chunk": " *\n * Note that `appInfoId` and `sortInfoId` fields in the header are overwritten\n * during serialization.\n */\n header = new DatabaseHdrType();\n /** AppInfo value. */\n appInfo: AppInfoT | null = null;\n /** SortInfo value. */\n sortInfo: SortInfoT | null = null;\n /** Record values.", "score": 0.844805121421814 }, { "filename": "src/address-database.ts", "retrieved_chunk": " */\n label: string;\n /** Dirty bit indicating whether this field has been renamed. */\n isRenamed: boolean;\n}\n/** AddressDB AppInfo block. */\nexport class AddressAppInfo extends AppInfoType {\n @field(SUInt16BE)\n private padding2 = 0;\n /** Field information.", "score": 0.8317306637763977 }, { "filename": "src/datebook-database.ts", "retrieved_chunk": " startTime: EventTime | null = null;\n /** End time of event. */\n @field(OptionalEventTime)\n endTime: EventTime | null = null;\n /** Date of the event. */\n @field()\n date = new DatabaseDate();\n /** Attributes field. */\n @field()\n private attrs = new DatebookRecordAttrs();", "score": 0.8271234631538391 }, { "filename": "src/todo-database.ts", "retrieved_chunk": " PRIORITY = 1,\n}\n/** ToDoDB AppInfo block. */\nexport class ToDoAppInfo extends AppInfoType {\n /** Not sure what this is ¯\\_(ツ)_/¯ */\n @field(SUInt16BE)\n private dirty = 0;\n /** Item sort order. */\n @field(SUInt8.enum(ToDoSortOrder))\n sortOrder = ToDoSortOrder.MANUAL;", "score": 0.8263971209526062 }, { "filename": "src/datebook-database.ts", "retrieved_chunk": " @field(SUInt8)\n private padding1 = 0;\n /** Alarm settings, or null if no alarm configured. */\n alarmSettings: AlarmSettings | null = null;\n /** Recurrence settings, or null if the event is not recurring. */\n recurrenceSettings: RecurrenceSettings | null = null;\n /** Dates on which to skip repetitions. */\n exceptionDates: Array<DatabaseDate> = [];\n /** Main description. */\n description = '';", "score": 0.8226532936096191 } ]
typescript
@field(LocalId) appInfoId = 0;
import { bitfield, field, SBitmask, Serializable, SObject, SStringNT, SUInt16BE, SUInt32BE, SUInt8, } from 'serio'; import {DatabaseTimestamp, EPOCH_TIMESTAMP} from './date-time'; import {LocalId, RecordId, SDynamicArray, TypeId} from './util'; import pick from 'lodash/pick'; /** Maximum length of database names - 31 chars + 1 NUL byte. * * References: * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataMgr.h#L72 */ export const DB_NAME_LENGTH = 32; /** Database header. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L67 */ export class DatabaseHdrType extends SObject { /** Database name. */ @field(SStringNT.ofLength(DB_NAME_LENGTH)) name = ''; /** Database attribute flags. */ @field() attributes: DatabaseAttrs = new DatabaseAttrs(); /** Database version (integer). */ @field(SUInt16BE) version = 0; /** Database creation timestamp. */ @field() creationDate = new DatabaseTimestamp(); /** Database modification timestamp. */ @field() modificationDate = new DatabaseTimestamp(); /** Last backup timestamp. */ @field() lastBackupDate: DatabaseTimestamp = EPOCH_TIMESTAMP; /** Modification number (integer). */ @field(SUInt32BE) modificationNumber = 0; /** Offset to AppInfo block. */ @field(LocalId) appInfoId = 0; /** Offset to SortInfo block. */ @field(LocalId) sortInfoId = 0; /** Database type identifier (max 4 bytes). */ @field(TypeId) type = ''; /** Database creator identifier (max 4 bytes). */ @field(TypeId) creator = ''; /** Seed for generating record IDs. */ @field(SUInt32BE) uniqueIdSeed = 0; } /** Record entry in PDB files. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L23 */ export class RecordEntryType extends SObject { /** Offset to raw record data. */ @field(LocalId) localChunkId = 0; /** Record attributes. */ @field() attributes = new RecordAttrs(); /** Unique ID of the record. * * Valid records should have a non-zero unique ID. */
@field(RecordId) uniqueId = 0;
} /** Resource entry in PRC files. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L36 */ export class RsrcEntryType extends SObject { /** Resource type identifier (max 4 bytes). */ @field(TypeId) type = ''; /** Resource ID. */ @field(SUInt16BE) resourceId = 0; /** Offset to raw record data. */ @field(LocalId) localChunkId = 0; } /** Union type representing any record entry type. */ export type EntryType = RecordEntryType | RsrcEntryType; /** Record or resource entry list. */ export interface RecordListType<EntryT extends EntryType> extends Serializable { /** Array of record or resource entries. */ values: Array<EntryT>; } /** Record entry list in PDB databases. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L51 */ export class PdbRecordListType extends SObject implements RecordListType<RecordEntryType> { /** Offset of next PdbRecordListType structure. * * We don't support multiple RecordListTypes, so this must always be 0. See * page 17 of the Palm File Format Specification for more details. */ @field(SUInt32BE) private readonly nextListId = 0; /** Array of record entries. */ @field(SDynamicArray.of(SUInt16BE, RecordEntryType)) values: Array<RecordEntryType> = []; @field(SUInt16BE) private readonly padding1 = 0; } /** Resource entry list in PRC databases. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L51 */ export class PrcRecordListType extends SObject implements RecordListType<RsrcEntryType> { /** Offset of next PrcRecordListType structure. * * We don't support multiple RecordListTypes, so this must always be 0. See * page 17 of the Palm File Format Specification for more details. */ @field(SUInt32BE) private readonly nextListId = 0; /** Array of resource entries. */ @field(SDynamicArray.of(SUInt16BE, RsrcEntryType)) values: Array<RsrcEntryType> = []; @field(SUInt16BE) private readonly padding1 = 0; } /** Database attribute flags. * * References: * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-5r4/include/Core/System/DataMgr.h * - https://github.com/madsen/Palm-PDB/blob/master/lib/Palm/PDB.pm */ export class DatabaseAttrs extends SBitmask.of(SUInt16BE) { /** Database not closed properly. */ @bitfield(1) open = false; @bitfield(3) private unused1 = 0; /** This database (resource or record) is associated with the application * with the same creator. It will be beamed and copied along with the * application. */ @bitfield(1) bundle = false; /** This database (resource or record) is recyclable: it will be deleted Real * Soon Now, generally the next time the database is closed. */ @bitfield(1) recyclable = false; /** This data database (not applicable for executables) can be "launched" by * passing its name to it's owner app ('appl' database with same creator) * using the sysAppLaunchCmdOpenNamedDB action code. */ @bitfield(1) launchableData = false; /** This database should generally be hidden from view. * * Used to hide some apps from the main view of the launcher for example. For * data (non-resource) databases, this hides the record count within the * launcher info screen. */ @bitfield(1) hidden = false; /** This database is used for file stream implementation. */ @bitfield(1) stream = false; /** This database should not be copied to */ @bitfield(1) copyPrevention = false; /** Device requires a reset after this database is installed. */ @bitfield(1) resetAfterInstall = false; /** This tells the backup conduit that it's OK for it to install a newer version * of this database with a different name if the current database is open. This * mechanism is used to update the Graffiti Shortcuts database, for example. */ @bitfield(1) okToInstallNewer = false; /** Set if database should be backed up to PC if no app-specific synchronization * conduit has been supplied. */ @bitfield(1) backup = false; /** Set if Application Info block is dirty. * * Optionally supported by an App's conduit. */ @bitfield(1) appInfoDirty = false; /** Read Only database. */ @bitfield(1) readOnly = false; /** Whether this is a resource database (i.e. PRC). */ @bitfield(1) resDB = false; } /** Record attribute flags in PDB files. * * In the DLP protocol, we use one byte to store record attribute flags and * another byte to store the record category. However, in PDB files, we use a * single byte is used to store both attribute flags and the record category. * * This presents a problem: there are 5 record attributes (namely delete, dirty, * busy, secret, and archive), leaving 3 bits unused, but we need 4 bits to * store the record category. So the lowest 4 bits are overloaded, but the * exactly how differs among existing open source implementations: * * In pilot-link: * - Upper 4 bits store the first 4 record attributes (delete, dirty, busy, secret) * - Lower 4 bits store the record category; there's no archive bit * * In ColdSync: * - If the record is busy, bit 5 stores the archive flag and the lowest 3 * bits are unused. * - If the record is not busy, the lowest 4 bits store the category. * * In the Palm::PDB Perl module: * - If the record is deleted or busy, bit 5 stores the archive flag and the * lowest 3 bits are unused. * - If the record is neither deleted or busy, the lowest 4 bits store the * category. * * Here we've chosen to follow the Palm::PDB Perl module's implementation, as it * is the most flexible. * * References: * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-5r4/include/Core/System/DataMgr.h#L44 * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-5r4/include/Core/System/DLCommon.h#L44 * - https://github.com/jichu4n/pilot-link/blob/master/libpisock/pi-file.c#L670 * - https://github.com/jichu4n/pilot-link/blob/master/libpisock/pi-file.c#L479 * - https://github.com/dwery/coldsync/blob/master/libpdb/pdb.c#L96 * - https://metacpan.org/dist/Palm-PDB/source/lib/Palm/PDB.pm#L428 */ export class RecordAttrs extends SBitmask.of(SUInt8) { /** Record has been deleted. */ @bitfield(1) delete = false; /** Record has been modified. */ @bitfield(1) dirty = false; /** Record currently in use. * * This bit may also indicate the record has been deleted -- see comments in * https://github.com/dwery/coldsync/blob/master/include/pdb.h . */ @bitfield(1) busy = false; /** "Secret" record - password protected. */ @bitfield(1) secret = false; @bitfield(4) private lowest4bits = 0; /** Record is archived. * * Only available if deleted or busy. */ get archive() { if (this.delete || this.busy) { return Boolean(this.lowest4bits & 0b1000); } else { return false; } } set archive(newValue: boolean) { if (!(this.delete || this.busy)) { throw new Error( `Attempting to set archive = ${newValue} ` + `on record that is neither deleted nor busy` ); } this.lowest4bits = newValue ? this.lowest4bits | 0b1000 : this.lowest4bits & 0b0111; } /** Record category. * * Only available if NOT deleted or busy. */ get category() { if (this.delete || this.busy) { return 0; } else { return this.lowest4bits; } } set category(newValue: number) { if (this.delete || this.busy) { const recordState = this.delete && this.busy ? 'deleted and busy' : this.delete ? 'deleted' : 'busy'; throw new Error( `Attempting to set category ${newValue} on record ` + `that is currently ${recordState}` ); } this.lowest4bits = newValue & 0b1111; } }
src/database-header.ts
jichu4n-palm-pdb-497cb75
[ { "filename": "src/datebook-database.ts", "retrieved_chunk": " startTime: EventTime | null = null;\n /** End time of event. */\n @field(OptionalEventTime)\n endTime: EventTime | null = null;\n /** Date of the event. */\n @field()\n date = new DatabaseDate();\n /** Attributes field. */\n @field()\n private attrs = new DatebookRecordAttrs();", "score": 0.8479374647140503 }, { "filename": "src/database.ts", "retrieved_chunk": " recordList.values.length > 0\n ? recordList.values[0].localChunkId\n : buffer.length;\n if (!this.sortInfo) {\n this.sortInfo = new this.sortInfoType();\n }\n this.sortInfo.deserialize(\n buffer.subarray(this.header.sortInfoId, sortInfoEnd),\n opts\n );", "score": 0.8341054916381836 }, { "filename": "src/database.ts", "retrieved_chunk": " *\n * Note that `entry.localChunkId` is overwritten during serialization.\n */\n records: Array<RecordT> = [];\n deserialize(buffer: Buffer, opts?: DeserializeOptions) {\n opts = {encoding: DEFAULT_ENCODING, ...opts};\n this.header.deserialize(buffer, opts);\n const recordList = new this.recordListType();\n recordList.deserialize(\n buffer.subarray(this.header.getSerializedLength(opts)),", "score": 0.8329195976257324 }, { "filename": "src/todo-database.ts", "retrieved_chunk": "export class ToDoRecord extends PdbRecord {\n /** Due date of the item (may be empty if there is no due date). */\n @field(OptionalDatabaseDate)\n dueDate: DatabaseDate | null = null;\n /** Attributes byte. */\n @field(SUInt8)\n private attrs = 0;\n /** Whether the item is completed. Stored inside attrs. */\n isCompleted = false;\n /** Priority of the item (max 127). Stored inside attrs. */", "score": 0.8306765556335449 }, { "filename": "src/database.ts", "retrieved_chunk": " opts\n );\n if (this.appInfoType && this.header.appInfoId) {\n const appInfoEnd =\n this.header.sortInfoId ||\n (recordList.values.length > 0\n ? recordList.values[0].localChunkId\n : buffer.length);\n if (!this.appInfo) {\n this.appInfo = new this.appInfoType();", "score": 0.8181664943695068 } ]
typescript
@field(RecordId) uniqueId = 0;
import { bitfield, field, SBitmask, Serializable, SObject, SStringNT, SUInt16BE, SUInt32BE, SUInt8, } from 'serio'; import {DatabaseTimestamp, EPOCH_TIMESTAMP} from './date-time'; import {LocalId, RecordId, SDynamicArray, TypeId} from './util'; import pick from 'lodash/pick'; /** Maximum length of database names - 31 chars + 1 NUL byte. * * References: * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataMgr.h#L72 */ export const DB_NAME_LENGTH = 32; /** Database header. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L67 */ export class DatabaseHdrType extends SObject { /** Database name. */ @field(SStringNT.ofLength(DB_NAME_LENGTH)) name = ''; /** Database attribute flags. */ @field() attributes: DatabaseAttrs = new DatabaseAttrs(); /** Database version (integer). */ @field(SUInt16BE) version = 0; /** Database creation timestamp. */ @field() creationDate = new DatabaseTimestamp(); /** Database modification timestamp. */ @field() modificationDate = new DatabaseTimestamp(); /** Last backup timestamp. */ @field() lastBackupDate: DatabaseTimestamp = EPOCH_TIMESTAMP; /** Modification number (integer). */ @field(SUInt32BE) modificationNumber = 0; /** Offset to AppInfo block. */ @field(LocalId) appInfoId = 0; /** Offset to SortInfo block. */ @field(LocalId) sortInfoId = 0; /** Database type identifier (max 4 bytes). */ @field(
TypeId) type = '';
/** Database creator identifier (max 4 bytes). */ @field(TypeId) creator = ''; /** Seed for generating record IDs. */ @field(SUInt32BE) uniqueIdSeed = 0; } /** Record entry in PDB files. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L23 */ export class RecordEntryType extends SObject { /** Offset to raw record data. */ @field(LocalId) localChunkId = 0; /** Record attributes. */ @field() attributes = new RecordAttrs(); /** Unique ID of the record. * * Valid records should have a non-zero unique ID. */ @field(RecordId) uniqueId = 0; } /** Resource entry in PRC files. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L36 */ export class RsrcEntryType extends SObject { /** Resource type identifier (max 4 bytes). */ @field(TypeId) type = ''; /** Resource ID. */ @field(SUInt16BE) resourceId = 0; /** Offset to raw record data. */ @field(LocalId) localChunkId = 0; } /** Union type representing any record entry type. */ export type EntryType = RecordEntryType | RsrcEntryType; /** Record or resource entry list. */ export interface RecordListType<EntryT extends EntryType> extends Serializable { /** Array of record or resource entries. */ values: Array<EntryT>; } /** Record entry list in PDB databases. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L51 */ export class PdbRecordListType extends SObject implements RecordListType<RecordEntryType> { /** Offset of next PdbRecordListType structure. * * We don't support multiple RecordListTypes, so this must always be 0. See * page 17 of the Palm File Format Specification for more details. */ @field(SUInt32BE) private readonly nextListId = 0; /** Array of record entries. */ @field(SDynamicArray.of(SUInt16BE, RecordEntryType)) values: Array<RecordEntryType> = []; @field(SUInt16BE) private readonly padding1 = 0; } /** Resource entry list in PRC databases. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L51 */ export class PrcRecordListType extends SObject implements RecordListType<RsrcEntryType> { /** Offset of next PrcRecordListType structure. * * We don't support multiple RecordListTypes, so this must always be 0. See * page 17 of the Palm File Format Specification for more details. */ @field(SUInt32BE) private readonly nextListId = 0; /** Array of resource entries. */ @field(SDynamicArray.of(SUInt16BE, RsrcEntryType)) values: Array<RsrcEntryType> = []; @field(SUInt16BE) private readonly padding1 = 0; } /** Database attribute flags. * * References: * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-5r4/include/Core/System/DataMgr.h * - https://github.com/madsen/Palm-PDB/blob/master/lib/Palm/PDB.pm */ export class DatabaseAttrs extends SBitmask.of(SUInt16BE) { /** Database not closed properly. */ @bitfield(1) open = false; @bitfield(3) private unused1 = 0; /** This database (resource or record) is associated with the application * with the same creator. It will be beamed and copied along with the * application. */ @bitfield(1) bundle = false; /** This database (resource or record) is recyclable: it will be deleted Real * Soon Now, generally the next time the database is closed. */ @bitfield(1) recyclable = false; /** This data database (not applicable for executables) can be "launched" by * passing its name to it's owner app ('appl' database with same creator) * using the sysAppLaunchCmdOpenNamedDB action code. */ @bitfield(1) launchableData = false; /** This database should generally be hidden from view. * * Used to hide some apps from the main view of the launcher for example. For * data (non-resource) databases, this hides the record count within the * launcher info screen. */ @bitfield(1) hidden = false; /** This database is used for file stream implementation. */ @bitfield(1) stream = false; /** This database should not be copied to */ @bitfield(1) copyPrevention = false; /** Device requires a reset after this database is installed. */ @bitfield(1) resetAfterInstall = false; /** This tells the backup conduit that it's OK for it to install a newer version * of this database with a different name if the current database is open. This * mechanism is used to update the Graffiti Shortcuts database, for example. */ @bitfield(1) okToInstallNewer = false; /** Set if database should be backed up to PC if no app-specific synchronization * conduit has been supplied. */ @bitfield(1) backup = false; /** Set if Application Info block is dirty. * * Optionally supported by an App's conduit. */ @bitfield(1) appInfoDirty = false; /** Read Only database. */ @bitfield(1) readOnly = false; /** Whether this is a resource database (i.e. PRC). */ @bitfield(1) resDB = false; } /** Record attribute flags in PDB files. * * In the DLP protocol, we use one byte to store record attribute flags and * another byte to store the record category. However, in PDB files, we use a * single byte is used to store both attribute flags and the record category. * * This presents a problem: there are 5 record attributes (namely delete, dirty, * busy, secret, and archive), leaving 3 bits unused, but we need 4 bits to * store the record category. So the lowest 4 bits are overloaded, but the * exactly how differs among existing open source implementations: * * In pilot-link: * - Upper 4 bits store the first 4 record attributes (delete, dirty, busy, secret) * - Lower 4 bits store the record category; there's no archive bit * * In ColdSync: * - If the record is busy, bit 5 stores the archive flag and the lowest 3 * bits are unused. * - If the record is not busy, the lowest 4 bits store the category. * * In the Palm::PDB Perl module: * - If the record is deleted or busy, bit 5 stores the archive flag and the * lowest 3 bits are unused. * - If the record is neither deleted or busy, the lowest 4 bits store the * category. * * Here we've chosen to follow the Palm::PDB Perl module's implementation, as it * is the most flexible. * * References: * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-5r4/include/Core/System/DataMgr.h#L44 * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-5r4/include/Core/System/DLCommon.h#L44 * - https://github.com/jichu4n/pilot-link/blob/master/libpisock/pi-file.c#L670 * - https://github.com/jichu4n/pilot-link/blob/master/libpisock/pi-file.c#L479 * - https://github.com/dwery/coldsync/blob/master/libpdb/pdb.c#L96 * - https://metacpan.org/dist/Palm-PDB/source/lib/Palm/PDB.pm#L428 */ export class RecordAttrs extends SBitmask.of(SUInt8) { /** Record has been deleted. */ @bitfield(1) delete = false; /** Record has been modified. */ @bitfield(1) dirty = false; /** Record currently in use. * * This bit may also indicate the record has been deleted -- see comments in * https://github.com/dwery/coldsync/blob/master/include/pdb.h . */ @bitfield(1) busy = false; /** "Secret" record - password protected. */ @bitfield(1) secret = false; @bitfield(4) private lowest4bits = 0; /** Record is archived. * * Only available if deleted or busy. */ get archive() { if (this.delete || this.busy) { return Boolean(this.lowest4bits & 0b1000); } else { return false; } } set archive(newValue: boolean) { if (!(this.delete || this.busy)) { throw new Error( `Attempting to set archive = ${newValue} ` + `on record that is neither deleted nor busy` ); } this.lowest4bits = newValue ? this.lowest4bits | 0b1000 : this.lowest4bits & 0b0111; } /** Record category. * * Only available if NOT deleted or busy. */ get category() { if (this.delete || this.busy) { return 0; } else { return this.lowest4bits; } } set category(newValue: number) { if (this.delete || this.busy) { const recordState = this.delete && this.busy ? 'deleted and busy' : this.delete ? 'deleted' : 'busy'; throw new Error( `Attempting to set category ${newValue} on record ` + `that is currently ${recordState}` ); } this.lowest4bits = newValue & 0b1111; } }
src/database-header.ts
jichu4n-palm-pdb-497cb75
[ { "filename": "src/database.ts", "retrieved_chunk": " *\n * Note that `appInfoId` and `sortInfoId` fields in the header are overwritten\n * during serialization.\n */\n header = new DatabaseHdrType();\n /** AppInfo value. */\n appInfo: AppInfoT | null = null;\n /** SortInfo value. */\n sortInfo: SortInfoT | null = null;\n /** Record values.", "score": 0.8636000752449036 }, { "filename": "src/address-database.ts", "retrieved_chunk": " */\n label: string;\n /** Dirty bit indicating whether this field has been renamed. */\n isRenamed: boolean;\n}\n/** AddressDB AppInfo block. */\nexport class AddressAppInfo extends AppInfoType {\n @field(SUInt16BE)\n private padding2 = 0;\n /** Field information.", "score": 0.8590462803840637 }, { "filename": "src/todo-database.ts", "retrieved_chunk": " PRIORITY = 1,\n}\n/** ToDoDB AppInfo block. */\nexport class ToDoAppInfo extends AppInfoType {\n /** Not sure what this is ¯\\_(ツ)_/¯ */\n @field(SUInt16BE)\n private dirty = 0;\n /** Item sort order. */\n @field(SUInt8.enum(ToDoSortOrder))\n sortOrder = ToDoSortOrder.MANUAL;", "score": 0.8576779365539551 }, { "filename": "src/memo-database.ts", "retrieved_chunk": "/** MemoDB sort order. */\nexport enum MemoSortOrder {\n MANUAL = 0,\n ALPHABETICAL = 1,\n}\n/** MemoDB AppInfo block. */\nexport class MemoAppInfo extends AppInfoType {\n @field(SUInt16BE)\n private padding2 = 0;\n /** Memo sort order.", "score": 0.8443666696548462 }, { "filename": "src/app-info.ts", "retrieved_chunk": " * generated by the desktop computer are between 128 and 255.\n */\n uniqId = 0;\n /** Dirty bit indicating whether this category has been renamed. */\n isRenamed = false;\n toJSON() {\n return pick(this, ['label', 'uniqId', 'isRenamed']);\n }\n}\n/** AppInfo block for standard category data.", "score": 0.8400821089744568 } ]
typescript
TypeId) type = '';
import { bitfield, field, SBitmask, Serializable, SObject, SStringNT, SUInt16BE, SUInt32BE, SUInt8, } from 'serio'; import {DatabaseTimestamp, EPOCH_TIMESTAMP} from './date-time'; import {LocalId, RecordId, SDynamicArray, TypeId} from './util'; import pick from 'lodash/pick'; /** Maximum length of database names - 31 chars + 1 NUL byte. * * References: * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataMgr.h#L72 */ export const DB_NAME_LENGTH = 32; /** Database header. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L67 */ export class DatabaseHdrType extends SObject { /** Database name. */ @field(SStringNT.ofLength(DB_NAME_LENGTH)) name = ''; /** Database attribute flags. */ @field() attributes: DatabaseAttrs = new DatabaseAttrs(); /** Database version (integer). */ @field(SUInt16BE) version = 0; /** Database creation timestamp. */ @field() creationDate = new DatabaseTimestamp(); /** Database modification timestamp. */ @field() modificationDate = new DatabaseTimestamp(); /** Last backup timestamp. */ @field()
lastBackupDate: DatabaseTimestamp = EPOCH_TIMESTAMP;
/** Modification number (integer). */ @field(SUInt32BE) modificationNumber = 0; /** Offset to AppInfo block. */ @field(LocalId) appInfoId = 0; /** Offset to SortInfo block. */ @field(LocalId) sortInfoId = 0; /** Database type identifier (max 4 bytes). */ @field(TypeId) type = ''; /** Database creator identifier (max 4 bytes). */ @field(TypeId) creator = ''; /** Seed for generating record IDs. */ @field(SUInt32BE) uniqueIdSeed = 0; } /** Record entry in PDB files. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L23 */ export class RecordEntryType extends SObject { /** Offset to raw record data. */ @field(LocalId) localChunkId = 0; /** Record attributes. */ @field() attributes = new RecordAttrs(); /** Unique ID of the record. * * Valid records should have a non-zero unique ID. */ @field(RecordId) uniqueId = 0; } /** Resource entry in PRC files. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L36 */ export class RsrcEntryType extends SObject { /** Resource type identifier (max 4 bytes). */ @field(TypeId) type = ''; /** Resource ID. */ @field(SUInt16BE) resourceId = 0; /** Offset to raw record data. */ @field(LocalId) localChunkId = 0; } /** Union type representing any record entry type. */ export type EntryType = RecordEntryType | RsrcEntryType; /** Record or resource entry list. */ export interface RecordListType<EntryT extends EntryType> extends Serializable { /** Array of record or resource entries. */ values: Array<EntryT>; } /** Record entry list in PDB databases. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L51 */ export class PdbRecordListType extends SObject implements RecordListType<RecordEntryType> { /** Offset of next PdbRecordListType structure. * * We don't support multiple RecordListTypes, so this must always be 0. See * page 17 of the Palm File Format Specification for more details. */ @field(SUInt32BE) private readonly nextListId = 0; /** Array of record entries. */ @field(SDynamicArray.of(SUInt16BE, RecordEntryType)) values: Array<RecordEntryType> = []; @field(SUInt16BE) private readonly padding1 = 0; } /** Resource entry list in PRC databases. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L51 */ export class PrcRecordListType extends SObject implements RecordListType<RsrcEntryType> { /** Offset of next PrcRecordListType structure. * * We don't support multiple RecordListTypes, so this must always be 0. See * page 17 of the Palm File Format Specification for more details. */ @field(SUInt32BE) private readonly nextListId = 0; /** Array of resource entries. */ @field(SDynamicArray.of(SUInt16BE, RsrcEntryType)) values: Array<RsrcEntryType> = []; @field(SUInt16BE) private readonly padding1 = 0; } /** Database attribute flags. * * References: * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-5r4/include/Core/System/DataMgr.h * - https://github.com/madsen/Palm-PDB/blob/master/lib/Palm/PDB.pm */ export class DatabaseAttrs extends SBitmask.of(SUInt16BE) { /** Database not closed properly. */ @bitfield(1) open = false; @bitfield(3) private unused1 = 0; /** This database (resource or record) is associated with the application * with the same creator. It will be beamed and copied along with the * application. */ @bitfield(1) bundle = false; /** This database (resource or record) is recyclable: it will be deleted Real * Soon Now, generally the next time the database is closed. */ @bitfield(1) recyclable = false; /** This data database (not applicable for executables) can be "launched" by * passing its name to it's owner app ('appl' database with same creator) * using the sysAppLaunchCmdOpenNamedDB action code. */ @bitfield(1) launchableData = false; /** This database should generally be hidden from view. * * Used to hide some apps from the main view of the launcher for example. For * data (non-resource) databases, this hides the record count within the * launcher info screen. */ @bitfield(1) hidden = false; /** This database is used for file stream implementation. */ @bitfield(1) stream = false; /** This database should not be copied to */ @bitfield(1) copyPrevention = false; /** Device requires a reset after this database is installed. */ @bitfield(1) resetAfterInstall = false; /** This tells the backup conduit that it's OK for it to install a newer version * of this database with a different name if the current database is open. This * mechanism is used to update the Graffiti Shortcuts database, for example. */ @bitfield(1) okToInstallNewer = false; /** Set if database should be backed up to PC if no app-specific synchronization * conduit has been supplied. */ @bitfield(1) backup = false; /** Set if Application Info block is dirty. * * Optionally supported by an App's conduit. */ @bitfield(1) appInfoDirty = false; /** Read Only database. */ @bitfield(1) readOnly = false; /** Whether this is a resource database (i.e. PRC). */ @bitfield(1) resDB = false; } /** Record attribute flags in PDB files. * * In the DLP protocol, we use one byte to store record attribute flags and * another byte to store the record category. However, in PDB files, we use a * single byte is used to store both attribute flags and the record category. * * This presents a problem: there are 5 record attributes (namely delete, dirty, * busy, secret, and archive), leaving 3 bits unused, but we need 4 bits to * store the record category. So the lowest 4 bits are overloaded, but the * exactly how differs among existing open source implementations: * * In pilot-link: * - Upper 4 bits store the first 4 record attributes (delete, dirty, busy, secret) * - Lower 4 bits store the record category; there's no archive bit * * In ColdSync: * - If the record is busy, bit 5 stores the archive flag and the lowest 3 * bits are unused. * - If the record is not busy, the lowest 4 bits store the category. * * In the Palm::PDB Perl module: * - If the record is deleted or busy, bit 5 stores the archive flag and the * lowest 3 bits are unused. * - If the record is neither deleted or busy, the lowest 4 bits store the * category. * * Here we've chosen to follow the Palm::PDB Perl module's implementation, as it * is the most flexible. * * References: * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-5r4/include/Core/System/DataMgr.h#L44 * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-5r4/include/Core/System/DLCommon.h#L44 * - https://github.com/jichu4n/pilot-link/blob/master/libpisock/pi-file.c#L670 * - https://github.com/jichu4n/pilot-link/blob/master/libpisock/pi-file.c#L479 * - https://github.com/dwery/coldsync/blob/master/libpdb/pdb.c#L96 * - https://metacpan.org/dist/Palm-PDB/source/lib/Palm/PDB.pm#L428 */ export class RecordAttrs extends SBitmask.of(SUInt8) { /** Record has been deleted. */ @bitfield(1) delete = false; /** Record has been modified. */ @bitfield(1) dirty = false; /** Record currently in use. * * This bit may also indicate the record has been deleted -- see comments in * https://github.com/dwery/coldsync/blob/master/include/pdb.h . */ @bitfield(1) busy = false; /** "Secret" record - password protected. */ @bitfield(1) secret = false; @bitfield(4) private lowest4bits = 0; /** Record is archived. * * Only available if deleted or busy. */ get archive() { if (this.delete || this.busy) { return Boolean(this.lowest4bits & 0b1000); } else { return false; } } set archive(newValue: boolean) { if (!(this.delete || this.busy)) { throw new Error( `Attempting to set archive = ${newValue} ` + `on record that is neither deleted nor busy` ); } this.lowest4bits = newValue ? this.lowest4bits | 0b1000 : this.lowest4bits & 0b0111; } /** Record category. * * Only available if NOT deleted or busy. */ get category() { if (this.delete || this.busy) { return 0; } else { return this.lowest4bits; } } set category(newValue: number) { if (this.delete || this.busy) { const recordState = this.delete && this.busy ? 'deleted and busy' : this.delete ? 'deleted' : 'busy'; throw new Error( `Attempting to set category ${newValue} on record ` + `that is currently ${recordState}` ); } this.lowest4bits = newValue & 0b1111; } }
src/database-header.ts
jichu4n-palm-pdb-497cb75
[ { "filename": "src/datebook-database.ts", "retrieved_chunk": " startTime: EventTime | null = null;\n /** End time of event. */\n @field(OptionalEventTime)\n endTime: EventTime | null = null;\n /** Date of the event. */\n @field()\n date = new DatabaseDate();\n /** Attributes field. */\n @field()\n private attrs = new DatebookRecordAttrs();", "score": 0.8628928661346436 }, { "filename": "src/datebook-database.ts", "retrieved_chunk": " @field(SUInt8)\n private padding1 = 0;\n /** Alarm settings, or null if no alarm configured. */\n alarmSettings: AlarmSettings | null = null;\n /** Recurrence settings, or null if the event is not recurring. */\n recurrenceSettings: RecurrenceSettings | null = null;\n /** Dates on which to skip repetitions. */\n exceptionDates: Array<DatabaseDate> = [];\n /** Main description. */\n description = '';", "score": 0.8366007804870605 }, { "filename": "src/date-time.ts", "retrieved_chunk": " *\n * There is no timezone information in the serialized form, so we assume UTC\n * when converting to / from JavaScript Date objects.\n */\nexport class DatabaseDate extends SerializableWrapper<Date> {\n /** Year. */\n year = PDB_EPOCH.getUTCFullYear();\n /** Month (Jan = 0, Dec = 11). */\n month = 0;\n /** Day of the month (1st = 1). */", "score": 0.834007203578949 }, { "filename": "src/date-time.ts", "retrieved_chunk": " }\n return buffer;\n }\n getSerializedLength(opts?: SerializeOptions) {\n return 4;\n }\n}\n/** DatabaseTimestamp corresponding to epochDate. */\nexport const EPOCH_TIMESTAMP = DatabaseTimestamp.of(PDB_EPOCH);\n/** A date (year, month, DOM) encoded as a 16-bit integer.", "score": 0.821367084980011 }, { "filename": "src/date-time.ts", "retrieved_chunk": "import {\n DeserializeOptions,\n SUInt16BE,\n SerializableWrapper,\n SerializeOptions,\n} from 'serio';\n/** Standard epoch on Palm OS -- 1904/1/1. */\nexport const PDB_EPOCH = new Date('1904-01-01T00:00:00.000Z');\n/** Standard UNIX epoch. */\nexport const UNIX_EPOCH = new Date(0);", "score": 0.8163821697235107 } ]
typescript
lastBackupDate: DatabaseTimestamp = EPOCH_TIMESTAMP;
import { bitfield, field, SBitmask, Serializable, SObject, SStringNT, SUInt16BE, SUInt32BE, SUInt8, } from 'serio'; import {DatabaseTimestamp, EPOCH_TIMESTAMP} from './date-time'; import {LocalId, RecordId, SDynamicArray, TypeId} from './util'; import pick from 'lodash/pick'; /** Maximum length of database names - 31 chars + 1 NUL byte. * * References: * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataMgr.h#L72 */ export const DB_NAME_LENGTH = 32; /** Database header. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L67 */ export class DatabaseHdrType extends SObject { /** Database name. */ @field(SStringNT.ofLength(DB_NAME_LENGTH)) name = ''; /** Database attribute flags. */ @field() attributes: DatabaseAttrs = new DatabaseAttrs(); /** Database version (integer). */ @field(SUInt16BE) version = 0; /** Database creation timestamp. */ @field() creationDate = new DatabaseTimestamp(); /** Database modification timestamp. */ @field() modificationDate = new DatabaseTimestamp(); /** Last backup timestamp. */ @field() lastBackupDate: DatabaseTimestamp = EPOCH_TIMESTAMP; /** Modification number (integer). */ @field(SUInt32BE) modificationNumber = 0; /** Offset to AppInfo block. */ @field(LocalId) appInfoId = 0; /** Offset to SortInfo block. */ @field(LocalId) sortInfoId = 0; /** Database type identifier (max 4 bytes). */ @field(TypeId) type = ''; /** Database creator identifier (max 4 bytes). */ @field(TypeId) creator = ''; /** Seed for generating record IDs. */ @field(SUInt32BE) uniqueIdSeed = 0; } /** Record entry in PDB files. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L23 */ export class RecordEntryType extends SObject { /** Offset to raw record data. */ @field(LocalId) localChunkId = 0; /** Record attributes. */ @field() attributes = new RecordAttrs(); /** Unique ID of the record. * * Valid records should have a non-zero unique ID. */ @field(RecordId) uniqueId = 0; } /** Resource entry in PRC files. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L36 */ export class RsrcEntryType extends SObject { /** Resource type identifier (max 4 bytes). */ @field(TypeId) type = ''; /** Resource ID. */ @field(SUInt16BE) resourceId = 0; /** Offset to raw record data. */ @field(LocalId) localChunkId = 0; } /** Union type representing any record entry type. */ export type EntryType = RecordEntryType | RsrcEntryType; /** Record or resource entry list. */ export interface RecordListType<EntryT extends EntryType> extends Serializable { /** Array of record or resource entries. */ values: Array<EntryT>; } /** Record entry list in PDB databases. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L51 */ export class PdbRecordListType extends SObject implements RecordListType<RecordEntryType> { /** Offset of next PdbRecordListType structure. * * We don't support multiple RecordListTypes, so this must always be 0. See * page 17 of the Palm File Format Specification for more details. */ @field(SUInt32BE) private readonly nextListId = 0; /** Array of record entries. */
@field(SDynamicArray.of(SUInt16BE, RecordEntryType)) values: Array<RecordEntryType> = [];
@field(SUInt16BE) private readonly padding1 = 0; } /** Resource entry list in PRC databases. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L51 */ export class PrcRecordListType extends SObject implements RecordListType<RsrcEntryType> { /** Offset of next PrcRecordListType structure. * * We don't support multiple RecordListTypes, so this must always be 0. See * page 17 of the Palm File Format Specification for more details. */ @field(SUInt32BE) private readonly nextListId = 0; /** Array of resource entries. */ @field(SDynamicArray.of(SUInt16BE, RsrcEntryType)) values: Array<RsrcEntryType> = []; @field(SUInt16BE) private readonly padding1 = 0; } /** Database attribute flags. * * References: * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-5r4/include/Core/System/DataMgr.h * - https://github.com/madsen/Palm-PDB/blob/master/lib/Palm/PDB.pm */ export class DatabaseAttrs extends SBitmask.of(SUInt16BE) { /** Database not closed properly. */ @bitfield(1) open = false; @bitfield(3) private unused1 = 0; /** This database (resource or record) is associated with the application * with the same creator. It will be beamed and copied along with the * application. */ @bitfield(1) bundle = false; /** This database (resource or record) is recyclable: it will be deleted Real * Soon Now, generally the next time the database is closed. */ @bitfield(1) recyclable = false; /** This data database (not applicable for executables) can be "launched" by * passing its name to it's owner app ('appl' database with same creator) * using the sysAppLaunchCmdOpenNamedDB action code. */ @bitfield(1) launchableData = false; /** This database should generally be hidden from view. * * Used to hide some apps from the main view of the launcher for example. For * data (non-resource) databases, this hides the record count within the * launcher info screen. */ @bitfield(1) hidden = false; /** This database is used for file stream implementation. */ @bitfield(1) stream = false; /** This database should not be copied to */ @bitfield(1) copyPrevention = false; /** Device requires a reset after this database is installed. */ @bitfield(1) resetAfterInstall = false; /** This tells the backup conduit that it's OK for it to install a newer version * of this database with a different name if the current database is open. This * mechanism is used to update the Graffiti Shortcuts database, for example. */ @bitfield(1) okToInstallNewer = false; /** Set if database should be backed up to PC if no app-specific synchronization * conduit has been supplied. */ @bitfield(1) backup = false; /** Set if Application Info block is dirty. * * Optionally supported by an App's conduit. */ @bitfield(1) appInfoDirty = false; /** Read Only database. */ @bitfield(1) readOnly = false; /** Whether this is a resource database (i.e. PRC). */ @bitfield(1) resDB = false; } /** Record attribute flags in PDB files. * * In the DLP protocol, we use one byte to store record attribute flags and * another byte to store the record category. However, in PDB files, we use a * single byte is used to store both attribute flags and the record category. * * This presents a problem: there are 5 record attributes (namely delete, dirty, * busy, secret, and archive), leaving 3 bits unused, but we need 4 bits to * store the record category. So the lowest 4 bits are overloaded, but the * exactly how differs among existing open source implementations: * * In pilot-link: * - Upper 4 bits store the first 4 record attributes (delete, dirty, busy, secret) * - Lower 4 bits store the record category; there's no archive bit * * In ColdSync: * - If the record is busy, bit 5 stores the archive flag and the lowest 3 * bits are unused. * - If the record is not busy, the lowest 4 bits store the category. * * In the Palm::PDB Perl module: * - If the record is deleted or busy, bit 5 stores the archive flag and the * lowest 3 bits are unused. * - If the record is neither deleted or busy, the lowest 4 bits store the * category. * * Here we've chosen to follow the Palm::PDB Perl module's implementation, as it * is the most flexible. * * References: * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-5r4/include/Core/System/DataMgr.h#L44 * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-5r4/include/Core/System/DLCommon.h#L44 * - https://github.com/jichu4n/pilot-link/blob/master/libpisock/pi-file.c#L670 * - https://github.com/jichu4n/pilot-link/blob/master/libpisock/pi-file.c#L479 * - https://github.com/dwery/coldsync/blob/master/libpdb/pdb.c#L96 * - https://metacpan.org/dist/Palm-PDB/source/lib/Palm/PDB.pm#L428 */ export class RecordAttrs extends SBitmask.of(SUInt8) { /** Record has been deleted. */ @bitfield(1) delete = false; /** Record has been modified. */ @bitfield(1) dirty = false; /** Record currently in use. * * This bit may also indicate the record has been deleted -- see comments in * https://github.com/dwery/coldsync/blob/master/include/pdb.h . */ @bitfield(1) busy = false; /** "Secret" record - password protected. */ @bitfield(1) secret = false; @bitfield(4) private lowest4bits = 0; /** Record is archived. * * Only available if deleted or busy. */ get archive() { if (this.delete || this.busy) { return Boolean(this.lowest4bits & 0b1000); } else { return false; } } set archive(newValue: boolean) { if (!(this.delete || this.busy)) { throw new Error( `Attempting to set archive = ${newValue} ` + `on record that is neither deleted nor busy` ); } this.lowest4bits = newValue ? this.lowest4bits | 0b1000 : this.lowest4bits & 0b0111; } /** Record category. * * Only available if NOT deleted or busy. */ get category() { if (this.delete || this.busy) { return 0; } else { return this.lowest4bits; } } set category(newValue: number) { if (this.delete || this.busy) { const recordState = this.delete && this.busy ? 'deleted and busy' : this.delete ? 'deleted' : 'busy'; throw new Error( `Attempting to set category ${newValue} on record ` + `that is currently ${recordState}` ); } this.lowest4bits = newValue & 0b1111; } }
src/database-header.ts
jichu4n-palm-pdb-497cb75
[ { "filename": "src/database.ts", "retrieved_chunk": " } else {\n this.header.sortInfoId = 0;\n }\n for (let i = 0; i < this.records.length; ++i) {\n recordList.values[i].localChunkId = offset;\n offset += this.records[i].getSerializedLength(opts);\n }\n }\n}\n/** PDB databases. */", "score": 0.810878574848175 }, { "filename": "src/database.ts", "retrieved_chunk": " *\n * Note that `entry.localChunkId` is overwritten during serialization.\n */\n records: Array<RecordT> = [];\n deserialize(buffer: Buffer, opts?: DeserializeOptions) {\n opts = {encoding: DEFAULT_ENCODING, ...opts};\n this.header.deserialize(buffer, opts);\n const recordList = new this.recordListType();\n recordList.deserialize(\n buffer.subarray(this.header.getSerializedLength(opts)),", "score": 0.8099805116653442 }, { "filename": "src/database.ts", "retrieved_chunk": "> extends SObject {\n /** Record list constructor, to be provided by child classes. */\n protected abstract readonly recordListType: new () => RecordListType<EntryT>;\n /** Record type constructor, to be provided by child classes. */\n protected abstract readonly recordType: new () => RecordT;\n /** AppInfo type constructor, to be provided by child classes. */\n protected readonly appInfoType: (new () => AppInfoT) | null = null;\n /** SortInfo type constructor, to be provided by child classes. */\n protected readonly sortInfoType: (new () => SortInfoT) | null = null;\n /** Database header.", "score": 0.8047606945037842 }, { "filename": "src/address-database.ts", "retrieved_chunk": " @field()\n private phoneNumberTypeMappingBitmask = new PhoneNumberTypeMappingBitmask();\n /** Cells in this record.\n *\n * A record can contain up to NUM_ADDRESS_FIELDS cells, one for each\n * AddressFieldType.\n *\n * This array can be manipulated directly or via the get() and set() methods.\n */\n cells: Array<AddressRecordCell> = [];", "score": 0.8042731881141663 }, { "filename": "src/database.ts", "retrieved_chunk": " DatabaseHdrType,\n EntryType,\n PdbRecordListType,\n PrcRecordListType,\n RecordEntryType,\n RecordListType,\n RsrcEntryType,\n} from './database-header';\nimport {RawPdbRecord, RawPrcRecord, Record} from './record';\nimport {DEFAULT_ENCODING} from './util';", "score": 0.8025485873222351 } ]
typescript
@field(SDynamicArray.of(SUInt16BE, RecordEntryType)) values: Array<RecordEntryType> = [];
import { combineLatest, distinctUntilChanged, map } from "rxjs" import { state, useStateObservable, withDefault } from "@react-rxjs/core" import { ResultsState, resultsState$, isToughCookie$ } from "@/state" import { Header } from "./Header" import { Hero } from "./Hero" import { Picker } from "./Picker" import { ToughCookie } from "./ToughCookie" import "polkadot-theme/global.css" import "polkadot-theme/light.css" import "polkadot-theme/dark.css" import { lazy, Suspense } from "react" const Results = lazy(() => import("./Results")) const isInit$ = resultsState$.pipeState( map((x) => x === ResultsState.INIT), withDefault(true), ) const isPerfect$ = resultsState$.pipe( map((resultState) => resultState === ResultsState.PERFECT), distinctUntilChanged(), ) const toughCookieJsx = <ToughCookie /> const pickerJsx = <Picker /> const main$ = state( combineLatest([isPerfect$, isToughCookie$]).pipe( map(([isPerfect, isToughCookie]) => isPerfect ? null : isToughCookie ? toughCookieJsx : pickerJsx, ), ), pickerJsx, ) const suspended = ( <div className="h-fit md:overflow-visible flex flex-col overflow-scroll md:flex-row gap-8 lg:gap-16"> {main$} <Hero /> </div> ) export const App = () => { const isInit = useStateObservable(isInit$) return ( <> <style> @import url('https://fonts.googleapis.com/css2?family=Inter:wght@400;600;700&family=Unbounded:wght@500&display=swap'); </style> <div className="h-screen flex flex-col px-4 md:px-8 lg:px-16">
<Header /> <Suspense fallback={suspended}> <div className={`${
isInit ? "h-fit md:overflow-visible" : "h-full md:overflow-clip" } flex flex-col overflow-scroll md:flex-row gap-8 lg:gap-16`} > {main$} {isInit ? <Hero /> : <Results />} </div> </Suspense> </div> </> ) }
src/App/App.tsx
w3f-validator-selection-tool-e904b57
[ { "filename": "src/App/Header.tsx", "retrieved_chunk": " </span>\n </div>\n <ThemeSwitch />\n </div>\n )\n}", "score": 0.8376734256744385 }, { "filename": "src/App/Picker.tsx", "retrieved_chunk": "}\nfunction Center() {\n return (\n <div className=\"flex flex-col-reverse md:flex-col items-center gap-0 md:gap-4 pt-6 md:pt-0 md:pb-6\">\n <div className=\"flex w-full items-center py-3 md:py-6 px-4 md:px-6 bg-gradient-to-r from-pPink-100 to-pPurple-100 dark:from-pPink-950 dark:to-pPurple-950\">\n <div className=\"w-full h-[2px] flex items-center gap-2 bg-border-contrast\" />\n <span className=\"py-3 px-4 md:px-6 w-full rounded-full text-center shadow-[inset_0_0_0_2px_rgba(0,0,0,0.9)] dark:shadow-[inset_0_0_0_2px_rgba(255,255,255,0.9)] font-unbounded\">\n VS\n </span>\n <div className=\"w-full h-[2px] flex items-center gap-2 bg-border-contrast\" />", "score": 0.8299959897994995 }, { "filename": "src/App/Picker.tsx", "retrieved_chunk": " </div>\n )\n}", "score": 0.8275736570358276 }, { "filename": "src/Components/AccountIcon.tsx", "retrieved_chunk": " </div>\n )\n}", "score": 0.8275599479675293 }, { "filename": "src/App/ToughCookie.tsx", "retrieved_chunk": " )}\n </div>\n </div>\n )\n}", "score": 0.8247826099395752 } ]
typescript
<Header /> <Suspense fallback={suspended}> <div className={`${
import { Struct, Vector, bool, compact, u32 } from "scale-ts" import { AccountId, storageKeys, two64Concat, } from "@unstoppablejs/substrate-bindings" import { getFromStorage, getKeys } from "../client" const staking = storageKeys("Staking") // Staking.Validators const validatorsArgs = staking("Validators", two64Concat(AccountId(0).enc)) const validatorsDecoder = Struct({ commission: compact, blocked: bool, }).dec export const getStakingValidators = (validator: string) => getFromStorage(validatorsArgs(validator), validatorsDecoder) // Staking.ErasRewardsPoints const erasRewardsPointsArgs = staking("ErasRewardPoints", two64Concat(u32.enc)) const e = u32 const b = AccountId(0) const individual = Vector(Struct({ account: b, points: e })) const erasRewardsPointsDecoder = Struct({ total: e, individual }) export const getStakingErasRewardsPoints = (era: number) => getFromStorage(erasRewardsPointsArgs(era), erasRewardsPointsDecoder.dec) // Staking.CurrentEra const currentEraKey = staking("CurrentEra")() const currentEraDecoder = u32.dec export const getStakingCurrentEra = () => getFromStorage(currentEraKey, currentEraDecoder) // Staking.ActiveEra const activeEraKey = staking("ActiveEra")() const activeEraDecoder = u32.dec export const getStakingActiveEra = () => getFromStorage(activeEraKey, activeEraDecoder) // Staking.ErasStakers const erasStakersArgs = staking( "ErasStakers", two64Concat(u32.enc), two64Concat(AccountId(0).enc), ) const erasStakersDecoder = Struct({ total: compact, own: compact, }).dec export const getStakingErasStakers = (era: number, validator: string) => getFromStorage(erasStakersArgs(era, validator), erasStakersDecoder) // Staking.Nominators const nominatorsRootKey = staking("Nominators")()
export const stakingNominatorsKeys$ = getKeys(nominatorsRootKey) const nominatorsDecoder = Struct({
targets: Vector(AccountId(0)), submitted_in: u32, suppressed: bool, }).dec export const getStakingNominatorsFromKey = (key: string) => getFromStorage(key, nominatorsDecoder)
src/api/validators/chain/generated/storage-staking.ts
w3f-validator-selection-tool-e904b57
[ { "filename": "src/api/validators/getVotes.ts", "retrieved_chunk": "import { lastValueFrom, mergeMap } from \"rxjs\"\nimport { getStakingNominatorsFromKey, stakingNominatorsKeys$ } from \"./chain\"\nexport const getVotes = async (validators: string[]) => {\n const votes: Map<string, { count: number }> = new Map(\n validators.map((v) => [v, { count: 0 }]),\n )\n const getNominatorAndUpdateVotes = async (storageKey: string) => {\n const nominator = await getStakingNominatorsFromKey(storageKey)\n nominator?.targets.forEach((t) => {\n const v = votes.get(t)", "score": 0.8702895641326904 }, { "filename": "src/api/validators/getPoints.ts", "retrieved_chunk": "import { getStakingCurrentEra, getStakingErasRewardsPoints } from \"./chain\"\nconst N_ERAS = 83\nexport const getEraPoints = async (validators: string[]) => {\n const currentEra = await getStakingCurrentEra()\n const previousEras = Array(N_ERAS)\n .fill(null)\n .map((_, idx) => currentEra! - idx - 1)\n const allEraPoints = await Promise.all(\n previousEras.map(getStakingErasRewardsPoints),\n )", "score": 0.8667967915534973 }, { "filename": "src/api/validators/getSelfStake.ts", "retrieved_chunk": "import { getStakingActiveEra, getStakingErasStakers } from \"./chain\"\nconst getFormattedSelfStake = (era: number) => async (validator: string) => {\n const selfStakeRaw = await getStakingErasStakers(era, validator)\n if (!selfStakeRaw) return null\n const { own } = selfStakeRaw\n return Number(BigInt(own) / 1_000_000n) / 10_000 // Expressed in DOT (with 4 decimals)\n}\nexport const getSelfStake = async (validators: string[]) => {\n const activeEra = await getStakingActiveEra()\n return Promise.all(validators.map(getFormattedSelfStake(activeEra!)))", "score": 0.857845664024353 }, { "filename": "src/api/validators/getVotes.ts", "retrieved_chunk": " v && v.count++\n })\n return nominator\n }\n await lastValueFrom(\n stakingNominatorsKeys$.pipe(\n mergeMap((keys) => Promise.all(keys.map(getNominatorAndUpdateVotes))),\n ),\n )\n return validators.map((v) => votes.get(v)!.count)", "score": 0.8364912271499634 }, { "filename": "src/api/validators/getValidators.ts", "retrieved_chunk": " const validators = (await getSessionValidators())!\n const [comissions, clusterSizes, points, votes, selfStake] =\n await Promise.all([\n getComissions(validators),\n getClusterSizes(validators),\n getEraPoints(validators),\n getVotes(validators),\n getSelfStake(validators),\n ])\n const result = Object.fromEntries(", "score": 0.8320226669311523 } ]
typescript
export const stakingNominatorsKeys$ = getKeys(nominatorsRootKey) const nominatorsDecoder = Struct({
import { bitfield, field, SBitmask, Serializable, SObject, SStringNT, SUInt16BE, SUInt32BE, SUInt8, } from 'serio'; import {DatabaseTimestamp, EPOCH_TIMESTAMP} from './date-time'; import {LocalId, RecordId, SDynamicArray, TypeId} from './util'; import pick from 'lodash/pick'; /** Maximum length of database names - 31 chars + 1 NUL byte. * * References: * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataMgr.h#L72 */ export const DB_NAME_LENGTH = 32; /** Database header. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L67 */ export class DatabaseHdrType extends SObject { /** Database name. */ @field(SStringNT.ofLength(DB_NAME_LENGTH)) name = ''; /** Database attribute flags. */ @field() attributes: DatabaseAttrs = new DatabaseAttrs(); /** Database version (integer). */ @field(SUInt16BE) version = 0; /** Database creation timestamp. */ @field() creationDate = new DatabaseTimestamp(); /** Database modification timestamp. */ @field() modificationDate = new DatabaseTimestamp(); /** Last backup timestamp. */ @field() lastBackupDate: DatabaseTimestamp = EPOCH_TIMESTAMP; /** Modification number (integer). */ @field(SUInt32BE) modificationNumber = 0; /** Offset to AppInfo block. */ @field(LocalId) appInfoId = 0; /** Offset to SortInfo block. */ @field(LocalId) sortInfoId = 0; /** Database type identifier (max 4 bytes). */ @field(TypeId) type = ''; /** Database creator identifier (max 4 bytes). */ @field(TypeId) creator = ''; /** Seed for generating record IDs. */ @field(SUInt32BE) uniqueIdSeed = 0; } /** Record entry in PDB files. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L23 */ export class RecordEntryType extends SObject { /** Offset to raw record data. */ @field(LocalId) localChunkId = 0; /** Record attributes. */ @field() attributes = new RecordAttrs(); /** Unique ID of the record. * * Valid records should have a non-zero unique ID. */ @field(RecordId) uniqueId = 0; } /** Resource entry in PRC files. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L36 */ export class RsrcEntryType extends SObject { /** Resource type identifier (max 4 bytes). */ @field(TypeId) type = ''; /** Resource ID. */ @field(SUInt16BE) resourceId = 0; /** Offset to raw record data. */ @field(LocalId) localChunkId = 0; } /** Union type representing any record entry type. */ export type EntryType = RecordEntryType | RsrcEntryType; /** Record or resource entry list. */ export interface RecordListType<EntryT extends EntryType> extends Serializable { /** Array of record or resource entries. */ values: Array<EntryT>; } /** Record entry list in PDB databases. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L51 */ export class PdbRecordListType extends SObject implements RecordListType<RecordEntryType> { /** Offset of next PdbRecordListType structure. * * We don't support multiple RecordListTypes, so this must always be 0. See * page 17 of the Palm File Format Specification for more details. */ @field(SUInt32BE) private readonly nextListId = 0; /** Array of record entries. */ @
field(SDynamicArray.of(SUInt16BE, RecordEntryType)) values: Array<RecordEntryType> = [];
@field(SUInt16BE) private readonly padding1 = 0; } /** Resource entry list in PRC databases. * * References: * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-3.1/include/Core/System/DataPrv.h#L51 */ export class PrcRecordListType extends SObject implements RecordListType<RsrcEntryType> { /** Offset of next PrcRecordListType structure. * * We don't support multiple RecordListTypes, so this must always be 0. See * page 17 of the Palm File Format Specification for more details. */ @field(SUInt32BE) private readonly nextListId = 0; /** Array of resource entries. */ @field(SDynamicArray.of(SUInt16BE, RsrcEntryType)) values: Array<RsrcEntryType> = []; @field(SUInt16BE) private readonly padding1 = 0; } /** Database attribute flags. * * References: * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-5r4/include/Core/System/DataMgr.h * - https://github.com/madsen/Palm-PDB/blob/master/lib/Palm/PDB.pm */ export class DatabaseAttrs extends SBitmask.of(SUInt16BE) { /** Database not closed properly. */ @bitfield(1) open = false; @bitfield(3) private unused1 = 0; /** This database (resource or record) is associated with the application * with the same creator. It will be beamed and copied along with the * application. */ @bitfield(1) bundle = false; /** This database (resource or record) is recyclable: it will be deleted Real * Soon Now, generally the next time the database is closed. */ @bitfield(1) recyclable = false; /** This data database (not applicable for executables) can be "launched" by * passing its name to it's owner app ('appl' database with same creator) * using the sysAppLaunchCmdOpenNamedDB action code. */ @bitfield(1) launchableData = false; /** This database should generally be hidden from view. * * Used to hide some apps from the main view of the launcher for example. For * data (non-resource) databases, this hides the record count within the * launcher info screen. */ @bitfield(1) hidden = false; /** This database is used for file stream implementation. */ @bitfield(1) stream = false; /** This database should not be copied to */ @bitfield(1) copyPrevention = false; /** Device requires a reset after this database is installed. */ @bitfield(1) resetAfterInstall = false; /** This tells the backup conduit that it's OK for it to install a newer version * of this database with a different name if the current database is open. This * mechanism is used to update the Graffiti Shortcuts database, for example. */ @bitfield(1) okToInstallNewer = false; /** Set if database should be backed up to PC if no app-specific synchronization * conduit has been supplied. */ @bitfield(1) backup = false; /** Set if Application Info block is dirty. * * Optionally supported by an App's conduit. */ @bitfield(1) appInfoDirty = false; /** Read Only database. */ @bitfield(1) readOnly = false; /** Whether this is a resource database (i.e. PRC). */ @bitfield(1) resDB = false; } /** Record attribute flags in PDB files. * * In the DLP protocol, we use one byte to store record attribute flags and * another byte to store the record category. However, in PDB files, we use a * single byte is used to store both attribute flags and the record category. * * This presents a problem: there are 5 record attributes (namely delete, dirty, * busy, secret, and archive), leaving 3 bits unused, but we need 4 bits to * store the record category. So the lowest 4 bits are overloaded, but the * exactly how differs among existing open source implementations: * * In pilot-link: * - Upper 4 bits store the first 4 record attributes (delete, dirty, busy, secret) * - Lower 4 bits store the record category; there's no archive bit * * In ColdSync: * - If the record is busy, bit 5 stores the archive flag and the lowest 3 * bits are unused. * - If the record is not busy, the lowest 4 bits store the category. * * In the Palm::PDB Perl module: * - If the record is deleted or busy, bit 5 stores the archive flag and the * lowest 3 bits are unused. * - If the record is neither deleted or busy, the lowest 4 bits store the * category. * * Here we've chosen to follow the Palm::PDB Perl module's implementation, as it * is the most flexible. * * References: * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-5r4/include/Core/System/DataMgr.h#L44 * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-5r4/include/Core/System/DLCommon.h#L44 * - https://github.com/jichu4n/pilot-link/blob/master/libpisock/pi-file.c#L670 * - https://github.com/jichu4n/pilot-link/blob/master/libpisock/pi-file.c#L479 * - https://github.com/dwery/coldsync/blob/master/libpdb/pdb.c#L96 * - https://metacpan.org/dist/Palm-PDB/source/lib/Palm/PDB.pm#L428 */ export class RecordAttrs extends SBitmask.of(SUInt8) { /** Record has been deleted. */ @bitfield(1) delete = false; /** Record has been modified. */ @bitfield(1) dirty = false; /** Record currently in use. * * This bit may also indicate the record has been deleted -- see comments in * https://github.com/dwery/coldsync/blob/master/include/pdb.h . */ @bitfield(1) busy = false; /** "Secret" record - password protected. */ @bitfield(1) secret = false; @bitfield(4) private lowest4bits = 0; /** Record is archived. * * Only available if deleted or busy. */ get archive() { if (this.delete || this.busy) { return Boolean(this.lowest4bits & 0b1000); } else { return false; } } set archive(newValue: boolean) { if (!(this.delete || this.busy)) { throw new Error( `Attempting to set archive = ${newValue} ` + `on record that is neither deleted nor busy` ); } this.lowest4bits = newValue ? this.lowest4bits | 0b1000 : this.lowest4bits & 0b0111; } /** Record category. * * Only available if NOT deleted or busy. */ get category() { if (this.delete || this.busy) { return 0; } else { return this.lowest4bits; } } set category(newValue: number) { if (this.delete || this.busy) { const recordState = this.delete && this.busy ? 'deleted and busy' : this.delete ? 'deleted' : 'busy'; throw new Error( `Attempting to set category ${newValue} on record ` + `that is currently ${recordState}` ); } this.lowest4bits = newValue & 0b1111; } }
src/database-header.ts
jichu4n-palm-pdb-497cb75
[ { "filename": "src/database.ts", "retrieved_chunk": " *\n * Note that `entry.localChunkId` is overwritten during serialization.\n */\n records: Array<RecordT> = [];\n deserialize(buffer: Buffer, opts?: DeserializeOptions) {\n opts = {encoding: DEFAULT_ENCODING, ...opts};\n this.header.deserialize(buffer, opts);\n const recordList = new this.recordListType();\n recordList.deserialize(\n buffer.subarray(this.header.getSerializedLength(opts)),", "score": 0.8106348514556885 }, { "filename": "src/database.ts", "retrieved_chunk": "> extends SObject {\n /** Record list constructor, to be provided by child classes. */\n protected abstract readonly recordListType: new () => RecordListType<EntryT>;\n /** Record type constructor, to be provided by child classes. */\n protected abstract readonly recordType: new () => RecordT;\n /** AppInfo type constructor, to be provided by child classes. */\n protected readonly appInfoType: (new () => AppInfoT) | null = null;\n /** SortInfo type constructor, to be provided by child classes. */\n protected readonly sortInfoType: (new () => SortInfoT) | null = null;\n /** Database header.", "score": 0.8076589703559875 }, { "filename": "src/address-database.ts", "retrieved_chunk": " @field()\n private phoneNumberTypeMappingBitmask = new PhoneNumberTypeMappingBitmask();\n /** Cells in this record.\n *\n * A record can contain up to NUM_ADDRESS_FIELDS cells, one for each\n * AddressFieldType.\n *\n * This array can be manipulated directly or via the get() and set() methods.\n */\n cells: Array<AddressRecordCell> = [];", "score": 0.796630859375 }, { "filename": "src/app-info.ts", "retrieved_chunk": " *\n * References:\n * - https://jichu4n.github.io/palm-pdb/assets/Palm%20File%20Format%20Specification.pdf\n * - https://github.com/jichu4n/palm-os-sdk/blob/master/sdk-5r3/include/Core/UI/Category.h\n */\nexport class AppInfoType extends SObject {\n /** Array of category information (dmRecNumCategories = 16 elements). */\n categories: Array<Category> = [];\n @field(SUInt16BE)\n private renamedCategories = 0;", "score": 0.7926802039146423 }, { "filename": "src/record.ts", "retrieved_chunk": " implements Record<RecordEntryType>\n{\n entry = new RecordEntryType();\n toJSON() {\n return {\n entry: this.entry,\n ...super.toJSON(),\n };\n }\n}", "score": 0.7925460338592529 } ]
typescript
field(SDynamicArray.of(SUInt16BE, RecordEntryType)) values: Array<RecordEntryType> = [];
import { validators, x as xPointsRaw, questions } from "./initialData.json" import type { Pair, ScoredValidator, ValidatorData } from "./types" import { linearInterpolation } from "./linearInterpolation" type DataPoints = [Array<number>, Array<number>, Array<number>, Array<number>] function getValidatorDataFromIdx(idx: number): ValidatorData { const [votes, clusterSize, commission, avgEraPoints, selfStake] = validators[idx] return { votes, clusterSize, commission, avgEraPoints, selfStake } } const add = (a: number, b: number) => a + b export function getPair(id: number): Pair { const [questionIdxs, quality] = questions[id] as [ [number, number] | string, number, ] return { id, pair: Array.isArray(questionIdxs) ? { a: getValidatorDataFromIdx(questionIdxs[0]), b: getValidatorDataFromIdx(questionIdxs[1]), } : null, quality: quality === -1 ? 0 : Math.max(0.0001, quality) / 0.75, } } export const maxQuestionsIdx = questions.length - 1 function getScoreFunctionForQuestionId(yPoints: DataPoints) { const xPoints = xPointsRaw as DataPoints const pointsByField = yPoints.map((ys, idxField) => ys.map((y, idx) => ({ y, x: xPoints[idxField][idx] })), ) const fns = pointsByField.map(linearInterpolation) return (validator: ValidatorData) => Object.values(validator) .map((val, idx) => fns[idx](val)) .reduce(add) } const sortingDataPromise = import("./sortingData.json").then( (mod) => mod.default, ) as Promise<Array<DataPoints>> const validatorsP = import("./validators").then((x) => x.validators) export async function ranking( questionId: number,
): Promise<Array<ScoredValidator>> {
const [sortingData, validators] = await Promise.all([ sortingDataPromise, validatorsP, ]) const getScore = getScoreFunctionForQuestionId(sortingData[questionId]) return Object.entries(validators) .map(([address, validator]) => ({ address, score: getScore(validator), ...validator, })) .sort((a, b) => b.score - a.score) }
src/api/api.ts
w3f-validator-selection-tool-e904b57
[ { "filename": "src/api/validators/getCommissions.ts", "retrieved_chunk": "import { getStakingValidators } from \"./chain\"\nexport const getComissions = (validators: string[]) =>\n Promise.all(validators.map(getStakingValidators)).then((validators) =>\n validators.map(\n (v) => v && Math.round((v.commission as number) / 1_000) / 10_000,\n ),\n )", "score": 0.8098863959312439 }, { "filename": "src/state.ts", "retrieved_chunk": " pipe,\n Observable,\n switchMap,\n scan,\n combineLatest,\n} from \"rxjs\"\nimport { maxQuestionsIdx, getPair, ranking } from \"./api\"\nexport const [reset$, onReset] = createSignal<void>()\nconst withReset: <T>(source: Observable<T>) => Observable<T> = pipe(\n takeUntil(reset$),", "score": 0.8097977042198181 }, { "filename": "src/api/validators/getValidators.ts", "retrieved_chunk": " const validators = (await getSessionValidators())!\n const [comissions, clusterSizes, points, votes, selfStake] =\n await Promise.all([\n getComissions(validators),\n getClusterSizes(validators),\n getEraPoints(validators),\n getVotes(validators),\n getSelfStake(validators),\n ])\n const result = Object.fromEntries(", "score": 0.8077316284179688 }, { "filename": "src/api/validators/getVotes.ts", "retrieved_chunk": "import { lastValueFrom, mergeMap } from \"rxjs\"\nimport { getStakingNominatorsFromKey, stakingNominatorsKeys$ } from \"./chain\"\nexport const getVotes = async (validators: string[]) => {\n const votes: Map<string, { count: number }> = new Map(\n validators.map((v) => [v, { count: 0 }]),\n )\n const getNominatorAndUpdateVotes = async (storageKey: string) => {\n const nominator = await getStakingNominatorsFromKey(storageKey)\n nominator?.targets.forEach((t) => {\n const v = votes.get(t)", "score": 0.8061743974685669 }, { "filename": "src/api/validators/getPoints.ts", "retrieved_chunk": "import { getStakingCurrentEra, getStakingErasRewardsPoints } from \"./chain\"\nconst N_ERAS = 83\nexport const getEraPoints = async (validators: string[]) => {\n const currentEra = await getStakingCurrentEra()\n const previousEras = Array(N_ERAS)\n .fill(null)\n .map((_, idx) => currentEra! - idx - 1)\n const allEraPoints = await Promise.all(\n previousEras.map(getStakingErasRewardsPoints),\n )", "score": 0.8029382228851318 } ]
typescript
): Promise<Array<ScoredValidator>> {
import { startWithBytecode } from "smoldot/dist/mjs/no-auto-bytecode-browser" import type { ValidatorData } from "../types" // @ts-ignore import SmWorker from "./sm-worker?worker" // @ts-ignore import ValidatorsWorker from "./validators-worker?worker" const smWorker: Worker = SmWorker() const smoldotRawChannel = new MessageChannel() smWorker.postMessage(smoldotRawChannel.port1, [smoldotRawChannel.port1]) const validatorsWorker: Worker = ValidatorsWorker() const chainSpecPromise = import("./polkadot-spec").then((x) => x.default) const bytecodePromise = new Promise((resolve) => { smWorker.addEventListener("message", (e) => { resolve(e.data) }), { once: true, } }) ;(async () => { const bytecode: any = await bytecodePromise const client = startWithBytecode({ bytecode, portToWorker: smoldotRawChannel.port2, }) const chainSpec = await chainSpecPromise const chain = await client.addChain({ chainSpec, }) const validatorsChannel = new MessageChannel() validatorsChannel.port2.onmessage = (e) => { chain.sendJsonRpc(e.data) } validatorsWorker.postMessage(validatorsChannel.port1, [ validatorsChannel.port1, ]) try { while (true) validatorsChannel.port2.postMessage(await chain.nextJsonRpcResponse()) } catch (e) { console.error(e) validatorsWorker.postMessage(e) } })()
export const validators = new Promise<Record<string, ValidatorData>>( (res, rej) => {
validatorsWorker.addEventListener( "message", (e) => { if (e.data?.type === "result") { console.trace("validators loaded") res(e.data.payload) } else rej(e.data?.payload ?? e.data) }, { once: true }, ) }, )
src/api/validators/index.ts
w3f-validator-selection-tool-e904b57
[ { "filename": "src/api/validators/validators-worker.ts", "retrieved_chunk": "import { getValidators } from \"./getValidators\"\nself.addEventListener(\n \"message\",\n (msg) => {\n if (msg.data) {\n getValidators(msg.data)\n } else {\n console.error(\"Did not receive smoldot port\")\n }\n },", "score": 0.8381621241569519 }, { "filename": "src/api/validators/getValidators.ts", "retrieved_chunk": "import { getSessionValidators } from \"./chain\"\nimport { getComissions } from \"./getCommissions\"\nimport { getClusterSizes } from \"./getClusterSizes\"\nimport { getEraPoints } from \"./getPoints\"\nimport { getSelfStake } from \"./getSelfStake\"\nimport { getVotes } from \"./getVotes\"\nimport { setSmPort } from \"./chain/client\"\nexport async function getValidators(smPort: MessagePort) {\n setSmPort(smPort)\n try {", "score": 0.8375535011291504 }, { "filename": "src/api/validators/getVotes.ts", "retrieved_chunk": "import { lastValueFrom, mergeMap } from \"rxjs\"\nimport { getStakingNominatorsFromKey, stakingNominatorsKeys$ } from \"./chain\"\nexport const getVotes = async (validators: string[]) => {\n const votes: Map<string, { count: number }> = new Map(\n validators.map((v) => [v, { count: 0 }]),\n )\n const getNominatorAndUpdateVotes = async (storageKey: string) => {\n const nominator = await getStakingNominatorsFromKey(storageKey)\n nominator?.targets.forEach((t) => {\n const v = votes.get(t)", "score": 0.8113365769386292 }, { "filename": "src/api/validators/getCommissions.ts", "retrieved_chunk": "import { getStakingValidators } from \"./chain\"\nexport const getComissions = (validators: string[]) =>\n Promise.all(validators.map(getStakingValidators)).then((validators) =>\n validators.map(\n (v) => v && Math.round((v.commission as number) / 1_000) / 10_000,\n ),\n )", "score": 0.8038089275360107 }, { "filename": "src/api/validators/getValidators.ts", "retrieved_chunk": " const validators = (await getSessionValidators())!\n const [comissions, clusterSizes, points, votes, selfStake] =\n await Promise.all([\n getComissions(validators),\n getClusterSizes(validators),\n getEraPoints(validators),\n getVotes(validators),\n getSelfStake(validators),\n ])\n const result = Object.fromEntries(", "score": 0.8033691644668579 } ]
typescript
export const validators = new Promise<Record<string, ValidatorData>>( (res, rej) => {
import { validators, x as xPointsRaw, questions } from "./initialData.json" import type { Pair, ScoredValidator, ValidatorData } from "./types" import { linearInterpolation } from "./linearInterpolation" type DataPoints = [Array<number>, Array<number>, Array<number>, Array<number>] function getValidatorDataFromIdx(idx: number): ValidatorData { const [votes, clusterSize, commission, avgEraPoints, selfStake] = validators[idx] return { votes, clusterSize, commission, avgEraPoints, selfStake } } const add = (a: number, b: number) => a + b export function getPair(id: number): Pair { const [questionIdxs, quality] = questions[id] as [ [number, number] | string, number, ] return { id, pair: Array.isArray(questionIdxs) ? { a: getValidatorDataFromIdx(questionIdxs[0]), b: getValidatorDataFromIdx(questionIdxs[1]), } : null, quality: quality === -1 ? 0 : Math.max(0.0001, quality) / 0.75, } } export const maxQuestionsIdx = questions.length - 1 function getScoreFunctionForQuestionId(yPoints: DataPoints) { const xPoints = xPointsRaw as DataPoints const pointsByField = yPoints.map((ys, idxField) => ys.map((y, idx) => ({ y, x: xPoints[idxField][idx] })), ) const fns = pointsByField.map(linearInterpolation) return (validator: ValidatorData) => Object.values(validator)
.map((val, idx) => fns[idx](val)) .reduce(add) }
const sortingDataPromise = import("./sortingData.json").then( (mod) => mod.default, ) as Promise<Array<DataPoints>> const validatorsP = import("./validators").then((x) => x.validators) export async function ranking( questionId: number, ): Promise<Array<ScoredValidator>> { const [sortingData, validators] = await Promise.all([ sortingDataPromise, validatorsP, ]) const getScore = getScoreFunctionForQuestionId(sortingData[questionId]) return Object.entries(validators) .map(([address, validator]) => ({ address, score: getScore(validator), ...validator, })) .sort((a, b) => b.score - a.score) }
src/api/api.ts
w3f-validator-selection-tool-e904b57
[ { "filename": "src/api/linearInterpolation.test.ts", "retrieved_chunk": "import { linearInterpolation } from \"./linearInterpolation\"\ndescribe(\"linearInterpolation\", () => {\n const sortedPoints = [\n { x: 0, y: 5 },\n { x: 5, y: 10 },\n { x: 15, y: 0 },\n { x: 20, y: 10 },\n { x: 26, y: 28 },\n ]\n const interpolate = linearInterpolation(sortedPoints)", "score": 0.8405855298042297 }, { "filename": "src/api/validators/getPoints.ts", "retrieved_chunk": " }))\n return validators.map((validator) => {\n return Math.round(\n allEraPointsWithAvg\n .map((era) => {\n const points = era.pointsPerValidator.has(validator)\n ? era.pointsPerValidator.get(validator)!\n : era.avgPoints\n return points * era.avgMultiplier\n })", "score": 0.8374075889587402 }, { "filename": "src/api/validators/getPoints.ts", "retrieved_chunk": " let totalScorers = 0\n const allEraPointsWithAvg = allEraPoints\n .map((eraPoints) => {\n const nScorersInEra = eraPoints!.individual.length\n totalScorers += nScorersInEra\n const avgPoints =\n eraPoints!.individual.reduce((a, b) => a + b.points, 0) / nScorersInEra\n const pointsPerValidator = new Map(\n eraPoints!.individual.map((x) => [x.account, x.points] as const),\n )", "score": 0.835671067237854 }, { "filename": "src/api/linearInterpolation.ts", "retrieved_chunk": " const relativeX = x - sortedPoints[fromIdx].x\n const relativeY = (yDelta * relativeX) / xDelta\n return sortedPoints[fromIdx].y + relativeY\n }\n}", "score": 0.8293883800506592 }, { "filename": "src/api/linearInterpolation.ts", "retrieved_chunk": " return diff > 0\n ? binarySearch(target, sortedValues, mid, toIdx)\n : binarySearch(target, sortedValues, fromIdx, mid)\n}\nexport const linearInterpolation = (\n sortedPoints: Array<{ x: number; y: number }>,\n): ((x: number) => number) => {\n const sortedX = sortedPoints.map(({ x }) => x)\n const findLimits = (x: number): number | [number, number] => {\n if (x <= sortedX[0]) return 0", "score": 0.8112146854400635 } ]
typescript
.map((val, idx) => fns[idx](val)) .reduce(add) }
import { getAttributesByRole } from "./getAttributesByRole"; import { getLabelFromAriaAttribute } from "./getLabelFromAriaAttribute"; import { getLabelFromHtmlEquivalentAttribute } from "./getLabelFromHtmlEquivalentAttribute"; import { getLabelFromImplicitHtmlElementValue } from "./getLabelFromImplicitHtmlElementValue"; import { isElement } from "../../isElement"; import { mapAttributeNameAndValueToLabel } from "./mapAttributeNameAndValueToLabel"; import { postProcessLabels } from "./postProcessLabels"; export const getAccessibleAttributeLabels = ({ accessibleValue, alternateReadingOrderParents, container, node, role, }: { accessibleValue: string; alternateReadingOrderParents: Node[]; container: Node; node: Node; role: string; }): string[] => { if (!isElement(node)) { return []; } const labels: Record<string, { label: string; value: string }> = {}; const attributes = getAttributesByRole({ accessibleValue, role }); attributes.forEach(([attributeName, implicitAttributeValue]) => { const { label: labelFromHtmlEquivalentAttribute, value: valueFromHtmlEquivalentAttribute, } = getLabelFromHtmlEquivalentAttribute({ attributeName, container, node, }); if (labelFromHtmlEquivalentAttribute) { labels[attributeName] = { label: labelFromHtmlEquivalentAttribute, value: valueFromHtmlEquivalentAttribute, }; return; } const { label: labelFromAriaAttribute, value: valueFromAriaAttribute } = getLabelFromAriaAttribute({ attributeName, container, node, }); if (labelFromAriaAttribute) { labels[attributeName] = { label: labelFromAriaAttribute, value: valueFromAriaAttribute, }; return; } const { label: labelFromImplicitHtmlElementValue, value: valueFromImplicitHtmlElementValue,
} = getLabelFromImplicitHtmlElementValue({
attributeName, container, node, }); if (labelFromImplicitHtmlElementValue) { labels[attributeName] = { label: labelFromImplicitHtmlElementValue, value: valueFromImplicitHtmlElementValue, }; return; } const labelFromImplicitAriaAttributeValue = mapAttributeNameAndValueToLabel( { attributeName, attributeValue: implicitAttributeValue, container, } ); if (labelFromImplicitAriaAttributeValue) { labels[attributeName] = { label: labelFromImplicitAriaAttributeValue, value: implicitAttributeValue, }; return; } }); const processedLabels = postProcessLabels({ labels, role }).filter(Boolean); /** * aria-flowto MUST requirements: * * The reading order goes both directions, and a user needs to be aware of the * alternate reading order so that they can invoke the functionality. * * The reading order goes both directions, and a user needs to be able to * travel backwards through their chosen reading order. * * REF: https://a11ysupport.io/tech/aria/aria-flowto_attribute */ if (alternateReadingOrderParents.length > 0) { processedLabels.push( `${alternateReadingOrderParents.length} previous alternate reading ${ alternateReadingOrderParents.length === 1 ? "order" : "orders" }` ); } return processedLabels; };
src/getNodeAccessibilityData/getAccessibleAttributeLabels/index.ts
guidepup-virtual-screen-reader-1b0a234
[ { "filename": "src/getNodeAccessibilityData/getAccessibleAttributeLabels/getLabelFromHtmlEquivalentAttribute.ts", "retrieved_chunk": " });\n if (label) {\n return { label, value: attributeValue };\n }\n }\n return { label: \"\", value: \"\" };\n};", "score": 0.8932733535766602 }, { "filename": "src/getNodeAccessibilityData/getAccessibleAttributeLabels/getLabelFromAriaAttribute.ts", "retrieved_chunk": "import { mapAttributeNameAndValueToLabel } from \"./mapAttributeNameAndValueToLabel\";\nexport const getLabelFromAriaAttribute = ({\n attributeName,\n container,\n node,\n}: {\n attributeName: string;\n container: Node;\n node: HTMLElement;\n}) => {", "score": 0.8828551173210144 }, { "filename": "src/getNodeAccessibilityData/getAccessibleAttributeLabels/getLabelFromImplicitHtmlElementValue.ts", "retrieved_chunk": " const { localName } = node;\n const implicitValue = mapLocalNameToImplicitValue[attributeName]?.[localName];\n return {\n label: mapAttributeNameAndValueToLabel({\n attributeName,\n attributeValue: implicitValue,\n container,\n }),\n value: implicitValue,\n };", "score": 0.8827100396156311 }, { "filename": "src/getNodeAccessibilityData/getAccessibleAttributeLabels/getLabelFromAriaAttribute.ts", "retrieved_chunk": " const attributeValue = node.getAttribute(attributeName);\n return {\n label: mapAttributeNameAndValueToLabel({\n attributeName,\n attributeValue,\n container,\n }),\n value: attributeValue,\n };\n};", "score": 0.8799970746040344 }, { "filename": "src/getNodeAccessibilityData/getAccessibleAttributeLabels/mapAttributeNameAndValueToLabel.ts", "retrieved_chunk": "}) => {\n if (typeof attributeValue !== \"string\") {\n return null;\n }\n const mapper = ariaPropertyToVirtualLabelMap[attributeName];\n return mapper?.({ attributeValue, container, negative }) ?? null;\n};", "score": 0.8773777484893799 } ]
typescript
} = getLabelFromImplicitHtmlElementValue({
import { getIdRefsByAttribute } from "./getIdRefsByAttribute"; import { getNodeAccessibilityData } from "./getNodeAccessibilityData"; import { getNodeByIdRef } from "./getNodeByIdRef"; import { HTMLElementWithValue } from "./getNodeAccessibilityData/getAccessibleValue"; import { isElement } from "./isElement"; import { isInaccessible } from "dom-accessibility-api"; export interface AccessibilityNode { accessibleAttributeLabels: string[]; accessibleDescription: string; accessibleName: string; accessibleValue: string; allowedAccessibilityChildRoles: string[][]; alternateReadingOrderParents: Node[]; childrenPresentational: boolean; node: Node; parent: Node | null; role: string; spokenRole: string; } interface AccessibilityNodeTree extends AccessibilityNode { children: AccessibilityNodeTree[]; } interface AccessibilityContext { alternateReadingOrderMap: Map<Node, Set<Node>>; container: Node; ownedNodes: Set<Node>; visitedNodes: Set<Node>; } function addAlternateReadingOrderNodes( node: Element, alternateReadingOrderMap: Map<Node, Set<Node>>, container: Element ) { const idRefs = getIdRefsByAttribute({ attributeName: "aria-flowto", node, }); idRefs.forEach((idRef) => { const childNode = getNodeByIdRef({ container, idRef }); if (!childNode) { return; } const currentParentNodes = alternateReadingOrderMap.get(childNode) ?? new Set<Node>(); currentParentNodes.add(node); alternateReadingOrderMap.set(childNode, currentParentNodes); }); } function mapAlternateReadingOrder(node: Node) { const alternateReadingOrderMap = new Map<Node, Set<Node>>(); if (!isElement(node)) { return alternateReadingOrderMap; } node .querySelectorAll("[aria-flowto]") .forEach((parentNode) => addAlternateReadingOrderNodes(parentNode, alternateReadingOrderMap, node) ); return alternateReadingOrderMap; } function addOwnedNodes( node: Element, ownedNodes: Set<Node>, container: Element ) { const idRefs = getIdRefsByAttribute({ attributeName: "aria-owns", node, }); idRefs.forEach((idRef) => { const ownedNode = getNodeByIdRef({ container, idRef }); if (!!ownedNode && !ownedNodes.has(ownedNode)) { ownedNodes.add(ownedNode); } }); } function getAllOwnedNodes(node: Node) { const ownedNodes = new Set<Node>(); if (!isElement(node)) { return ownedNodes; } node .querySelectorAll("[aria-owns]") .forEach((owningNode) => addOwnedNodes(owningNode, ownedNodes, node)); return ownedNodes; } function getOwnedNodes(node: Node, container: Node) { const ownedNodes = new Set<Node>(); if (!isElement(node) || !isElement(container)) { return ownedNodes; } addOwnedNodes(node, ownedNodes, container); return ownedNodes; } function isHiddenFromAccessibilityTree(node: Node) { if (!node) { return true; } if (node.nodeType === Node.TEXT_NODE && !!node.textContent.trim()) { return false; } return !isElement(node) || isInaccessible(node); } function shouldIgnoreChildren(tree: AccessibilityNodeTree) { const { accessibleName, node } = tree; if (!accessibleName) { return false; } return ( // TODO: improve comparison on whether the children are superfluous // to include. accessibleName === ( node.textContent || `${
(node as HTMLElementWithValue).value}` || "" )?.trim() );
} function flattenTree(tree: AccessibilityNodeTree): AccessibilityNode[] { const { children, ...treeNode } = tree; const isAnnounced = !!treeNode.accessibleName || !!treeNode.accessibleDescription || treeNode.accessibleAttributeLabels.length > 0 || !!treeNode.spokenRole; const ignoreChildren = shouldIgnoreChildren(tree); const flattenedTree = ignoreChildren ? [] : [...children.flatMap((child) => flattenTree(child))]; const isRoleContainer = !!flattenedTree.length && !ignoreChildren && !!treeNode.spokenRole; if (isAnnounced) { flattenedTree.unshift(treeNode); } if (isRoleContainer) { flattenedTree.push({ accessibleAttributeLabels: treeNode.accessibleAttributeLabels, accessibleDescription: treeNode.accessibleDescription, accessibleName: treeNode.accessibleName, accessibleValue: treeNode.accessibleValue, allowedAccessibilityChildRoles: treeNode.allowedAccessibilityChildRoles, alternateReadingOrderParents: treeNode.alternateReadingOrderParents, childrenPresentational: treeNode.childrenPresentational, node: treeNode.node, parent: treeNode.parent, role: treeNode.role, spokenRole: `end of ${treeNode.spokenRole}`, }); } return flattenedTree; } function growTree( node: Node, tree: AccessibilityNodeTree, { alternateReadingOrderMap, container, ownedNodes, visitedNodes, }: AccessibilityContext ): AccessibilityNodeTree { /** * Authors MUST NOT create circular references with aria-owns. In the case of * authoring error with aria-owns, the user agent MAY ignore some aria-owns * element references in order to build a consistent model of the content. * * REF: https://w3c.github.io/aria/#aria-owns */ if (visitedNodes.has(node)) { return tree; } visitedNodes.add(node); node.childNodes.forEach((childNode) => { if (isHiddenFromAccessibilityTree(childNode)) { return; } // REF: https://github.com/w3c/aria/issues/1817#issuecomment-1261602357 if (ownedNodes.has(childNode)) { return; } const alternateReadingOrderParents = alternateReadingOrderMap.has(childNode) ? Array.from(alternateReadingOrderMap.get(childNode)) : []; const { accessibleAttributeLabels, accessibleDescription, accessibleName, accessibleValue, allowedAccessibilityChildRoles, childrenPresentational, role, spokenRole, } = getNodeAccessibilityData({ allowedAccessibilityRoles: tree.allowedAccessibilityChildRoles, alternateReadingOrderParents, container, node: childNode, inheritedImplicitPresentational: tree.childrenPresentational, }); tree.children.push( growTree( childNode, { accessibleAttributeLabels, accessibleDescription, accessibleName, accessibleValue, allowedAccessibilityChildRoles, alternateReadingOrderParents, children: [], childrenPresentational, node: childNode, parent: node, role, spokenRole, }, { alternateReadingOrderMap, container, ownedNodes, visitedNodes } ) ); }); /** * If an element has both aria-owns and DOM children then the order of the * child elements with respect to the parent/child relationship is the DOM * children first, then the elements referenced in aria-owns. If the author * intends that the DOM children are not first, then list the DOM children in * aria-owns in the desired order. Authors SHOULD NOT use aria-owns as a * replacement for the DOM hierarchy. If the relationship is represented in * the DOM, do not use aria-owns. * * REF: https://w3c.github.io/aria/#aria-owns */ const ownedChildNodes = getOwnedNodes(node, container); ownedChildNodes.forEach((childNode) => { if (isHiddenFromAccessibilityTree(childNode)) { return; } const alternateReadingOrderParents = alternateReadingOrderMap.has(childNode) ? Array.from(alternateReadingOrderMap.get(childNode)) : []; const { accessibleAttributeLabels, accessibleDescription, accessibleName, accessibleValue, allowedAccessibilityChildRoles, childrenPresentational, role, spokenRole, } = getNodeAccessibilityData({ allowedAccessibilityRoles: tree.allowedAccessibilityChildRoles, alternateReadingOrderParents, container, node: childNode, inheritedImplicitPresentational: tree.childrenPresentational, }); tree.children.push( growTree( childNode, { accessibleAttributeLabels, accessibleDescription, accessibleName, accessibleValue, allowedAccessibilityChildRoles, alternateReadingOrderParents, children: [], childrenPresentational, node: childNode, parent: node, role, spokenRole, }, { alternateReadingOrderMap, container, ownedNodes, visitedNodes } ) ); }); return tree; } export function createAccessibilityTree(node: Node) { if (isHiddenFromAccessibilityTree(node)) { return []; } const alternateReadingOrderMap = mapAlternateReadingOrder(node); const ownedNodes = getAllOwnedNodes(node); const visitedNodes = new Set<Node>(); const { accessibleAttributeLabels, accessibleDescription, accessibleName, accessibleValue, allowedAccessibilityChildRoles, childrenPresentational, role, spokenRole, } = getNodeAccessibilityData({ allowedAccessibilityRoles: [], alternateReadingOrderParents: [], container: node, node, inheritedImplicitPresentational: false, }); const tree = growTree( node, { accessibleAttributeLabels, accessibleDescription, accessibleName, accessibleValue, allowedAccessibilityChildRoles, alternateReadingOrderParents: [], children: [], childrenPresentational, node, parent: null, role, spokenRole, }, { alternateReadingOrderMap, container: node, ownedNodes, visitedNodes, } ); return flattenTree(tree); }
src/createAccessibilityTree.ts
guidepup-virtual-screen-reader-1b0a234
[ { "filename": "src/getNodeAccessibilityData/getAccessibleName.ts", "retrieved_chunk": "import { computeAccessibleName } from \"dom-accessibility-api\";\nimport { isElement } from \"../isElement\";\nexport function getAccessibleName(node: Node) {\n return isElement(node)\n ? computeAccessibleName(node).trim()\n : node.textContent.trim();\n}", "score": 0.8872826099395752 }, { "filename": "src/getNodeAccessibilityData/getAccessibleDescription.ts", "retrieved_chunk": "import { computeAccessibleDescription } from \"dom-accessibility-api\";\nimport { isElement } from \"../isElement\";\nexport function getAccessibleDescription(node: Node) {\n return isElement(node) ? computeAccessibleDescription(node).trim() : \"\";\n}", "score": 0.8608612418174744 }, { "filename": "src/getNodeAccessibilityData/getAccessibleValue.ts", "retrieved_chunk": " }\n return typeof node.value === \"number\" ? `${node.value}` : node.value;\n}\nexport function getAccessibleValue(node: Node) {\n if (!isElement(node)) {\n return \"\";\n }\n switch (node.localName) {\n case \"input\": {\n return getInputValue(node as HTMLInputElement);", "score": 0.8605728149414062 }, { "filename": "src/getNodeAccessibilityData/getAccessibleValue.ts", "retrieved_chunk": "}\nfunction getValue(node: HTMLElementWithValue) {\n if (!allowedLocalNames.includes(node.localName)) {\n return \"\";\n }\n if (\n node.getAttribute(\"aria-valuetext\") ||\n node.getAttribute(\"aria-valuenow\")\n ) {\n return \"\";", "score": 0.8547093272209167 }, { "filename": "src/Virtual.ts", "retrieved_chunk": " node,\n role,\n spokenRole,\n }) =>\n accessibleDescription === this.#activeNode?.accessibleDescription &&\n accessibleName === this.#activeNode?.accessibleName &&\n accessibleValue === this.#activeNode?.accessibleValue &&\n node === this.#activeNode?.node &&\n role === this.#activeNode?.role &&\n spokenRole === this.#activeNode?.spokenRole", "score": 0.8491113185882568 } ]
typescript
(node as HTMLElementWithValue).value}` || "" )?.trim() );
import { ARIARoleDefinitionKey, roles } from "aria-query"; import { getRole, presentationRoles } from "./getRole"; import { getAccessibleAttributeLabels } from "./getAccessibleAttributeLabels"; import { getAccessibleDescription } from "./getAccessibleDescription"; import { getAccessibleName } from "./getAccessibleName"; import { getAccessibleValue } from "./getAccessibleValue"; import { isElement } from "../isElement"; const childrenPresentationalRoles = roles .entries() .filter(([, { childrenPresentational }]) => childrenPresentational) .map(([key]) => key) as string[]; const getSpokenRole = ({ isGeneric, isPresentational, node, role }) => { if (isPresentational || isGeneric) { return ""; } if (isElement(node)) { /** * Assistive technologies SHOULD use the value of aria-roledescription when * presenting the role of an element, but SHOULD NOT change other * functionality based on the role of an element that has a value for * aria-roledescription. For example, an assistive technology that provides * functions for navigating to the next region or button SHOULD allow those * functions to navigate to regions and buttons that have an * aria-roledescription. * * REF: https://w3c.github.io/aria/#aria-roledescription */ const roledescription = node.getAttribute("aria-roledescription"); if (roledescription) { return roledescription; } } return role; }; export function getNodeAccessibilityData({ allowedAccessibilityRoles, alternateReadingOrderParents, container, inheritedImplicitPresentational, node, }: { allowedAccessibilityRoles: string[][]; alternateReadingOrderParents: Node[]; container: Node; inheritedImplicitPresentational: boolean; node: Node; }) { const accessibleDescription = getAccessibleDescription(node); const accessibleName = getAccessibleName(node); const accessibleValue = getAccessibleValue(node); const { explicitRole, implicitRole, role } = getRole({ accessibleName, allowedAccessibilityRoles, inheritedImplicitPresentational, node, });
const accessibleAttributeLabels = getAccessibleAttributeLabels({
accessibleValue, alternateReadingOrderParents, container, node, role, }); const amendedAccessibleDescription = accessibleDescription === accessibleName ? "" : accessibleDescription; const isExplicitPresentational = presentationRoles.includes(explicitRole); const isPresentational = presentationRoles.includes(role); const isGeneric = role === "generic"; const spokenRole = getSpokenRole({ isGeneric, isPresentational, node, role, }); const { requiredOwnedElements: allowedAccessibilityChildRoles } = (roles.get( role as ARIARoleDefinitionKey ) as unknown as { requiredOwnedElements: string[][]; }) ?? { requiredOwnedElements: [] }; const { requiredOwnedElements: implicitAllowedAccessibilityChildRoles } = (roles.get(implicitRole as ARIARoleDefinitionKey) as unknown as { requiredOwnedElements: string[][]; }) ?? { requiredOwnedElements: [] }; /** * Any descendants of elements that have the characteristic "Children * Presentational: True" unless the descendant is not allowed to be * presentational because it meets one of the conditions for exception * described in Presentational Roles Conflict Resolution. However, the text * content of any excluded descendants is included. * * REF: https://w3c.github.io/aria/#tree_exclusion */ const isChildrenPresentationalRole = childrenPresentationalRoles.includes(role); /** * When an explicit or inherited role of presentation is applied to an * element with the implicit semantic of a WAI-ARIA role that has Allowed * Accessibility Child Roles, in addition to the element with the explicit * role of presentation, the user agent MUST apply an inherited role of * presentation to any owned elements that do not have an explicit role * defined. Also, when an explicit or inherited role of presentation is * applied to a host language element which has specifically allowed children * as defined by the host language specification, in addition to the element * with the explicit role of presentation, the user agent MUST apply an * inherited role of presentation to any specifically allowed children that * do not have an explicit role defined. * * REF: https://w3c.github.io/aria/#presentational-role-inheritance */ const isExplicitOrInheritedPresentation = isExplicitPresentational || inheritedImplicitPresentational; const isElementWithImplicitAllowedAccessibilityChildRoles = !!implicitAllowedAccessibilityChildRoles.length; const childrenInheritPresentationExceptAllowedRoles = isExplicitOrInheritedPresentation && isElementWithImplicitAllowedAccessibilityChildRoles; const childrenPresentational = isChildrenPresentationalRole || childrenInheritPresentationExceptAllowedRoles; return { accessibleAttributeLabels, accessibleDescription: amendedAccessibleDescription, accessibleName, accessibleValue, allowedAccessibilityChildRoles, childrenPresentational, role, spokenRole, }; }
src/getNodeAccessibilityData/index.ts
guidepup-virtual-screen-reader-1b0a234
[ { "filename": "src/createAccessibilityTree.ts", "retrieved_chunk": " const {\n accessibleAttributeLabels,\n accessibleDescription,\n accessibleName,\n accessibleValue,\n allowedAccessibilityChildRoles,\n childrenPresentational,\n role,\n spokenRole,\n } = getNodeAccessibilityData({", "score": 0.9114862680435181 }, { "filename": "src/getNodeAccessibilityData/getRole.ts", "retrieved_chunk": "}: {\n accessibleName: string;\n allowedAccessibilityRoles: string[][];\n inheritedImplicitPresentational: boolean;\n node: Node;\n}) {\n if (!isElement(node)) {\n return { explicitRole: \"\", implicitRole: \"\", role: \"\" };\n }\n const target = node.cloneNode() as HTMLElement;", "score": 0.9072326421737671 }, { "filename": "src/createAccessibilityTree.ts", "retrieved_chunk": " accessibleValue,\n allowedAccessibilityChildRoles,\n childrenPresentational,\n role,\n spokenRole,\n } = getNodeAccessibilityData({\n allowedAccessibilityRoles: [],\n alternateReadingOrderParents: [],\n container: node,\n node,", "score": 0.9059281349182129 }, { "filename": "src/createAccessibilityTree.ts", "retrieved_chunk": " inheritedImplicitPresentational: false,\n });\n const tree = growTree(\n node,\n {\n accessibleAttributeLabels,\n accessibleDescription,\n accessibleName,\n accessibleValue,\n allowedAccessibilityChildRoles,", "score": 0.9034481048583984 }, { "filename": "src/getNodeAccessibilityData/getAccessibleAttributeLabels/index.ts", "retrieved_chunk": " if (!isElement(node)) {\n return [];\n }\n const labels: Record<string, { label: string; value: string }> = {};\n const attributes = getAttributesByRole({ accessibleValue, role });\n attributes.forEach(([attributeName, implicitAttributeValue]) => {\n const {\n label: labelFromHtmlEquivalentAttribute,\n value: valueFromHtmlEquivalentAttribute,\n } = getLabelFromHtmlEquivalentAttribute({", "score": 0.8968734741210938 } ]
typescript
const accessibleAttributeLabels = getAccessibleAttributeLabels({
import { getNextIndexByRole } from "./getNextIndexByRole"; import { getPreviousIndexByRole } from "./getPreviousIndexByRole"; import { jumpToControlledElement } from "./jumpToControlledElement"; import { jumpToDetailsElement } from "./jumpToDetailsElement"; import { moveToNextAlternateReadingOrderElement } from "./moveToNextAlternateReadingOrderElement"; import { moveToPreviousAlternateReadingOrderElement } from "./moveToPreviousAlternateReadingOrderElement"; import { VirtualCommandArgs } from "./types"; const quickLandmarkNavigationRoles = [ /** * Assistive technologies SHOULD enable users to quickly navigate to * elements with role banner. * * REF: https://w3c.github.io/aria/#banner */ "banner", /** * Assistive technologies SHOULD enable users to quickly navigate to * elements with role complementary. * * REF: https://w3c.github.io/aria/#complementary */ "complementary", /** * Assistive technologies SHOULD enable users to quickly navigate to * elements with role contentinfo. * * REF: https://w3c.github.io/aria/#contentinfo */ "contentinfo", /** * Assistive technologies SHOULD enable users to quickly navigate to * figures. * * REF: https://w3c.github.io/aria/#figure */ "figure", /** * Assistive technologies SHOULD enable users to quickly navigate to * elements with role form. * * REF: https://w3c.github.io/aria/#form */ "form", /** * Assistive technologies SHOULD enable users to quickly navigate to * elements with role main. * * REF: https://w3c.github.io/aria/#main */ "main", /** * Assistive technologies SHOULD enable users to quickly navigate to * elements with role navigation. * * REF: https://w3c.github.io/aria/#navigation */ "navigation", /** * Assistive technologies SHOULD enable users to quickly navigate to * elements with role region. * * REF: https://w3c.github.io/aria/#region */ "region", /** * Assistive technologies SHOULD enable users to quickly navigate to * elements with role search. * * REF: https://w3c.github.io/aria/#search */ "search", ] as const; const quickLandmarkNavigationCommands = quickLandmarkNavigationRoles.reduce< Record<string, unknown> >((accumulatedCommands, role) => { const moveToNextCommand = `moveToNext${role.at(0).toUpperCase()}${role.slice( 1 )}`; const moveToPreviousCommand = `moveToPrevious${role .at(0) .toUpperCase()}${role.slice(1)}`; return { ...accumulatedCommands, [moveToNextCommand]: getNextIndexByRole([role]), [moveToPreviousCommand]:
getPreviousIndexByRole([role]), };
}, {}) as { [K in | `moveToNext${Capitalize<(typeof quickLandmarkNavigationRoles)[number]>}` | `moveToPrevious${Capitalize< (typeof quickLandmarkNavigationRoles)[number] >}`]: (args: VirtualCommandArgs) => number | null; }; export const commands = { jumpToControlledElement, jumpToDetailsElement, moveToNextAlternateReadingOrderElement, moveToPreviousAlternateReadingOrderElement, ...quickLandmarkNavigationCommands, moveToNextLandmark: getNextIndexByRole(quickLandmarkNavigationRoles), moveToPreviousLandmark: getPreviousIndexByRole(quickLandmarkNavigationRoles), }; export type VirtualCommands = { [K in keyof typeof commands]: (typeof commands)[K]; }; export type VirtualCommandKey = keyof VirtualCommands;
src/commands/index.ts
guidepup-virtual-screen-reader-1b0a234
[ { "filename": "src/commands/getNextIndexByRole.ts", "retrieved_chunk": "import { VirtualCommandArgs } from \"./types\";\nexport type GetNextIndexByRoleArgs = Omit<VirtualCommandArgs, \"container\">;\nexport function getNextIndexByRole(roles: Readonly<string[]>) {\n return function getNextIndex({ currentIndex, tree }: GetNextIndexByRoleArgs) {\n const reorderedTree = tree\n .slice(currentIndex + 1)\n .concat(tree.slice(0, currentIndex + 1));\n const accessibilityNode = reorderedTree.find(\n (node) =>\n roles.includes(node.role) && !node.spokenRole.startsWith(\"end of\")", "score": 0.8390061855316162 }, { "filename": "src/commands/getPreviousIndexByRole.ts", "retrieved_chunk": "import { VirtualCommandArgs } from \"./types\";\nexport type GetPreviousIndexByRoleArgs = Omit<VirtualCommandArgs, \"container\">;\nexport function getPreviousIndexByRole(roles: Readonly<string[]>) {\n return function getPreviousIndex({\n currentIndex,\n tree,\n }: GetPreviousIndexByRoleArgs) {\n const reorderedTree = tree\n .slice(0, currentIndex)\n .reverse()", "score": 0.8332726955413818 }, { "filename": "src/commands/getPreviousIndexByRole.ts", "retrieved_chunk": " .concat(tree.slice(currentIndex).reverse());\n const accessibilityNode = reorderedTree.find(\n (node) =>\n roles.includes(node.role) && !node.spokenRole.startsWith(\"end of\")\n );\n if (!accessibilityNode) {\n return null;\n }\n return tree.findIndex((node) => node === accessibilityNode);\n };", "score": 0.8074900507926941 }, { "filename": "src/getNodeAccessibilityData/getRole.ts", "retrieved_chunk": " implicitRole = Object.keys(getRoles(target))?.[0] ?? \"\";\n }\n if (explicitRole) {\n return { explicitRole, implicitRole, role: explicitRole };\n }\n return {\n explicitRole,\n implicitRole,\n role: implicitRole,\n };", "score": 0.8048399686813354 }, { "filename": "src/Virtual.ts", "retrieved_chunk": " const tree = this.#getAccessibilityTree();\n if (!tree.length) {\n return;\n }\n const currentIndex = this.#getCurrentIndex(tree);\n const nextIndex = commands[command]?.({\n ...options,\n container: this.#container,\n currentIndex,\n tree,", "score": 0.7921486496925354 } ]
typescript
getPreviousIndexByRole([role]), };