phanpy/src/components/status.jsx

1637 lines
46 KiB
React
Raw Normal View History

2022-12-10 09:14:48 +00:00
import './status.css';
2023-03-02 07:15:49 +00:00
import {
ControlledMenu,
Menu,
MenuDivider,
MenuHeader,
MenuItem,
} from '@szhsin/react-menu';
2022-12-10 09:14:48 +00:00
import mem from 'mem';
import pThrottle from 'p-throttle';
import { memo } from 'preact/compat';
import { useEffect, useMemo, useRef, useState } from 'preact/hooks';
2022-12-28 11:43:02 +00:00
import 'swiped-events';
2023-03-07 16:01:51 +00:00
import { useLongPress } from 'use-long-press';
import useResizeObserver from 'use-resize-observer';
2022-12-10 09:14:48 +00:00
import { useSnapshot } from 'valtio';
import Loader from '../components/loader';
2022-12-10 09:14:48 +00:00
import Modal from '../components/modal';
import NameText from '../components/name-text';
import { api } from '../utils/api';
2022-12-10 09:14:48 +00:00
import enhanceContent from '../utils/enhance-content';
import getTranslateTargetLanguage from '../utils/get-translate-target-language';
import handleContentLinks from '../utils/handle-content-links';
import htmlContentLength from '../utils/html-content-length';
2023-03-01 12:07:22 +00:00
import niceDateTime from '../utils/nice-date-time';
2022-12-10 09:14:48 +00:00
import shortenNumber from '../utils/shorten-number';
import showToast from '../utils/show-toast';
import states, { saveStatus, statusKey } from '../utils/states';
import store from '../utils/store';
2022-12-10 09:14:48 +00:00
import visibilityIconsMap from '../utils/visibility-icons-map';
import Avatar from './avatar';
import Icon from './icon';
import Link from './link';
import Media from './media';
import MenuLink from './MenuLink';
import RelativeTime from './relative-time';
import TranslationBlock from './translation-block';
2022-12-10 09:14:48 +00:00
const throttle = pThrottle({
limit: 1,
interval: 1000,
});
function fetchAccount(id, masto) {
try {
return masto.v1.accounts.fetch(id);
} catch (e) {
return Promise.reject(e);
}
2022-12-18 13:10:05 +00:00
}
const memFetchAccount = mem(fetchAccount);
2022-12-10 09:14:48 +00:00
const visibilityText = {
public: 'Public',
unlisted: 'Unlisted',
private: 'Followers only',
direct: 'Direct',
};
2022-12-18 13:10:05 +00:00
function Status({
statusID,
status,
instance: propInstance,
2022-12-18 13:10:05 +00:00
withinContext,
size = 'm',
skeleton,
readOnly,
contentTextWeight,
enableTranslate,
2023-03-16 05:02:46 +00:00
previewMode,
2022-12-18 13:10:05 +00:00
}) {
if (skeleton) {
2022-12-10 09:14:48 +00:00
return (
2022-12-18 13:10:05 +00:00
<div class="status skeleton">
<Avatar size="xxl" />
2022-12-18 13:10:05 +00:00
<div class="container">
2023-02-11 13:09:36 +00:00
<div class="meta"> </div>
2022-12-18 13:10:05 +00:00
<div class="content-container">
<div class="content">
2023-02-11 13:09:36 +00:00
<p> </p>
2022-12-18 13:10:05 +00:00
</div>
</div>
</div>
2022-12-10 09:14:48 +00:00
</div>
);
}
2023-02-19 06:49:53 +00:00
const { masto, instance, authenticated } = api({ instance: propInstance });
const { instance: currentInstance } = api();
const sameInstance = instance === currentInstance;
2022-12-10 09:14:48 +00:00
const sKey = statusKey(statusID, instance);
2022-12-18 13:10:05 +00:00
const snapStates = useSnapshot(states);
if (!status) {
2023-02-11 10:55:21 +00:00
status = snapStates.statuses[sKey] || snapStates.statuses[statusID];
2022-12-18 13:10:05 +00:00
}
if (!status) {
return null;
}
2022-12-10 09:14:48 +00:00
const {
2022-12-18 13:10:05 +00:00
account: {
acct,
avatar,
avatarStatic,
id: accountId,
2023-02-21 06:29:25 +00:00
url: accountURL,
2022-12-18 13:10:05 +00:00
displayName,
username,
emojis: accountEmojis,
},
id,
repliesCount,
reblogged,
reblogsCount,
favourited,
favouritesCount,
bookmarked,
poll,
muted,
sensitive,
spoilerText,
visibility, // public, unlisted, private, direct
language,
editedAt,
filtered,
card,
createdAt,
inReplyToId,
2022-12-18 13:10:05 +00:00
inReplyToAccountId,
content,
mentions,
mediaAttachments,
reblog,
uri,
2023-02-21 06:29:25 +00:00
url,
2022-12-18 13:10:05 +00:00
emojis,
2023-02-17 02:12:59 +00:00
// Non-API props
_deleted,
2023-02-17 02:12:59 +00:00
_pinned,
2022-12-18 13:10:05 +00:00
} = status;
2022-12-10 09:14:48 +00:00
console.debug('RENDER Status', id, status?.account.displayName);
2022-12-18 13:10:05 +00:00
const createdAtDate = new Date(createdAt);
const editedAtDate = new Date(editedAt);
2022-12-10 09:14:48 +00:00
2022-12-18 13:10:05 +00:00
const isSelf = useMemo(() => {
const currentAccount = store.session.get('currentAccount');
return currentAccount && currentAccount === accountId;
}, [accountId]);
2022-12-10 09:14:48 +00:00
2022-12-18 13:10:05 +00:00
let inReplyToAccountRef = mentions?.find(
(mention) => mention.id === inReplyToAccountId,
);
if (!inReplyToAccountRef && inReplyToAccountId === id) {
2023-02-21 06:29:25 +00:00
inReplyToAccountRef = { url: accountURL, username, displayName };
2022-12-18 13:10:05 +00:00
}
const [inReplyToAccount, setInReplyToAccount] = useState(inReplyToAccountRef);
if (!withinContext && !inReplyToAccount && inReplyToAccountId) {
const account = states.accounts[inReplyToAccountId];
2022-12-18 13:10:05 +00:00
if (account) {
setInReplyToAccount(account);
} else {
memFetchAccount(inReplyToAccountId, masto)
2022-12-18 13:10:05 +00:00
.then((account) => {
setInReplyToAccount(account);
states.accounts[account.id] = account;
2022-12-18 13:10:05 +00:00
})
.catch((e) => {});
}
2022-12-10 09:14:48 +00:00
}
const showSpoiler = !!snapStates.spoilers[id] || false;
2022-12-10 09:14:48 +00:00
2022-12-18 13:10:05 +00:00
const debugHover = (e) => {
if (e.shiftKey) {
console.log(status);
}
};
if (reblog) {
return (
<div class="status-reblog" onMouseEnter={debugHover}>
<div class="status-pre-meta">
<Icon icon="rocket" size="l" />{' '}
<NameText account={status.account} instance={instance} showAvatar />{' '}
boosted
2022-12-18 13:10:05 +00:00
</div>
<Status
status={reblog}
instance={instance}
size={size}
contentTextWeight={contentTextWeight}
/>
2022-12-18 13:10:05 +00:00
</div>
);
}
2022-12-10 09:14:48 +00:00
const [forceTranslate, setForceTranslate] = useState(false);
const targetLanguage = getTranslateTargetLanguage(true);
if (!snapStates.settings.contentTranslation) enableTranslate = false;
2022-12-18 13:10:05 +00:00
const [showEdited, setShowEdited] = useState(false);
const spoilerContentRef = useRef(null);
useResizeObserver({
ref: spoilerContentRef,
onResize: () => {
if (spoilerContentRef.current) {
const { scrollHeight, clientHeight } = spoilerContentRef.current;
spoilerContentRef.current.classList.toggle(
'truncated',
scrollHeight > clientHeight,
);
}
},
});
const contentRef = useRef(null);
useResizeObserver({
ref: contentRef,
onResize: () => {
if (contentRef.current) {
const { scrollHeight, clientHeight } = contentRef.current;
contentRef.current.classList.toggle(
'truncated',
scrollHeight > clientHeight,
);
}
},
});
const readMoreText = 'Read more →';
2022-12-10 09:14:48 +00:00
2022-12-30 12:37:57 +00:00
const statusRef = useRef(null);
const unauthInteractionErrorMessage = `Sorry, your current logged-in instance can't interact with this status from another instance.`;
const textWeight = () =>
Math.max(
Math.round((spoilerText.length + htmlContentLength(content)) / 140) || 1,
1,
);
2023-03-01 12:07:22 +00:00
const createdDateText = niceDateTime(createdAtDate);
const editedDateText = editedAt && niceDateTime(editedAtDate);
const isSizeLarge = size === 'l';
// Can boost if:
// - authenticated AND
// - visibility != direct OR
// - visibility = private AND isSelf
let canBoost =
authenticated && visibility !== 'direct' && visibility !== 'private';
if (visibility === 'private' && isSelf) {
canBoost = true;
}
const replyStatus = () => {
if (!sameInstance || !authenticated) {
return alert(unauthInteractionErrorMessage);
}
states.showCompose = {
replyToStatus: status,
};
};
const boostStatus = async () => {
if (!sameInstance || !authenticated) {
return alert(unauthInteractionErrorMessage);
}
try {
if (!reblogged) {
// Check if media has no descriptions
const hasNoDescriptions = mediaAttachments.some(
(attachment) => !attachment.description?.trim?.(),
);
let confirmText = 'Boost this post?';
if (hasNoDescriptions) {
confirmText += '\n\n⚠ Some media have no descriptions.';
}
const yes = confirm(confirmText);
if (!yes) {
return;
}
}
// Optimistic
states.statuses[sKey] = {
...status,
reblogged: !reblogged,
reblogsCount: reblogsCount + (reblogged ? -1 : 1),
};
if (reblogged) {
const newStatus = await masto.v1.statuses.unreblog(id);
saveStatus(newStatus, instance);
} else {
const newStatus = await masto.v1.statuses.reblog(id);
saveStatus(newStatus, instance);
}
} catch (e) {
console.error(e);
// Revert optimistism
states.statuses[sKey] = status;
}
};
const favouriteStatus = async () => {
if (!sameInstance || !authenticated) {
return alert(unauthInteractionErrorMessage);
}
try {
// Optimistic
states.statuses[sKey] = {
...status,
favourited: !favourited,
favouritesCount: favouritesCount + (favourited ? -1 : 1),
};
if (favourited) {
const newStatus = await masto.v1.statuses.unfavourite(id);
saveStatus(newStatus, instance);
} else {
const newStatus = await masto.v1.statuses.favourite(id);
saveStatus(newStatus, instance);
}
} catch (e) {
console.error(e);
// Revert optimistism
states.statuses[sKey] = status;
}
};
const bookmarkStatus = async () => {
if (!sameInstance || !authenticated) {
return alert(unauthInteractionErrorMessage);
}
try {
// Optimistic
states.statuses[sKey] = {
...status,
bookmarked: !bookmarked,
};
if (bookmarked) {
const newStatus = await masto.v1.statuses.unbookmark(id);
saveStatus(newStatus, instance);
} else {
const newStatus = await masto.v1.statuses.bookmark(id);
saveStatus(newStatus, instance);
}
} catch (e) {
console.error(e);
// Revert optimistism
states.statuses[sKey] = status;
}
};
const menuInstanceRef = useRef();
const StatusMenuItems = (
<>
{!isSizeLarge && (
<>
<MenuHeader>
<span class="ib">
<Icon icon={visibilityIconsMap[visibility]} size="s" />{' '}
<span>{visibilityText[visibility]}</span>
</span>{' '}
<span class="ib">
{repliesCount > 0 && (
<span>
<Icon icon="reply" alt="Replies" size="s" />{' '}
<span>{shortenNumber(repliesCount)}</span>
</span>
)}{' '}
{reblogsCount > 0 && (
<span>
<Icon icon="rocket" alt="Boosts" size="s" />{' '}
<span>{shortenNumber(reblogsCount)}</span>
</span>
)}{' '}
{favouritesCount > 0 && (
<span>
<Icon icon="heart" alt="Favourites" size="s" />{' '}
<span>{shortenNumber(favouritesCount)}</span>
</span>
)}
</span>
<br />
{createdDateText}
</MenuHeader>
<MenuLink to={instance ? `/${instance}/s/${id}` : `/s/${id}`}>
<Icon icon="arrow-right" />
2023-03-09 13:51:50 +00:00
<span>View post by @{username || acct}</span>
</MenuLink>
</>
)}
{!!editedAt && (
<MenuItem
onClick={() => {
setShowEdited(id);
}}
>
<Icon icon="history" />
<span>
Show Edit History
<br />
<small class="more-insignificant">Edited: {editedDateText}</small>
</span>
</MenuItem>
)}
{(!isSizeLarge || !!editedAt) && <MenuDivider />}
{!isSizeLarge && sameInstance && (
<>
<MenuItem onClick={replyStatus}>
<Icon icon="reply" />
<span>Reply</span>
</MenuItem>
{canBoost && (
<MenuItem
onClick={async () => {
try {
await boostStatus();
if (!isSizeLarge)
showToast(reblogged ? 'Unboosted' : 'Boosted');
} catch (e) {}
}}
>
2023-03-09 13:51:50 +00:00
<Icon
icon="rocket"
style={{
color: reblogged && 'var(--reblog-color)',
}}
/>
<span>{reblogged ? 'Unboost' : 'Boost…'}</span>
</MenuItem>
)}
<MenuItem
onClick={() => {
try {
favouriteStatus();
if (!isSizeLarge)
showToast(favourited ? 'Unfavourited' : 'Favourited');
} catch (e) {}
}}
>
2023-03-09 13:51:50 +00:00
<Icon
icon="heart"
style={{
color: favourited && 'var(--favourite-color)',
}}
/>
<span>{favourited ? 'Unfavourite' : 'Favourite'}</span>
</MenuItem>
<MenuItem
onClick={() => {
try {
bookmarkStatus();
if (!isSizeLarge)
showToast(bookmarked ? 'Unbookmarked' : 'Bookmarked');
} catch (e) {}
}}
>
2023-03-09 13:51:50 +00:00
<Icon
icon="bookmark"
style={{
color: bookmarked && 'var(--favourite-color)',
}}
/>
<span>{bookmarked ? 'Unbookmark' : 'Bookmark'}</span>
</MenuItem>
</>
)}
{enableTranslate && (
<MenuItem
disabled={forceTranslate}
onClick={() => {
setForceTranslate(true);
}}
>
<Icon icon="translate" />
<span>Translate</span>
</MenuItem>
)}
{((!isSizeLarge && sameInstance) || enableTranslate) && <MenuDivider />}
<MenuItem href={url} target="_blank">
<Icon icon="external" />
2023-03-09 13:51:50 +00:00
<small class="menu-double-lines">{nicePostURL(url)}</small>
</MenuItem>
2023-03-09 13:51:50 +00:00
<div class="menu-horizontal">
<MenuItem
onClick={() => {
2023-03-09 13:51:50 +00:00
// Copy url to clipboard
try {
navigator.clipboard.writeText(url);
showToast('Link copied');
} catch (e) {
console.error(e);
showToast('Unable to copy link');
}
}}
>
2023-03-09 13:51:50 +00:00
<Icon icon="link" />
<span>Copy</span>
</MenuItem>
2023-03-09 13:51:50 +00:00
{navigator?.share &&
navigator?.canShare?.({
url,
}) && (
<MenuItem
onClick={() => {
try {
navigator.share({
url,
});
} catch (e) {
console.error(e);
alert("Sharing doesn't seem to work.");
}
}}
>
<Icon icon="share" />
<span>Share</span>
</MenuItem>
)}
</div>
{isSelf && (
<>
<MenuDivider />
<MenuItem
onClick={() => {
states.showCompose = {
editStatus: status,
};
}}
>
<Icon icon="pencil" />
<span>Edit</span>
</MenuItem>
</>
)}
</>
);
2023-03-07 16:01:51 +00:00
const contextMenuRef = useRef();
2023-03-02 07:15:49 +00:00
const [isContextMenuOpen, setIsContextMenuOpen] = useState(false);
const [contextMenuAnchorPoint, setContextMenuAnchorPoint] = useState({
x: 0,
y: 0,
});
2023-03-07 16:01:51 +00:00
const bindLongPress = useLongPress(
(e) => {
const { clientX, clientY } = e.touches?.[0] || e;
setContextMenuAnchorPoint({
2023-03-07 16:01:51 +00:00
x: clientX,
y: clientY,
});
setIsContextMenuOpen(true);
2023-03-07 16:01:51 +00:00
},
{
captureEvent: true,
detect: 'touch',
cancelOnMovement: true,
},
);
2023-03-02 07:15:49 +00:00
2022-12-10 09:14:48 +00:00
return (
2022-12-29 08:12:09 +00:00
<article
2022-12-30 12:37:57 +00:00
ref={statusRef}
tabindex="-1"
2022-12-18 13:10:05 +00:00
class={`status ${
!withinContext && inReplyToAccount ? 'status-reply-to' : ''
2023-02-17 02:12:59 +00:00
} visibility-${visibility} ${_pinned ? 'status-pinned' : ''} ${
2022-12-18 13:10:05 +00:00
{
s: 'small',
m: 'medium',
l: 'large',
}[size]
}`}
onMouseEnter={debugHover}
2023-03-02 07:15:49 +00:00
onContextMenu={(e) => {
if (size === 'l') return;
2023-03-02 07:15:49 +00:00
if (e.metaKey) return;
2023-03-16 05:02:46 +00:00
if (previewMode) return;
// console.log('context menu', e);
2023-03-09 13:51:50 +00:00
const link = e.target.closest('a');
if (link && /^https?:\/\//.test(link.getAttribute('href'))) return;
2023-03-02 07:15:49 +00:00
e.preventDefault();
setContextMenuAnchorPoint({
x: e.clientX,
y: e.clientY,
});
setIsContextMenuOpen(true);
}}
2023-03-07 16:01:51 +00:00
{...bindLongPress()}
2022-12-18 13:10:05 +00:00
>
{size !== 'l' && (
<ControlledMenu
2023-03-07 16:01:51 +00:00
ref={contextMenuRef}
state={isContextMenuOpen ? 'open' : undefined}
anchorPoint={contextMenuAnchorPoint}
direction="right"
onClose={() => setIsContextMenuOpen(false)}
portal={{
target: document.body,
}}
containerProps={{
style: {
// Higher than the backdrop
zIndex: 1001,
},
2023-03-07 16:01:51 +00:00
onClick: () => {
contextMenuRef.current?.closeMenu?.();
},
}}
overflow="auto"
boundingBoxPadding={safeBoundingBoxPadding()}
unmountOnClose
>
{StatusMenuItems}
</ControlledMenu>
)}
2022-12-20 12:17:38 +00:00
{size !== 'l' && (
<div class="status-badge">
{reblogged && <Icon class="reblog" icon="rocket" size="s" />}
{favourited && <Icon class="favourite" icon="heart" size="s" />}
{bookmarked && <Icon class="bookmark" icon="bookmark" size="s" />}
2023-02-17 02:12:59 +00:00
{_pinned && <Icon class="pin" icon="pin" size="s" />}
2022-12-20 12:17:38 +00:00
</div>
)}
2022-12-18 13:10:05 +00:00
{size !== 's' && (
<a
2023-02-21 06:29:25 +00:00
href={accountURL}
2022-12-29 08:11:58 +00:00
tabindex="-1"
2022-12-18 13:10:05 +00:00
// target="_blank"
title={`@${acct}`}
onClick={(e) => {
2022-12-10 09:14:48 +00:00
e.preventDefault();
2022-12-18 13:10:05 +00:00
e.stopPropagation();
states.showAccount = {
account: status.account,
instance,
};
2022-12-10 09:14:48 +00:00
}}
>
2023-03-15 11:30:53 +00:00
<Avatar url={avatarStatic || avatar} size="xxl" />
2022-12-18 13:10:05 +00:00
</a>
2022-12-10 09:14:48 +00:00
)}
2022-12-18 13:10:05 +00:00
<div class="container">
<div class="meta">
{/* <span> */}
<NameText
account={status.account}
instance={instance}
showAvatar={size === 's'}
showAcct={isSizeLarge}
/>
{/* {inReplyToAccount && !withinContext && size !== 's' && (
2022-12-18 13:10:05 +00:00
<>
{' '}
<span class="ib">
<Icon icon="arrow-right" class="arrow" />{' '}
<NameText account={inReplyToAccount} instance={instance} short />
2022-12-18 13:10:05 +00:00
</span>
</>
)} */}
{/* </span> */}{' '}
2022-12-18 13:10:05 +00:00
{size !== 'l' &&
2023-03-16 05:02:46 +00:00
(url && !previewMode ? (
<Menu
instanceRef={menuInstanceRef}
portal={{
target: document.body,
}}
containerProps={{
style: {
// Higher than the backdrop
zIndex: 1001,
},
onClick: () => {
menuInstanceRef.current?.closeMenu?.();
},
}}
align="end"
offsetY={4}
overflow="auto"
viewScroll="close"
boundingBoxPadding="8 8 8 8"
unmountOnClose
menuButton={({ open }) => (
<Link
to={instance ? `/${instance}/s/${id}` : `/s/${id}`}
onClick={(e) => {
e.preventDefault();
e.stopPropagation();
}}
class={`time ${open ? 'is-open' : ''}`}
>
<Icon
icon={visibilityIconsMap[visibility]}
alt={visibilityText[visibility]}
size="s"
/>{' '}
<RelativeTime datetime={createdAtDate} format="micro" />
</Link>
)}
>
{StatusMenuItems}
</Menu>
2022-12-18 13:10:05 +00:00
) : (
<span class="time">
<Icon
icon={visibilityIconsMap[visibility]}
alt={visibilityText[visibility]}
2022-12-18 13:10:05 +00:00
size="s"
/>{' '}
<RelativeTime datetime={createdAtDate} format="micro" />
2022-12-18 13:10:05 +00:00
</span>
))}
</div>
{!withinContext && (
2023-01-10 11:59:02 +00:00
<>
{inReplyToAccountId === status.account?.id ||
!!snapStates.statusThreadNumber[sKey] ? (
2023-01-10 11:59:02 +00:00
<div class="status-thread-badge">
<Icon icon="thread" size="s" />
Thread
{snapStates.statusThreadNumber[sKey]
? ` ${snapStates.statusThreadNumber[sKey]}/X`
2023-01-10 11:59:02 +00:00
: ''}
</div>
) : (
!!inReplyToId &&
!!inReplyToAccount &&
(!!spoilerText ||
!mentions.find((mention) => {
return mention.id === inReplyToAccountId;
})) && (
<div class="status-reply-badge">
<Icon icon="reply" />{' '}
<NameText
account={inReplyToAccount}
instance={instance}
short
/>
</div>
2023-01-10 11:59:02 +00:00
)
)}
</>
)}
2022-12-18 13:10:05 +00:00
<div
2023-02-07 04:56:26 +00:00
class={`content-container ${
spoilerText || sensitive ? 'has-spoiler' : ''
} ${showSpoiler ? 'show-spoiler' : ''}`}
data-content-text-weight={contentTextWeight ? textWeight() : null}
2022-12-18 13:10:05 +00:00
style={
(isSizeLarge || contentTextWeight) && {
'--content-text-weight': textWeight(),
2022-12-18 13:10:05 +00:00
}
}
>
{!!spoilerText && (
2022-12-14 13:48:17 +00:00
<>
2022-12-18 13:10:05 +00:00
<div
class="content"
lang={language}
ref={spoilerContentRef}
data-read-more={readMoreText}
>
<p>{spoilerText}</p>
</div>
<button
class={`light spoiler ${showSpoiler ? 'spoiling' : ''}`}
2022-12-18 13:10:05 +00:00
type="button"
onClick={(e) => {
e.preventDefault();
e.stopPropagation();
if (showSpoiler) {
delete states.spoilers[id];
} else {
states.spoilers[id] = true;
}
2022-12-18 13:10:05 +00:00
}}
>
<Icon icon={showSpoiler ? 'eye-open' : 'eye-close'} />{' '}
{showSpoiler ? 'Show less' : 'Show more'}
</button>
2022-12-10 09:14:48 +00:00
</>
)}
<div
class="content"
lang={language}
ref={contentRef}
data-read-more={readMoreText}
2023-03-16 05:02:46 +00:00
onClick={handleContentLinks({ mentions, instance, previewMode })}
2022-12-10 09:14:48 +00:00
dangerouslySetInnerHTML={{
__html: enhanceContent(content, {
emojis,
postEnhanceDOM: (dom) => {
// Remove target="_blank" from links
dom
.querySelectorAll('a.u-url[target="_blank"]')
.forEach((a) => {
if (!/http/i.test(a.innerText.trim())) {
a.removeAttribute('target');
}
});
2023-03-16 05:02:46 +00:00
if (previewMode) return;
// Unfurl Mastodon links
dom
.querySelectorAll(
'a[href]:not(.u-url):not(.mention):not(.hashtag)',
)
.forEach((a) => {
if (isMastodonLinkMaybe(a.href)) {
unfurlMastodonLink(currentInstance, a.href).then(() => {
a.removeAttribute('target');
});
}
});
},
2022-12-10 09:14:48 +00:00
}),
}}
/>
2022-12-21 11:29:37 +00:00
{!!poll && (
<Poll
lang={language}
2022-12-21 11:29:37 +00:00
poll={poll}
2023-02-19 06:49:53 +00:00
readOnly={readOnly || !sameInstance || !authenticated}
2022-12-21 11:29:37 +00:00
onUpdate={(newPoll) => {
states.statuses[sKey].poll = newPoll;
2022-12-21 11:29:37 +00:00
}}
refresh={() => {
return masto.v1.polls
.fetch(poll.id)
.then((pollResponse) => {
states.statuses[sKey].poll = pollResponse;
})
.catch((e) => {}); // Silently fail
}}
votePoll={(choices) => {
return masto.v1.polls
.vote(poll.id, {
choices,
})
.then((pollResponse) => {
states.statuses[sKey].poll = pollResponse;
})
.catch((e) => {}); // Silently fail
}}
2022-12-21 11:29:37 +00:00
/>
)}
{((enableTranslate &&
!!content.trim() &&
language &&
language !== targetLanguage) ||
forceTranslate) && (
<TranslationBlock
forceTranslate={forceTranslate}
sourceLanguage={language}
text={
(spoilerText ? `${spoilerText}\n\n` : '') +
getHTMLText(content) +
(poll?.options?.length
? `\n\nPoll:\n${poll.options
.map((option) => `- ${option.title}`)
.join('\n')}`
: '')
}
/>
)}
2022-12-10 09:14:48 +00:00
{!spoilerText && sensitive && !!mediaAttachments.length && (
<button
class={`plain spoiler ${showSpoiler ? 'spoiling' : ''}`}
2022-12-10 09:14:48 +00:00
type="button"
onClick={(e) => {
e.preventDefault();
e.stopPropagation();
if (showSpoiler) {
delete states.spoilers[id];
} else {
states.spoilers[id] = true;
}
2022-12-10 09:14:48 +00:00
}}
>
<Icon icon={showSpoiler ? 'eye-open' : 'eye-close'} /> Sensitive
content
</button>
)}
{!!mediaAttachments.length && (
<div
2023-01-23 12:35:15 +00:00
class={`media-container media-eq${mediaAttachments.length} ${
mediaAttachments.length > 2 ? 'media-gt2' : ''
} ${mediaAttachments.length > 4 ? 'media-gt4' : ''}`}
>
{mediaAttachments
.slice(0, isSizeLarge ? undefined : 4)
.map((media, i) => (
<Media
key={media.id}
media={media}
autoAnimate={isSizeLarge}
onClick={(e) => {
e.preventDefault();
e.stopPropagation();
states.showMediaModal = {
mediaAttachments,
index: i,
instance,
statusID: readOnly ? null : id,
};
}}
/>
))}
2022-12-10 09:14:48 +00:00
</div>
)}
{!!card &&
!sensitive &&
!spoilerText &&
!poll &&
!mediaAttachments.length && (
<Card card={card} instance={currentInstance} />
)}
2022-12-10 09:14:48 +00:00
</div>
{isSizeLarge && (
<>
<div class="extra-meta">
<Icon icon={visibilityIconsMap[visibility]} alt={visibility} />{' '}
2023-02-21 06:29:25 +00:00
<a href={url} target="_blank">
<time class="created" datetime={createdAtDate.toISOString()}>
{createdDateText}
</time>
</a>
{editedAt && (
2022-12-10 09:14:48 +00:00
<>
{' '}
&bull; <Icon icon="pencil" alt="Edited" />{' '}
<time
class="edited"
datetime={editedAtDate.toISOString()}
onClick={() => {
setShowEdited(id);
}}
>
{editedDateText}
</time>
2022-12-10 09:14:48 +00:00
</>
)}
</div>
<div class="actions">
2022-12-19 05:38:16 +00:00
<div class="action has-count">
<StatusButton
title="Reply"
alt="Comments"
class="reply-button"
icon="comment"
count={repliesCount}
onClick={replyStatus}
2022-12-19 05:38:16 +00:00
/>
</div>
{canBoost && (
2022-12-19 05:38:16 +00:00
<div class="action has-count">
<StatusButton
checked={reblogged}
title={['Boost', 'Unboost']}
alt={['Boost', 'Boosted']}
class="reblog-button"
icon="rocket"
count={reblogsCount}
onClick={boostStatus}
2022-12-19 05:38:16 +00:00
/>
</div>
)}
<div class="action has-count">
<StatusButton
2022-12-19 05:38:16 +00:00
checked={favourited}
title={['Favourite', 'Unfavourite']}
alt={['Favourite', 'Favourited']}
class="favourite-button"
icon="heart"
count={favouritesCount}
onClick={favouriteStatus}
/>
2022-12-19 05:38:16 +00:00
</div>
<div class="action">
<StatusButton
checked={bookmarked}
title={['Bookmark', 'Unbookmark']}
alt={['Bookmark', 'Bookmarked']}
class="bookmark-button"
icon="bookmark"
onClick={bookmarkStatus}
2022-12-19 05:38:16 +00:00
/>
</div>
<Menu
portal={{
target:
document.querySelector('.status-deck') || document.body,
}}
align="end"
offsetY={4}
overflow="auto"
viewScroll="close"
boundingBoxPadding="8 8 8 8"
menuButton={
<div class="action">
<button
type="button"
title="More"
class="plain more-button"
>
<Icon icon="more" size="l" alt="More" />
</button>
</div>
}
>
{StatusMenuItems}
</Menu>
</div>
</>
2022-12-10 09:14:48 +00:00
)}
</div>
2022-12-18 13:10:05 +00:00
{!!showEdited && (
<Modal
onClick={(e) => {
if (e.target === e.currentTarget) {
setShowEdited(false);
2022-12-30 12:37:57 +00:00
statusRef.current?.focus();
2022-12-18 13:10:05 +00:00
}
}}
>
<EditedAtModal
statusID={showEdited}
instance={instance}
fetchStatusHistory={() => {
return masto.v1.statuses.listHistory(showEdited);
}}
2022-12-18 13:10:05 +00:00
onClose={() => {
setShowEdited(false);
2022-12-30 12:37:57 +00:00
statusRef.current?.focus();
2022-12-18 13:10:05 +00:00
}}
/>
</Modal>
)}
2022-12-29 08:12:09 +00:00
</article>
2022-12-18 13:10:05 +00:00
);
}
function Card({ card, instance }) {
2022-12-18 13:10:05 +00:00
const {
blurhash,
title,
description,
html,
providerName,
authorName,
width,
height,
image,
url,
type,
embedUrl,
} = card;
/* type
link = Link OEmbed
photo = Photo OEmbed
video = Video OEmbed
rich = iframe OEmbed. Not currently accepted, so wont show up in practice.
*/
const hasText = title || providerName || authorName;
const isLandscape = width / height >= 1.2;
const size = isLandscape ? 'large' : '';
2022-12-18 13:10:05 +00:00
const [cardStatusURL, setCardStatusURL] = useState(null);
// const [cardStatusID, setCardStatusID] = useState(null);
useEffect(() => {
if (hasText && image && isMastodonLinkMaybe(url)) {
unfurlMastodonLink(instance, url).then((result) => {
if (!result) return;
const { id, url } = result;
setCardStatusURL('#' + url);
// NOTE: This is for quote post
// (async () => {
// const { masto } = api({ instance });
// const status = await masto.v1.statuses.fetch(id);
// saveStatus(status, instance);
// setCardStatusID(id);
// })();
});
}
}, [hasText, image]);
// if (cardStatusID) {
// return (
// <Status statusID={cardStatusID} instance={instance} size="s" readOnly />
// );
// }
2022-12-18 13:10:05 +00:00
if (hasText && image) {
const domain = new URL(url).hostname.replace(/^www\./, '');
return (
<a
href={cardStatusURL || url}
target={cardStatusURL ? null : '_blank'}
2022-12-18 13:10:05 +00:00
rel="nofollow noopener noreferrer"
class={`card link ${size}`}
2022-12-18 13:10:05 +00:00
>
2023-01-07 12:25:13 +00:00
<div class="card-image">
<img
src={image}
width={width}
height={height}
loading="lazy"
alt=""
onError={(e) => {
try {
e.target.style.display = 'none';
} catch (e) {}
}}
/>
</div>
2022-12-18 13:10:05 +00:00
<div class="meta-container">
<p class="meta domain">{domain}</p>
2023-02-12 06:24:27 +00:00
<p class="title">{title}</p>
2022-12-18 13:10:05 +00:00
<p class="meta">{description || providerName || authorName}</p>
</div>
</a>
);
} else if (type === 'photo') {
return (
<a
href={url}
target="_blank"
rel="nofollow noopener noreferrer"
class="card photo"
>
<img
src={embedUrl}
width={width}
height={height}
alt={title || description}
loading="lazy"
style={{
height: 'auto',
aspectRatio: `${width}/${height}`,
}}
/>
</a>
);
} else if (type === 'video') {
return (
<div
class="card video"
style={{
aspectRatio: `${width}/${height}`,
}}
dangerouslySetInnerHTML={{ __html: html }}
/>
);
}
}
function Poll({
poll,
lang,
readOnly,
refresh = () => {},
votePoll = () => {},
}) {
2022-12-18 13:10:05 +00:00
const [uiState, setUIState] = useState('default');
const {
expired,
expiresAt,
id,
multiple,
options,
ownVotes,
voted,
votersCount,
votesCount,
2022-12-21 11:29:37 +00:00
} = poll;
2022-12-18 13:10:05 +00:00
const expiresAtDate = !!expiresAt && new Date(expiresAt);
2022-12-22 13:52:59 +00:00
// Update poll at point of expiry
useEffect(() => {
let timeout;
if (!expired && expiresAtDate) {
const ms = expiresAtDate.getTime() - Date.now() + 1; // +1 to give it a little buffer
if (ms > 0) {
timeout = setTimeout(() => {
setUIState('loading');
(async () => {
await refresh();
2022-12-22 13:52:59 +00:00
setUIState('default');
})();
}, ms);
}
}
return () => {
clearTimeout(timeout);
};
}, [expired, expiresAtDate]);
const pollVotesCount = votersCount || votesCount;
let roundPrecision = 0;
if (pollVotesCount <= 1000) {
roundPrecision = 0;
} else if (pollVotesCount <= 10000) {
roundPrecision = 1;
} else if (pollVotesCount <= 100000) {
roundPrecision = 2;
}
2022-12-18 13:10:05 +00:00
return (
2022-12-21 11:46:38 +00:00
<div
lang={lang}
2022-12-21 11:46:38 +00:00
class={`poll ${readOnly ? 'read-only' : ''} ${
uiState === 'loading' ? 'loading' : ''
}`}
>
2022-12-18 13:10:05 +00:00
{voted || expired ? (
options.map((option, i) => {
const { title, votesCount: optionVotesCount } = option;
const percentage = pollVotesCount
? ((optionVotesCount / pollVotesCount) * 100).toFixed(
roundPrecision,
)
: 0;
2022-12-18 13:10:05 +00:00
// check if current poll choice is the leading one
const isLeading =
optionVotesCount > 0 &&
optionVotesCount === Math.max(...options.map((o) => o.votesCount));
return (
<div
key={`${i}-${title}-${optionVotesCount}`}
class={`poll-option ${isLeading ? 'poll-option-leading' : ''}`}
style={{
'--percentage': `${percentage}%`,
}}
>
<div class="poll-option-title">
{title}
{voted && ownVotes.includes(i) && (
<>
{' '}
2022-12-18 15:06:05 +00:00
<Icon icon="check-circle" />
2022-12-18 13:10:05 +00:00
</>
)}
</div>
<div
class="poll-option-votes"
title={`${optionVotesCount} vote${
optionVotesCount === 1 ? '' : 's'
}`}
>
{percentage}%
</div>
</div>
);
})
) : (
<form
onSubmit={async (e) => {
e.preventDefault();
const form = e.target;
const formData = new FormData(form);
const choices = [];
2022-12-18 13:10:05 +00:00
formData.forEach((value, key) => {
if (key === 'poll') {
choices.push(value);
2022-12-18 13:10:05 +00:00
}
});
2023-02-24 15:38:59 +00:00
if (!choices.length) return;
2022-12-18 13:10:05 +00:00
setUIState('loading');
await votePoll(choices);
2022-12-18 13:10:05 +00:00
setUIState('default');
}}
>
{options.map((option, i) => {
const { title } = option;
return (
<div class="poll-option">
<label class="poll-label">
<input
type={multiple ? 'checkbox' : 'radio'}
name="poll"
value={i}
disabled={uiState === 'loading'}
readOnly={readOnly}
/>
<span class="poll-option-title">{title}</span>
</label>
</div>
);
})}
{!readOnly && (
<button
2022-12-18 13:10:05 +00:00
class="poll-vote-button"
type="submit"
disabled={uiState === 'loading'}
>
2022-12-18 13:10:05 +00:00
Vote
</button>
2022-12-10 09:14:48 +00:00
)}
2022-12-18 13:10:05 +00:00
</form>
2022-12-10 09:14:48 +00:00
)}
2022-12-18 13:10:05 +00:00
{!readOnly && (
<p class="poll-meta">
2022-12-21 11:46:38 +00:00
{!expired && (
<>
<button
type="button"
class="textual"
disabled={uiState === 'loading'}
onClick={(e) => {
e.preventDefault();
setUIState('loading');
(async () => {
await refresh();
2022-12-21 11:46:38 +00:00
setUIState('default');
})();
}}
>
Refresh
</button>{' '}
&bull;{' '}
</>
)}
<span title={votesCount}>{shortenNumber(votesCount)}</span> vote
{votesCount === 1 ? '' : 's'}
{!!votersCount && votersCount !== votesCount && (
2022-12-18 13:10:05 +00:00
<>
{' '}
&bull;{' '}
<span title={votersCount}>{shortenNumber(votersCount)}</span>{' '}
voter
{votersCount === 1 ? '' : 's'}
2022-12-18 13:10:05 +00:00
</>
)}{' '}
&bull; {expired ? 'Ended' : 'Ending'}{' '}
{!!expiresAtDate && <RelativeTime datetime={expiresAtDate} />}
2022-12-18 13:10:05 +00:00
</p>
)}
</div>
);
}
function EditedAtModal({
statusID,
instance,
fetchStatusHistory = () => {},
onClose = () => {},
}) {
2022-12-18 13:10:05 +00:00
const [uiState, setUIState] = useState('default');
const [editHistory, setEditHistory] = useState([]);
useEffect(() => {
setUIState('loading');
(async () => {
try {
const editHistory = await fetchStatusHistory();
2022-12-18 13:10:05 +00:00
console.log(editHistory);
setEditHistory(editHistory);
setUIState('default');
} catch (e) {
console.error(e);
setUIState('error');
}
})();
}, []);
return (
2022-12-30 12:37:57 +00:00
<div id="edit-history" class="sheet">
<header>
{/* <button type="button" class="close-button plain large" onClick={onClose}>
2022-12-18 13:10:05 +00:00
<Icon icon="x" alt="Close" />
</button> */}
<h2>Edit History</h2>
{uiState === 'error' && <p>Failed to load history</p>}
{uiState === 'loading' && (
<p>
<Loader abrupt /> Loading&hellip;
</p>
)}
</header>
2022-12-30 12:37:57 +00:00
<main tabIndex="-1">
{editHistory.length > 0 && (
<ol>
{editHistory.map((status) => {
const { createdAt } = status;
const createdAtDate = new Date(createdAt);
return (
<li key={createdAt} class="history-item">
<h3>
<time>
{niceDateTime(createdAtDate, {
formatOpts: {
weekday: 'short',
second: 'numeric',
},
})}
</time>
</h3>
<Status
status={status}
instance={instance}
size="s"
withinContext
readOnly
/>
</li>
);
})}
</ol>
)}
</main>
2022-12-10 09:14:48 +00:00
</div>
);
}
function StatusButton({
checked,
count,
class: className,
title,
alt,
icon,
onClick,
...props
}) {
if (typeof title === 'string') {
title = [title, title];
}
if (typeof alt === 'string') {
alt = [alt, alt];
}
const [buttonTitle, setButtonTitle] = useState(title[0] || '');
const [iconAlt, setIconAlt] = useState(alt[0] || '');
useEffect(() => {
if (checked) {
setButtonTitle(title[1] || '');
setIconAlt(alt[1] || '');
} else {
setButtonTitle(title[0] || '');
setIconAlt(alt[0] || '');
}
}, [checked, title, alt]);
return (
<button
type="button"
title={buttonTitle}
class={`plain ${className} ${checked ? 'checked' : ''}`}
onClick={(e) => {
e.preventDefault();
e.stopPropagation();
onClick(e);
}}
{...props}
>
<Icon icon={icon} size="l" alt={iconAlt} />
{!!count && (
<>
{' '}
2022-12-17 16:13:56 +00:00
<small title={count}>{shortenNumber(count)}</small>
</>
)}
</button>
);
}
export function formatDuration(time) {
if (!time) return;
let hours = Math.floor(time / 3600);
let minutes = Math.floor((time % 3600) / 60);
let seconds = Math.round(time % 60);
if (hours === 0) {
return `${minutes}:${seconds.toString().padStart(2, '0')}`;
} else {
return `${hours}:${minutes.toString().padStart(2, '0')}:${seconds
.toString()
.padStart(2, '0')}`;
}
}
function isMastodonLinkMaybe(url) {
return /^https:\/\/.*\/\d+$/i.test(url);
}
const denylistDomains = /(twitter|github)\.com/i;
2023-02-23 14:53:28 +00:00
const failedUnfurls = {};
function _unfurlMastodonLink(instance, url) {
if (denylistDomains.test(url)) {
return;
}
2023-02-23 14:53:28 +00:00
if (failedUnfurls[url]) {
return;
}
const instanceRegex = new RegExp(instance + '/');
if (instanceRegex.test(states.unfurledLinks[url]?.url)) {
return Promise.resolve(states.unfurledLinks[url]);
}
console.debug('🦦 Unfurling URL', url);
let remoteInstanceFetch;
const urlObj = new URL(url);
const domain = urlObj.hostname;
const path = urlObj.pathname;
// Regex /:username/:id, where username = @username or @username@domain, id = number
const statusRegex = /\/@([^@\/]+)@?([^\/]+)?\/(\d+)$/i;
const statusMatch = statusRegex.exec(path);
if (statusMatch) {
const id = statusMatch[3];
const { masto } = api({ instance: domain });
remoteInstanceFetch = masto.v1.statuses
.fetch(id)
.then((status) => {
if (status?.id) {
const statusURL = `/${domain}/s/${id}`;
const result = {
id,
url: statusURL,
};
console.debug('🦦 Unfurled URL', url, id, statusURL);
states.unfurledLinks[url] = result;
return result;
} else {
failedUnfurls[url] = true;
throw new Error('No results');
}
})
.catch((e) => {
failedUnfurls[url] = true;
});
}
const { masto } = api({ instance });
const mastoSearchFetch = masto.v2
.search({
q: url,
type: 'statuses',
resolve: true,
limit: 1,
})
.then((results) => {
if (results.statuses.length > 0) {
const status = results.statuses[0];
const { id } = status;
const statusURL = `/${instance}/s/${id}`;
const result = {
id,
url: statusURL,
};
console.debug('🦦 Unfurled URL', url, id, statusURL);
states.unfurledLinks[url] = result;
return result;
} else {
2023-02-23 14:53:28 +00:00
failedUnfurls[url] = true;
throw new Error('No results');
}
})
.catch((e) => {
2023-02-23 14:53:28 +00:00
failedUnfurls[url] = true;
2023-02-23 17:26:37 +00:00
// console.warn(e);
// Silently fail
});
return Promise.any([remoteInstanceFetch, mastoSearchFetch]);
}
2023-03-09 13:51:50 +00:00
function nicePostURL(url) {
if (!url) return;
2023-03-09 13:51:50 +00:00
const urlObj = new URL(url);
const { host, pathname } = urlObj;
const path = pathname.replace(/\/$/, '');
// split only first slash
const [_, username, restPath] = path.match(/\/(@[^\/]+)\/(.*)/) || [];
return (
<>
{host}
{username ? (
<>
/{username}
2023-03-10 11:34:04 +00:00
<wbr />
2023-03-09 13:51:50 +00:00
<span class="more-insignificant">/{restPath}</span>
</>
) : (
<span class="more-insignificant">{path}</span>
)}
</>
);
}
const unfurlMastodonLink = throttle(_unfurlMastodonLink);
const div = document.createElement('div');
function getHTMLText(html) {
if (!html) return 0;
div.innerHTML = html
.replace(/<\/p>/g, '</p>\n\n')
.replace(/<\/li>/g, '</li>\n');
div.querySelectorAll('br').forEach((br) => {
br.replaceWith('\n');
});
return div.innerText.replace(/[\r\n]{3,}/g, '\n\n').trim();
}
const root = document.documentElement;
const defaultBoundingBoxPadding = 8;
function safeBoundingBoxPadding() {
// Get safe area inset variables from root
const style = getComputedStyle(root);
const safeAreaInsetTop = style.getPropertyValue('--sai-top');
const safeAreaInsetRight = style.getPropertyValue('--sai-right');
const safeAreaInsetBottom = style.getPropertyValue('--sai-bottom');
const safeAreaInsetLeft = style.getPropertyValue('--sai-left');
const str = [
safeAreaInsetTop,
safeAreaInsetRight,
safeAreaInsetBottom,
safeAreaInsetLeft,
]
.map((v) => parseInt(v, 10) || defaultBoundingBoxPadding)
.join(' ');
// console.log(str);
return str;
}
export default memo(Status);