phanpy/src/components/timeline.jsx

830 lines
24 KiB
React
Raw Normal View History

2023-05-05 09:53:16 +00:00
import { useCallback, useEffect, useRef, useState } from 'preact/hooks';
import { useHotkeys } from 'react-hotkeys-hook';
import { InView } from 'react-intersection-observer';
2023-02-03 13:08:08 +00:00
import { useDebouncedCallback } from 'use-debounce';
import { useSnapshot } from 'valtio';
import FilterContext from '../utils/filter-context';
import { filteredItems, isFiltered } from '../utils/filters';
import states, { statusKey } from '../utils/states';
import statusPeek from '../utils/status-peek';
import { groupBoosts, groupContext } from '../utils/timeline-utils';
2023-02-08 11:11:33 +00:00
import useInterval from '../utils/useInterval';
2023-02-07 16:31:46 +00:00
import usePageVisibility from '../utils/usePageVisibility';
import useScroll from '../utils/useScroll';
2023-12-29 10:29:08 +00:00
import useScrollFn from '../utils/useScrollFn';
import Icon from './icon';
import Link from './link';
2023-10-29 13:41:03 +00:00
import MediaPost from './media-post';
2023-04-26 05:09:44 +00:00
import NavMenu from './nav-menu';
import Status from './status';
const scrollIntoViewOptions = {
block: 'nearest',
inline: 'center',
behavior: 'smooth',
};
2023-01-30 14:00:14 +00:00
function Timeline({
title,
2023-01-31 11:08:10 +00:00
titleComponent,
2023-01-30 14:00:14 +00:00
id,
instance,
2023-01-30 14:00:14 +00:00
emptyText,
errorText,
useItemID, // use statusID instead of status object, assuming it's already in states
2023-02-03 13:08:08 +00:00
boostsCarousel,
2023-01-30 14:00:14 +00:00
fetchItems = () => {},
2023-02-07 16:31:46 +00:00
checkForUpdates = () => {},
2023-11-06 01:44:46 +00:00
checkForUpdatesInterval = 15_000, // 15 seconds
2023-02-09 14:27:49 +00:00
headerStart,
headerEnd,
timelineStart,
// allowFilters,
2023-04-03 02:36:31 +00:00
refresh,
2023-10-29 13:41:03 +00:00
view,
filterContext,
2023-12-14 17:58:29 +00:00
showFollowedTags,
2023-01-30 14:00:14 +00:00
}) {
2023-05-05 09:53:16 +00:00
const snapStates = useSnapshot(states);
const [items, setItems] = useState([]);
const [uiState, setUIState] = useState('default');
const [showMore, setShowMore] = useState(false);
2023-02-07 16:31:46 +00:00
const [showNew, setShowNew] = useState(false);
2023-02-08 11:11:33 +00:00
const [visible, setVisible] = useState(true);
const scrollableRef = useRef();
console.debug('RENDER Timeline', id, refresh);
2023-10-29 13:41:03 +00:00
const allowGrouping = view !== 'media';
2023-02-03 13:08:08 +00:00
const loadItems = useDebouncedCallback(
(firstLoad) => {
2023-02-07 16:31:46 +00:00
setShowNew(false);
2023-02-03 13:08:08 +00:00
if (uiState === 'loading') return;
setUIState('loading');
(async () => {
try {
let { done, value } = await fetchItems(firstLoad);
if (Array.isArray(value)) {
// Avoid grouping for pinned posts
const [pinnedPosts, otherPosts] = value.reduce(
(acc, item) => {
if (item._pinned) {
acc[0].push(item);
} else {
acc[1].push(item);
}
return acc;
},
[[], []],
);
value = otherPosts;
2023-10-29 13:41:03 +00:00
if (allowGrouping) {
if (boostsCarousel) {
value = groupBoosts(value);
}
value = groupContext(value);
2023-02-03 13:08:08 +00:00
}
if (pinnedPosts.length) {
value = pinnedPosts.concat(value);
}
2023-02-03 13:08:08 +00:00
console.log(value);
if (firstLoad) {
setItems(value);
} else {
2023-02-20 12:58:53 +00:00
setItems((items) => [...items, ...value]);
2023-02-03 13:08:08 +00:00
}
if (!value.length) done = true;
2023-02-03 13:08:08 +00:00
setShowMore(!done);
} else {
2023-02-03 13:08:08 +00:00
setShowMore(false);
}
2023-02-03 13:08:08 +00:00
setUIState('default');
} catch (e) {
console.error(e);
setUIState('error');
} finally {
loadItems.cancel();
}
2023-02-03 13:08:08 +00:00
})();
},
1500,
{
leading: true,
trailing: false,
},
);
const itemsSelector = '.timeline-item, .timeline-item-alt';
const jRef = useHotkeys('j, shift+j', (_, handler) => {
// focus on next status after active item
const activeItem = document.activeElement.closest(itemsSelector);
const activeItemRect = activeItem?.getBoundingClientRect();
const allItems = Array.from(
scrollableRef.current.querySelectorAll(itemsSelector),
);
if (
activeItem &&
activeItemRect.top < scrollableRef.current.clientHeight &&
activeItemRect.bottom > 0
) {
const activeItemIndex = allItems.indexOf(activeItem);
let nextItem = allItems[activeItemIndex + 1];
if (handler.shift) {
// get next status that's not .timeline-item-alt
nextItem = allItems.find(
(item, index) =>
index > activeItemIndex &&
!item.classList.contains('timeline-item-alt'),
);
}
if (nextItem) {
nextItem.focus();
nextItem.scrollIntoView(scrollIntoViewOptions);
}
} else {
// If active status is not in viewport, get the topmost status-link in viewport
const topmostItem = allItems.find((item) => {
const itemRect = item.getBoundingClientRect();
return itemRect.top >= 44 && itemRect.left >= 0; // 44 is the magic number for header height, not real
});
if (topmostItem) {
topmostItem.focus();
topmostItem.scrollIntoView(scrollIntoViewOptions);
}
}
});
const kRef = useHotkeys('k, shift+k', (_, handler) => {
// focus on previous status after active item
const activeItem = document.activeElement.closest(itemsSelector);
const activeItemRect = activeItem?.getBoundingClientRect();
const allItems = Array.from(
scrollableRef.current.querySelectorAll(itemsSelector),
);
if (
activeItem &&
activeItemRect.top < scrollableRef.current.clientHeight &&
activeItemRect.bottom > 0
) {
const activeItemIndex = allItems.indexOf(activeItem);
let prevItem = allItems[activeItemIndex - 1];
if (handler.shift) {
// get prev status that's not .timeline-item-alt
prevItem = allItems.findLast(
(item, index) =>
index < activeItemIndex &&
!item.classList.contains('timeline-item-alt'),
);
}
if (prevItem) {
prevItem.focus();
prevItem.scrollIntoView(scrollIntoViewOptions);
}
} else {
// If active status is not in viewport, get the topmost status-link in viewport
const topmostItem = allItems.find((item) => {
const itemRect = item.getBoundingClientRect();
return itemRect.top >= 44 && itemRect.left >= 0; // 44 is the magic number for header height, not real
});
if (topmostItem) {
topmostItem.focus();
topmostItem.scrollIntoView(scrollIntoViewOptions);
}
}
});
const oRef = useHotkeys(['enter', 'o'], () => {
// open active status
const activeItem = document.activeElement.closest(itemsSelector);
if (activeItem) {
activeItem.click();
}
});
const showNewPostsIndicator =
items.length > 0 && uiState !== 'loading' && showNew;
const handleLoadNewPosts = useCallback(() => {
loadItems(true);
scrollableRef.current?.scrollTo({
top: 0,
behavior: 'smooth',
});
}, [loadItems]);
const dotRef = useHotkeys('.', () => {
if (showNewPostsIndicator) {
handleLoadNewPosts();
}
});
2023-12-29 10:29:08 +00:00
// const {
// scrollDirection,
// nearReachStart,
// nearReachEnd,
// reachStart,
// reachEnd,
// } = useScroll({
// scrollableRef,
// distanceFromEnd: 2,
// scrollThresholdStart: 44,
// });
const headerRef = useRef();
// const [hiddenUI, setHiddenUI] = useState(false);
const [nearReachStart, setNearReachStart] = useState(false);
useScrollFn(
{
scrollableRef,
distanceFromEnd: 2,
scrollThresholdStart: 44,
},
({
scrollDirection,
nearReachStart,
nearReachEnd,
reachStart,
reachEnd,
}) => {
// setHiddenUI(scrollDirection === 'end' && !nearReachEnd);
if (headerRef.current) {
const hiddenUI = scrollDirection === 'end' && !nearReachStart;
headerRef.current.hidden = hiddenUI;
}
setNearReachStart(nearReachStart);
if (reachStart) {
loadItems(true);
}
// else if (nearReachEnd || (reachEnd && showMore)) {
// loadItems();
// }
2023-12-29 10:29:08 +00:00
},
[],
);
useEffect(() => {
scrollableRef.current?.scrollTo({ top: 0 });
loadItems(true);
}, []);
2023-04-03 02:36:31 +00:00
useEffect(() => {
loadItems(true);
}, [refresh]);
2023-12-29 10:29:08 +00:00
// useEffect(() => {
// if (reachStart) {
// loadItems(true);
// }
// }, [reachStart]);
2023-12-29 10:29:08 +00:00
// useEffect(() => {
// if (nearReachEnd || (reachEnd && showMore)) {
// loadItems();
// }
// }, [nearReachEnd, showMore]);
2023-10-29 13:41:03 +00:00
const prevView = useRef(view);
useEffect(() => {
if (prevView.current !== view) {
prevView.current = view;
setItems([]);
}
}, [view]);
2023-05-05 09:53:16 +00:00
const loadOrCheckUpdates = useCallback(
async ({ disableIdleCheck = false } = {}) => {
const noPointers = scrollableRef.current
? getComputedStyle(scrollableRef.current).pointerEvents === 'none'
: false;
console.log('✨ Load or check updates', id, {
2023-07-12 09:32:05 +00:00
autoRefresh: snapStates.settings.autoRefresh,
scrollTop: scrollableRef.current.scrollTop,
disableIdleCheck,
idle: window.__IDLE__,
2023-07-12 09:32:05 +00:00
inBackground: inBackground(),
noPointers,
2023-07-12 09:32:05 +00:00
});
2023-05-05 09:53:16 +00:00
if (
snapStates.settings.autoRefresh &&
2023-10-30 16:42:24 +00:00
scrollableRef.current.scrollTop < 16 &&
(disableIdleCheck || window.__IDLE__) &&
!inBackground() &&
!noPointers
2023-05-05 09:53:16 +00:00
) {
console.log('✨ Load updates', id, snapStates.settings.autoRefresh);
2023-05-05 09:53:16 +00:00
loadItems(true);
} else {
console.log('✨ Check updates', id, snapStates.settings.autoRefresh);
2023-05-05 09:53:16 +00:00
const hasUpdate = await checkForUpdates();
if (hasUpdate) {
console.log('✨ Has new updates', id);
setShowNew(true);
}
}
},
[id, loadItems, checkForUpdates, snapStates.settings.autoRefresh],
2023-05-05 09:53:16 +00:00
);
2023-02-07 16:31:46 +00:00
const lastHiddenTime = useRef();
2023-03-23 17:04:47 +00:00
usePageVisibility(
(visible) => {
if (visible) {
const timeDiff = Date.now() - lastHiddenTime.current;
2023-11-07 03:19:49 +00:00
if (!lastHiddenTime.current || timeDiff > 1000 * 3) {
// 3 seconds
loadOrCheckUpdates({
disableIdleCheck: true,
2023-05-05 09:53:16 +00:00
});
2023-03-23 17:04:47 +00:00
}
} else {
lastHiddenTime.current = Date.now();
2023-02-07 16:31:46 +00:00
}
2023-03-23 17:04:47 +00:00
setVisible(visible);
},
2023-05-05 09:53:16 +00:00
[checkForUpdates, loadOrCheckUpdates, snapStates.settings.autoRefresh],
2023-03-23 17:04:47 +00:00
);
2023-02-07 16:31:46 +00:00
2023-02-08 11:11:33 +00:00
// checkForUpdates interval
useInterval(
2023-05-05 09:53:16 +00:00
loadOrCheckUpdates,
2023-11-08 16:16:16 +00:00
visible && !showNew
? checkForUpdatesInterval * (nearReachStart ? 1 : 2)
: null,
2023-02-08 11:11:33 +00:00
);
2023-12-29 10:29:08 +00:00
// const hiddenUI = scrollDirection === 'end' && !nearReachStart;
2023-02-07 16:31:46 +00:00
return (
<FilterContext.Provider value={filterContext}>
<div
id={`${id}-page`}
class="deck-container"
ref={(node) => {
scrollableRef.current = node;
jRef.current = node;
kRef.current = node;
oRef.current = node;
}}
tabIndex="-1"
>
<div class="timeline-deck deck">
<header
2023-12-29 10:29:08 +00:00
ref={headerRef}
// hidden={hiddenUI}
onClick={(e) => {
if (!e.target.closest('a, button')) {
scrollableRef.current?.scrollTo({
top: 0,
behavior: 'smooth',
});
}
}}
onDblClick={(e) => {
if (!e.target.closest('a, button')) {
loadItems(true);
}
}}
class={uiState === 'loading' ? 'loading' : ''}
>
<div class="header-grid">
<div class="header-side">
<NavMenu />
{headerStart !== null && headerStart !== undefined ? (
headerStart
) : (
<Link to="/" class="button plain home-button">
<Icon icon="home" size="l" />
</Link>
)}
</div>
{title && (titleComponent ? titleComponent : <h1>{title}</h1>)}
<div class="header-side">
{/* <Loader hidden={uiState !== 'loading'} /> */}
{!!headerEnd && headerEnd}
</div>
2023-02-08 11:11:33 +00:00
</div>
{showNewPostsIndicator && (
<button
class="updates-button shiny-pill"
type="button"
onClick={handleLoadNewPosts}
>
<Icon icon="arrow-up" /> New posts
</button>
)}
</header>
{!!timelineStart && (
<div
class={`timeline-start ${uiState === 'loading' ? 'loading' : ''}`}
>
{timelineStart}
2023-02-08 11:11:33 +00:00
</div>
)}
{!!items.length ? (
<>
<ul class={`timeline ${view ? `timeline-${view}` : ''}`}>
{items.map((status) => (
<TimelineItem
status={status}
instance={instance}
useItemID={useItemID}
// allowFilters={allowFilters}
filterContext={filterContext}
key={status.id + status?._pinned + view}
view={view}
2023-12-14 17:58:29 +00:00
showFollowedTags={showFollowedTags}
/>
))}
{showMore &&
uiState === 'loading' &&
(view === 'media' ? null : (
<>
<li
style={{
height: '20vh',
}}
>
<Status skeleton />
</li>
<li
style={{
height: '25vh',
}}
>
<Status skeleton />
</li>
</>
))}
</ul>
{uiState === 'default' &&
(showMore ? (
<InView
root={scrollableRef.current}
2024-01-03 02:54:55 +00:00
rootMargin={`0px 0px ${screen.height * 1.5}px 0px`}
onChange={(inView) => {
if (inView) {
loadItems();
}
}}
>
<button
type="button"
class="plain block"
onClick={() => loadItems()}
style={{ marginBlockEnd: '6em' }}
2023-10-29 13:41:03 +00:00
>
Show more&hellip;
</button>
</InView>
) : (
<p class="ui-state insignificant">The end.</p>
2023-10-29 13:41:03 +00:00
))}
</>
) : uiState === 'loading' ? (
<ul class="timeline">
{Array.from({ length: 5 }).map((_, i) =>
view === 'media' ? (
<div
style={{
height: '50vh',
}}
/>
) : (
<li key={i}>
<Status skeleton />
</li>
),
)}
</ul>
) : (
uiState !== 'error' && <p class="ui-state">{emptyText}</p>
)}
{uiState === 'error' && (
<p class="ui-state">
{errorText}
<br />
<br />
2023-11-04 01:56:06 +00:00
<button type="button" onClick={() => loadItems(!items.length)}>
Try again
</button>
</p>
)}
</div>
</div>
</FilterContext.Provider>
);
}
function TimelineItem({
status,
instance,
useItemID,
// allowFilters,
filterContext,
view,
2023-12-14 17:58:29 +00:00
showFollowedTags,
}) {
2023-10-27 06:15:03 +00:00
const { id: statusID, reblog, items, type, _pinned } = status;
if (_pinned) useItemID = false;
2023-10-27 06:15:03 +00:00
const actualStatusID = reblog?.id || statusID;
const url = instance
? `/${instance}/s/${actualStatusID}`
: `/s/${actualStatusID}`;
let title = '';
if (type === 'boosts') {
title = `${items.length} Boosts`;
} else if (type === 'pinned') {
title = 'Pinned posts';
}
const isCarousel = type === 'boosts' || type === 'pinned';
if (items) {
const fItems = filteredItems(items, filterContext);
2023-10-27 06:15:03 +00:00
if (isCarousel) {
// Here, we don't hide filtered posts, but we sort them last
fItems.sort((a, b) => {
// if (a._filtered && !b._filtered) {
// return 1;
// }
// if (!a._filtered && b._filtered) {
// return -1;
// }
const aFiltered = isFiltered(a.filtered, filterContext);
const bFiltered = isFiltered(b.filtered, filterContext);
if (aFiltered && !bFiltered) {
2023-10-27 06:15:03 +00:00
return 1;
}
if (!aFiltered && bFiltered) {
2023-10-27 06:15:03 +00:00
return -1;
}
return 0;
});
return (
<li key={`timeline-${statusID}`} class="timeline-item-carousel">
<StatusCarousel title={title} class={`${type}-carousel`}>
{fItems.map((item) => {
const { id: statusID, reblog, _pinned } = item;
2023-10-27 06:15:03 +00:00
const actualStatusID = reblog?.id || statusID;
const url = instance
? `/${instance}/s/${actualStatusID}`
: `/s/${actualStatusID}`;
if (_pinned) useItemID = false;
2023-10-27 06:15:03 +00:00
return (
<li key={statusID}>
<Link class="status-carousel-link timeline-item-alt" to={url}>
{useItemID ? (
<Status
statusID={statusID}
instance={instance}
size="s"
contentTextWeight
2023-11-14 14:45:13 +00:00
enableCommentHint
// allowFilters={allowFilters}
2023-10-27 06:15:03 +00:00
/>
) : (
<Status
status={item}
instance={instance}
size="s"
contentTextWeight
2023-11-14 14:45:13 +00:00
enableCommentHint
// allowFilters={allowFilters}
2023-10-27 06:15:03 +00:00
/>
)}
</Link>
</li>
);
})}
</StatusCarousel>
</li>
);
}
const manyItems = fItems.length > 3;
return fItems.map((item, i) => {
2023-10-27 06:15:03 +00:00
const { id: statusID, _differentAuthor } = item;
const url = instance ? `/${instance}/s/${statusID}` : `/s/${statusID}`;
const isMiddle = i > 0 && i < fItems.length - 1;
2023-10-27 06:15:03 +00:00
const isSpoiler = item.sensitive && !!item.spoilerText;
const showCompact =
(!_differentAuthor && isSpoiler && i > 0) ||
(manyItems &&
isMiddle &&
(type === 'thread' ||
(type === 'conversation' &&
!_differentAuthor &&
!fItems[i - 1]._differentAuthor &&
!fItems[i + 1]._differentAuthor)));
2023-12-14 17:58:29 +00:00
const isStart = i === 0;
const isEnd = i === fItems.length - 1;
2023-10-27 06:15:03 +00:00
return (
<li
key={`timeline-${statusID}`}
class={`timeline-item-container timeline-item-container-type-${type} timeline-item-container-${
2023-12-14 17:58:29 +00:00
isStart ? 'start' : isEnd ? 'end' : 'middle'
2023-10-27 06:15:03 +00:00
} ${_differentAuthor ? 'timeline-item-diff-author' : ''}`}
>
<Link class="status-link timeline-item" to={url}>
{showCompact ? (
<TimelineStatusCompact status={item} instance={instance} />
) : useItemID ? (
<Status
statusID={statusID}
instance={instance}
enableCommentHint={isEnd}
2023-12-14 17:58:29 +00:00
showFollowedTags={showFollowedTags}
// allowFilters={allowFilters}
2023-10-27 06:15:03 +00:00
/>
) : (
<Status
status={item}
instance={instance}
enableCommentHint={isEnd}
2023-12-14 17:58:29 +00:00
showFollowedTags={showFollowedTags}
// allowFilters={allowFilters}
2023-10-27 06:15:03 +00:00
/>
)}
</Link>
</li>
);
});
}
2023-10-29 13:41:03 +00:00
const itemKey = `timeline-${statusID + _pinned}`;
if (view === 'media') {
return useItemID ? (
<MediaPost
class="timeline-item"
parent="li"
key={itemKey}
statusID={statusID}
instance={instance}
// allowFilters={allowFilters}
2023-10-29 13:41:03 +00:00
/>
) : (
<MediaPost
class="timeline-item"
parent="li"
key={itemKey}
status={status}
instance={instance}
// allowFilters={allowFilters}
2023-10-29 13:41:03 +00:00
/>
);
}
2023-10-27 06:15:03 +00:00
return (
2023-10-29 13:41:03 +00:00
<li key={itemKey}>
2023-10-27 06:15:03 +00:00
<Link class="status-link timeline-item" to={url}>
{useItemID ? (
<Status
statusID={statusID}
instance={instance}
2023-11-14 14:45:13 +00:00
enableCommentHint
2023-12-14 17:58:29 +00:00
showFollowedTags={showFollowedTags}
// allowFilters={allowFilters}
2023-10-27 06:15:03 +00:00
/>
) : (
<Status
status={status}
instance={instance}
2023-11-14 14:45:13 +00:00
enableCommentHint
2023-12-14 17:58:29 +00:00
showFollowedTags={showFollowedTags}
// allowFilters={allowFilters}
2023-10-27 06:15:03 +00:00
/>
)}
</Link>
</li>
);
}
function StatusCarousel({ title, class: className, children }) {
2023-02-03 13:08:08 +00:00
const carouselRef = useRef();
2023-12-29 10:29:08 +00:00
// const { reachStart, reachEnd, init } = useScroll({
// scrollableRef: carouselRef,
// direction: 'horizontal',
// });
const startButtonRef = useRef();
const endButtonRef = useRef();
2024-01-02 11:26:05 +00:00
// useScrollFn(
// {
// scrollableRef: carouselRef,
// direction: 'horizontal',
// init: true,
// },
// ({ reachStart, reachEnd }) => {
// if (startButtonRef.current) startButtonRef.current.disabled = reachStart;
// if (endButtonRef.current) endButtonRef.current.disabled = reachEnd;
// },
// [],
// );
2023-12-29 10:29:08 +00:00
// useEffect(() => {
// init?.();
// }, []);
2023-02-03 13:08:08 +00:00
const [render, setRender] = useState(false);
useEffect(() => {
setTimeout(() => {
setRender(true);
}, 1);
}, []);
2023-02-03 13:08:08 +00:00
return (
<div class={`status-carousel ${className}`}>
2023-02-03 13:08:08 +00:00
<header>
<h3>{title}</h3>
2023-02-03 13:08:08 +00:00
<span>
<button
2023-12-29 10:29:08 +00:00
ref={startButtonRef}
2023-02-03 13:08:08 +00:00
type="button"
class="small plain2"
2023-12-29 10:29:08 +00:00
// disabled={reachStart}
2023-02-03 13:08:08 +00:00
onClick={() => {
carouselRef.current?.scrollBy({
left: -Math.min(320, carouselRef.current?.offsetWidth),
behavior: 'smooth',
});
}}
>
<Icon icon="chevron-left" />
</button>{' '}
<button
2023-12-29 10:29:08 +00:00
ref={endButtonRef}
2023-02-03 13:08:08 +00:00
type="button"
class="small plain2"
2023-12-29 10:29:08 +00:00
// disabled={reachEnd}
2023-02-03 13:08:08 +00:00
onClick={() => {
carouselRef.current?.scrollBy({
left: Math.min(320, carouselRef.current?.offsetWidth),
behavior: 'smooth',
});
}}
>
<Icon icon="chevron-right" />
</button>
</span>
</header>
2024-01-02 11:26:05 +00:00
<ul ref={carouselRef}>
<InView
class="status-carousel-beacon"
onChange={(inView) => {
if (startButtonRef.current)
startButtonRef.current.disabled = inView;
}}
/>
{children[0]}
{render && children.slice(1)}
2024-01-02 11:26:05 +00:00
<InView
class="status-carousel-beacon"
onChange={(inView) => {
if (endButtonRef.current) endButtonRef.current.disabled = inView;
}}
/>
</ul>
2023-02-03 13:08:08 +00:00
</div>
);
}
function TimelineStatusCompact({ status, instance }) {
const snapStates = useSnapshot(states);
const { id, visibility } = status;
const statusPeekText = statusPeek(status);
const sKey = statusKey(id, instance);
return (
<article
class={`status compact-thread ${
visibility === 'direct' ? 'visibility-direct' : ''
}`}
tabindex="-1"
>
{!!snapStates.statusThreadNumber[sKey] ? (
<div class="status-thread-badge">
<Icon icon="thread" size="s" />
{snapStates.statusThreadNumber[sKey]
? ` ${snapStates.statusThreadNumber[sKey]}/X`
: ''}
</div>
) : (
<div class="status-thread-badge">
<Icon icon="thread" size="s" />
</div>
)}
2023-03-26 16:47:08 +00:00
<div class="content-compact" title={statusPeekText}>
{statusPeekText}
{status.sensitive && status.spoilerText && (
<>
{' '}
<span class="spoiler-badge">
<Icon icon="eye-close" size="s" />
</span>
</>
)}
2023-03-26 16:47:08 +00:00
</div>
</article>
);
}
2023-05-05 09:53:16 +00:00
function inBackground() {
return !!document.querySelector('.deck-backdrop, #modal-container > *');
}
export default Timeline;