refactor-frontend-containers
#72
Manually merged
offbyn
merged 34 commits from refactor-frontend-containers
into master
2 years ago
File diff suppressed because it is too large
Load Diff
@ -1,92 +0,0 @@
|
|||||||
/**
|
|
||||||
* example usage:
|
|
||||||
*
|
|
||||||
* const props = {className: 'btn', onclick: async (e) => alert('hi')};
|
|
||||||
* const btn = elem('button', props, ['download']);
|
|
||||||
* document.body.append(btn);
|
|
||||||
*
|
|
||||||
* @param {string} name
|
|
||||||
* @param {HTMLElement.prototype} props
|
|
||||||
* @param {Array<HTMLElement|string>} children
|
|
||||||
* @return HTMLElement
|
|
||||||
*/
|
|
||||||
export function elem(name = 'div', {data, ...props} = {}, children = []) {
|
|
||||||
const el = document.createElement(name);
|
|
||||||
Object.assign(el, props);
|
|
||||||
if (['number', 'string'].includes(typeof children)) {
|
|
||||||
el.append(children);
|
|
||||||
} else {
|
|
||||||
el.append(...children);
|
|
||||||
}
|
|
||||||
if (data) {
|
|
||||||
Object.entries(data).forEach(([key, value]) => el.dataset[key] = value);
|
|
||||||
}
|
|
||||||
return el;
|
|
||||||
}
|
|
||||||
|
|
||||||
function isValidURL(url) {
|
|
||||||
if (!['http:', 'https:'].includes(url.protocol)) {
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
if (!['', '443', '80'].includes(url.port)) {
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
if (url.hostname === 'localhost') {
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
const lastDot = url.hostname.lastIndexOf('.');
|
|
||||||
if (lastDot < 1) {
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
if (url.hostname.slice(lastDot) === '.local') {
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
if (url.hostname.slice(lastDot + 1).match(/^[\d]+$/)) { // there should be no tld with numbers, possible ipv4
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
if (url.hostname.includes(':')) { // possibly an ipv6 addr; certainly an invalid hostname
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
return true;
|
|
||||||
}
|
|
||||||
|
|
||||||
export function parseTextContent(string) {
|
|
||||||
let firstLink;
|
|
||||||
return [string
|
|
||||||
.trimRight()
|
|
||||||
.replaceAll(/\n{3,}/g, '\n\n')
|
|
||||||
.split('\n')
|
|
||||||
.map(line => {
|
|
||||||
const words = line.split(/\s/);
|
|
||||||
return words.map(word => {
|
|
||||||
if (word.match(/^ln(tbs?|bcr?t?)[a-z0-9]+$/g)) {
|
|
||||||
return elem('a', {
|
|
||||||
href: `lightning:${word}`
|
|
||||||
}, `lightning:${word.slice(0, 24)}…`);
|
|
||||||
}
|
|
||||||
if (!word.match(/^(https?:\/\/|www\.)\S*/)) {
|
|
||||||
return word;
|
|
||||||
}
|
|
||||||
try {
|
|
||||||
if (!word.startsWith('http')) {
|
|
||||||
word = 'https://' + word;
|
|
||||||
}
|
|
||||||
const url = new URL(word);
|
|
||||||
if (!isValidURL(url)) {
|
|
||||||
return word;
|
|
||||||
}
|
|
||||||
firstLink = firstLink || url.href;
|
|
||||||
return elem('a', {
|
|
||||||
href: url.href,
|
|
||||||
target: '_blank',
|
|
||||||
rel: 'noopener noreferrer'
|
|
||||||
}, url.href.slice(url.protocol.length + 2));
|
|
||||||
} catch (err) {
|
|
||||||
return word;
|
|
||||||
}
|
|
||||||
})
|
|
||||||
.reduce((acc, word) => [...acc, word, ' '], []);
|
|
||||||
})
|
|
||||||
.reduce((acc, words) => [...acc, ...words, elem('br')], []),
|
|
||||||
{firstLink}];
|
|
||||||
}
|
|
@ -0,0 +1,61 @@
|
|||||||
|
import {Event} from 'nostr-tools';
|
||||||
|
import {zeroLeadingBitsCount} from './utils/crypto';
|
||||||
|
|
||||||
|
export const isMention = ([tag, , , marker]: string[]) => tag === 'e' && marker === 'mention';
|
||||||
|
export const hasEventTag = (tag: string[]) => tag[0] === 'e';
|
||||||
|
|
||||||
|
/**
|
||||||
|
* validate proof-of-work of a nostr event per nip-13.
|
||||||
|
* the validation always requires difficulty commitment in the nonce tag.
|
||||||
|
*
|
||||||
|
* @param {EventObj} evt event to validate
|
||||||
|
* TODO: @param {number} targetDifficulty target proof-of-work difficulty
|
||||||
|
*/
|
||||||
|
export const validatePow = (evt: Event) => {
|
||||||
|
const tag = evt.tags.find(tag => tag[0] === 'nonce');
|
||||||
|
if (!tag) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
const difficultyCommitment = Number(tag[2]);
|
||||||
|
if (!difficultyCommitment || Number.isNaN(difficultyCommitment)) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
return zeroLeadingBitsCount(evt.id) >= difficultyCommitment;
|
||||||
|
}
|
||||||
|
|
||||||
|
export const sortByCreatedAt = (evt1: Event, evt2: Event) => {
|
||||||
|
if (evt1.created_at === evt2.created_at) {
|
||||||
|
// console.log('TODO: OMG exactly at the same time, figure out how to sort then', evt1, evt2);
|
||||||
|
}
|
||||||
|
return evt1.created_at > evt2.created_at ? -1 : 1;
|
||||||
|
};
|
||||||
|
|
||||||
|
export const sortEventCreatedAt = (created_at: number) => (
|
||||||
|
{created_at: a}: Event,
|
||||||
|
{created_at: b}: Event,
|
||||||
|
) => (
|
||||||
|
Math.abs(a - created_at) < Math.abs(b - created_at) ? -1 : 1
|
||||||
|
);
|
||||||
|
|
||||||
|
const isReply = ([tag, , , marker]: string[]) => tag === 'e' && marker !== 'mention';
|
||||||
|
|
||||||
|
/**
|
||||||
|
* find reply-to ID according to nip-10, find marked reply or root tag or
|
||||||
|
* fallback to positional (last) e tag or return null
|
||||||
|
* @param {event} evt
|
||||||
|
* @returns replyToID | null
|
||||||
|
*/
|
||||||
|
export const getReplyTo = (evt: Event): string | null => {
|
||||||
|
const eventTags = evt.tags.filter(isReply);
|
||||||
|
const withReplyMarker = eventTags.filter(([, , , marker]) => marker === 'reply');
|
||||||
|
if (withReplyMarker.length === 1) {
|
||||||
|
return withReplyMarker[0][1];
|
||||||
|
}
|
||||||
|
const withRootMarker = eventTags.filter(([, , , marker]) => marker === 'root');
|
||||||
|
if (withReplyMarker.length === 0 && withRootMarker.length === 1) {
|
||||||
|
return withRootMarker[0][1];
|
||||||
|
}
|
||||||
|
// fallback to deprecated positional 'e' tags (nip-10)
|
||||||
|
const lastTag = eventTags.at(-1);
|
||||||
|
return lastTag ? lastTag[1] : null;
|
||||||
|
};
|
File diff suppressed because it is too large
Load Diff
@ -0,0 +1,294 @@
|
|||||||
|
import {Event, nip19} from 'nostr-tools';
|
||||||
|
import {zeroLeadingBitsCount} from './utils/crypto';
|
||||||
|
import {elem} from './utils/dom';
|
||||||
|
import {bounce} from './utils/time';
|
||||||
|
import {isWssUrl} from './utils/url';
|
||||||
|
import {sub24hFeed, subNote, subProfile} from './subscriptions'
|
||||||
|
import {getReplyTo, hasEventTag, isMention, sortByCreatedAt, sortEventCreatedAt} from './events';
|
||||||
|
import {clearView, getViewContent, getViewElem, getViewOptions, setViewElem, view} from './view';
|
||||||
|
import {closeSettingsView, config, toggleSettingsView} from './settings';
|
||||||
|
import {handleReaction, handleUpvote} from './reactions';
|
||||||
|
import {closePublishView, openWriteInput, togglePublishView} from './write';
|
||||||
|
import {handleMetadata, renderProfile} from './profiles';
|
||||||
|
import {EventWithNip19, EventWithNip19AndReplyTo, textNoteList, replyList} from './notes';
|
||||||
|
import {createTextNote, renderRecommendServer} from './ui';
|
||||||
|
|
||||||
|
// curl -H 'accept: application/nostr+json' https://relay.nostr.ch/
|
||||||
|
|
||||||
|
type EventRelayMap = {
|
||||||
|
[eventId: string]: string[];
|
||||||
|
};
|
||||||
|
const eventRelayMap: EventRelayMap = {}; // eventId: [relay1, relay2]
|
||||||
|
|
||||||
|
const renderNote = (
|
||||||
|
evt: EventWithNip19,
|
||||||
|
i: number,
|
||||||
|
sortedFeeds: EventWithNip19[],
|
||||||
|
) => {
|
||||||
|
if (getViewElem(evt.id)) { // note already in view
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const article = createTextNote(evt, eventRelayMap[evt.id][0]);
|
||||||
|
if (i === 0) {
|
||||||
|
getViewContent().append(article);
|
||||||
|
} else {
|
||||||
|
getViewElem(sortedFeeds[i - 1].id).before(article);
|
||||||
|
}
|
||||||
|
setViewElem(evt.id, article);
|
||||||
|
};
|
||||||
|
|
||||||
|
const hasEnoughPOW = (
|
||||||
|
[tag, , commitment]: string[],
|
||||||
|
eventId: string
|
||||||
|
) => {
|
||||||
|
return tag === 'nonce' && Number(commitment) >= config.filterDifficulty && zeroLeadingBitsCount(eventId) >= config.filterDifficulty;
|
||||||
|
};
|
||||||
|
|
||||||
|
const renderFeed = bounce(() => {
|
||||||
|
const view = getViewOptions();
|
||||||
|
switch (view.type) {
|
||||||
|
case 'note':
|
||||||
|
textNoteList
|
||||||
|
.concat(replyList)
|
||||||
|
.filter(note => note.id === view.id)
|
||||||
|
.forEach(renderNote);
|
||||||
|
break;
|
||||||
|
case 'profile':
|
||||||
|
const isEvent = <T>(evt?: T): evt is T => evt !== undefined;
|
||||||
|
[
|
||||||
|
...textNoteList
|
||||||
|
.filter(note => note.pubkey === view.id),
|
||||||
|
...replyList.filter(reply => reply.pubkey === view.id)
|
||||||
|
.map(reply => textNoteList.find(note => note.id === reply.replyTo) || replyList.find(note => note.id === reply.replyTo) )
|
||||||
|
.filter(isEvent)
|
||||||
|
]
|
||||||
|
.sort(sortByCreatedAt)
|
||||||
|
.reverse()
|
||||||
|
.forEach(renderNote); // render in-reply-to
|
||||||
|
|
||||||
|
renderProfile(view.id);
|
||||||
|
break;
|
||||||
|
case 'feed':
|
||||||
|
const now = Math.floor(Date.now() * 0.001);
|
||||||
|
textNoteList
|
||||||
|
.filter(note => {
|
||||||
|
// dont render notes from the future
|
||||||
|
if (note.created_at > now) return false;
|
||||||
|
// if difficulty filter is configured dont render notes with too little pow
|
||||||
|
return !config.filterDifficulty || note.tags.some(tag => hasEnoughPOW(tag, note.id))
|
||||||
|
})
|
||||||
|
.sort(sortByCreatedAt)
|
||||||
|
.reverse()
|
||||||
|
.forEach(renderNote);
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
}, 17); // (16.666 rounded, an arbitrary value to limit updates to max 60x per s)
|
||||||
|
|
||||||
|
const renderReply = (evt: EventWithNip19AndReplyTo) => {
|
||||||
|
const parent = getViewElem(evt.replyTo);
|
||||||
|
if (!parent) { // root article has not been rendered
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
let replyContainer = parent.querySelector('.mobx-replies');
|
||||||
|
if (!replyContainer) {
|
||||||
|
replyContainer = elem('div', {className: 'mobx-replies'});
|
||||||
|
parent.append(replyContainer);
|
||||||
|
}
|
||||||
|
const reply = createTextNote(evt, eventRelayMap[evt.id][0]);
|
||||||
|
replyContainer.append(reply);
|
||||||
|
setViewElem(evt.id, reply);
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleReply = (evt: EventWithNip19, relay: string) => {
|
||||||
|
if (
|
||||||
|
getViewElem(evt.id) // already rendered probably received from another relay
|
||||||
|
|| evt.tags.some(isMention) // ignore mentions for now
|
||||||
|
) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const replyTo = getReplyTo(evt);
|
||||||
|
if (!replyTo) {
|
||||||
|
console.warn('expected to find reply-to-event-id', evt);
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const evtWithReplyTo = {replyTo, ...evt};
|
||||||
|
replyList.push(evtWithReplyTo);
|
||||||
|
renderReply(evtWithReplyTo);
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleTextNote = (evt: Event, relay: string) => {
|
||||||
|
if (evt.content.startsWith('vmess://') && !evt.content.includes(' ')) {
|
||||||
|
console.info('drop VMESS encrypted message');
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
if (eventRelayMap[evt.id]) {
|
||||||
|
eventRelayMap[evt.id] = [...(eventRelayMap[evt.id]), relay]; // TODO: just push?
|
||||||
|
} else {
|
||||||
|
eventRelayMap[evt.id] = [relay];
|
||||||
|
const evtWithNip19 = {
|
||||||
|
nip19: {
|
||||||
|
note: nip19.noteEncode(evt.id),
|
||||||
|
npub: nip19.npubEncode(evt.pubkey),
|
||||||
|
},
|
||||||
|
...evt,
|
||||||
|
};
|
||||||
|
if (evt.tags.some(hasEventTag)) {
|
||||||
|
handleReply(evtWithNip19, relay);
|
||||||
|
} else {
|
||||||
|
textNoteList.push(evtWithNip19);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
if (!getViewElem(evt.id)) {
|
||||||
|
renderFeed();
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
config.rerenderFeed = () => {
|
||||||
|
clearView();
|
||||||
|
renderFeed();
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleRecommendServer = (evt: Event, relay: string) => {
|
||||||
|
if (getViewElem(evt.id) || !isWssUrl(evt.content)) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const art = renderRecommendServer(evt, relay);
|
||||||
|
if (textNoteList.length < 2) {
|
||||||
|
getViewContent().append(art);
|
||||||
|
} else {
|
||||||
|
const closestTextNotes = textNoteList
|
||||||
|
// TODO: prob change to hasEnoughPOW
|
||||||
|
.filter(note => !config.filterDifficulty || note.tags.some(([tag, , commitment]) => tag === 'nonce' && Number(commitment) >= config.filterDifficulty))
|
||||||
|
.sort(sortEventCreatedAt(evt.created_at));
|
||||||
|
getViewElem(closestTextNotes[0].id)?.after(art); // TODO: note might not be in the dom yet, recommendedServers could be controlled by renderFeed
|
||||||
|
}
|
||||||
|
setViewElem(evt.id, art);
|
||||||
|
};
|
||||||
|
|
||||||
|
const onEvent = (evt: Event, relay: string) => {
|
||||||
|
switch (evt.kind) {
|
||||||
|
case 0:
|
||||||
|
handleMetadata(evt, relay);
|
||||||
|
break;
|
||||||
|
case 1:
|
||||||
|
handleTextNote(evt, relay);
|
||||||
|
break;
|
||||||
|
case 2:
|
||||||
|
handleRecommendServer(evt, relay);
|
||||||
|
break;
|
||||||
|
case 3:
|
||||||
|
// handleContactList(evt, relay);
|
||||||
|
break;
|
||||||
|
case 7:
|
||||||
|
handleReaction(evt, relay);
|
||||||
|
default:
|
||||||
|
// console.log(`TODO: add support for event kind ${evt.kind}`/*, evt*/)
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
// subscribe and change view
|
||||||
|
const route = (path: string) => {
|
||||||
|
if (path === '/') {
|
||||||
|
sub24hFeed(onEvent);
|
||||||
|
view('/', {type: 'feed'});
|
||||||
|
} else if (path.length === 64 && path.match(/^\/[0-9a-z]+$/)) {
|
||||||
|
const {type, data} = nip19.decode(path.slice(1));
|
||||||
|
if (typeof data !== 'string') {
|
||||||
|
console.warn('nip19 ProfilePointer, EventPointer and AddressPointer are not yet supported');
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
switch(type) {
|
||||||
|
case 'note':
|
||||||
|
subNote(data, onEvent);
|
||||||
|
view(path, {type: 'note', id: data});
|
||||||
|
break;
|
||||||
|
case 'npub':
|
||||||
|
subProfile(data, onEvent);
|
||||||
|
view(path, {type: 'profile', id: data});
|
||||||
|
break;
|
||||||
|
default:
|
||||||
|
console.warn(`type ${type} not yet supported`);
|
||||||
|
}
|
||||||
|
renderFeed();
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
// onload
|
||||||
|
route(location.pathname);
|
||||||
|
history.pushState({}, '', location.pathname);
|
||||||
|
|
||||||
|
window.addEventListener('popstate', (event) => {
|
||||||
|
route(location.pathname);
|
||||||
|
});
|
||||||
|
|
||||||
|
const handleLink = (a: HTMLAnchorElement, e: MouseEvent) => {
|
||||||
|
const href = a.getAttribute('href');
|
||||||
|
if (typeof href !== 'string') {
|
||||||
|
console.warn('expected anchor to have href attribute', a);
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
closeSettingsView();
|
||||||
|
closePublishView();
|
||||||
|
if (href === location.pathname) {
|
||||||
|
e.preventDefault();
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
if (
|
||||||
|
href === '/'
|
||||||
|
|| href.startsWith('/note')
|
||||||
|
|| href.startsWith('/npub')
|
||||||
|
) {
|
||||||
|
route(href);
|
||||||
|
history.pushState({}, '', href);
|
||||||
|
e.preventDefault();
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleButton = (button: HTMLButtonElement) => {
|
||||||
|
switch(button.name) {
|
||||||
|
case 'settings':
|
||||||
|
toggleSettingsView();
|
||||||
|
return;
|
||||||
|
case 'new-note':
|
||||||
|
togglePublishView();
|
||||||
|
return;
|
||||||
|
case 'back':
|
||||||
|
closePublishView();
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const id = (button.closest('[data-id]') as HTMLElement)?.dataset.id;
|
||||||
|
if (id) {
|
||||||
|
switch(button.name) {
|
||||||
|
case 'reply':
|
||||||
|
openWriteInput(button, id);
|
||||||
|
break;
|
||||||
|
case 'star':
|
||||||
|
const note = replyList.find(r => r.id === id) || textNoteList.find(n => n.id === (id));
|
||||||
|
note && handleUpvote(note);
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
// const container = e.target.closest('[data-append]');
|
||||||
|
// if (container) {
|
||||||
|
// container.append(...parseTextContent(container.dataset.append));
|
||||||
|
// delete container.dataset.append;
|
||||||
|
// return;
|
||||||
|
// }
|
||||||
|
};
|
||||||
|
|
||||||
|
document.body.addEventListener('click', (event: MouseEvent) => {
|
||||||
|
const target = event.target as HTMLElement;
|
||||||
|
const a = target?.closest('a');
|
||||||
|
if (a) {
|
||||||
|
// dont intercept command-click
|
||||||
|
if (event.metaKey) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
handleLink(a, event);
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const button = target?.closest('button');
|
||||||
|
if (button) {
|
||||||
|
handleButton(button);
|
||||||
|
}
|
||||||
|
});
|
@ -0,0 +1,114 @@
|
|||||||
|
import { elem } from './utils/dom';
|
||||||
|
import { getNoxyUrl } from './utils/url';
|
||||||
|
|
||||||
|
export const parseContent = (content: string): unknown => {
|
||||||
|
try {
|
||||||
|
return JSON.parse(content);
|
||||||
|
} catch(err) {
|
||||||
|
console.warn(err, content);
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
type FetchItem = {
|
||||||
|
href: string;
|
||||||
|
id: string;
|
||||||
|
relay: string;
|
||||||
|
};
|
||||||
|
|
||||||
|
type NoxyData = {
|
||||||
|
title: string;
|
||||||
|
descr: string;
|
||||||
|
images: string[];
|
||||||
|
};
|
||||||
|
|
||||||
|
const fetchQue: Array<FetchItem> = [];
|
||||||
|
|
||||||
|
let fetchPending: (null | Promise<NoxyData>) = null;
|
||||||
|
|
||||||
|
const fetchNext = (
|
||||||
|
href: string,
|
||||||
|
id: string,
|
||||||
|
relay: string,
|
||||||
|
) => {
|
||||||
|
const noxy = getNoxyUrl('meta', href, id, relay);
|
||||||
|
if (!noxy) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
const previewId = noxy.searchParams.toString();
|
||||||
|
if (fetchPending) {
|
||||||
|
fetchQue.push({href, id, relay});
|
||||||
|
return previewId;
|
||||||
|
}
|
||||||
|
fetchPending = fetch(noxy.href)
|
||||||
|
.then(data => {
|
||||||
|
if (data.status === 200) {
|
||||||
|
return data.json();
|
||||||
|
}
|
||||||
|
// fetchQue.push({href, id, relay}); // could try one more time
|
||||||
|
return Promise.reject(data);
|
||||||
|
})
|
||||||
|
.then(meta => {
|
||||||
|
const container = document.getElementById(previewId);
|
||||||
|
const content: Array<HTMLElement> = [];
|
||||||
|
if (meta.images[0]) {
|
||||||
|
const img = getNoxyUrl('data', meta.images[0], id, relay);
|
||||||
|
img && content.push(
|
||||||
|
elem('img', {
|
||||||
|
className: 'preview-image',
|
||||||
|
loading: 'lazy',
|
||||||
|
src: img.href,
|
||||||
|
})
|
||||||
|
);
|
||||||
|
}
|
||||||
|
if (meta.title) {
|
||||||
|
content.push(elem('h2', {className: 'preview-title'}, meta.title));
|
||||||
|
}
|
||||||
|
if (meta.descr) {
|
||||||
|
content.push(elem('p', {className: 'preview-descr'}, meta.descr))
|
||||||
|
}
|
||||||
|
if (container && content.length) {
|
||||||
|
container.append(elem('a', {href, rel: 'noopener noreferrer', target: '_blank'}, content));
|
||||||
|
container.classList.add('preview-loaded');
|
||||||
|
}
|
||||||
|
})
|
||||||
|
.finally(() => {
|
||||||
|
fetchPending = null;
|
||||||
|
if (fetchQue.length) {
|
||||||
|
const {href, id, relay} = fetchQue.shift() as FetchItem;
|
||||||
|
return fetchNext(href, id, relay);
|
||||||
|
}
|
||||||
|
})
|
||||||
|
.catch(err => err.text && err.text())
|
||||||
|
.then(errMsg => errMsg && console.warn(errMsg));
|
||||||
|
|
||||||
|
return previewId;
|
||||||
|
};
|
||||||
|
|
||||||
|
export const linkPreview = (
|
||||||
|
href: string,
|
||||||
|
id: string,
|
||||||
|
relay: string,
|
||||||
|
) => {
|
||||||
|
if ((/\.(gif|jpe?g|png)$/i).test(href)) {
|
||||||
|
const img = getNoxyUrl('data', href, id, relay);
|
||||||
|
if (!img) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
return elem('div', {},
|
||||||
|
[elem('img', {
|
||||||
|
className: 'preview-image-only',
|
||||||
|
loading: 'lazy',
|
||||||
|
src: img.href,
|
||||||
|
})]
|
||||||
|
);
|
||||||
|
}
|
||||||
|
const previewId = fetchNext(href, id, relay);
|
||||||
|
if (!previewId) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
return elem('div', {
|
||||||
|
className: 'preview',
|
||||||
|
id: previewId,
|
||||||
|
});
|
||||||
|
};
|
@ -0,0 +1,16 @@
|
|||||||
|
import {Event} from 'nostr-tools';
|
||||||
|
|
||||||
|
export type EventWithNip19 = Event & {
|
||||||
|
nip19: {
|
||||||
|
note: string;
|
||||||
|
npub: string;
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
export const textNoteList: Array<EventWithNip19> = []; // could use indexDB
|
||||||
|
|
||||||
|
export type EventWithNip19AndReplyTo = EventWithNip19 & {
|
||||||
|
replyTo: string;
|
||||||
|
};
|
||||||
|
|
||||||
|
export const replyList: Array<EventWithNip19AndReplyTo> = [];
|
@ -0,0 +1,179 @@
|
|||||||
|
import {Event} from 'nostr-tools';
|
||||||
|
import {elem, elemCanvas} from './utils/dom';
|
||||||
|
import {getHost, getNoxyUrl} from './utils/url';
|
||||||
|
import {getViewContent, getViewElem} from './view';
|
||||||
|
import {validatePow} from './events';
|
||||||
|
import {parseContent} from './media';
|
||||||
|
|
||||||
|
type Metadata = {
|
||||||
|
name?: string;
|
||||||
|
about?: string;
|
||||||
|
picture?: string;
|
||||||
|
};
|
||||||
|
|
||||||
|
type Profile = {
|
||||||
|
metadata: {
|
||||||
|
[relay: string]: Metadata;
|
||||||
|
};
|
||||||
|
name?: string;
|
||||||
|
picture?: string;
|
||||||
|
pubkey: string;
|
||||||
|
};
|
||||||
|
|
||||||
|
const userList: Array<Profile> = [];
|
||||||
|
// const tempContactList = {};
|
||||||
|
|
||||||
|
const setMetadata = (
|
||||||
|
evt: Event,
|
||||||
|
relay: string,
|
||||||
|
metadata: Metadata,
|
||||||
|
) => {
|
||||||
|
let user = userList.find(u => u.pubkey === evt.pubkey);
|
||||||
|
if (!user) {
|
||||||
|
user = {
|
||||||
|
metadata: {[relay]: metadata},
|
||||||
|
pubkey: evt.pubkey,
|
||||||
|
};
|
||||||
|
userList.push(user);
|
||||||
|
} else {
|
||||||
|
user.metadata[relay] = {
|
||||||
|
...user.metadata[relay],
|
||||||
|
// timestamp: evt.created_at,
|
||||||
|
...metadata,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
// store the first seen name (for now) as main user.name
|
||||||
|
if (!user.name && metadata.name) {
|
||||||
|
user.name = metadata.name;
|
||||||
|
}
|
||||||
|
|
||||||
|
// use the first seen profile pic (for now), pics from different relays are not supported yet
|
||||||
|
if (!user.picture && metadata.picture) {
|
||||||
|
const imgUrl = getNoxyUrl('data', metadata.picture, evt.id, relay);
|
||||||
|
if (imgUrl) {
|
||||||
|
user.picture = imgUrl.href;
|
||||||
|
|
||||||
|
// update profile images that used some nip-13 work
|
||||||
|
if (imgUrl.href && validatePow(evt)) {
|
||||||
|
document.body
|
||||||
|
.querySelectorAll(`canvas[data-pubkey="${evt.pubkey}"]`)
|
||||||
|
.forEach(canvas => canvas.parentNode?.replaceChild(elem('img', {src: imgUrl.href}), canvas));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// update profile names
|
||||||
|
const name = user.metadata[relay].name || user.name || '';
|
||||||
|
if (name) {
|
||||||
|
document.body
|
||||||
|
// TODO: this should not depend on specific DOM structure, move pubkey info on username element
|
||||||
|
.querySelectorAll(`[data-pubkey="${evt.pubkey}"] > .mbox-body > header .mbox-username:not(.mbox-kind0-name)`)
|
||||||
|
.forEach((username: HTMLElement) => {
|
||||||
|
username.textContent = name;
|
||||||
|
username.classList.add('mbox-kind0-name');
|
||||||
|
});
|
||||||
|
}
|
||||||
|
// if (tempContactList[relay]) {
|
||||||
|
// const updates = tempContactList[relay].filter(update => update.pubkey === evt.pubkey);
|
||||||
|
// if (updates) {
|
||||||
|
// console.log('TODO: add contact list (kind 3)', updates);
|
||||||
|
// }
|
||||||
|
// }
|
||||||
|
};
|
||||||
|
|
||||||
|
export const handleMetadata = (evt: Event, relay: string) => {
|
||||||
|
const content = parseContent(evt.content);
|
||||||
|
if (!content || typeof content !== 'object' || Array.isArray(content)) {
|
||||||
|
console.warn('expected nip-01 JSON object with user info, but got something funny', evt);
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const hasNameString = 'name' in content && typeof content.name === 'string';
|
||||||
|
const hasAboutString = 'about' in content && typeof content.about === 'string';
|
||||||
|
const hasPictureString = 'picture' in content && typeof content.picture === 'string';
|
||||||
|
// custom
|
||||||
|
const hasDisplayName = 'display_name' in content && typeof content.display_name === 'string';
|
||||||
|
if (!hasNameString && !hasAboutString && !hasPictureString && !hasDisplayName) {
|
||||||
|
console.warn('expected basic nip-01 user info (name, about, picture) but nothing found', evt);
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const metadata: Metadata = {
|
||||||
|
...(hasNameString && {name: content.name as string} || hasDisplayName && {name: content.display_name as string}),
|
||||||
|
...(hasAboutString && {about: content.about as string}),
|
||||||
|
...(hasPictureString && {picture: content.picture as string}),
|
||||||
|
};
|
||||||
|
setMetadata(evt, relay, metadata);
|
||||||
|
};
|
||||||
|
|
||||||
|
export const getProfile = (pubkey: string) => userList.find(user => user.pubkey === pubkey);
|
||||||
|
|
||||||
|
export const getMetadata = (evt: Event, relay: string) => {
|
||||||
|
const host = getHost(relay);
|
||||||
|
const user = getProfile(evt.pubkey);
|
||||||
|
const userImg = user?.picture;
|
||||||
|
const name = user?.metadata[relay]?.name || user?.name;
|
||||||
|
const userName = name || evt.pubkey.slice(0, 8);
|
||||||
|
const userAbout = user?.metadata[relay]?.about || '';
|
||||||
|
const img = (userImg && validatePow(evt)) ? elem('img', {
|
||||||
|
alt: `${userName} ${host}`,
|
||||||
|
loading: 'lazy',
|
||||||
|
src: userImg,
|
||||||
|
title: `${userName} on ${host} ${userAbout}`,
|
||||||
|
}) : elemCanvas(evt.pubkey);
|
||||||
|
const time = new Date(evt.created_at * 1000);
|
||||||
|
return {host, img, name, time, userName};
|
||||||
|
};
|
||||||
|
|
||||||
|
/* export function handleContactList(evt, relay) {
|
||||||
|
if (getViewElem(evt.id)) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const art = renderUpdateContact(evt, relay);
|
||||||
|
if (textNoteList.length < 2) {
|
||||||
|
getViewContent().append(art);
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const closestTextNotes = textNoteList.sort(sortEventCreatedAt(evt.created_at));
|
||||||
|
getViewElem(closestTextNotes[0].id).after(art);
|
||||||
|
setViewElem(evt.id, art);
|
||||||
|
// const user = userList.find(u => u.pupkey === evt.pubkey);
|
||||||
|
// if (user) {
|
||||||
|
// console.log(`TODO: add contact list for ${evt.pubkey.slice(0, 8)} on ${relay}`, evt.tags);
|
||||||
|
// } else {
|
||||||
|
// tempContactList[relay] = tempContactList[relay]
|
||||||
|
// ? [...tempContactList[relay], evt]
|
||||||
|
// : [evt];
|
||||||
|
// }
|
||||||
|
} */
|
||||||
|
|
||||||
|
// function renderUpdateContact(evt, relay) {
|
||||||
|
// const {img, time, userName} = getMetadata(evt, relay);
|
||||||
|
// const body = elem('div', {className: 'mbox-body', title: dateTime.format(time)}, [
|
||||||
|
// elem('header', {className: 'mbox-header'}, [
|
||||||
|
// elem('small', {}, []),
|
||||||
|
// ]),
|
||||||
|
// elem('pre', {title: JSON.stringify(evt.content)}, [
|
||||||
|
// elem('strong', {}, userName),
|
||||||
|
// ' updated contacts: ',
|
||||||
|
// JSON.stringify(evt.tags),
|
||||||
|
// ]),
|
||||||
|
// ]);
|
||||||
|
// return renderArticle([img, body], {className: 'mbox-updated-contact', data: {id: evt.id, pubkey: evt.pubkey, relay}});
|
||||||
|
// }
|
||||||
|
|
||||||
|
export const renderProfile = (id: string) => {
|
||||||
|
const content = getViewContent();
|
||||||
|
const header = getViewElem(id);
|
||||||
|
if (!content || !header) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const profile = getProfile(id);
|
||||||
|
if (profile && profile.name) {
|
||||||
|
const h1 = header.querySelector('h1');
|
||||||
|
if (h1) {
|
||||||
|
h1.textContent = profile.name;
|
||||||
|
} else {
|
||||||
|
header.prepend(elem('h1', {}, profile.name));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
};
|
@ -0,0 +1,105 @@
|
|||||||
|
import {Event, signEvent, UnsignedEvent} from 'nostr-tools';
|
||||||
|
import {powEvent} from './system';
|
||||||
|
import {publish} from './relays';
|
||||||
|
import {hasEventTag} from './events';
|
||||||
|
import {getViewElem} from './view';
|
||||||
|
import {config} from './settings';
|
||||||
|
|
||||||
|
type ReactionMap = {
|
||||||
|
[eventId: string]: Array<Event>
|
||||||
|
};
|
||||||
|
|
||||||
|
const reactionMap: ReactionMap = {};
|
||||||
|
|
||||||
|
export const getReactions = (eventId: string) => reactionMap[eventId] || [];
|
||||||
|
|
||||||
|
export const getReactionContents = (eventId: string) => {
|
||||||
|
return reactionMap[eventId]?.map(({content}) => content) || [];
|
||||||
|
};
|
||||||
|
|
||||||
|
export const handleReaction = (
|
||||||
|
evt: Event,
|
||||||
|
relay: string,
|
||||||
|
) => {
|
||||||
|
// last id is the note that is being reacted to https://github.com/nostr-protocol/nips/blob/master/25.md
|
||||||
|
const lastEventTag = evt.tags.filter(hasEventTag).at(-1);
|
||||||
|
if (!lastEventTag || !evt.content.length) {
|
||||||
|
// ignore reactions with no content
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const [, eventId] = lastEventTag;
|
||||||
|
if (reactionMap[eventId]) {
|
||||||
|
if (reactionMap[eventId].find(reaction => reaction.id === evt.id)) {
|
||||||
|
// already received this reaction from a different relay
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
reactionMap[eventId] = [evt, ...(reactionMap[eventId])];
|
||||||
|
} else {
|
||||||
|
reactionMap[eventId] = [evt];
|
||||||
|
}
|
||||||
|
const article = getViewElem(eventId);
|
||||||
|
if (article) {
|
||||||
|
const button = article.querySelector('button[name="star"]') as HTMLButtonElement;
|
||||||
|
const reactions = button.querySelector('[data-reactions]') as HTMLElement;
|
||||||
|
reactions.textContent = `${reactionMap[eventId].length || ''}`;
|
||||||
|
if (evt.pubkey === config.pubkey) {
|
||||||
|
const star = button.querySelector('img[src*="star"]');
|
||||||
|
star?.setAttribute('src', '/assets/star-fill.svg');
|
||||||
|
star?.setAttribute('title', getReactionContents(eventId).join(' '));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
const upvote = async (
|
||||||
|
eventId: string,
|
||||||
|
evt: UnsignedEvent,
|
||||||
|
) => {
|
||||||
|
const article = getViewElem(eventId);
|
||||||
|
const reactionBtn = article.querySelector('button[name="star"]') as HTMLButtonElement;
|
||||||
|
const statusElem = article.querySelector('[data-reactions]') as HTMLElement;
|
||||||
|
reactionBtn.disabled = true;
|
||||||
|
const newReaction = await powEvent(evt, {
|
||||||
|
difficulty: config.difficulty,
|
||||||
|
statusElem,
|
||||||
|
timeout: config.timeout,
|
||||||
|
}).catch(console.warn);
|
||||||
|
if (!newReaction) {
|
||||||
|
statusElem.textContent = `${getReactions(eventId)?.length}`;
|
||||||
|
reactionBtn.disabled = false;
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const privatekey = localStorage.getItem('private_key');
|
||||||
|
if (!privatekey) {
|
||||||
|
statusElem.textContent = 'no private key to sign';
|
||||||
|
statusElem.hidden = false;
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const sig = signEvent(newReaction, privatekey);
|
||||||
|
// TODO: validateEvent
|
||||||
|
if (sig) {
|
||||||
|
statusElem.textContent = 'publishing…';
|
||||||
|
publish({...newReaction, sig}, (relay, error) => {
|
||||||
|
if (error) {
|
||||||
|
return console.error(error, relay);
|
||||||
|
}
|
||||||
|
console.info(`event published by ${relay}`);
|
||||||
|
});
|
||||||
|
reactionBtn.disabled = false;
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
export const handleUpvote = (evt: Event) => {
|
||||||
|
const tags = [
|
||||||
|
...evt.tags
|
||||||
|
.filter(tag => ['e', 'p'].includes(tag[0])) // take e and p tags from event
|
||||||
|
.map(([a, b]) => [a, b]), // drop optional (nip-10) relay and marker fields, TODO: use relay?
|
||||||
|
['e', evt.id], ['p', evt.pubkey], // last e and p tag is the id and pubkey of the note being reacted to (nip-25)
|
||||||
|
];
|
||||||
|
upvote(evt.id, {
|
||||||
|
kind: 7,
|
||||||
|
pubkey: config.pubkey,
|
||||||
|
content: '+',
|
||||||
|
tags,
|
||||||
|
created_at: Math.floor(Date.now() * 0.001),
|
||||||
|
});
|
||||||
|
};
|
@ -0,0 +1,99 @@
|
|||||||
|
import {Event, Filter, relayInit, Relay, Sub} from 'nostr-tools';
|
||||||
|
|
||||||
|
type SubCallback = (
|
||||||
|
event: Readonly<Event>,
|
||||||
|
relay: Readonly<string>,
|
||||||
|
) => void;
|
||||||
|
|
||||||
|
type Subscribe = {
|
||||||
|
cb: SubCallback;
|
||||||
|
filter: Filter;
|
||||||
|
};
|
||||||
|
|
||||||
|
const relayList: Array<Relay> = [];
|
||||||
|
const subList: Array<Sub> = [];
|
||||||
|
const currentSubList: Array<Subscribe> = [];
|
||||||
|
|
||||||
|
export const addRelay = async (url: string) => {
|
||||||
|
const relay = relayInit(url);
|
||||||
|
relay.on('connect', () => {
|
||||||
|
console.info(`connected to ${relay.url}`);
|
||||||
|
});
|
||||||
|
relay.on('error', () => {
|
||||||
|
console.warn(`failed to connect to ${relay.url}`);
|
||||||
|
});
|
||||||
|
try {
|
||||||
|
await relay.connect();
|
||||||
|
currentSubList.forEach(({cb, filter}) => subscribe(cb, filter, relay));
|
||||||
|
relayList.push(relay);
|
||||||
|
} catch {
|
||||||
|
console.warn(`could not connect to ${url}`);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
const unsubscribe = (sub: Sub) => {
|
||||||
|
sub.unsub();
|
||||||
|
subList.splice(subList.indexOf(sub), 1);
|
||||||
|
};
|
||||||
|
|
||||||
|
const subscribe = (
|
||||||
|
cb: SubCallback,
|
||||||
|
filter: Filter,
|
||||||
|
relay: Relay,
|
||||||
|
) => {
|
||||||
|
const sub = relay.sub([filter]);
|
||||||
|
subList.push(sub);
|
||||||
|
sub.on('event', (event: Event) => {
|
||||||
|
cb(event, relay.url);
|
||||||
|
});
|
||||||
|
sub.on('eose', () => {
|
||||||
|
// console.log('eose', relay.url);
|
||||||
|
// unsubscribe(sub);
|
||||||
|
});
|
||||||
|
};
|
||||||
|
|
||||||
|
const subscribeAll = (
|
||||||
|
cb: SubCallback,
|
||||||
|
filter: Filter,
|
||||||
|
) => {
|
||||||
|
relayList.forEach(relay => subscribe(cb, filter, relay));
|
||||||
|
};
|
||||||
|
|
||||||
|
export const sub = (obj: Subscribe) => {
|
||||||
|
currentSubList.push(obj);
|
||||||
|
subscribeAll(obj.cb, obj.filter);
|
||||||
|
};
|
||||||
|
|
||||||
|
export const unsubAll = () => {
|
||||||
|
subList.forEach(unsubscribe);
|
||||||
|
currentSubList.length = 0;
|
||||||
|
};
|
||||||
|
|
||||||
|
type PublishCallback = (
|
||||||
|
relay: string,
|
||||||
|
errorMessage?: string,
|
||||||
|
) => void;
|
||||||
|
|
||||||
|
export const publish = (
|
||||||
|
event: Event,
|
||||||
|
cb: PublishCallback,
|
||||||
|
) => {
|
||||||
|
relayList.forEach(relay => {
|
||||||
|
const pub = relay.publish(event);
|
||||||
|
pub.on('ok', () => {
|
||||||
|
console.info(`${relay.url} has accepted our event`);
|
||||||
|
cb(relay.url);
|
||||||
|
});
|
||||||
|
pub.on('failed', (reason: any) => {
|
||||||
|
console.error(`failed to publish to ${relay.url}: ${reason}`);
|
||||||
|
cb(relay.url, reason);
|
||||||
|
});
|
||||||
|
});
|
||||||
|
};
|
||||||
|
|
||||||
|
addRelay('wss://relay.snort.social'); // good one
|
||||||
|
addRelay('wss://nostr.bitcoiner.social');
|
||||||
|
addRelay('wss://nostr.mom');
|
||||||
|
addRelay('wss://relay.nostr.bg');
|
||||||
|
addRelay('wss://nos.lol');
|
||||||
|
addRelay('wss://relay.nostr.ch');
|
@ -0,0 +1,236 @@
|
|||||||
|
import {generatePrivateKey, getPublicKey, signEvent} from 'nostr-tools';
|
||||||
|
import {updateElemHeight} from './utils/dom';
|
||||||
|
import {powEvent} from './system';
|
||||||
|
import {publish} from './relays';
|
||||||
|
|
||||||
|
const settingsView = document.querySelector('#settings') as HTMLElement;
|
||||||
|
|
||||||
|
export const closeSettingsView = () => settingsView.hidden = true;
|
||||||
|
|
||||||
|
export const toggleSettingsView = () => settingsView.hidden = !settingsView.hidden;
|
||||||
|
|
||||||
|
let pubkey: string = '';
|
||||||
|
|
||||||
|
const loadOrGenerateKeys = () => {
|
||||||
|
const storedPubKey = localStorage.getItem('pub_key');
|
||||||
|
if (storedPubKey) {
|
||||||
|
return storedPubKey;
|
||||||
|
}
|
||||||
|
const privatekey = generatePrivateKey();
|
||||||
|
const pubkey = getPublicKey(privatekey);
|
||||||
|
localStorage.setItem('private_key', privatekey);
|
||||||
|
localStorage.setItem('pub_key', pubkey);
|
||||||
|
return pubkey;
|
||||||
|
};
|
||||||
|
|
||||||
|
let filterDifficulty: number = 0;
|
||||||
|
let difficulty: number = 16;
|
||||||
|
let timeout: number = 5;
|
||||||
|
let rerenderFeed: (() => void) | undefined;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* global config object
|
||||||
|
* config.pubkey, if not set loaded from localStorage or generate a new key
|
||||||
|
*/
|
||||||
|
export const config = {
|
||||||
|
get pubkey() {
|
||||||
|
if (!pubkey) {
|
||||||
|
pubkey = loadOrGenerateKeys();
|
||||||
|
}
|
||||||
|
return pubkey;
|
||||||
|
},
|
||||||
|
set pubkey(value) {
|
||||||
|
console.info(`pubkey was set to ${value}`);
|
||||||
|
pubkey = value;
|
||||||
|
},
|
||||||
|
get filterDifficulty() {
|
||||||
|
return filterDifficulty;
|
||||||
|
},
|
||||||
|
get difficulty() {
|
||||||
|
return difficulty;
|
||||||
|
},
|
||||||
|
get timeout() {
|
||||||
|
return timeout;
|
||||||
|
},
|
||||||
|
set rerenderFeed(value: () => void) {
|
||||||
|
rerenderFeed = value;
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
const getNumberFromStorage = (
|
||||||
|
item: string,
|
||||||
|
fallback: number,
|
||||||
|
) => {
|
||||||
|
const stored = localStorage.getItem(item);
|
||||||
|
if (!stored) {
|
||||||
|
return fallback;
|
||||||
|
}
|
||||||
|
return Number(stored);
|
||||||
|
};
|
||||||
|
|
||||||
|
// filter difficulty
|
||||||
|
const filterDifficultyInput = document.querySelector('#filterDifficulty') as HTMLInputElement;
|
||||||
|
const filterDifficultyDisplay = document.querySelector('[data-display="filter_difficulty"]') as HTMLElement;
|
||||||
|
filterDifficultyInput.addEventListener('input', (e) => {
|
||||||
|
localStorage.setItem('filter_difficulty', filterDifficultyInput.value);
|
||||||
|
filterDifficulty = filterDifficultyInput.valueAsNumber;
|
||||||
|
filterDifficultyDisplay.textContent = filterDifficultyInput.value;
|
||||||
|
rerenderFeed && rerenderFeed();
|
||||||
|
});
|
||||||
|
filterDifficulty = getNumberFromStorage('filter_difficulty', 0);
|
||||||
|
filterDifficultyInput.valueAsNumber = filterDifficulty;
|
||||||
|
filterDifficultyDisplay.textContent = filterDifficultyInput.value;
|
||||||
|
|
||||||
|
// mining difficulty target
|
||||||
|
const miningTargetInput = document.querySelector('#miningTarget') as HTMLInputElement;
|
||||||
|
miningTargetInput.addEventListener('input', (e) => {
|
||||||
|
localStorage.setItem('mining_target', miningTargetInput.value);
|
||||||
|
difficulty = miningTargetInput.valueAsNumber;
|
||||||
|
});
|
||||||
|
// arbitrary difficulty default, still experimenting.
|
||||||
|
difficulty = getNumberFromStorage('mining_target', 16);
|
||||||
|
miningTargetInput.valueAsNumber = difficulty;
|
||||||
|
|
||||||
|
// mining timeout
|
||||||
|
const miningTimeoutInput = document.querySelector('#miningTimeout') as HTMLInputElement;
|
||||||
|
miningTimeoutInput.addEventListener('input', (e) => {
|
||||||
|
localStorage.setItem('mining_timeout', miningTimeoutInput.value);
|
||||||
|
timeout = miningTimeoutInput.valueAsNumber;
|
||||||
|
});
|
||||||
|
timeout = getNumberFromStorage('mining_timeout', 5);
|
||||||
|
miningTimeoutInput.valueAsNumber = timeout;
|
||||||
|
|
||||||
|
|
||||||
|
// settings
|
||||||
|
const settingsForm = document.querySelector('form[name="settings"]') as HTMLFormElement;
|
||||||
|
const privateKeyInput = settingsForm.querySelector('#privatekey') as HTMLInputElement;
|
||||||
|
const pubKeyInput = settingsForm.querySelector('#pubkey') as HTMLInputElement;
|
||||||
|
const statusMessage = settingsForm.querySelector('#keystatus') as HTMLElement;
|
||||||
|
const generateBtn = settingsForm.querySelector('button[name="generate"]') as HTMLButtonElement;
|
||||||
|
const importBtn = settingsForm.querySelector('button[name="import"]') as HTMLButtonElement;
|
||||||
|
const privateTgl = settingsForm.querySelector('button[name="privatekey-toggle"]') as HTMLButtonElement;
|
||||||
|
|
||||||
|
const validKeys = (
|
||||||
|
privatekey: string,
|
||||||
|
pubkey: string,
|
||||||
|
) => {
|
||||||
|
try {
|
||||||
|
if (getPublicKey(privatekey) === pubkey) {
|
||||||
|
statusMessage.hidden = true;
|
||||||
|
statusMessage.textContent = 'public-key corresponds to private-key';
|
||||||
|
importBtn.removeAttribute('disabled');
|
||||||
|
return true;
|
||||||
|
} else {
|
||||||
|
statusMessage.textContent = 'private-key does not correspond to public-key!'
|
||||||
|
}
|
||||||
|
} catch (e) {
|
||||||
|
statusMessage.textContent = `not a valid private-key: ${e.message || e}`;
|
||||||
|
}
|
||||||
|
statusMessage.hidden = false;
|
||||||
|
importBtn.disabled = true;
|
||||||
|
return false;
|
||||||
|
};
|
||||||
|
|
||||||
|
generateBtn.addEventListener('click', () => {
|
||||||
|
const privatekey = generatePrivateKey();
|
||||||
|
const pubkey = getPublicKey(privatekey);
|
||||||
|
if (validKeys(privatekey, pubkey)) {
|
||||||
|
privateKeyInput.value = privatekey;
|
||||||
|
pubKeyInput.value = pubkey;
|
||||||
|
statusMessage.textContent = 'private-key created!';
|
||||||
|
statusMessage.hidden = false;
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
importBtn.addEventListener('click', () => {
|
||||||
|
const privatekey = privateKeyInput.value;
|
||||||
|
const pubkeyInput = pubKeyInput.value;
|
||||||
|
if (validKeys(privatekey, pubkeyInput)) {
|
||||||
|
localStorage.setItem('private_key', privatekey);
|
||||||
|
localStorage.setItem('pub_key', pubkeyInput);
|
||||||
|
statusMessage.textContent = 'stored private and public key locally!';
|
||||||
|
statusMessage.hidden = false;
|
||||||
|
config.pubkey = pubkeyInput;
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
settingsForm.addEventListener('input', () => validKeys(privateKeyInput.value, pubKeyInput.value));
|
||||||
|
|
||||||
|
privateKeyInput.addEventListener('paste', (event) => {
|
||||||
|
if (pubKeyInput.value || !event.clipboardData) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
if (privateKeyInput.value === '' || ( // either privatekey field is empty
|
||||||
|
privateKeyInput.selectionStart === 0 // or the whole text is selected and replaced with the clipboard
|
||||||
|
&& privateKeyInput.selectionEnd === privateKeyInput.value.length
|
||||||
|
)) { // only generate the pubkey if no data other than the text from clipboard will be used
|
||||||
|
try {
|
||||||
|
pubKeyInput.value = getPublicKey(event.clipboardData.getData('text'));
|
||||||
|
} catch(err) {} // settings form will call validKeys on input and display the error
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
privateTgl.addEventListener('click', () => {
|
||||||
|
privateKeyInput.type = privateKeyInput.type === 'text' ? 'password' : 'text';
|
||||||
|
});
|
||||||
|
|
||||||
|
privateKeyInput.value = localStorage.getItem('private_key') || '';
|
||||||
|
pubKeyInput.value = localStorage.getItem('pub_key') || '';
|
||||||
|
|
||||||
|
// profile
|
||||||
|
const profileForm = document.querySelector('form[name="profile"]') as HTMLFormElement;
|
||||||
|
const profileSubmit = profileForm.querySelector('button[type="submit"]') as HTMLButtonElement;
|
||||||
|
const profileStatus = document.querySelector('#profilestatus') as HTMLElement;
|
||||||
|
|
||||||
|
profileForm.addEventListener('input', (e) => {
|
||||||
|
if (e.target instanceof HTMLElement) {
|
||||||
|
if (e.target?.nodeName === 'TEXTAREA') {
|
||||||
|
updateElemHeight(e.target as HTMLTextAreaElement);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
const form = new FormData(profileForm);
|
||||||
|
const name = form.get('name');
|
||||||
|
const about = form.get('about');
|
||||||
|
const picture = form.get('picture');
|
||||||
|
profileSubmit.disabled = !(name || about || picture);
|
||||||
|
});
|
||||||
|
|
||||||
|
profileForm.addEventListener('submit', async (e) => {
|
||||||
|
e.preventDefault();
|
||||||
|
const form = new FormData(profileForm);
|
||||||
|
const newProfile = await powEvent({
|
||||||
|
kind: 0,
|
||||||
|
pubkey: config.pubkey,
|
||||||
|
content: JSON.stringify(Object.fromEntries(form)),
|
||||||
|
tags: [],
|
||||||
|
created_at: Math.floor(Date.now() * 0.001)
|
||||||
|
}, {
|
||||||
|
difficulty: config.difficulty,
|
||||||
|
statusElem: profileStatus,
|
||||||
|
timeout: config.timeout,
|
||||||
|
}).catch(console.warn);
|
||||||
|
if (!newProfile) {
|
||||||
|
profileStatus.textContent = 'publishing profile data canceled';
|
||||||
|
profileStatus.hidden = false;
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const privatekey = localStorage.getItem('private_key');
|
||||||
|
if (!privatekey) {
|
||||||
|
profileStatus.textContent = 'no private key to sign';
|
||||||
|
profileStatus.hidden = false;
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const sig = signEvent(newProfile, privatekey);
|
||||||
|
// TODO: validateEvent
|
||||||
|
if (sig) {
|
||||||
|
publish({...newProfile, sig}, (relay, error) => {
|
||||||
|
if (error) {
|
||||||
|
return console.error(error, relay);
|
||||||
|
}
|
||||||
|
console.info(`publish request sent to ${relay}`);
|
||||||
|
profileStatus.textContent = 'profile metadata successfully published';
|
||||||
|
profileStatus.hidden = false;
|
||||||
|
profileSubmit.disabled = true;
|
||||||
|
});
|
||||||
|
}
|
||||||
|
});
|
@ -0,0 +1,132 @@
|
|||||||
|
.root {
|
||||||
|
display: flex;
|
||||||
|
height: 100%;
|
||||||
|
max-height: 100%;
|
||||||
|
flex-direction: column;
|
||||||
|
}
|
||||||
|
@media (orientation: landscape) {
|
||||||
|
.root {
|
||||||
|
flex-direction: row-reverse;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
main {
|
||||||
|
display: flex;
|
||||||
|
flex-grow: 1;
|
||||||
|
height: 100%;
|
||||||
|
overflow: clip;
|
||||||
|
position: relative;
|
||||||
|
width: 100%;
|
||||||
|
}
|
||||||
|
|
||||||
|
aside {
|
||||||
|
z-index: 4;
|
||||||
|
}
|
||||||
|
|
||||||
|
nav {
|
||||||
|
background-color: var(--bgcolor-nav);
|
||||||
|
display: flex;
|
||||||
|
flex-direction: row;
|
||||||
|
flex-grow: 1;
|
||||||
|
flex-shrink: 0;
|
||||||
|
justify-content: space-between;
|
||||||
|
overflow-y: auto;
|
||||||
|
padding: 0 1.5rem;
|
||||||
|
user-select: none;
|
||||||
|
-webkit-user-select: none;
|
||||||
|
}
|
||||||
|
@supports (padding: max(0px)) {
|
||||||
|
nav {
|
||||||
|
padding-bottom: env(safe-area-inset-bottom);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
@media (orientation: landscape) {
|
||||||
|
nav {
|
||||||
|
flex-direction: column;
|
||||||
|
justify-content: space-between;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
nav a,
|
||||||
|
nav button {
|
||||||
|
--bgcolor-accent: transparent;
|
||||||
|
--border-color: transparent;
|
||||||
|
border-radius: 0;
|
||||||
|
padding: 1rem;
|
||||||
|
}
|
||||||
|
@media (orientation: landscape) {
|
||||||
|
nav a,
|
||||||
|
nav button {
|
||||||
|
padding: 2rem 0;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.view {
|
||||||
|
background-color: var(--bgcolor);
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
left: 0;
|
||||||
|
min-height: 100%;
|
||||||
|
opacity: 1;
|
||||||
|
overflow-x: clip;
|
||||||
|
position: absolute;
|
||||||
|
top: 0;
|
||||||
|
transform: translateX(0);
|
||||||
|
transition: transform .3s cubic-bezier(.465,.183,.153,.946);
|
||||||
|
width: 100%;
|
||||||
|
will-change: transform;
|
||||||
|
z-index: 2;
|
||||||
|
}
|
||||||
|
@media (orientation: landscape) {
|
||||||
|
.view {
|
||||||
|
transition: opacity .3s cubic-bezier(.465,.183,.153,.946);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
.view.view-next {
|
||||||
|
z-index: 3;
|
||||||
|
}
|
||||||
|
.view.view-prev {
|
||||||
|
z-index: 1;
|
||||||
|
}
|
||||||
|
@media (orientation: portrait) {
|
||||||
|
.view.view-next {
|
||||||
|
transform: translateX(100%);
|
||||||
|
}
|
||||||
|
.view.view-prev {
|
||||||
|
transform: translateX(-20%);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
@media (orientation: landscape) {
|
||||||
|
.view.view-next,
|
||||||
|
.view.view-next {
|
||||||
|
opacity: 0;
|
||||||
|
pointer-events: none;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.content {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
flex-grow: 1;
|
||||||
|
margin-inline: auto;
|
||||||
|
overflow-y: auto;
|
||||||
|
padding: var(--gap-half) 0 0 0;
|
||||||
|
width: 100%;
|
||||||
|
}
|
||||||
|
main .content {
|
||||||
|
height: 1px;
|
||||||
|
}
|
||||||
|
nav .content {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: row;
|
||||||
|
justify-content: space-between;
|
||||||
|
}
|
||||||
|
nav a {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
text-align: center;
|
||||||
|
text-decoration: none;
|
||||||
|
}
|
||||||
|
|
||||||
|
.content > header {
|
||||||
|
padding: 3rem 3rem 3rem calc(var(--profileimg-size) + var(--gap));
|
||||||
|
}
|
@ -0,0 +1,69 @@
|
|||||||
|
import {Event} from 'nostr-tools';
|
||||||
|
import {sub, unsubAll} from './relays';
|
||||||
|
|
||||||
|
type SubCallback = (
|
||||||
|
event: Event,
|
||||||
|
relay: string,
|
||||||
|
) => void;
|
||||||
|
|
||||||
|
/** subscribe to global feed */
|
||||||
|
export const sub24hFeed = (onEvent: SubCallback) => {
|
||||||
|
unsubAll();
|
||||||
|
sub({
|
||||||
|
cb: onEvent,
|
||||||
|
filter: {
|
||||||
|
kinds: [0, 1, 2, 7],
|
||||||
|
// until: Math.floor(Date.now() * 0.001),
|
||||||
|
since: Math.floor((Date.now() * 0.001) - (24 * 60 * 60)),
|
||||||
|
limit: 50,
|
||||||
|
}
|
||||||
|
});
|
||||||
|
};
|
||||||
|
|
||||||
|
/** subscribe to a note id (nip-19) */
|
||||||
|
export const subNote = (
|
||||||
|
eventId: string,
|
||||||
|
onEvent: SubCallback,
|
||||||
|
) => {
|
||||||
|
unsubAll();
|
||||||
|
sub({
|
||||||
|
cb: onEvent,
|
||||||
|
filter: {
|
||||||
|
ids: [eventId],
|
||||||
|
kinds: [1],
|
||||||
|
limit: 1,
|
||||||
|
}
|
||||||
|
});
|
||||||
|
sub({
|
||||||
|
cb: onEvent,
|
||||||
|
filter: {
|
||||||
|
'#e': [eventId],
|
||||||
|
kinds: [1, 7],
|
||||||
|
}
|
||||||
|
});
|
||||||
|
};
|
||||||
|
|
||||||
|
/** subscribe to npub key (nip-19) */
|
||||||
|
export const subProfile = (
|
||||||
|
pubkey: string,
|
||||||
|
onEvent: SubCallback,
|
||||||
|
) => {
|
||||||
|
unsubAll();
|
||||||
|
sub({
|
||||||
|
cb: onEvent,
|
||||||
|
filter: {
|
||||||
|
authors: [pubkey],
|
||||||
|
kinds: [0],
|
||||||
|
limit: 1,
|
||||||
|
}
|
||||||
|
});
|
||||||
|
// get notes for profile
|
||||||
|
sub({
|
||||||
|
cb: onEvent,
|
||||||
|
filter: {
|
||||||
|
authors: [pubkey],
|
||||||
|
kinds: [1],
|
||||||
|
limit: 50,
|
||||||
|
}
|
||||||
|
});
|
||||||
|
};
|
@ -0,0 +1,124 @@
|
|||||||
|
import {Event, getEventHash, UnsignedEvent} from 'nostr-tools';
|
||||||
|
import {elem, lockScroll, unlockScroll} from './utils/dom';
|
||||||
|
|
||||||
|
const errorOverlay = document.querySelector('section#errorOverlay') as HTMLElement;
|
||||||
|
|
||||||
|
type PromptErrorOptions = {
|
||||||
|
onCancel?: () => void;
|
||||||
|
onRetry?: () => void;
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Creates an error overlay, currently with hardcoded POW related message, this could be come a generic prompt
|
||||||
|
* @param error message
|
||||||
|
* @param options {onRetry, onCancel} callbacks
|
||||||
|
*/
|
||||||
|
const promptError = (
|
||||||
|
error: string,
|
||||||
|
options: PromptErrorOptions,
|
||||||
|
) => {
|
||||||
|
const {onCancel, onRetry} = options;
|
||||||
|
lockScroll();
|
||||||
|
errorOverlay.replaceChildren(
|
||||||
|
elem('h1', {className: 'error-title'}, error),
|
||||||
|
elem('p', {}, 'time ran out finding a proof with the desired mining difficulty. either try again, lower the mining difficulty or increase the timeout in profile settings.'),
|
||||||
|
elem('div', {className: 'buttons'}, [
|
||||||
|
onCancel ? elem('button', {data: {action: 'close'}}, 'close') : '',
|
||||||
|
onRetry ? elem('button', {data: {action: 'again'}}, 'try again') : '',
|
||||||
|
]),
|
||||||
|
);
|
||||||
|
const handleOverlayClick = (e: MouseEvent) => {
|
||||||
|
if (e.target instanceof Element) {
|
||||||
|
const button = e.target.closest('button');
|
||||||
|
if (button) {
|
||||||
|
switch(button.dataset.action) {
|
||||||
|
case 'close':
|
||||||
|
onCancel && onCancel();
|
||||||
|
break;
|
||||||
|
case 'again':
|
||||||
|
onRetry && onRetry();
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
errorOverlay.removeEventListener('click', handleOverlayClick);
|
||||||
|
errorOverlay.hidden = true;
|
||||||
|
unlockScroll();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
};
|
||||||
|
errorOverlay.addEventListener('click', handleOverlayClick);
|
||||||
|
errorOverlay.hidden = false;
|
||||||
|
}
|
||||||
|
|
||||||
|
type PowEventOptions = {
|
||||||
|
difficulty: number;
|
||||||
|
statusElem: HTMLElement;
|
||||||
|
timeout: number;
|
||||||
|
};
|
||||||
|
|
||||||
|
type WorkerResponse = {
|
||||||
|
error: string;
|
||||||
|
event: Event;
|
||||||
|
};
|
||||||
|
|
||||||
|
type HashedEvent = UnsignedEvent & {
|
||||||
|
id: string;
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* run proof of work in a worker until at least the specified difficulty.
|
||||||
|
* if succcessful, the returned event contains the 'nonce' tag
|
||||||
|
* and the updated created_at timestamp.
|
||||||
|
*
|
||||||
|
* powEvent returns a rejected promise if the funtion runs for longer than timeout.
|
||||||
|
* a zero timeout makes mineEvent run without a time limit.
|
||||||
|
* a zero mining target just resolves the promise without trying to find a 'nonce'.
|
||||||
|
*/
|
||||||
|
export const powEvent = (
|
||||||
|
evt: UnsignedEvent,
|
||||||
|
options: PowEventOptions
|
||||||
|
): Promise<HashedEvent | void> => {
|
||||||
|
const {difficulty, statusElem, timeout} = options;
|
||||||
|
if (difficulty === 0) {
|
||||||
|
return Promise.resolve({
|
||||||
|
...evt,
|
||||||
|
id: getEventHash(evt),
|
||||||
|
});
|
||||||
|
}
|
||||||
|
const cancelBtn = elem('button', {className: 'btn-inline'}, [elem('small', {}, 'cancel')]);
|
||||||
|
statusElem.replaceChildren('working…', cancelBtn);
|
||||||
|
statusElem.hidden = false;
|
||||||
|
return new Promise((resolve, reject) => {
|
||||||
|
const worker = new Worker('./worker.js');
|
||||||
|
|
||||||
|
const onCancel = () => {
|
||||||
|
worker.terminate();
|
||||||
|
reject(`mining kind ${evt.kind} event canceled`);
|
||||||
|
};
|
||||||
|
cancelBtn.addEventListener('click', onCancel);
|
||||||
|
|
||||||
|
worker.onmessage = (msg: MessageEvent<WorkerResponse>) => {
|
||||||
|
worker.terminate();
|
||||||
|
cancelBtn.removeEventListener('click', onCancel);
|
||||||
|
if (msg.data.error) {
|
||||||
|
promptError(msg.data.error, {
|
||||||
|
onCancel: () => reject(`mining kind ${evt.kind} event canceled`),
|
||||||
|
onRetry: async () => {
|
||||||
|
const result = await powEvent(evt, {difficulty, statusElem, timeout}).catch(console.warn);
|
||||||
|
resolve(result);
|
||||||
|
}
|
||||||
|
})
|
||||||
|
} else {
|
||||||
|
resolve(msg.data.event);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
worker.onerror = (err) => {
|
||||||
|
worker.terminate();
|
||||||
|
// promptError(msg.data.error, {});
|
||||||
|
cancelBtn.removeEventListener('click', onCancel);
|
||||||
|
reject(err);
|
||||||
|
};
|
||||||
|
|
||||||
|
worker.postMessage({event: evt, difficulty, timeout});
|
||||||
|
});
|
||||||
|
};
|
@ -1,76 +0,0 @@
|
|||||||
.tabs {
|
|
||||||
flex-basis: 100%;
|
|
||||||
margin-top: 4rem;
|
|
||||||
}
|
|
||||||
.tabs .tab-content { display: none; }
|
|
||||||
#feed:checked ~ .tabs .tab-content:nth-child(1),
|
|
||||||
#trending:checked ~ .tabs .tab-content:nth-child(2),
|
|
||||||
#direct:checked ~ .tabs .tab-content:nth-child(3),
|
|
||||||
#chat:checked ~ .tabs .tab-content:nth-child(4),
|
|
||||||
#settings:checked ~ .tabs .tab-content:nth-child(5) { display: block; }
|
|
||||||
|
|
||||||
input[type="radio"].tab {
|
|
||||||
clip: rect(0, 0, 0, 0);
|
|
||||||
height: 0;
|
|
||||||
overflow: hidden;
|
|
||||||
position: absolute;
|
|
||||||
width: 0;
|
|
||||||
}
|
|
||||||
|
|
||||||
.tab + label {
|
|
||||||
background-color: var(--bgcolor-textinput);
|
|
||||||
border: none;
|
|
||||||
color: var(--color);
|
|
||||||
display: inline-block;
|
|
||||||
margin-left: var(--gap);
|
|
||||||
margin-top: var(--gap);
|
|
||||||
outline: 2px solid var(--bgcolor-accent);
|
|
||||||
padding: 1rem 1.5em;
|
|
||||||
position: relative;
|
|
||||||
top: 1px;
|
|
||||||
z-index: 11;
|
|
||||||
}
|
|
||||||
input[type="radio"]:checked + label {
|
|
||||||
background: var(--bgcolor-accent);
|
|
||||||
}
|
|
||||||
|
|
||||||
.tab:focus + label,
|
|
||||||
.tab:active + label {
|
|
||||||
border-color: var(--focus-border-color);
|
|
||||||
border-radius: var(--focus-border-radius);
|
|
||||||
outline: var(--focus-outline);
|
|
||||||
outline-offset: var(--focus-outline-offset);
|
|
||||||
}
|
|
||||||
|
|
||||||
.tab-content {
|
|
||||||
max-width: var(--max-width);
|
|
||||||
min-height: 200px;
|
|
||||||
padding: var(--gap-half) 0 100px 0;
|
|
||||||
}
|
|
||||||
.tabbed {
|
|
||||||
align-items: start;
|
|
||||||
display: flex;
|
|
||||||
flex-wrap: wrap;
|
|
||||||
}
|
|
||||||
@media (orientation: portrait) {
|
|
||||||
.tabbed {
|
|
||||||
align-items: start;
|
|
||||||
display: flex;
|
|
||||||
flex-direction: row-reverse;
|
|
||||||
flex-wrap: wrap;
|
|
||||||
justify-content: start;
|
|
||||||
}
|
|
||||||
.tabs {
|
|
||||||
height: 100vh;
|
|
||||||
height: 100dvh;
|
|
||||||
margin-top: 0;
|
|
||||||
order: 1;
|
|
||||||
overflow: scroll;
|
|
||||||
width: 100vw;
|
|
||||||
}
|
|
||||||
.tab + label {
|
|
||||||
margin-top: calc(-3 * var(--gap));
|
|
||||||
margin-left: var(--gap);
|
|
||||||
order: 2;
|
|
||||||
}
|
|
||||||
}
|
|
@ -0,0 +1,84 @@
|
|||||||
|
import {Event} from 'nostr-tools';
|
||||||
|
import {elem, elemArticle, parseTextContent} from './utils/dom';
|
||||||
|
import {dateTime, formatTime} from './utils/time';
|
||||||
|
import {validatePow, sortByCreatedAt} from './events';
|
||||||
|
import {setViewElem} from './view';
|
||||||
|
import {config} from './settings';
|
||||||
|
import {getReactions, getReactionContents} from './reactions';
|
||||||
|
import {openWriteInput} from './write';
|
||||||
|
import {linkPreview} from './media';
|
||||||
|
import {getMetadata} from './profiles';
|
||||||
|
import {EventWithNip19, replyList} from './notes';
|
||||||
|
|
||||||
|
setInterval(() => {
|
||||||
|
document.querySelectorAll('time[datetime]').forEach((timeElem: HTMLTimeElement) => {
|
||||||
|
timeElem.textContent = formatTime(new Date(timeElem.dateTime));
|
||||||
|
});
|
||||||
|
}, 10000);
|
||||||
|
|
||||||
|
export const createTextNote = (
|
||||||
|
evt: EventWithNip19,
|
||||||
|
relay: string,
|
||||||
|
) => {
|
||||||
|
const {host, img, name, time, userName} = getMetadata(evt, relay);
|
||||||
|
const replies = replyList.filter(({replyTo}) => replyTo === evt.id);
|
||||||
|
// const isLongContent = evt.content.trimRight().length > 280;
|
||||||
|
// const content = isLongContent ? evt.content.slice(0, 280) : evt.content;
|
||||||
|
const reactions = getReactions(evt.id);
|
||||||
|
const didReact = reactions.length && !!reactions.find(reaction => reaction.pubkey === config.pubkey);
|
||||||
|
const [content, {firstLink}] = parseTextContent(evt.content);
|
||||||
|
const buttons = elem('div', {className: 'buttons'}, [
|
||||||
|
elem('button', {name: 'reply', type: 'button'}, [
|
||||||
|
elem('img', {height: 24, width: 24, src: '/assets/comment.svg'})
|
||||||
|
]),
|
||||||
|
elem('button', {name: 'star', type: 'button'}, [
|
||||||
|
elem('img', {
|
||||||
|
alt: didReact ? '✭' : '✩', // ♥
|
||||||
|
height: 24, width: 24,
|
||||||
|
src: `/assets/${didReact ? 'star-fill' : 'star'}.svg`,
|
||||||
|
title: getReactionContents(evt.id).join(' '),
|
||||||
|
}),
|
||||||
|
elem('small', {data: {reactions: ''}}, reactions.length || ''),
|
||||||
|
]),
|
||||||
|
]);
|
||||||
|
if (localStorage.getItem('reply_to') === evt.id) {
|
||||||
|
openWriteInput(buttons, evt.id);
|
||||||
|
}
|
||||||
|
const replyFeed: Array<HTMLElement> = replies[0] ? replies.sort(sortByCreatedAt).map(e => setViewElem(e.id, createTextNote(e, relay))) : [];
|
||||||
|
return elemArticle([
|
||||||
|
elem('div', {className: 'mbox-img'}, img),
|
||||||
|
elem('div', {className: 'mbox-body'}, [
|
||||||
|
elem('header', {
|
||||||
|
className: 'mbox-header',
|
||||||
|
title: `User: ${userName}\n${time}\n\nUser pubkey: ${evt.pubkey}\n\nRelay: ${host}\n\nEvent-id: ${evt.id}
|
||||||
|
${evt.tags.length ? `\nTags ${JSON.stringify(evt.tags)}\n` : ''}
|
||||||
|
${evt.content}`
|
||||||
|
}, [
|
||||||
|
elem('a', {className: `mbox-username${name ? ' mbox-kind0-name' : ''}`, href: `/${evt.nip19.npub}`}, name || userName),
|
||||||
|
' ',
|
||||||
|
elem('a', {href: `/${evt.nip19.note}`}, elem('time', {dateTime: time.toISOString()}, formatTime(time))),
|
||||||
|
]),
|
||||||
|
elem('div', {/* data: isLongContent ? {append: evt.content.slice(280)} : null*/}, [
|
||||||
|
...content,
|
||||||
|
(firstLink && validatePow(evt)) ? linkPreview(firstLink, evt.id, relay) : null,
|
||||||
|
]),
|
||||||
|
buttons,
|
||||||
|
]),
|
||||||
|
...(replies[0] ? [elem('div', {className: 'mobx-replies'}, replyFeed.reverse())] : []),
|
||||||
|
], {data: {id: evt.id, pubkey: evt.pubkey, relay}});
|
||||||
|
};
|
||||||
|
|
||||||
|
export const renderRecommendServer = (evt: Event, relay: string) => {
|
||||||
|
const {img, name, time, userName} = getMetadata(evt, relay);
|
||||||
|
const body = elem('div', {className: 'mbox-body', title: dateTime.format(time)}, [
|
||||||
|
elem('header', {className: 'mbox-header'}, [
|
||||||
|
elem('small', {}, [
|
||||||
|
elem('strong', {}, userName)
|
||||||
|
]),
|
||||||
|
]),
|
||||||
|
` recommends server: ${evt.content}`,
|
||||||
|
]);
|
||||||
|
return elemArticle([
|
||||||
|
elem('div', {className: 'mbox-img'}, [img]), body
|
||||||
|
], {className: 'mbox-recommend-server', data: {id: evt.id, pubkey: evt.pubkey}});
|
||||||
|
};
|
@ -1,22 +0,0 @@
|
|||||||
/**
|
|
||||||
* throttle and debounce given function in regular time interval,
|
|
||||||
* but with the difference that the last call will be debounced and therefore never missed.
|
|
||||||
* @param {*} function to throttle and debounce
|
|
||||||
* @param {*} time desired interval to execute function
|
|
||||||
* @returns callback
|
|
||||||
*/
|
|
||||||
export const bounce = (fn, time) => {
|
|
||||||
let throttle;
|
|
||||||
let debounce;
|
|
||||||
return (/*...args*/) => {
|
|
||||||
if (throttle) {
|
|
||||||
clearTimeout(debounce);
|
|
||||||
debounce = setTimeout(() => fn(/*...args*/), time);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
fn(/*...args*/);
|
|
||||||
throttle = setTimeout(() => {
|
|
||||||
throttle = false;
|
|
||||||
}, time);
|
|
||||||
};
|
|
||||||
};
|
|
@ -0,0 +1,8 @@
|
|||||||
|
/**
|
||||||
|
* type-guarded function that tells TypeScript (in strictNullChecks mode) that you're filtering out null/undefined items.
|
||||||
|
* example: array.filter(isNotNull)
|
||||||
|
*/
|
||||||
|
export const isNotNull = <T>(item: T): item is NonNullable<T> => item != null;
|
||||||
|
|
||||||
|
// alternative
|
||||||
|
// const const isNotNull = <T>(item: T | null): item is T => item !== null;
|
@ -1,19 +1,19 @@
|
|||||||
/**
|
/**
|
||||||
* evaluate the difficulty of hex32 according to nip-13.
|
* evaluate the difficulty of hex32 according to nip-13.
|
||||||
* @param hex32 a string of 64 chars - 32 bytes in hex representation
|
* @param hex32 a string of 64 chars - 32 bytes in hex representation
|
||||||
*/
|
*/
|
||||||
export const zeroLeadingBitsCount = (hex32) => {
|
export const zeroLeadingBitsCount = (hex32: string) => {
|
||||||
let count = 0;
|
let count = 0;
|
||||||
for (let i = 0; i < 64; i += 2) {
|
for (let i = 0; i < 64; i += 2) {
|
||||||
const hexbyte = hex32.slice(i, i + 2); // grab next byte
|
const hexbyte = hex32.slice(i, i + 2); // grab next byte
|
||||||
if (hexbyte == '00') {
|
if (hexbyte === '00') {
|
||||||
count += 8;
|
count += 8;
|
||||||
continue;
|
continue;
|
||||||
}
|
}
|
||||||
// reached non-zero byte; count number of 0 bits in hexbyte
|
// reached non-zero byte; count number of 0 bits in hexbyte
|
||||||
const bits = parseInt(hexbyte, 16).toString(2).padStart(8, '0');
|
const bits = parseInt(hexbyte, 16).toString(2).padStart(8, '0');
|
||||||
for (let b = 0; b < 8; b++) {
|
for (let b = 0; b < 8; b++) {
|
||||||
if (bits[b] == '1' ) {
|
if (bits[b] === '1' ) {
|
||||||
break; // reached non-zero bit; stop
|
break; // reached non-zero bit; stop
|
||||||
}
|
}
|
||||||
count += 1;
|
count += 1;
|
@ -0,0 +1,191 @@
|
|||||||
|
import {isNotNull} from './array';
|
||||||
|
import {isValidURL} from './url';
|
||||||
|
|
||||||
|
type DataAttributes = {
|
||||||
|
data: {
|
||||||
|
[key: string]: string | number;
|
||||||
|
},
|
||||||
|
} & {
|
||||||
|
dataset: never, // the dataset property itself is readonly
|
||||||
|
};
|
||||||
|
|
||||||
|
type Attributes<Type> = Partial<Type & DataAttributes>;
|
||||||
|
|
||||||
|
type Children = Array<HTMLElement | string | null> | HTMLElement | string | number | null;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* example usage:
|
||||||
|
*
|
||||||
|
* const props = {className: 'btn', onclick: async (e) => alert('hi')};
|
||||||
|
* const btn = elem('button', props, ['download']);
|
||||||
|
* document.body.append(btn);
|
||||||
|
*
|
||||||
|
* @param {string} name
|
||||||
|
* @param {HTMLElement.prototype} props
|
||||||
|
* @param {Array<Node> | string | number} children
|
||||||
|
* @return HTMLElement
|
||||||
|
*/
|
||||||
|
export const elem = <Name extends keyof HTMLElementTagNameMap>(
|
||||||
|
name: Extract<Name, keyof HTMLElementTagNameMap>,
|
||||||
|
attrs?: Attributes<HTMLElementTagNameMap[Name]>,
|
||||||
|
children?: Children,
|
||||||
|
): HTMLElementTagNameMap[Name] => {
|
||||||
|
const el = document.createElement(name);
|
||||||
|
if (attrs) {
|
||||||
|
const {data, ...props} = attrs;
|
||||||
|
Object.assign(el, props);
|
||||||
|
if (data) {
|
||||||
|
Object.entries(data).forEach(([key, value]) => {
|
||||||
|
el.dataset[key] = value as string;
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
|
if (children != null) {
|
||||||
|
if (Array.isArray(children)) {
|
||||||
|
el.append(...children.filter(isNotNull));
|
||||||
|
} else {
|
||||||
|
switch (typeof children) {
|
||||||
|
case 'number':
|
||||||
|
el.append(`${children}`);
|
||||||
|
break;
|
||||||
|
case 'string':
|
||||||
|
el.append(children);
|
||||||
|
break;
|
||||||
|
default:
|
||||||
|
if (children instanceof Element) {
|
||||||
|
el.append(children);
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
console.error(`expected element, string or number but got ${typeof children}`, children);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return el;
|
||||||
|
};
|
||||||
|
|
||||||
|
/** freeze global page scrolling */
|
||||||
|
export const lockScroll = () => document.body.style.overflow = 'hidden';
|
||||||
|
|
||||||
|
/** free global page scrolling */
|
||||||
|
export const unlockScroll = () => document.body.style.removeProperty('overflow');
|
||||||
|
|
||||||
|
/**
|
||||||
|
* example usage:
|
||||||
|
*
|
||||||
|
* const [content, {firstLink}] = parseTextContent('Hi<br>click https://nostr.ch/');
|
||||||
|
*
|
||||||
|
* @param {string} content
|
||||||
|
* @returns [Array<string | HTMLElement>, {firstLink: href}]
|
||||||
|
*/
|
||||||
|
export const parseTextContent = (
|
||||||
|
content: string,
|
||||||
|
): [
|
||||||
|
Array<string | HTMLAnchorElement | HTMLBRElement>,
|
||||||
|
{firstLink: string | undefined},
|
||||||
|
] => {
|
||||||
|
let firstLink: string | undefined;
|
||||||
|
const parsedContent = content
|
||||||
|
.trim()
|
||||||
|
.replaceAll(/\n{3,}/g, '\n\n')
|
||||||
|
.split('\n')
|
||||||
|
.map(line => {
|
||||||
|
const words = line.split(/\s/);
|
||||||
|
return words.map(word => {
|
||||||
|
if (word.match(/^ln(tbs?|bcr?t?)[a-z0-9]+$/g)) {
|
||||||
|
return elem('a', {
|
||||||
|
href: `lightning:${word}`
|
||||||
|
}, `lightning:${word.slice(0, 24)}…`);
|
||||||
|
}
|
||||||
|
if (!word.match(/^(https?:\/\/|www\.)\S*/)) {
|
||||||
|
return word;
|
||||||
|
}
|
||||||
|
try {
|
||||||
|
if (!word.startsWith('http')) {
|
||||||
|
word = 'https://' + word;
|
||||||
|
}
|
||||||
|
const url = new URL(word);
|
||||||
|
if (!isValidURL(url)) {
|
||||||
|
return word;
|
||||||
|
}
|
||||||
|
firstLink = firstLink || url.href;
|
||||||
|
return elem('a', {
|
||||||
|
href: url.href,
|
||||||
|
target: '_blank',
|
||||||
|
rel: 'noopener noreferrer'
|
||||||
|
}, url.href.slice(url.protocol.length + 2));
|
||||||
|
} catch (err) {
|
||||||
|
return word;
|
||||||
|
}
|
||||||
|
})
|
||||||
|
.reduce((acc, word) => [...acc, word, ' '], []);
|
||||||
|
})
|
||||||
|
.reduce((acc, words) => [...acc, ...words, elem('br')], []);
|
||||||
|
|
||||||
|
return [
|
||||||
|
parsedContent,
|
||||||
|
{firstLink}
|
||||||
|
];
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* creates a small profile image
|
||||||
|
* @param text to pass pubkey
|
||||||
|
* @returns HTMLCanvasElement | null
|
||||||
|
*/
|
||||||
|
export const elemCanvas = (text: string) => {
|
||||||
|
const canvas = elem('canvas', {
|
||||||
|
height: 80,
|
||||||
|
width: 80,
|
||||||
|
data: {pubkey: text}
|
||||||
|
});
|
||||||
|
const context = canvas.getContext('2d');
|
||||||
|
if (!context) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
const color = `#${text.slice(0, 6)}`;
|
||||||
|
context.fillStyle = color;
|
||||||
|
context.fillRect(0, 0, 80, 80);
|
||||||
|
context.fillStyle = '#111';
|
||||||
|
context.fillRect(0, 50, 80, 32);
|
||||||
|
context.font = 'bold 18px monospace';
|
||||||
|
if (color === '#000000') {
|
||||||
|
context.fillStyle = '#fff';
|
||||||
|
}
|
||||||
|
context.fillText(text.slice(0, 8), 2, 46);
|
||||||
|
return canvas;
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* creates a placeholder element that animates the height to 0
|
||||||
|
* @param element to get the initial height from
|
||||||
|
* @returns HTMLDivElement
|
||||||
|
*/
|
||||||
|
export const elemShrink = (el: HTMLElement) => {
|
||||||
|
const height = el.style.height || el.getBoundingClientRect().height;
|
||||||
|
const shrink = elem('div', {className: 'shrink-out'});
|
||||||
|
shrink.style.height = `${height}px`;
|
||||||
|
shrink.addEventListener('animationend', () => shrink.remove(), {once: true});
|
||||||
|
return shrink;
|
||||||
|
};
|
||||||
|
|
||||||
|
|
||||||
|
export const updateElemHeight = (
|
||||||
|
el: HTMLInputElement | HTMLTextAreaElement
|
||||||
|
) => {
|
||||||
|
el.style.removeProperty('height');
|
||||||
|
if (el.value) {
|
||||||
|
el.style.paddingBottom = '0';
|
||||||
|
el.style.paddingTop = '0';
|
||||||
|
el.style.height = el.scrollHeight + 'px';
|
||||||
|
el.style.removeProperty('padding-bottom');
|
||||||
|
el.style.removeProperty('padding-top');
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
export const elemArticle = (
|
||||||
|
content: Array<HTMLElement>,
|
||||||
|
attrs: Attributes<HTMLElementTagNameMap['div']> = {}
|
||||||
|
) => {
|
||||||
|
const className = attrs.className ? ['mbox', attrs?.className].join(' ') : 'mbox';
|
||||||
|
return elem('article', {...attrs, className}, content);
|
||||||
|
};
|
@ -0,0 +1,65 @@
|
|||||||
|
export const getHost = (url: string) => {
|
||||||
|
try {
|
||||||
|
return new URL(url).host;
|
||||||
|
} catch(err) {
|
||||||
|
return err;
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
export const isHttpUrl = (url: string) => {
|
||||||
|
try {
|
||||||
|
return ['http:', 'https:'].includes(new URL(url).protocol);
|
||||||
|
} catch (err) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
export const isWssUrl = (url: string) => {
|
||||||
|
try {
|
||||||
|
return 'wss:' === new URL(url).protocol;
|
||||||
|
} catch (err) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
export const getNoxyUrl = (
|
||||||
|
type: 'data' | 'meta',
|
||||||
|
url: string,
|
||||||
|
id: string,
|
||||||
|
relay: string,
|
||||||
|
) => {
|
||||||
|
if (!isHttpUrl(url)) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
const link = new URL(`https://noxy.nostr.ch/${type}`);
|
||||||
|
link.searchParams.set('id', id);
|
||||||
|
link.searchParams.set('relay', relay);
|
||||||
|
link.searchParams.set('url', url);
|
||||||
|
return link;
|
||||||
|
};
|
||||||
|
|
||||||
|
export const isValidURL = (url: URL) => {
|
||||||
|
if (!['http:', 'https:'].includes(url.protocol)) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
if (!['', '443', '80'].includes(url.port)) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
if (url.hostname === 'localhost') {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
const lastDot = url.hostname.lastIndexOf('.');
|
||||||
|
if (lastDot < 1) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
if (url.hostname.slice(lastDot) === '.local') {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
if (url.hostname.slice(lastDot + 1).match(/^[\d]+$/)) { // there should be no tld with numbers, possible ipv4
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
if (url.hostname.includes(':')) { // possibly an ipv6 addr; certainly an invalid hostname
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
return true;
|
||||||
|
};
|
@ -0,0 +1,102 @@
|
|||||||
|
import {elem} from './utils/dom';
|
||||||
|
|
||||||
|
type ViewOptions = {
|
||||||
|
type: 'feed'
|
||||||
|
} | {
|
||||||
|
type: 'note';
|
||||||
|
id: string;
|
||||||
|
} | {
|
||||||
|
type: 'profile';
|
||||||
|
id: string;
|
||||||
|
};
|
||||||
|
|
||||||
|
type DOMMap = {
|
||||||
|
[id: string]: HTMLElement
|
||||||
|
};
|
||||||
|
|
||||||
|
type Container = {
|
||||||
|
id: string;
|
||||||
|
options: ViewOptions,
|
||||||
|
view: HTMLElement;
|
||||||
|
content: HTMLDivElement;
|
||||||
|
dom: DOMMap;
|
||||||
|
};
|
||||||
|
|
||||||
|
const containers: Array<Container> = [];
|
||||||
|
|
||||||
|
let activeContainerIndex = -1;
|
||||||
|
|
||||||
|
export const getViewContent = () => containers[activeContainerIndex]?.content;
|
||||||
|
|
||||||
|
export const clearView = () => {
|
||||||
|
// TODO: this is clears the current view, but it should probably do this for all views
|
||||||
|
const domMap = containers[activeContainerIndex]?.dom;
|
||||||
|
Object.keys(domMap).forEach(eventId => delete domMap[eventId]);
|
||||||
|
getViewContent().replaceChildren();
|
||||||
|
};
|
||||||
|
|
||||||
|
export const getViewElem = (id: string) => {
|
||||||
|
return containers[activeContainerIndex]?.dom[id];
|
||||||
|
};
|
||||||
|
|
||||||
|
export const setViewElem = (id: string, node: HTMLElement) => {
|
||||||
|
const container = containers[activeContainerIndex];
|
||||||
|
if (container) {
|
||||||
|
container.dom[id] = node;
|
||||||
|
}
|
||||||
|
return node;
|
||||||
|
};
|
||||||
|
|
||||||
|
const mainContainer = document.querySelector('main') as HTMLElement;
|
||||||
|
|
||||||
|
const createContainer = (
|
||||||
|
route: string,
|
||||||
|
options: ViewOptions,
|
||||||
|
) => {
|
||||||
|
const content = elem('div', {className: 'content'});
|
||||||
|
const dom: DOMMap = {};
|
||||||
|
switch (options.type) {
|
||||||
|
case 'profile':
|
||||||
|
const header = elem('header', {},
|
||||||
|
elem('small', {}, route)
|
||||||
|
);
|
||||||
|
dom[options.id] = header;
|
||||||
|
content.append(header);
|
||||||
|
break;
|
||||||
|
case 'note':
|
||||||
|
break;
|
||||||
|
case 'feed':
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
const view = elem('section', {className: 'view'}, [content]);
|
||||||
|
const container = {id: route, options, view, content, dom};
|
||||||
|
mainContainer.append(view);
|
||||||
|
containers.push(container);
|
||||||
|
return container;
|
||||||
|
};
|
||||||
|
|
||||||
|
type GetViewOptions = () => ViewOptions;
|
||||||
|
|
||||||
|
export const getViewOptions: GetViewOptions = () => containers[activeContainerIndex]?.options || {type: 'feed'};
|
||||||
|
|
||||||
|
export const view = (
|
||||||
|
route: string,
|
||||||
|
options: ViewOptions,
|
||||||
|
) => {
|
||||||
|
const active = containers[activeContainerIndex];
|
||||||
|
const nextContainer = containers.find(c => c.id === route) || createContainer(route, options);
|
||||||
|
const nextContainerIndex = containers.indexOf(nextContainer);
|
||||||
|
if (nextContainerIndex === activeContainerIndex) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
if (active) {
|
||||||
|
nextContainer.view.classList.add('view-next');
|
||||||
|
}
|
||||||
|
requestAnimationFrame(() => {
|
||||||
|
requestAnimationFrame(() => {
|
||||||
|
nextContainer.view.classList.remove('view-next', 'view-prev');
|
||||||
|
});
|
||||||
|
active?.view.classList.add(nextContainerIndex < activeContainerIndex ? 'view-next' : 'view-prev');
|
||||||
|
activeContainerIndex = nextContainerIndex;
|
||||||
|
});
|
||||||
|
};
|
@ -0,0 +1,154 @@
|
|||||||
|
import {signEvent} from 'nostr-tools';
|
||||||
|
import {elemShrink, updateElemHeight} from './utils/dom';
|
||||||
|
import {powEvent} from './system';
|
||||||
|
import {config} from './settings';
|
||||||
|
import {publish} from './relays';
|
||||||
|
|
||||||
|
// form used to write and publish textnotes for replies and new notes
|
||||||
|
const writeForm = document.querySelector('#writeForm') as HTMLFormElement;
|
||||||
|
const writeInput = document.querySelector('textarea[name="message"]') as HTMLTextAreaElement;
|
||||||
|
|
||||||
|
// overlay for writing new text notes
|
||||||
|
const publishView = document.querySelector('#newNote') as HTMLElement;
|
||||||
|
|
||||||
|
const openWriteView = () => {
|
||||||
|
publishView.append(writeForm);
|
||||||
|
if (writeInput.value.trimRight()) {
|
||||||
|
writeInput.style.removeProperty('height');
|
||||||
|
}
|
||||||
|
requestAnimationFrame(() => {
|
||||||
|
updateElemHeight(writeInput);
|
||||||
|
writeInput.focus();
|
||||||
|
});
|
||||||
|
publishView.removeAttribute('hidden');
|
||||||
|
};
|
||||||
|
|
||||||
|
export const closePublishView = () => publishView.hidden = true;
|
||||||
|
|
||||||
|
export const togglePublishView = () => {
|
||||||
|
if (publishView.hidden) {
|
||||||
|
localStorage.removeItem('reply_to'); // should it forget old replyto context?
|
||||||
|
openWriteView();
|
||||||
|
} else {
|
||||||
|
publishView.hidden = true;
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
const appendReplyForm = (el: HTMLElement) => {
|
||||||
|
writeForm.before(elemShrink(writeInput));
|
||||||
|
writeInput.blur();
|
||||||
|
writeInput.style.removeProperty('height');
|
||||||
|
el.after(writeForm);
|
||||||
|
if (writeInput.value && !writeInput.value.trimRight()) {
|
||||||
|
writeInput.value = '';
|
||||||
|
} else {
|
||||||
|
requestAnimationFrame(() => updateElemHeight(writeInput));
|
||||||
|
}
|
||||||
|
requestAnimationFrame(() => writeInput.focus());
|
||||||
|
};
|
||||||
|
|
||||||
|
const closeWriteInput = () => writeInput.blur();
|
||||||
|
|
||||||
|
export const openWriteInput = (
|
||||||
|
button: HTMLElement,
|
||||||
|
id: string,
|
||||||
|
) => {
|
||||||
|
appendReplyForm(button.closest('.buttons') as HTMLElement);
|
||||||
|
localStorage.setItem('reply_to', id);
|
||||||
|
};
|
||||||
|
|
||||||
|
export const toggleWriteInput = (
|
||||||
|
button: HTMLElement,
|
||||||
|
id: string,
|
||||||
|
) => {
|
||||||
|
if (id && localStorage.getItem('reply_to') === id) {
|
||||||
|
closeWriteInput();
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
appendReplyForm(button.closest('.buttons') as HTMLElement);
|
||||||
|
localStorage.setItem('reply_to', id);
|
||||||
|
};
|
||||||
|
|
||||||
|
// const updateWriteInputHeight = () => updateElemHeight(writeInput);
|
||||||
|
|
||||||
|
writeInput.addEventListener('focusout', () => {
|
||||||
|
const reply_to = localStorage.getItem('reply_to');
|
||||||
|
if (reply_to && writeInput.value === '') {
|
||||||
|
writeInput.addEventListener('transitionend', (event) => {
|
||||||
|
if (!reply_to || reply_to === localStorage.getItem('reply_to') && !writeInput.style.height) { // should prob use some class or data-attr instead of relying on height
|
||||||
|
writeForm.after(elemShrink(writeInput));
|
||||||
|
writeForm.remove();
|
||||||
|
localStorage.removeItem('reply_to');
|
||||||
|
}
|
||||||
|
}, {once: true});
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
// document.body.addEventListener('keyup', (e) => {
|
||||||
|
// if (e.key === 'Escape') {
|
||||||
|
// hideNewMessage(true);
|
||||||
|
// }
|
||||||
|
// });
|
||||||
|
|
||||||
|
const sendStatus = document.querySelector('#sendstatus') as HTMLElement;
|
||||||
|
const publishBtn = document.querySelector('#publish') as HTMLButtonElement;
|
||||||
|
const onSendError = (err: Error) => sendStatus.textContent = err.message;
|
||||||
|
|
||||||
|
writeForm.addEventListener('submit', async (e) => {
|
||||||
|
e.preventDefault();
|
||||||
|
const privatekey = localStorage.getItem('private_key');
|
||||||
|
if (!config.pubkey || !privatekey) {
|
||||||
|
return onSendError(new Error('no pubkey/privatekey'));
|
||||||
|
}
|
||||||
|
const content = writeInput.value.trimRight();
|
||||||
|
if (!content) {
|
||||||
|
return onSendError(new Error('message is empty'));
|
||||||
|
}
|
||||||
|
const replyTo = localStorage.getItem('reply_to');
|
||||||
|
const close = () => {
|
||||||
|
sendStatus.textContent = '';
|
||||||
|
writeInput.value = '';
|
||||||
|
writeInput.style.removeProperty('height');
|
||||||
|
publishBtn.disabled = true;
|
||||||
|
if (replyTo) {
|
||||||
|
localStorage.removeItem('reply_to');
|
||||||
|
publishView.append(writeForm);
|
||||||
|
}
|
||||||
|
publishView.hidden = true;
|
||||||
|
};
|
||||||
|
const tags = replyTo ? [['e', replyTo]] : []; // , eventRelayMap[replyTo][0]
|
||||||
|
const newEvent = await powEvent({
|
||||||
|
kind: 1,
|
||||||
|
content,
|
||||||
|
pubkey: config.pubkey,
|
||||||
|
tags,
|
||||||
|
created_at: Math.floor(Date.now() * 0.001),
|
||||||
|
}, {
|
||||||
|
difficulty: config.difficulty,
|
||||||
|
statusElem: sendStatus,
|
||||||
|
timeout: config.timeout,
|
||||||
|
}).catch(console.warn);
|
||||||
|
if (!newEvent) {
|
||||||
|
close();
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const sig = signEvent(newEvent, privatekey);
|
||||||
|
// TODO validateEvent
|
||||||
|
if (sig) {
|
||||||
|
sendStatus.textContent = 'publishing…';
|
||||||
|
publish({...newEvent, sig}, (relay, error) => {
|
||||||
|
if (error) {
|
||||||
|
return console.log(error, relay);
|
||||||
|
}
|
||||||
|
console.info(`publish request sent to ${relay}`);
|
||||||
|
close();
|
||||||
|
});
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
writeInput.addEventListener('input', () => {
|
||||||
|
publishBtn.disabled = !writeInput.value.trimRight();
|
||||||
|
updateElemHeight(writeInput);
|
||||||
|
});
|
||||||
|
|
||||||
|
writeInput.addEventListener('blur', () => sendStatus.textContent = '');
|
@ -0,0 +1,18 @@
|
|||||||
|
{
|
||||||
|
"compilerOptions": {
|
||||||
|
"alwaysStrict": true,
|
||||||
|
"moduleResolution": "node",
|
||||||
|
"noImplicitAny": true,
|
||||||
|
"noImplicitThis": true,
|
||||||
|
"strictBindCallApply": true,
|
||||||
|
"strictFunctionTypes": false,
|
||||||
|
"strictNullChecks": true,
|
||||||
|
"target": "es2022"
|
||||||
|
},
|
||||||
|
"exclude": [
|
||||||
|
"dist",
|
||||||
|
"esbuildconf.js",
|
||||||
|
"node_modules",
|
||||||
|
"**/*.test.ts"
|
||||||
|
]
|
||||||
|
}
|
Loading…
Reference in New Issue