1
0
mirror of https://github.com/tooot-app/app synced 2025-04-03 13:11:25 +02:00
This commit is contained in:
Zhiyuan Zheng 2021-01-16 00:00:31 +01:00
parent 9f4a4e908c
commit 5ec9118fb2
No known key found for this signature in database
GPG Key ID: 078A93AB607D85E0
31 changed files with 607 additions and 416 deletions

2
src/@types/app.d.ts vendored
View File

@ -10,7 +10,7 @@ declare namespace App {
| 'Toot' | 'Toot'
| 'Account_Default' | 'Account_Default'
| 'Account_All' | 'Account_All'
| 'Account_Media' | 'Account_Attachments'
| 'Conversations' | 'Conversations'
| 'Bookmarks' | 'Bookmarks'
| 'Favourites' | 'Favourites'

View File

@ -12,6 +12,7 @@ declare namespace Nav {
account: Pick<Mastodon.Account, 'id' | 'username' | 'acct' | 'url'> account: Pick<Mastodon.Account, 'id' | 'username' | 'acct' | 'url'>
} }
'Screen-Shared-Announcements': { showAll?: boolean } 'Screen-Shared-Announcements': { showAll?: boolean }
'Screen-Shared-Attachments': { account: Mastodon.Account }
'Screen-Shared-Compose': 'Screen-Shared-Compose':
| { | {
type: 'reply' | 'conversation' | 'edit' type: 'reply' | 'conversation' | 'edit'

View File

@ -1,27 +1,25 @@
import { ParseEmojis } from '@components/Parse' import { ParseEmojis } from '@components/Parse'
import { useNavigation } from '@react-navigation/native'
import { StyleConstants } from '@utils/styles/constants' import { StyleConstants } from '@utils/styles/constants'
import { useTheme } from '@utils/styles/ThemeManager' import { useTheme } from '@utils/styles/ThemeManager'
import React from 'react' import React from 'react'
import { Image, Pressable, StyleSheet, Text, View } from 'react-native' import { Pressable, StyleSheet, Text, View } from 'react-native'
import GracefullyImage from './GracefullyImage'
export interface Props { export interface Props {
account: Mastodon.Account account: Mastodon.Account
onPress: () => void
} }
const ComponentAccount: React.FC<Props> = ({ account }) => { const ComponentAccount: React.FC<Props> = ({ account, onPress }) => {
const navigation = useNavigation()
const { theme } = useTheme() const { theme } = useTheme()
return ( return (
<Pressable <Pressable
style={[styles.itemDefault, styles.itemAccount]} style={[styles.itemDefault, styles.itemAccount]}
onPress={() => { onPress={onPress}
navigation.push('Screen-Shared-Account', { account })
}}
> >
<Image <GracefullyImage
source={{ uri: account.avatar_static }} uri={{ original: account.avatar_static }}
style={styles.itemAccountAvatar} style={styles.itemAccountAvatar}
/> />
<View> <View>

View File

@ -155,7 +155,6 @@ const Button: React.FC<Props> = ({
} }
return ( return (
<View>
<Pressable <Pressable
style={[ style={[
styles.button, styles.button,
@ -174,7 +173,6 @@ const Button: React.FC<Props> = ({
children={children} children={children}
disabled={disabled || active || loading} disabled={disabled || active || loading}
/> />
</View>
) )
} }

View File

@ -0,0 +1,171 @@
import { StyleConstants } from '@utils/styles/constants'
import { Surface } from 'gl-react-expo'
import { Blurhash } from 'gl-react-blurhash'
import React, { useCallback, useEffect, useState } from 'react'
import {
Image,
Pressable,
StyleProp,
StyleSheet,
View,
ViewStyle
} from 'react-native'
import { Image as ImageCache } from 'react-native-expo-image-cache'
import { useTheme } from '@utils/styles/ThemeManager'
type CancelPromise = ((reason?: Error) => void) | undefined
type ImageSize = { width: number; height: number }
interface ImageSizeOperation {
start: () => Promise<ImageSize>
cancel: CancelPromise
}
const getImageSize = (uri: string): ImageSizeOperation => {
let cancel: CancelPromise
const start = (): Promise<ImageSize> =>
new Promise<{ width: number; height: number }>((resolve, reject) => {
cancel = reject
Image.getSize(
uri,
(width, height) => {
cancel = undefined
resolve({ width, height })
},
error => {
reject(error)
}
)
})
return { start, cancel }
}
export interface Props {
hidden?: boolean
cache?: boolean
uri: { preview?: string; original?: string; remote?: string }
blurhash?: string
dimension?: { width: number; height: number }
onPress?: () => void
style?: StyleProp<ViewStyle>
}
const GracefullyImage: React.FC<Props> = ({
hidden = false,
cache = false,
uri,
blurhash,
dimension,
onPress,
style
}) => {
const { mode, theme } = useTheme()
const [imageVisible, setImageVisible] = useState<string>()
const [imageLoadingFailed, setImageLoadingFailed] = useState(false)
useEffect(() => {
let cancel: CancelPromise
const sideEffect = async (): Promise<void> => {
try {
if (uri.preview) {
const tryPreview = getImageSize(uri.preview)
cancel = tryPreview.cancel
const res = await tryPreview.start()
if (res) {
setImageVisible(uri.preview)
return
}
}
} catch (error) {
if (__DEV__) console.warn('Image preview', error)
}
try {
const tryOriginal = getImageSize(uri.original!)
cancel = tryOriginal.cancel
const res = await tryOriginal.start()
if (res) {
setImageVisible(uri.original!)
return
}
} catch (error) {
if (__DEV__) console.warn('Image original', error)
}
try {
if (uri.remote) {
const tryRemote = getImageSize(uri.remote)
cancel = tryRemote.cancel
const res = await tryRemote.start()
if (res) {
setImageVisible(uri.remote)
return
}
}
} catch (error) {
if (__DEV__) console.warn('Image remote', error)
}
setImageLoadingFailed(true)
}
if (uri.original) {
sideEffect()
}
return () => {
if (cancel) {
cancel()
}
}
}, [uri])
const children = useCallback(() => {
if (imageVisible && !hidden) {
if (cache) {
return <ImageCache uri={imageVisible} style={styles.image} />
} else {
return <Image source={{ uri: imageVisible }} style={styles.image} />
}
} else if (blurhash) {
return (
<Surface
style={{
width: '100%',
height: '100%',
position: 'absolute',
top: StyleConstants.Spacing.XS / 2,
left: StyleConstants.Spacing.XS / 2
}}
>
<Blurhash hash={blurhash} />
</Surface>
)
} else {
return (
<View
style={[styles.image, { backgroundColor: theme.shimmerDefault }]}
/>
)
}
}, [hidden, mode, imageVisible])
return (
<Pressable
children={children}
style={[style, dimension && { ...dimension }]}
{...(onPress
? !imageVisible
? { disabled: true }
: { onPress }
: { disabled: true })}
/>
)
}
const styles = StyleSheet.create({
image: {
flex: 1
}
})
export default GracefullyImage

View File

@ -26,13 +26,13 @@ const HeaderRight: React.FC<Props> = ({
const { theme } = useTheme() const { theme } = useTheme()
const mounted = useRef(false) const mounted = useRef(false)
useEffect(() => { // useEffect(() => {
if (mounted.current) { // if (mounted.current) {
layoutAnimation() // layoutAnimation()
} else { // } else {
mounted.current = true // mounted.current = true
} // }
}, [content, loading, disabled]) // }, [content, loading, disabled])
const loadingSpinkit = useMemo( const loadingSpinkit = useMemo(
() => ( () => (

View File

@ -108,7 +108,7 @@ const Timelines: React.FC<Props> = ({ name, content }) => {
renderTabBar={() => null} renderTabBar={() => null}
onIndexChange={index => setSegment(index)} onIndexChange={index => setSegment(index)}
navigationState={{ index: segment, routes }} navigationState={{ index: segment, routes }}
initialLayout={{ width: Dimensions.get('window').width }} initialLayout={{ width: Dimensions.get('screen').width }}
/> />
)} )}
</Stack.Screen> </Stack.Screen>

View File

@ -0,0 +1,36 @@
import { StyleConstants } from '@utils/styles/constants'
import { useTheme } from '@utils/styles/ThemeManager'
import React from 'react'
import { Pressable, StyleSheet, Text } from 'react-native'
export interface Props {
tag: Mastodon.Tag
onPress: () => void
}
const ComponentHashtag: React.FC<Props> = ({ tag, onPress }) => {
const { theme } = useTheme()
return (
<Pressable
style={[styles.itemDefault, { borderBottomColor: theme.border }]}
onPress={onPress}
>
<Text style={[styles.itemHashtag, { color: theme.primary }]}>
#{tag.name}
</Text>
</Pressable>
)
}
const styles = StyleSheet.create({
itemDefault: {
padding: StyleConstants.Spacing.S * 1.5,
borderBottomWidth: StyleSheet.hairlineWidth
},
itemHashtag: {
...StyleConstants.FontStyle.M
}
})
export default ComponentHashtag

View File

@ -232,10 +232,10 @@ const Timeline: React.FC<Props> = ({
{...(queryKey && {...(queryKey &&
queryKey[1].page === 'RemotePublic' && { ListHeaderComponent })} queryKey[1].page === 'RemotePublic' && { ListHeaderComponent })}
{...(toot && isSuccess && { onScrollToIndexFailed })} {...(toot && isSuccess && { onScrollToIndexFailed })}
// maintainVisibleContentPosition={{ maintainVisibleContentPosition={{
// minIndexForVisible: 0, minIndexForVisible: 0,
// autoscrollToTopThreshold: 2 autoscrollToTopThreshold: 1
// }} }}
{...customProps} {...customProps}
/> />
) )

View File

@ -101,8 +101,8 @@ const TimelineAttachment: React.FC<Props> = ({ status }) => {
) )
return ( return (
<View style={styles.base}> <View>
{attachments} <View style={styles.container}>{attachments}</View>
{status.sensitive && {status.sensitive &&
(sensitiveShown ? ( (sensitiveShown ? (
@ -123,7 +123,7 @@ const TimelineAttachment: React.FC<Props> = ({ status }) => {
onPress={onPressShow} onPress={onPressShow}
style={{ style={{
position: 'absolute', position: 'absolute',
top: StyleConstants.Spacing.S, top: StyleConstants.Spacing.S * 2,
left: StyleConstants.Spacing.S left: StyleConstants.Spacing.S
}} }}
/> />
@ -133,7 +133,7 @@ const TimelineAttachment: React.FC<Props> = ({ status }) => {
} }
const styles = StyleSheet.create({ const styles = StyleSheet.create({
base: { container: {
marginTop: StyleConstants.Spacing.S, marginTop: StyleConstants.Spacing.S,
flex: 1, flex: 1,
flexDirection: 'row', flexDirection: 'row',
@ -141,10 +141,6 @@ const styles = StyleSheet.create({
justifyContent: 'center', justifyContent: 'center',
alignContent: 'stretch' alignContent: 'stretch'
}, },
container: {
flexBasis: '50%',
aspectRatio: 16 / 9
},
sensitiveBlur: { sensitiveBlur: {
position: 'absolute', position: 'absolute',
width: '100%', width: '100%',

View File

@ -6,7 +6,8 @@ import { Audio } from 'expo-av'
import { Surface } from 'gl-react-expo' import { Surface } from 'gl-react-expo'
import { Blurhash } from 'gl-react-blurhash' import { Blurhash } from 'gl-react-blurhash'
import React, { useCallback, useState } from 'react' import React, { useCallback, useState } from 'react'
import { Image, StyleSheet, View } from 'react-native' import { StyleSheet, View } from 'react-native'
import GracefullyImage from '@components/GracefullyImage'
export interface Props { export interface Props {
sensitiveShown: boolean sensitiveShown: boolean
@ -38,7 +39,7 @@ const AttachmentAudio: React.FC<Props> = ({ sensitiveShown, audio }) => {
audioPlayer!.pauseAsync() audioPlayer!.pauseAsync()
setAudioPlaying(false) setAudioPlaying(false)
}, [audioPlayer]) }, [audioPlayer])
console.log(audio)
return ( return (
<View style={[styles.base, { backgroundColor: theme.disabled }]}> <View style={[styles.base, { backgroundColor: theme.disabled }]}>
<View style={styles.overlay}> <View style={styles.overlay}>
@ -56,9 +57,11 @@ const AttachmentAudio: React.FC<Props> = ({ sensitiveShown, audio }) => {
) : ( ) : (
<> <>
{(audio.preview_url || audio.preview_remote_url) && ( {(audio.preview_url || audio.preview_remote_url) && (
<Image <GracefullyImage
uri={{
original: audio.preview_url || audio.preview_remote_url
}}
style={styles.background} style={styles.background}
source={{ uri: audio.preview_url || audio.preview_remote_url }}
/> />
)} )}
<Button <Button

View File

@ -1,8 +1,7 @@
import { Surface } from 'gl-react-expo' import React, { useCallback } from 'react'
import { Blurhash } from 'gl-react-blurhash' import { StyleSheet } from 'react-native'
import React, { useCallback, useEffect, useState } from 'react'
import { Image, StyleSheet, Pressable } from 'react-native'
import { StyleConstants } from '@utils/styles/constants' import { StyleConstants } from '@utils/styles/constants'
import GracefullyImage from '@components/GracefullyImage'
export interface Props { export interface Props {
sensitiveShown: boolean sensitiveShown: boolean
@ -17,69 +16,19 @@ const AttachmentImage: React.FC<Props> = ({
imageIndex, imageIndex,
navigateToImagesViewer navigateToImagesViewer
}) => { }) => {
let isMounted = false
useEffect(() => {
isMounted = true
return () => {
isMounted = false
}
})
const [imageVisible, setImageVisible] = useState<string>()
const [imageLoadingFailed, setImageLoadingFailed] = useState(false)
useEffect(() => {
const preFetch = () =>
isMounted &&
Image.getSize(
image.preview_url,
() => isMounted && setImageVisible(image.preview_url),
() => {
isMounted &&
Image.getSize(
image.url,
() => isMounted && setImageVisible(image.url),
() =>
image.remote_url
? isMounted &&
Image.getSize(
image.remote_url,
() => isMounted && setImageVisible(image.remote_url),
() => isMounted && setImageLoadingFailed(true)
)
: isMounted && setImageLoadingFailed(true)
)
}
)
preFetch()
}, [isMounted])
const children = useCallback(() => {
if (imageVisible && !sensitiveShown) {
return <Image source={{ uri: imageVisible }} style={styles.image} />
} else {
return (
<Surface
style={{
width: '100%',
height: '100%',
position: 'absolute',
top: StyleConstants.Spacing.XS / 2,
left: StyleConstants.Spacing.XS / 2
}}
>
<Blurhash hash={image.blurhash} />
</Surface>
)
}
}, [imageVisible, sensitiveShown])
const onPress = useCallback(() => navigateToImagesViewer(imageIndex), []) const onPress = useCallback(() => navigateToImagesViewer(imageIndex), [])
return ( return (
<Pressable <GracefullyImage
style={[styles.base]} hidden={sensitiveShown}
children={children} uri={{
preview: image.preview_url,
original: image.url,
remote: image.remote_url
}}
blurhash={image.blurhash}
onPress={onPress} onPress={onPress}
disabled={!imageVisible || sensitiveShown} style={styles.base}
/> />
) )
} }
@ -90,9 +39,6 @@ const styles = StyleSheet.create({
flexBasis: '50%', flexBasis: '50%',
aspectRatio: 16 / 9, aspectRatio: 16 / 9,
padding: StyleConstants.Spacing.XS / 2 padding: StyleConstants.Spacing.XS / 2
},
image: {
flex: 1
} }
}) })

View File

@ -23,6 +23,7 @@ const AttachmentVideo: React.FC<Props> = ({ sensitiveShown, video }) => {
} }
await videoPlayer.current?.setPositionAsync(videoPosition) await videoPlayer.current?.setPositionAsync(videoPosition)
await videoPlayer.current?.presentFullscreenPlayer() await videoPlayer.current?.presentFullscreenPlayer()
console.log('playing!!!')
videoPlayer.current?.playAsync() videoPlayer.current?.playAsync()
setVideoLoading(false) setVideoLoading(false)
videoPlayer.current?.setOnPlaybackStatusUpdate(props => { videoPlayer.current?.setOnPlaybackStatusUpdate(props => {
@ -51,6 +52,11 @@ const AttachmentVideo: React.FC<Props> = ({ sensitiveShown, video }) => {
posterSource={{ uri: video.preview_url }} posterSource={{ uri: video.preview_url }}
posterStyle={{ resizeMode: 'cover' }} posterStyle={{ resizeMode: 'cover' }}
useNativeControls={false} useNativeControls={false}
onFullscreenUpdate={event => {
if (event.fullscreenUpdate === 3) {
videoPlayer.current?.pauseAsync()
}
}}
/> />
<Pressable style={styles.overlay}> <Pressable style={styles.overlay}>
{sensitiveShown ? ( {sensitiveShown ? (

View File

@ -1,9 +1,8 @@
import React, { useCallback } from 'react' import React, { useCallback } from 'react'
import { Pressable, StyleSheet } from 'react-native'
import { Image } from 'react-native-expo-image-cache'
import { StyleConstants } from '@utils/styles/constants' import { StyleConstants } from '@utils/styles/constants'
import { useNavigation } from '@react-navigation/native' import { useNavigation } from '@react-navigation/native'
import { QueryKeyTimeline } from '@utils/queryHooks/timeline' import { QueryKeyTimeline } from '@utils/queryHooks/timeline'
import GracefullyImage from '@components/GracefullyImage'
export interface Props { export interface Props {
queryKey?: QueryKeyTimeline queryKey?: QueryKeyTimeline
@ -18,23 +17,21 @@ const TimelineAvatar: React.FC<Props> = ({ queryKey, account }) => {
}, []) }, [])
return ( return (
<Pressable style={styles.avatar} onPress={onPress}> <GracefullyImage
<Image uri={account.avatar_static} style={styles.image} /> cache
</Pressable> onPress={onPress}
uri={{ original: account.avatar_static }}
dimension={{
width: StyleConstants.Avatar.M,
height: StyleConstants.Avatar.M
}}
style={{
borderRadius: 4,
overflow: 'hidden',
marginRight: StyleConstants.Spacing.S
}}
/>
) )
} }
const styles = StyleSheet.create({
avatar: {
flexBasis: StyleConstants.Avatar.M,
height: StyleConstants.Avatar.M,
marginRight: StyleConstants.Spacing.S
},
image: {
width: '100%',
height: '100%',
borderRadius: 6
}
})
export default React.memo(TimelineAvatar, () => true) export default React.memo(TimelineAvatar, () => true)

View File

@ -1,82 +1,17 @@
import React, { useEffect, useMemo, useState } from 'react' import GracefullyImage from '@components/GracefullyImage'
import { Image, Pressable, StyleSheet, Text, View } from 'react-native'
import openLink from '@components/openLink' import openLink from '@components/openLink'
import { StyleConstants } from '@utils/styles/constants' import { StyleConstants } from '@utils/styles/constants'
import { useTheme } from '@utils/styles/ThemeManager' import { useTheme } from '@utils/styles/ThemeManager'
import { Surface } from 'gl-react-expo' import React from 'react'
import { Blurhash } from 'gl-react-blurhash' import { Pressable, StyleSheet, Text, View } from 'react-native'
export interface Props { export interface Props {
card: Mastodon.Card card: Mastodon.Card
} }
type CancelPromise = ((reason?: Error) => void) | undefined
type ImageSize = { width: number; height: number }
interface ImageSizeOperation {
start: () => Promise<ImageSize>
cancel: CancelPromise
}
const getImageSize = (uri: string): ImageSizeOperation => {
let cancel: CancelPromise
const start = (): Promise<ImageSize> =>
new Promise<{ width: number; height: number }>((resolve, reject) => {
cancel = reject
Image.getSize(
uri,
(width, height) => {
cancel = undefined
resolve({ width, height })
},
error => {
reject(error)
}
)
})
return { start, cancel }
}
const TimelineCard: React.FC<Props> = ({ card }) => { const TimelineCard: React.FC<Props> = ({ card }) => {
const { theme } = useTheme() const { theme } = useTheme()
const [imageLoaded, setImageLoaded] = useState(false)
useEffect(() => {
if (card.image) {
Image.getSize(card.image, () => setImageLoaded(true))
}
}, [])
useEffect(() => {
let cancel: CancelPromise
const sideEffect = async (): Promise<void> => {
try {
const operation = getImageSize(card.image)
cancel = operation.cancel
await operation.start()
} catch (error) {
if (__DEV__) console.warn(error)
}
}
if (card.image) {
sideEffect()
}
return () => {
if (cancel) {
cancel()
}
}
})
const cardVisual = useMemo(() => {
if (imageLoaded) {
return <Image source={{ uri: card.image }} style={styles.image} />
} else {
return card.blurhash ? (
<Surface style={styles.image}>
<Blurhash hash={card.blurhash} />
</Surface>
) : null
}
}, [imageLoaded])
return ( return (
<Pressable <Pressable
style={[styles.card, { borderColor: theme.border }]} style={[styles.card, { borderColor: theme.border }]}
@ -84,9 +19,11 @@ const TimelineCard: React.FC<Props> = ({ card }) => {
testID='base' testID='base'
> >
{card.image && ( {card.image && (
<View style={styles.left} testID='image'> <GracefullyImage
{cardVisual} uri={{ original: card.image }}
</View> blurhash={card.blurhash}
style={styles.left}
/>
)} )}
<View style={styles.right}> <View style={styles.right}>
<Text <Text
@ -117,13 +54,14 @@ const styles = StyleSheet.create({
card: { card: {
flex: 1, flex: 1,
flexDirection: 'row', flexDirection: 'row',
height: StyleConstants.Avatar.L, height: StyleConstants.Font.LineHeight.M * 4.5,
marginTop: StyleConstants.Spacing.M, marginTop: StyleConstants.Spacing.M,
borderWidth: StyleSheet.hairlineWidth, borderWidth: StyleSheet.hairlineWidth,
borderRadius: 6 borderRadius: 6
}, },
left: { left: {
width: StyleConstants.Avatar.L width: StyleConstants.Font.LineHeight.M * 4.5,
height: StyleConstants.Font.LineHeight.M * 4.5
}, },
image: { image: {
width: '100%', width: '100%',

View File

@ -4,13 +4,13 @@ const strings = {
suffixAgo: '之前', suffixAgo: '之前',
suffixFromNow: '之后', suffixFromNow: '之后',
seconds: '%d秒', seconds: '%d秒',
minute: '大约1分钟', minute: '1分钟',
minutes: '%d分钟', minutes: '%d分钟',
hour: '大约1小时', hour: '1小时',
hours: '大约%d小时', hours: '%d小时',
day: '1天', day: '1天',
days: '%d天', days: '%d天',
month: '大约1个月', month: '1个月',
months: '%d月', months: '%d月',
year: '大约1年', year: '大约1年',
years: '%d年', years: '%d年',

View File

@ -4,9 +4,18 @@ import Timeline from '@components/Timelines/Timeline'
import HeaderActionsAccount from '@components/Timelines/Timeline/Shared/HeaderActions/ActionsAccount' import HeaderActionsAccount from '@components/Timelines/Timeline/Shared/HeaderActions/ActionsAccount'
import { useAccountQuery } from '@utils/queryHooks/account' import { useAccountQuery } from '@utils/queryHooks/account'
import { getLocalAccount } from '@utils/slices/instancesSlice' import { getLocalAccount } from '@utils/slices/instancesSlice'
import React, { useCallback, useEffect, useReducer, useState } from 'react' import { useTheme } from '@utils/styles/ThemeManager'
import React, {
useCallback,
useEffect,
useMemo,
useReducer,
useState
} from 'react'
import { StyleSheet, View } from 'react-native'
import { useSharedValue } from 'react-native-reanimated' import { useSharedValue } from 'react-native-reanimated'
import { useSelector } from 'react-redux' import { useSelector } from 'react-redux'
import AccountAttachments from './Account/Attachments'
import AccountHeader from './Account/Header' import AccountHeader from './Account/Header'
import AccountInformation from './Account/Information' import AccountInformation from './Account/Information'
import AccountNav from './Account/Nav' import AccountNav from './Account/Nav'
@ -23,6 +32,8 @@ const ScreenSharedAccount: React.FC<SharedAccountProp> = ({
}, },
navigation navigation
}) => { }) => {
const { theme } = useTheme()
const localAccount = useSelector(getLocalAccount) const localAccount = useSelector(getLocalAccount)
const { data } = useAccountQuery({ id: account.id }) const { data } = useAccountQuery({ id: account.id })
@ -50,6 +61,16 @@ const ScreenSharedAccount: React.FC<SharedAccountProp> = ({
scrollY.value = nativeEvent.contentOffset.y scrollY.value = nativeEvent.contentOffset.y
}, []) }, [])
const ListHeaderComponent = useMemo(() => {
return (
<View style={[styles.header, { borderBottomColor: theme.border }]}>
<AccountHeader account={data} />
<AccountInformation account={data} />
<AccountAttachments account={data} />
</View>
)
}, [data])
return ( return (
<AccountContext.Provider value={{ accountState, accountDispatch }}> <AccountContext.Provider value={{ accountState, accountDispatch }}>
<AccountNav scrollY={scrollY} account={data} /> <AccountNav scrollY={scrollY} account={data} />
@ -61,12 +82,7 @@ const ScreenSharedAccount: React.FC<SharedAccountProp> = ({
customProps={{ customProps={{
onScroll, onScroll,
scrollEventThrottle: 16, scrollEventThrottle: 16,
ListHeaderComponent: ( ListHeaderComponent
<>
<AccountHeader account={data} />
<AccountInformation account={data} />
</>
)
}} }}
/> />
@ -86,4 +102,10 @@ const ScreenSharedAccount: React.FC<SharedAccountProp> = ({
) )
} }
const styles = StyleSheet.create({
header: {
borderBottomWidth: 1
}
})
export default ScreenSharedAccount export default ScreenSharedAccount

View File

@ -0,0 +1,140 @@
import GracefullyImage from '@components/GracefullyImage'
import Icon from '@components/Icon'
import { useNavigation } from '@react-navigation/native'
import { useTimelineQuery } from '@utils/queryHooks/timeline'
import { StyleConstants } from '@utils/styles/constants'
import layoutAnimation from '@utils/styles/layoutAnimation'
import { useTheme } from '@utils/styles/ThemeManager'
import React, { useCallback, useEffect } from 'react'
import {
Dimensions,
ListRenderItem,
Pressable,
StyleSheet,
View
} from 'react-native'
import { FlatList } from 'react-native-gesture-handler'
import Animated, { useAnimatedStyle, withTiming } from 'react-native-reanimated'
export interface Props {
account: Mastodon.Account | undefined
}
const AccountAttachments = React.memo(
({ account }: Props) => {
const navigation = useNavigation()
const { theme } = useTheme()
const width =
(Dimensions.get('screen').width -
StyleConstants.Spacing.Global.PagePadding * 2) /
4
const queryKeyParams = {
page: 'Account_Attachments' as 'Account_Attachments',
account: account?.id
}
const { data, refetch } = useTimelineQuery({
...queryKeyParams,
options: { enabled: false }
})
useEffect(() => {
if (account?.id) {
refetch()
}
}, [account])
const flattenData = (data?.pages
? data.pages.flatMap(d => [...d])
: []) as Mastodon.Status[]
useEffect(() => {
if (flattenData.length) {
layoutAnimation()
}
}, [flattenData.length])
const renderItem = useCallback<ListRenderItem<Mastodon.Status>>(
({ item, index }) => {
if (index === 3) {
return (
<Pressable
onPress={() =>
navigation.push('Screen-Shared-Attachments', { account })
}
children={
<View
style={{
marginHorizontal: StyleConstants.Spacing.Global.PagePadding,
backgroundColor: theme.backgroundOverlay,
width: width,
height: width,
justifyContent: 'center',
alignItems: 'center'
}}
children={
<Icon
name='MoreHorizontal'
color={theme.primaryOverlay}
size={StyleConstants.Font.Size.L * 1.5}
/>
}
/>
}
/>
)
} else {
return (
<GracefullyImage
uri={{
original: item.media_attachments[0].preview_url,
remote: item.media_attachments[0].remote_url
}}
blurhash={item.media_attachments[0].blurhash}
dimension={{ width: width, height: width }}
style={{ marginLeft: StyleConstants.Spacing.Global.PagePadding }}
onPress={() =>
navigation.push('Screen-Shared-Toot', { toot: item })
}
/>
)
}
},
[account]
)
const styleContainer = useAnimatedStyle(() => {
if (flattenData.length) {
return {
height: withTiming(
width + StyleConstants.Spacing.Global.PagePadding * 2
),
paddingVertical: StyleConstants.Spacing.Global.PagePadding,
borderTopWidth: 1,
borderTopColor: theme.border
}
} else {
return {}
}
}, [flattenData.length])
return (
<Animated.View style={[styles.base, styleContainer]}>
<FlatList
horizontal
data={flattenData.splice(0, 4)}
renderItem={renderItem}
showsHorizontalScrollIndicator={false}
/>
</Animated.View>
)
},
(_, next) => next.account === undefined
)
const styles = StyleSheet.create({
base: {
flex: 1
}
})
export default AccountAttachments

View File

@ -6,6 +6,7 @@ import Animated, {
useSharedValue, useSharedValue,
withTiming withTiming
} from 'react-native-reanimated' } from 'react-native-reanimated'
import { useSafeAreaInsets } from 'react-native-safe-area-context'
import AccountContext from './utils/createContext' import AccountContext from './utils/createContext'
export interface Props { export interface Props {
@ -16,9 +17,10 @@ export interface Props {
const AccountHeader: React.FC<Props> = ({ account, limitHeight = false }) => { const AccountHeader: React.FC<Props> = ({ account, limitHeight = false }) => {
const { accountState, accountDispatch } = useContext(AccountContext) const { accountState, accountDispatch } = useContext(AccountContext)
const { theme } = useTheme() const { theme } = useTheme()
const topInset = useSafeAreaInsets().top
const height = useSharedValue( const height = useSharedValue(
Dimensions.get('screen').width * accountState.headerRatio Dimensions.get('screen').width * accountState.headerRatio + topInset
) )
const styleHeight = useAnimatedStyle(() => { const styleHeight = useAnimatedStyle(() => {
return { return {
@ -32,12 +34,12 @@ const AccountHeader: React.FC<Props> = ({ account, limitHeight = false }) => {
!account.header.includes('/headers/original/missing.png') !account.header.includes('/headers/original/missing.png')
) { ) {
Image.getSize(account.header, (width, height) => { Image.getSize(account.header, (width, height) => {
if (!limitHeight) { // if (!limitHeight) {
accountDispatch({ // accountDispatch({
type: 'headerRatio', // type: 'headerRatio',
payload: height / width // payload: height / width
}) // })
} // }
}) })
} }
}, [account]) }, [account])

View File

@ -1,6 +1,5 @@
import { StyleConstants } from '@utils/styles/constants' import { StyleConstants } from '@utils/styles/constants'
import { useTheme } from '@utils/styles/ThemeManager' import React, { createRef, useEffect } from 'react'
import React, { createRef, useCallback, useContext, useEffect } from 'react'
import { Animated, StyleSheet, View } from 'react-native' import { Animated, StyleSheet, View } from 'react-native'
import AccountInformationAccount from './Information/Account' import AccountInformationAccount from './Information/Account'
import AccountInformationActions from './Information/Actions' import AccountInformationActions from './Information/Actions'
@ -11,7 +10,6 @@ import AccountInformationName from './Information/Name'
import AccountInformationNotes from './Information/Notes' import AccountInformationNotes from './Information/Notes'
import AccountInformationStats from './Information/Stats' import AccountInformationStats from './Information/Stats'
import AccountInformationSwitch from './Information/Switch' import AccountInformationSwitch from './Information/Switch'
import AccountContext from './utils/createContext'
export interface Props { export interface Props {
account: Mastodon.Account | undefined account: Mastodon.Account | undefined
@ -22,10 +20,6 @@ const AccountInformation: React.FC<Props> = ({
account, account,
ownAccount = false ownAccount = false
}) => { }) => {
const { theme } = useTheme()
const { accountDispatch } = useContext(AccountContext)
const shimmerAvatarRef = createRef<any>()
const shimmerNameRef = createRef<any>() const shimmerNameRef = createRef<any>()
const shimmerAccountRef = createRef<any>() const shimmerAccountRef = createRef<any>()
const shimmerCreatedRef = createRef<any>() const shimmerCreatedRef = createRef<any>()
@ -33,7 +27,6 @@ const AccountInformation: React.FC<Props> = ({
useEffect(() => { useEffect(() => {
const informationAnimated = Animated.stagger(400, [ const informationAnimated = Animated.stagger(400, [
Animated.parallel([ Animated.parallel([
shimmerAvatarRef.current?.getAnimated(),
shimmerNameRef.current?.getAnimated(), shimmerNameRef.current?.getAnimated(),
shimmerAccountRef.current?.getAnimated(), shimmerAccountRef.current?.getAnimated(),
shimmerCreatedRef.current?.getAnimated(), shimmerCreatedRef.current?.getAnimated(),
@ -45,27 +38,11 @@ const AccountInformation: React.FC<Props> = ({
Animated.loop(informationAnimated).start() Animated.loop(informationAnimated).start()
}, []) }, [])
const onLayout = useCallback(
({ nativeEvent }) =>
accountDispatch &&
accountDispatch({
type: 'informationLayout',
payload: {
y: nativeEvent.layout.y,
height: nativeEvent.layout.height
}
}),
[]
)
return ( return (
<View <View style={styles.base}>
style={[styles.base, { borderBottomColor: theme.border }]}
onLayout={onLayout}
>
{/* <Text>Moved or not: {account.moved}</Text> */} {/* <Text>Moved or not: {account.moved}</Text> */}
<View style={styles.avatarAndActions}> <View style={styles.avatarAndActions}>
<AccountInformationAvatar ref={shimmerAvatarRef} account={account} /> <AccountInformationAvatar account={account} />
<View style={styles.actions}> <View style={styles.actions}>
{ownAccount ? ( {ownAccount ? (
<AccountInformationSwitch /> <AccountInformationSwitch />
@ -105,8 +82,7 @@ const AccountInformation: React.FC<Props> = ({
const styles = StyleSheet.create({ const styles = StyleSheet.create({
base: { base: {
marginTop: -StyleConstants.Spacing.Global.PagePadding * 3, marginTop: -StyleConstants.Spacing.Global.PagePadding * 3,
padding: StyleConstants.Spacing.Global.PagePadding, padding: StyleConstants.Spacing.Global.PagePadding
borderBottomWidth: StyleSheet.hairlineWidth
}, },
avatarAndActions: { avatarAndActions: {
flexDirection: 'row', flexDirection: 'row',

View File

@ -25,7 +25,11 @@ const AccountInformationAccount = forwardRef<ShimmerPlaceholder, Props>(
width={StyleConstants.Font.Size.M * 8} width={StyleConstants.Font.Size.M * 8}
height={StyleConstants.Font.LineHeight.M} height={StyleConstants.Font.LineHeight.M}
style={{ marginBottom: StyleConstants.Spacing.L }} style={{ marginBottom: StyleConstants.Spacing.L }}
shimmerColors={[theme.shimmerDefault, theme.shimmerHighlight, theme.shimmerDefault]} shimmerColors={[
theme.shimmerDefault,
theme.shimmerHighlight,
theme.shimmerDefault
]}
> >
<View style={styles.account}> <View style={styles.account}>
<Text <Text
@ -67,4 +71,7 @@ const styles = StyleSheet.create({
type: { marginLeft: StyleConstants.Spacing.S } type: { marginLeft: StyleConstants.Spacing.S }
}) })
export default AccountInformationAccount export default React.memo(
AccountInformationAccount,
(_, next) => next.account === undefined
)

View File

@ -1,47 +1,25 @@
import { StyleConstants } from '@root/utils/styles/constants' import GracefullyImage from '@components/GracefullyImage'
import { useTheme } from '@root/utils/styles/ThemeManager' import { StyleConstants } from '@utils/styles/constants'
import { LinearGradient } from 'expo-linear-gradient' import React from 'react'
import React, { forwardRef, useState } from 'react'
import { Image, StyleSheet } from 'react-native'
import ShimmerPlaceholder, {
createShimmerPlaceholder
} from 'react-native-shimmer-placeholder'
export interface Props { export interface Props {
account: Mastodon.Account | undefined account: Mastodon.Account | undefined
} }
const AccountInformationAvatar = forwardRef<ShimmerPlaceholder, Props>( const AccountInformationAvatar = React.memo(
({ account }, ref) => { ({ account }: Props) => {
const { theme } = useTheme()
const [avatarLoaded, setAvatarLoaded] = useState(false)
const ShimmerPlaceholder = createShimmerPlaceholder(LinearGradient)
return ( return (
<ShimmerPlaceholder <GracefullyImage
ref={ref} uri={{ original: account?.avatar }}
visible={avatarLoaded} dimension={{
width={StyleConstants.Avatar.L}
height={StyleConstants.Avatar.L}
shimmerColors={[theme.shimmerDefault, theme.shimmerHighlight, theme.shimmerDefault]}
>
<Image
source={{ uri: account?.avatar }}
style={styles.avatar}
onLoadEnd={() => setAvatarLoaded(true)}
/>
</ShimmerPlaceholder>
)
}
)
const styles = StyleSheet.create({
avatar: {
width: StyleConstants.Avatar.L, width: StyleConstants.Avatar.L,
height: StyleConstants.Avatar.L, height: StyleConstants.Avatar.L
borderRadius: 8 }}
} style={{ borderRadius: 8, overflow: 'hidden' }}
}) />
)
},
(_, next) => next.account === undefined
)
export default AccountInformationAvatar export default AccountInformationAvatar

View File

@ -0,0 +1,13 @@
import Timeline from '@components/Timelines/Timeline'
import React from 'react'
import { SharedAttachmentsProp } from './sharedScreens'
const ScreenSharedAttachments: React.FC<SharedAttachmentsProp> = ({
route: {
params: { account }
}
}) => {
return <Timeline page='Account_Attachments' account={account.id} />
}
export default ScreenSharedAttachments

View File

@ -1,3 +1,4 @@
import ComponentSeparator from '@components/Separator'
import { useEmojisQuery } from '@utils/queryHooks/emojis' import { useEmojisQuery } from '@utils/queryHooks/emojis'
import { useSearchQuery } from '@utils/queryHooks/search' import { useSearchQuery } from '@utils/queryHooks/search'
import { StyleConstants } from '@utils/styles/constants' import { StyleConstants } from '@utils/styles/constants'
@ -67,8 +68,9 @@ const ComposeRoot: React.FC = () => {
}, [isFetching]) }, [isFetching])
const listItem = useCallback( const listItem = useCallback(
({ item }) => ( ({ item, index }) => (
<ComposeRootSuggestion <ComposeRootSuggestion
key={(item.id || item.name) + index}
item={item} item={item}
composeState={composeState} composeState={composeState}
composeDispatch={composeDispatch} composeDispatch={composeDispatch}
@ -85,9 +87,9 @@ const ComposeRoot: React.FC = () => {
keyboardShouldPersistTaps='handled' keyboardShouldPersistTaps='handled'
ListHeaderComponent={ComposeRootHeader} ListHeaderComponent={ComposeRootHeader}
ListFooterComponent={ComposeRootFooter} ListFooterComponent={ComposeRootFooter}
ItemSeparatorComponent={ComponentSeparator}
// @ts-ignore // @ts-ignore
data={data ? data[composeState.tag?.type] : undefined} data={data ? data[composeState.tag?.type] : undefined}
keyExtractor={({ item }) => item.acct || item.name}
/> />
<ComposeActions /> <ComposeActions />
<ComposePosting /> <ComposePosting />

View File

@ -1,9 +1,7 @@
import ComponentAccount from '@components/Account'
import haptics from '@components/haptics' import haptics from '@components/haptics'
import { ParseEmojis } from '@components/Parse' import ComponentHashtag from '@components/Timelines/Hashtag'
import { StyleConstants } from '@utils/styles/constants' import React, { Dispatch, useCallback } from 'react'
import { useTheme } from '@utils/styles/ThemeManager'
import React, { Dispatch, useCallback, useMemo } from 'react'
import { Image, Pressable, StyleSheet, Text, View } from 'react-native'
import updateText from '../updateText' import updateText from '../updateText'
import { ComposeAction, ComposeState } from '../utils/types' import { ComposeAction, ComposeState } from '../utils/types'
@ -17,7 +15,6 @@ const ComposeRootSuggestion = React.memo(
composeState: ComposeState composeState: ComposeState
composeDispatch: Dispatch<ComposeAction> composeDispatch: Dispatch<ComposeAction>
}) => { }) => {
const { theme } = useTheme()
const onPress = useCallback(() => { const onPress = useCallback(() => {
const focusedInput = composeState.textInputFocus.current const focusedInput = composeState.textInputFocus.current
updateText({ updateText({
@ -37,91 +34,14 @@ const ComposeRootSuggestion = React.memo(
}) })
haptics('Light') haptics('Light')
}, []) }, [])
const children = useMemo(
() => return item.acct ? (
item.acct ? ( <ComponentAccount account={item} onPress={onPress} />
<View style={[styles.account, { borderBottomColor: theme.border }]}>
<Image source={{ uri: item.avatar }} style={styles.accountAvatar} />
<View>
<Text
style={[styles.accountName, { color: theme.primary }]}
numberOfLines={1}
>
<ParseEmojis
content={item.display_name || item.username}
emojis={item.emojis}
size='S'
/>
</Text>
<Text
style={[styles.accountAccount, { color: theme.primary }]}
numberOfLines={1}
>
@{item.acct}
</Text>
</View>
</View>
) : ( ) : (
<View style={[styles.hashtag, { borderBottomColor: theme.border }]}> <ComponentHashtag tag={item} onPress={onPress} />
<Text style={[styles.hashtagText, { color: theme.primary }]}>
#{item.name}
</Text>
</View>
),
[]
)
return (
<Pressable
onPress={onPress}
style={styles.suggestion}
children={children}
/>
) )
}, },
() => true () => true
) )
const styles = StyleSheet.create({
suggestion: {
flex: 1
},
account: {
flex: 1,
flexDirection: 'row',
alignItems: 'center',
paddingTop: StyleConstants.Spacing.S,
paddingBottom: StyleConstants.Spacing.S,
marginLeft: StyleConstants.Spacing.Global.PagePadding,
marginRight: StyleConstants.Spacing.Global.PagePadding,
borderBottomWidth: StyleSheet.hairlineWidth
},
accountAvatar: {
width: StyleConstants.Font.LineHeight.M * 2,
height: StyleConstants.Font.LineHeight.M * 2,
marginRight: StyleConstants.Spacing.S,
borderRadius: StyleConstants.Avatar.M
},
accountName: {
...StyleConstants.FontStyle.S,
fontWeight: StyleConstants.Font.Weight.Bold,
marginBottom: StyleConstants.Spacing.XS
},
accountAccount: {
...StyleConstants.FontStyle.S
},
hashtag: {
flex: 1,
paddingTop: StyleConstants.Spacing.S,
paddingBottom: StyleConstants.Spacing.S,
marginLeft: StyleConstants.Spacing.Global.PagePadding,
marginRight: StyleConstants.Spacing.Global.PagePadding,
borderBottomWidth: StyleSheet.hairlineWidth
},
hashtagText: {
...StyleConstants.FontStyle.S,
fontWeight: StyleConstants.Font.Weight.Bold,
marginBottom: StyleConstants.Spacing.XS
}
})
export default ComposeRootSuggestion export default ComposeRootSuggestion

View File

@ -43,7 +43,7 @@ const composePost = async (
return client<Mastodon.Status>({ return client<Mastodon.Status>({
method: 'post', method: 'post',
instance: 'local', instance: 'local',
url: 'statusess', url: 'statuses',
headers: { headers: {
'Idempotency-Key': await Crypto.digestStringAsync( 'Idempotency-Key': await Crypto.digestStringAsync(
Crypto.CryptoDigestAlgorithm.SHA256, Crypto.CryptoDigestAlgorithm.SHA256,

View File

@ -57,7 +57,7 @@ const ScreenSharedRelationships: React.FC<SharedRelationshipsProp> = ({
renderTabBar={() => null} renderTabBar={() => null}
onIndexChange={index => setSegment(index)} onIndexChange={index => setSegment(index)}
navigationState={{ index: segment, routes }} navigationState={{ index: segment, routes }}
initialLayout={{ width: Dimensions.get('window').width }} initialLayout={{ width: Dimensions.get('screen').width }}
/> />
) )
} }

View File

@ -1,3 +1,4 @@
import ComponentHashtag from '@components/Timelines/Hashtag'
import { useNavigation } from '@react-navigation/native' import { useNavigation } from '@react-navigation/native'
import ComponentAccount from '@root/components/Account' import ComponentAccount from '@root/components/Account'
import ComponentSeparator from '@root/components/Separator' import ComponentSeparator from '@root/components/Separator'
@ -9,7 +10,6 @@ import React, { useCallback, useEffect, useMemo, useState } from 'react'
import { import {
KeyboardAvoidingView, KeyboardAvoidingView,
Platform, Platform,
Pressable,
SectionList, SectionList,
StyleSheet, StyleSheet,
Text, Text,
@ -146,22 +146,25 @@ const ScreenSharedSearch: React.FC<Props> = ({ searchTerm }) => {
const listItem = useCallback(({ item, section, index }) => { const listItem = useCallback(({ item, section, index }) => {
switch (section.title) { switch (section.title) {
case 'accounts': case 'accounts':
return <ComponentAccount account={item} /> return (
<ComponentAccount
account={item}
onPress={() => {
navigation.push('Screen-Shared-Account', { item })
}}
/>
)
case 'hashtags': case 'hashtags':
return ( return (
<Pressable <ComponentHashtag
style={[styles.itemDefault, { borderBottomColor: theme.border }]} tag={item}
onPress={() => { onPress={() => {
navigation.goBack() navigation.goBack()
navigation.push('Screen-Shared-Hashtag', { navigation.push('Screen-Shared-Hashtag', {
hashtag: item.name hashtag: item.name
}) })
}} }}
> />
<Text style={[styles.itemHashtag, { color: theme.primary }]}>
#{item.name}
</Text>
</Pressable>
) )
case 'statuses': case 'statuses':
return <TimelineDefault item={item} disableDetails /> return <TimelineDefault item={item} disableDetails />
@ -225,13 +228,6 @@ const styles = StyleSheet.create({
sectionFooterText: { sectionFooterText: {
...StyleConstants.FontStyle.S, ...StyleConstants.FontStyle.S,
textAlign: 'center' textAlign: 'center'
},
itemDefault: {
padding: StyleConstants.Spacing.S * 1.5,
borderBottomWidth: StyleSheet.hairlineWidth
},
itemHashtag: {
...StyleConstants.FontStyle.M
} }
}) })

View File

@ -1,4 +1,5 @@
import { HeaderLeft } from '@components/Header' import { HeaderLeft } from '@components/Header'
import { ParseEmojis } from '@components/Parse'
import { StackNavigationState, TypedNavigator } from '@react-navigation/native' import { StackNavigationState, TypedNavigator } from '@react-navigation/native'
import { StackScreenProps } from '@react-navigation/stack' import { StackScreenProps } from '@react-navigation/stack'
import ScreenSharedAccount from '@screens/Shared/Account' import ScreenSharedAccount from '@screens/Shared/Account'
@ -21,6 +22,7 @@ import {
NativeStackNavigationEventMap, NativeStackNavigationEventMap,
NativeStackNavigatorProps NativeStackNavigatorProps
} from 'react-native-screens/lib/typescript/types' } from 'react-native-screens/lib/typescript/types'
import ScreenSharedAttachments from './Attachments'
export type BaseScreens = export type BaseScreens =
| Nav.LocalStackParamList | Nav.LocalStackParamList
@ -38,6 +40,11 @@ export type SharedAnnouncementsProp = StackScreenProps<
'Screen-Shared-Announcements' 'Screen-Shared-Announcements'
> >
export type SharedAttachmentsProp = StackScreenProps<
BaseScreens,
'Screen-Shared-Attachments'
>
export type SharedComposeProp = StackScreenProps< export type SharedComposeProp = StackScreenProps<
BaseScreens, BaseScreens,
'Screen-Shared-Compose' 'Screen-Shared-Compose'
@ -58,6 +65,11 @@ export type SharedRelationshipsProp = StackScreenProps<
'Screen-Shared-Relationships' 'Screen-Shared-Relationships'
> >
export type SharedSearchProp = StackScreenProps<
BaseScreens,
'Screen-Shared-Search'
>
export type SharedTootProp = StackScreenProps<BaseScreens, 'Screen-Shared-Toot'> export type SharedTootProp = StackScreenProps<BaseScreens, 'Screen-Shared-Toot'>
const sharedScreens = ( const sharedScreens = (
@ -111,6 +123,40 @@ const sharedScreens = (
headerShown: false headerShown: false
}} }}
/>, />,
<Stack.Screen
key='Screen-Shared-Attachments'
name='Screen-Shared-Attachments'
component={ScreenSharedAttachments}
options={({
route: {
params: { account }
},
navigation
}: SharedAttachmentsProp) => {
return {
headerLeft: () => <HeaderLeft onPress={() => navigation.goBack()} />,
headerCenter: () => (
<Text numberOfLines={1}>
<ParseEmojis
content={account.display_name || account.username}
emojis={account.emojis}
fontBold
/>
<Text
style={{
...StyleConstants.FontStyle.M,
color: theme.primary,
fontWeight: StyleConstants.Font.Weight.Bold
}}
>
{' '}
</Text>
</Text>
)
}
}}
/>,
<Stack.Screen <Stack.Screen
key='Screen-Shared-Compose' key='Screen-Shared-Compose'
name='Screen-Shared-Compose' name='Screen-Shared-Compose'
@ -124,7 +170,7 @@ const sharedScreens = (
key='Screen-Shared-Hashtag' key='Screen-Shared-Hashtag'
name='Screen-Shared-Hashtag' name='Screen-Shared-Hashtag'
component={ScreenSharedHashtag} component={ScreenSharedHashtag}
options={({ route, navigation }: any) => ({ options={({ route, navigation }: SharedHashtagProp) => ({
title: `#${decodeURIComponent(route.params.hashtag)}`, title: `#${decodeURIComponent(route.params.hashtag)}`,
headerLeft: () => <HeaderLeft onPress={() => navigation.goBack()} /> headerLeft: () => <HeaderLeft onPress={() => navigation.goBack()} />
})} })}
@ -143,15 +189,14 @@ const sharedScreens = (
key='Screen-Shared-Relationships' key='Screen-Shared-Relationships'
name='Screen-Shared-Relationships' name='Screen-Shared-Relationships'
component={ScreenSharedRelationships} component={ScreenSharedRelationships}
options={({ route, navigation }: any) => ({ options={({ navigation }: SharedRelationshipsProp) => ({
title: route.params.account.display_name || route.params.account.name,
headerLeft: () => <HeaderLeft onPress={() => navigation.goBack()} /> headerLeft: () => <HeaderLeft onPress={() => navigation.goBack()} />
})} })}
/>, />,
<Stack.Screen <Stack.Screen
key='Screen-Shared-Search' key='Screen-Shared-Search'
name='Screen-Shared-Search' name='Screen-Shared-Search'
options={({ navigation }: any) => ({ options={({ navigation }: SharedSearchProp) => ({
headerLeft: () => <HeaderLeft onPress={() => navigation.goBack()} />, headerLeft: () => <HeaderLeft onPress={() => navigation.goBack()} />,
// https://github.com/react-navigation/react-navigation/issues/6746#issuecomment-583897436 // https://github.com/react-navigation/react-navigation/issues/6746#issuecomment-583897436
headerCenter: () => ( headerCenter: () => (
@ -191,7 +236,7 @@ const sharedScreens = (
key='Screen-Shared-Toot' key='Screen-Shared-Toot'
name='Screen-Shared-Toot' name='Screen-Shared-Toot'
component={ScreenSharedToot} component={ScreenSharedToot}
options={({ navigation }: any) => ({ options={({ navigation }: SharedTootProp) => ({
title: t('sharedToot:heading'), title: t('sharedToot:heading'),
headerLeft: () => <HeaderLeft onPress={() => navigation.goBack()} /> headerLeft: () => <HeaderLeft onPress={() => navigation.goBack()} />
})} })}

View File

@ -6,12 +6,12 @@ const dev = () => {
if (__DEV__) { if (__DEV__) {
Analytics.setDebugModeEnabled(true) Analytics.setDebugModeEnabled(true)
// log('log', 'devs', 'initializing wdyr') log('log', 'devs', 'initializing wdyr')
// const whyDidYouRender = require('@welldone-software/why-did-you-render') const whyDidYouRender = require('@welldone-software/why-did-you-render')
// whyDidYouRender(React, { whyDidYouRender(React, {
// trackHooks: true, trackHooks: true,
// hotReloadBufferMs: 1000 hotReloadBufferMs: 1000
// }) })
} }
} }

View File

@ -140,7 +140,7 @@ const queryFunction = ({
params params
}) })
case 'Account_Media': case 'Account_Attachments':
return client<Mastodon.Status[]>({ return client<Mastodon.Status[]>({
method: 'get', method: 'get',
instance: 'local', instance: 'local',