phanpy/src/components/account.jsx

423 lines
12 KiB
React
Raw Normal View History

2022-12-10 09:14:48 +00:00
import './account.css';
import { useEffect, useRef, useState } from 'preact/hooks';
2023-02-22 05:28:01 +00:00
import { useHotkeys } from 'react-hotkeys-hook';
2022-12-10 09:14:48 +00:00
import { api } from '../utils/api';
import emojifyText from '../utils/emojify-text';
import enhanceContent from '../utils/enhance-content';
import handleContentLinks from '../utils/handle-content-links';
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';
2023-02-02 02:30:16 +00:00
import states, { hideAllModals } from '../utils/states';
import store from '../utils/store';
2022-12-10 09:14:48 +00:00
2023-02-12 11:29:03 +00:00
import AccountBlock from './account-block';
2022-12-10 09:14:48 +00:00
import Avatar from './avatar';
import Icon from './icon';
import Link from './link';
2022-12-10 09:14:48 +00:00
function Account({ account, instance: propInstance, onClose }) {
const { masto, instance, authenticated } = api({ instance: propInstance });
2022-12-10 09:14:48 +00:00
const [uiState, setUIState] = useState('default');
const isString = typeof account === 'string';
const [info, setInfo] = useState(isString ? null : account);
useEffect(() => {
if (isString) {
setUIState('loading');
(async () => {
try {
const info = await masto.v1.accounts.lookup({
2022-12-10 09:14:48 +00:00
acct: account,
skip_webfinger: false,
});
setInfo(info);
setUIState('default');
} catch (e) {
try {
const result = await masto.v2.search({
q: account,
type: 'accounts',
limit: 1,
2023-02-06 11:54:48 +00:00
resolve: authenticated,
});
if (result.accounts.length) {
setInfo(result.accounts[0]);
setUIState('default');
return;
}
2023-02-06 11:54:35 +00:00
setInfo(null);
setUIState('error');
} catch (err) {
console.error(err);
2023-02-06 11:54:35 +00:00
setInfo(null);
setUIState('error');
}
2022-12-10 09:14:48 +00:00
}
})();
} else {
setInfo(account);
2022-12-10 09:14:48 +00:00
}
}, [account]);
2022-12-10 09:14:48 +00:00
const {
acct,
avatar,
avatarStatic,
bot,
createdAt,
displayName,
emojis,
fields,
followersCount,
followingCount,
group,
header,
headerStatic,
id,
lastStatusAt,
locked,
note,
statusesCount,
url,
username,
} = info || {};
2023-02-22 05:28:01 +00:00
const escRef = useHotkeys('esc', onClose, [onClose]);
2022-12-10 09:14:48 +00:00
return (
<div
2023-02-22 05:28:01 +00:00
ref={escRef}
2022-12-10 09:14:48 +00:00
id="account-container"
class={`sheet ${uiState === 'loading' ? 'skeleton' : ''}`}
>
{uiState === 'error' && (
<div class="ui-state">
<p>Unable to load account.</p>
<p>
<a href={account} target="_blank">
Go to account page <Icon icon="external" />
</a>
</p>
</div>
)}
{uiState === 'loading' ? (
2022-12-10 09:14:48 +00:00
<>
<header>
2023-02-12 11:29:03 +00:00
<AccountBlock avatarSize="xxxl" skeleton />
2022-12-10 09:14:48 +00:00
</header>
<main>
<div class="note">
<p> </p>
<p> </p>
</div>
<p class="stats">
<span> Posts</span>
<span> Following</span>
<span> Followers</span>
</p>
</main>
2022-12-10 09:14:48 +00:00
</>
) : (
info && (
<>
<header>
2023-02-12 11:29:03 +00:00
<AccountBlock
account={info}
instance={instance}
avatarSize="xxxl"
external
/>
</header>
<main tabIndex="-1">
{bot && (
<>
<span class="tag">
<Icon icon="bot" /> Automated
</span>
</>
)}
<div
class="note"
onClick={handleContentLinks({
instance,
})}
dangerouslySetInnerHTML={{
__html: enhanceContent(note, { emojis }),
}}
/>
{fields?.length > 0 && (
<div class="profile-metadata">
{fields.map(({ name, value, verifiedAt }) => (
<div
class={`profile-field ${
verifiedAt ? 'profile-verified' : ''
}`}
key={name}
>
<b>
<span
dangerouslySetInnerHTML={{
__html: emojifyText(name, emojis),
}}
/>{' '}
{!!verifiedAt && <Icon icon="check-circle" size="s" />}
</b>
<p
dangerouslySetInnerHTML={{
__html: enhanceContent(value, { emojis }),
}}
/>
</div>
))}
</div>
)}
<p class="stats">
2023-02-02 02:30:16 +00:00
<Link
2023-02-06 11:54:18 +00:00
to={instance ? `/${instance}/a/${id}` : `/a/${id}`}
2023-02-02 02:30:16 +00:00
onClick={() => {
hideAllModals();
}}
>
Posts
<br />
<b title={statusesCount}>
{shortenNumber(statusesCount)}
</b>{' '}
</Link>
<span>
Following
<br />
<b title={followingCount}>
{shortenNumber(followingCount)}
</b>{' '}
</span>
<span>
Followers
<br />
<b title={followersCount}>
{shortenNumber(followersCount)}
</b>{' '}
</span>
{!!createdAt && (
<span>
Joined
<br />
<b>
<time datetime={createdAt}>
2023-03-01 12:07:22 +00:00
{niceDateTime(createdAt, {
hideTime: true,
})}
</time>
</b>
</span>
)}
</p>
<RelatedActions
info={info}
instance={instance}
authenticated={authenticated}
/>
</main>
</>
)
2022-12-10 09:14:48 +00:00
)}
</div>
);
2022-12-16 05:27:04 +00:00
}
function RelatedActions({ info, instance, authenticated }) {
if (!info) return null;
const {
masto: currentMasto,
instance: currentInstance,
authenticated: currentAuthenticated,
} = api();
const sameInstance = instance === currentInstance;
const [relationshipUIState, setRelationshipUIState] = useState('default');
const [relationship, setRelationship] = useState(null);
const [familiarFollowers, setFamiliarFollowers] = useState([]);
const { id, locked } = info;
const accountID = useRef(id);
const {
following,
showingReblogs,
notifying,
followedBy,
blocking,
blockedBy,
muting,
mutingNotifications,
requested,
domainBlocking,
endorsed,
} = relationship || {};
useEffect(() => {
if (info) {
const currentAccount = store.session.get('currentAccount');
let currentID;
(async () => {
if (sameInstance && authenticated) {
currentID = id;
} else if (!sameInstance && currentAuthenticated) {
// Grab this account from my logged-in instance
const acctHasInstance = info.acct.includes('@');
try {
const results = await currentMasto.v2.search({
q: acctHasInstance ? info.acct : `${info.username}@${instance}`,
type: 'accounts',
limit: 1,
resolve: true,
});
console.log('🥏 Fetched account from logged-in instance', results);
currentID = results.accounts[0].id;
} catch (e) {
console.error(e);
}
}
if (!currentID) return;
if (currentAccount === currentID) {
// It's myself!
return;
}
accountID.current = currentID;
setRelationshipUIState('loading');
setFamiliarFollowers([]);
const fetchRelationships = currentMasto.v1.accounts.fetchRelationships([
currentID,
]);
const fetchFamiliarFollowers =
currentMasto.v1.accounts.fetchFamiliarFollowers(currentID);
try {
const relationships = await fetchRelationships;
console.log('fetched relationship', relationships);
if (relationships.length) {
const relationship = relationships[0];
setRelationship(relationship);
if (!relationship.following) {
try {
const followers = await fetchFamiliarFollowers;
console.log('fetched familiar followers', followers);
setFamiliarFollowers(followers[0].accounts.slice(0, 10));
} catch (e) {
console.error(e);
}
}
}
setRelationshipUIState('default');
} catch (e) {
console.error(e);
setRelationshipUIState('error');
}
})();
}
}, [info, authenticated]);
return (
<>
{familiarFollowers?.length > 0 && (
<p class="common-followers">
Common followers{' '}
<span class="ib">
{familiarFollowers.map((follower) => (
<a
href={follower.url}
rel="noopener noreferrer"
onClick={(e) => {
e.preventDefault();
states.showAccount = {
account: follower,
instance,
};
}}
>
<Avatar
url={follower.avatarStatic}
size="l"
alt={`${follower.displayName} @${follower.acct}`}
/>
</a>
))}
</span>
</p>
)}
<p class="actions">
{followedBy ? <span class="tag">Following you</span> : <span />}{' '}
{relationshipUIState !== 'loading' && relationship && (
<button
type="button"
class={`${following || requested ? 'light swap' : ''}`}
data-swap-state={following || requested ? 'danger' : ''}
disabled={relationshipUIState === 'loading'}
onClick={() => {
setRelationshipUIState('loading');
(async () => {
try {
let newRelationship;
if (following || requested) {
const yes = confirm(
requested
? 'Withdraw follow request?'
: `Unfollow @${info.acct || info.username}?`,
);
if (yes) {
newRelationship = await currentMasto.v1.accounts.unfollow(
accountID.current,
);
}
} else {
newRelationship = await currentMasto.v1.accounts.follow(
accountID.current,
);
}
if (newRelationship) setRelationship(newRelationship);
setRelationshipUIState('default');
} catch (e) {
alert(e);
setRelationshipUIState('error');
}
})();
}}
>
{following ? (
<>
<span>Following</span>
<span>Unfollow</span>
</>
) : requested ? (
<>
<span>Requested</span>
<span>Withdraw</span>
</>
) : locked ? (
<>
<Icon icon="lock" /> <span>Follow</span>
</>
) : (
'Follow'
)}
</button>
)}
</p>
</>
);
}
2022-12-16 05:27:04 +00:00
export default Account;