Web login/signup and shell

zio/stable
Eric Bailey 2023-11-09 20:35:17 -06:00
parent 487d871cfd
commit ab878ba9a6
21 changed files with 581 additions and 374 deletions

View File

@ -0,0 +1,33 @@
import React from 'react'
import {useQuery} from '@tanstack/react-query'
import {BskyAgent} from '@atproto/api'
import {useSession} from '#/state/session'
export function useGetProfile({did}: {did: string}) {
const {accounts} = useSession()
const account = React.useMemo(
() => accounts.find(a => a.did === did),
[did, accounts],
)
return useQuery({
enabled: !!account,
queryKey: ['getProfile', account],
queryFn: async () => {
if (!account) {
throw new Error(`useGetProfile: local account not found for ${did}`)
}
const agent = new BskyAgent({
// needs to be public data, so remap PDS URLs to App View for now
service: account.service.includes('bsky.social')
? 'https://api.bsky.app'
: account.service,
})
const res = await agent.getProfile({actor: did})
return res.data
},
})
}

View File

@ -1,46 +1,43 @@
import {useCallback, useState} from 'react' import {useCallback} from 'react'
import {useStores} from 'state/index'
import {useAnalytics} from 'lib/analytics/analytics' import {useAnalytics} from '#/lib/analytics/analytics'
import {StackActions, useNavigation} from '@react-navigation/native' import {useStores} from '#/state/index'
import {NavigationProp} from 'lib/routes/types'
import {AccountData} from 'state/models/session'
import {reset as resetNavigation} from '../../Navigation'
import * as Toast from 'view/com/util/Toast'
import {useSetDrawerOpen} from '#/state/shell/drawer-open' import {useSetDrawerOpen} from '#/state/shell/drawer-open'
import {useModalControls} from '#/state/modals' import {useModalControls} from '#/state/modals'
import {useSessionApi, SessionAccount} from '#/state/session'
import * as Toast from '#/view/com/util/Toast'
export function useAccountSwitcher(): [ export function useAccountSwitcher() {
boolean,
(v: boolean) => void,
(acct: AccountData) => Promise<void>,
] {
const {track} = useAnalytics() const {track} = useAnalytics()
const store = useStores() const store = useStores()
const setDrawerOpen = useSetDrawerOpen() const setDrawerOpen = useSetDrawerOpen()
const {closeModal} = useModalControls() const {closeModal} = useModalControls()
const [isSwitching, setIsSwitching] = useState(false) const {selectAccount, clearCurrentAccount} = useSessionApi()
const navigation = useNavigation<NavigationProp>()
const onPressSwitchAccount = useCallback( const onPressSwitchAccount = useCallback(
async (acct: AccountData) => { async (acct: SessionAccount) => {
track('Settings:SwitchAccountButtonClicked') track('Settings:SwitchAccountButtonClicked')
setIsSwitching(true)
const success = await store.session.resumeSession(acct) try {
setDrawerOpen(false) await selectAccount(acct)
closeModal() setDrawerOpen(false)
store.shell.closeAllActiveElements() closeModal()
if (success) { store.shell.closeAllActiveElements()
resetNavigation() Toast.show(`Signed in as ${acct.handle}`)
Toast.show(`Signed in as ${acct.displayName || acct.handle}`) } catch (e) {
} else {
Toast.show('Sorry! We need you to enter your password.') Toast.show('Sorry! We need you to enter your password.')
navigation.navigate('HomeTab') clearCurrentAccount() // back user out to login
navigation.dispatch(StackActions.popToTop())
store.session.clear()
} }
}, },
[track, setIsSwitching, navigation, store, setDrawerOpen, closeModal], [
track,
store,
setDrawerOpen,
closeModal,
clearCurrentAccount,
selectAccount,
],
) )
return [isSwitching, setIsSwitching, onPressSwitchAccount] return {onPressSwitchAccount}
} }

View File

@ -10,6 +10,7 @@ import {getAge} from 'lib/strings/time'
import {track} from 'lib/analytics/analytics' import {track} from 'lib/analytics/analytics'
import {logger} from '#/logger' import {logger} from '#/logger'
import {DispatchContext as OnboardingDispatchContext} from '#/state/shell/onboarding' import {DispatchContext as OnboardingDispatchContext} from '#/state/shell/onboarding'
import {ApiContext as SessionApiContext} from '#/state/session'
const DEFAULT_DATE = new Date(Date.now() - 60e3 * 60 * 24 * 365 * 20) // default to 20 years ago const DEFAULT_DATE = new Date(Date.now() - 60e3 * 60 * 24 * 365 * 20) // default to 20 years ago
@ -91,7 +92,13 @@ export class CreateAccountModel {
} }
} }
async submit(onboardingDispatch: OnboardingDispatchContext) { async submit({
createAccount,
onboardingDispatch,
}: {
createAccount: SessionApiContext['createAccount']
onboardingDispatch: OnboardingDispatchContext
}) {
if (!this.email) { if (!this.email) {
this.setStep(2) this.setStep(2)
return this.setError('Please enter your email.') return this.setError('Please enter your email.')
@ -113,7 +120,7 @@ export class CreateAccountModel {
try { try {
onboardingDispatch({type: 'start'}) // start now to avoid flashing the wrong view onboardingDispatch({type: 'start'}) // start now to avoid flashing the wrong view
await this.rootStore.session.createAccount({ await createAccount({
service: this.serviceUrl, service: this.serviceUrl,
email: this.email, email: this.email,
handle: createFullHandle(this.handle, this.userDomain), handle: createFullHandle(this.handle, this.userDomain),

View File

@ -7,6 +7,8 @@ const accountSchema = z.object({
service: z.string(), service: z.string(),
did: z.string(), did: z.string(),
handle: z.string(), handle: z.string(),
email: z.string(),
emailConfirmed: z.boolean(),
refreshJwt: z.string().optional(), // optional because it can expire refreshJwt: z.string().optional(), // optional because it can expire
accessJwt: z.string().optional(), // optional because it can expire accessJwt: z.string().optional(), // optional because it can expire
// displayName: z.string().optional(), // displayName: z.string().optional(),

View File

@ -8,8 +8,9 @@ import * as persisted from '#/state/persisted'
export type SessionAccount = persisted.PersistedAccount export type SessionAccount = persisted.PersistedAccount
export type StateContext = { export type StateContext = {
isInitialLoad: boolean
agent: BskyAgent agent: BskyAgent
isInitialLoad: boolean
isSwitchingAccounts: boolean
accounts: persisted.PersistedAccount[] accounts: persisted.PersistedAccount[]
currentAccount: persisted.PersistedAccount | undefined currentAccount: persisted.PersistedAccount | undefined
hasSession: boolean hasSession: boolean
@ -33,9 +34,13 @@ export type ApiContext = {
removeAccount: ( removeAccount: (
account: Partial<Pick<persisted.PersistedAccount, 'handle' | 'did'>>, account: Partial<Pick<persisted.PersistedAccount, 'handle' | 'did'>>,
) => void ) => void
selectAccount: (account: persisted.PersistedAccount) => Promise<void>
updateCurrentAccount: ( updateCurrentAccount: (
account: Pick<persisted.PersistedAccount, 'handle'>, account: Partial<
Pick<persisted.PersistedAccount, 'handle' | 'email' | 'emailConfirmed'>
>,
) => void ) => void
clearCurrentAccount: () => void
} }
export const PUBLIC_BSKY_AGENT = new BskyAgent({ export const PUBLIC_BSKY_AGENT = new BskyAgent({
@ -43,11 +48,12 @@ export const PUBLIC_BSKY_AGENT = new BskyAgent({
}) })
const StateContext = React.createContext<StateContext>({ const StateContext = React.createContext<StateContext>({
agent: PUBLIC_BSKY_AGENT,
hasSession: false, hasSession: false,
isInitialLoad: true, isInitialLoad: true,
isSwitchingAccounts: false,
accounts: [], accounts: [],
currentAccount: undefined, currentAccount: undefined,
agent: PUBLIC_BSKY_AGENT,
}) })
const ApiContext = React.createContext<ApiContext>({ const ApiContext = React.createContext<ApiContext>({
@ -57,7 +63,9 @@ const ApiContext = React.createContext<ApiContext>({
initSession: async () => {}, initSession: async () => {},
resumeSession: async () => {}, resumeSession: async () => {},
removeAccount: () => {}, removeAccount: () => {},
selectAccount: async () => {},
updateCurrentAccount: () => {}, updateCurrentAccount: () => {},
clearCurrentAccount: () => {},
}) })
function createPersistSessionHandler( function createPersistSessionHandler(
@ -73,15 +81,21 @@ function createPersistSessionHandler(
service: account.service, service: account.service,
did: session?.did || account.did, did: session?.did || account.did,
handle: session?.handle || account.handle, handle: session?.handle || account.handle,
email: session?.email || account.email,
emailConfirmed: session?.emailConfirmed || account.emailConfirmed,
refreshJwt: session?.refreshJwt, // undefined when expired or creation fails refreshJwt: session?.refreshJwt, // undefined when expired or creation fails
accessJwt: session?.accessJwt, // undefined when expired or creation fails accessJwt: session?.accessJwt, // undefined when expired or creation fails
} }
logger.debug(`session: BskyAgent.persistSession`, { logger.debug(
expired, `session: BskyAgent.persistSession`,
did: refreshedAccount.did, {
handle: refreshedAccount.handle, expired,
}) did: refreshedAccount.did,
handle: refreshedAccount.handle,
},
logger.DebugContext.session,
)
persistSessionCallback({ persistSessionCallback({
expired, expired,
@ -92,11 +106,12 @@ function createPersistSessionHandler(
export function Provider({children}: React.PropsWithChildren<{}>) { export function Provider({children}: React.PropsWithChildren<{}>) {
const [state, setState] = React.useState<StateContext>({ const [state, setState] = React.useState<StateContext>({
agent: PUBLIC_BSKY_AGENT,
hasSession: false, hasSession: false,
isInitialLoad: true, // try to resume the session first isInitialLoad: true, // try to resume the session first
isSwitchingAccounts: false,
accounts: persisted.get('session').accounts, accounts: persisted.get('session').accounts,
currentAccount: undefined, // assume logged out to start currentAccount: undefined, // assume logged out to start
agent: PUBLIC_BSKY_AGENT,
}) })
const upsertAccount = React.useCallback( const upsertAccount = React.useCallback(
@ -115,10 +130,14 @@ export function Provider({children}: React.PropsWithChildren<{}>) {
// TODO have not connected this yet // TODO have not connected this yet
const createAccount = React.useCallback<ApiContext['createAccount']>( const createAccount = React.useCallback<ApiContext['createAccount']>(
async ({service, email, password, handle, inviteCode}: any) => { async ({service, email, password, handle, inviteCode}: any) => {
logger.debug(`session: creating account`, { logger.debug(
service, `session: creating account`,
handle, {
}) service,
handle,
},
logger.DebugContext.session,
)
const agent = new BskyAgent({service}) const agent = new BskyAgent({service})
@ -136,9 +155,11 @@ export function Provider({children}: React.PropsWithChildren<{}>) {
const account: persisted.PersistedAccount = { const account: persisted.PersistedAccount = {
service, service,
did: agent.session.did, did: agent.session.did,
handle: agent.session.handle,
email: agent.session.email!, // TODO this is always defined?
emailConfirmed: false,
refreshJwt: agent.session.refreshJwt, refreshJwt: agent.session.refreshJwt,
accessJwt: agent.session.accessJwt, accessJwt: agent.session.accessJwt,
handle: agent.session.handle,
} }
agent.setPersistSessionHandler( agent.setPersistSessionHandler(
@ -149,20 +170,28 @@ export function Provider({children}: React.PropsWithChildren<{}>) {
upsertAccount(account) upsertAccount(account)
logger.debug(`session: created account`, { logger.debug(
service, `session: created account`,
handle, {
}) service,
handle,
},
logger.DebugContext.session,
)
}, },
[upsertAccount], [upsertAccount],
) )
const login = React.useCallback<ApiContext['login']>( const login = React.useCallback<ApiContext['login']>(
async ({service, identifier, password}) => { async ({service, identifier, password}) => {
logger.debug(`session: login`, { logger.debug(
service, `session: login`,
identifier, {
}) service,
identifier,
},
logger.DebugContext.session,
)
const agent = new BskyAgent({service}) const agent = new BskyAgent({service})
@ -175,9 +204,11 @@ export function Provider({children}: React.PropsWithChildren<{}>) {
const account: persisted.PersistedAccount = { const account: persisted.PersistedAccount = {
service, service,
did: agent.session.did, did: agent.session.did,
handle: agent.session.handle,
email: agent.session.email!, // TODO this is always defined?
emailConfirmed: agent.session.emailConfirmed || false,
refreshJwt: agent.session.refreshJwt, refreshJwt: agent.session.refreshJwt,
accessJwt: agent.session.accessJwt, accessJwt: agent.session.accessJwt,
handle: agent.session.handle,
} }
agent.setPersistSessionHandler( agent.setPersistSessionHandler(
@ -189,16 +220,20 @@ export function Provider({children}: React.PropsWithChildren<{}>) {
setState(s => ({...s, agent})) setState(s => ({...s, agent}))
upsertAccount(account) upsertAccount(account)
logger.debug(`session: logged in`, { logger.debug(
service, `session: logged in`,
identifier, {
}) service,
identifier,
},
logger.DebugContext.session,
)
}, },
[upsertAccount], [upsertAccount],
) )
const logout = React.useCallback<ApiContext['logout']>(async () => { const logout = React.useCallback<ApiContext['logout']>(async () => {
logger.debug(`session: logout`) logger.debug(`session: logout`, {}, logger.DebugContext.session)
setState(s => { setState(s => {
return { return {
...s, ...s,
@ -215,10 +250,14 @@ export function Provider({children}: React.PropsWithChildren<{}>) {
const initSession = React.useCallback<ApiContext['initSession']>( const initSession = React.useCallback<ApiContext['initSession']>(
async account => { async account => {
logger.debug(`session: initSession`, { logger.debug(
did: account.did, `session: initSession`,
handle: account.handle, {
}) did: account.did,
handle: account.handle,
},
logger.DebugContext.session,
)
const agent = new BskyAgent({ const agent = new BskyAgent({
service: account.service, service: account.service,
@ -289,19 +328,50 @@ export function Provider({children}: React.PropsWithChildren<{}>) {
const updatedAccount = { const updatedAccount = {
...currentAccount, ...currentAccount,
handle: account.handle, // only update handle rn handle: account.handle || currentAccount.handle,
email: account.email || currentAccount.email,
emailConfirmed:
account.emailConfirmed !== undefined
? account.emailConfirmed
: currentAccount.emailConfirmed,
} }
return { return {
...s, ...s,
currentAccount: updatedAccount, currentAccount: updatedAccount,
accounts: s.accounts.filter(a => a.did !== currentAccount.did), accounts: [
updatedAccount,
...s.accounts.filter(a => a.did !== currentAccount.did),
],
} }
}) })
}, },
[setState], [setState],
) )
const selectAccount = React.useCallback<ApiContext['selectAccount']>(
async account => {
setState(s => ({...s, isSwitchingAccounts: true}))
try {
await initSession(account)
setState(s => ({...s, isSwitchingAccounts: false}))
} catch (e) {
// reset this in case of error
setState(s => ({...s, isSwitchingAccounts: false}))
// but other listeners need a throw
throw e
}
},
[setState, initSession],
)
const clearCurrentAccount = React.useCallback(() => {
setState(s => ({
...s,
currentAccount: undefined,
}))
}, [setState])
React.useEffect(() => { React.useEffect(() => {
persisted.write('session', { persisted.write('session', {
accounts: state.accounts, accounts: state.accounts,
@ -313,28 +383,36 @@ export function Provider({children}: React.PropsWithChildren<{}>) {
return persisted.onUpdate(() => { return persisted.onUpdate(() => {
const session = persisted.get('session') const session = persisted.get('session')
logger.debug(`session: onUpdate`) logger.debug(`session: onUpdate`, {}, logger.DebugContext.session)
if (session.currentAccount) { if (session.currentAccount) {
if (session.currentAccount?.did !== state.currentAccount?.did) { if (session.currentAccount?.did !== state.currentAccount?.did) {
logger.debug(`session: switching account`, { logger.debug(
from: { `session: switching account`,
did: state.currentAccount?.did, {
handle: state.currentAccount?.handle, from: {
did: state.currentAccount?.did,
handle: state.currentAccount?.handle,
},
to: {
did: session.currentAccount.did,
handle: session.currentAccount.handle,
},
}, },
to: { logger.DebugContext.session,
did: session.currentAccount.did, )
handle: session.currentAccount.handle,
},
})
initSession(session.currentAccount) initSession(session.currentAccount)
} }
} else if (!session.currentAccount && state.currentAccount) { } else if (!session.currentAccount && state.currentAccount) {
logger.debug(`session: logging out`, { logger.debug(
did: state.currentAccount?.did, `session: logging out`,
handle: state.currentAccount?.handle, {
}) did: state.currentAccount?.did,
handle: state.currentAccount?.handle,
},
logger.DebugContext.session,
)
logout() logout()
} }
@ -357,7 +435,9 @@ export function Provider({children}: React.PropsWithChildren<{}>) {
initSession, initSession,
resumeSession, resumeSession,
removeAccount, removeAccount,
selectAccount,
updateCurrentAccount, updateCurrentAccount,
clearCurrentAccount,
}), }),
[ [
createAccount, createAccount,
@ -366,7 +446,9 @@ export function Provider({children}: React.PropsWithChildren<{}>) {
initSession, initSession,
resumeSession, resumeSession,
removeAccount, removeAccount,
selectAccount,
updateCurrentAccount, updateCurrentAccount,
clearCurrentAccount,
], ],
) )

View File

@ -6,7 +6,6 @@ import {CreateAccount} from 'view/com/auth/create/CreateAccount'
import {ErrorBoundary} from 'view/com/util/ErrorBoundary' import {ErrorBoundary} from 'view/com/util/ErrorBoundary'
import {s} from 'lib/styles' import {s} from 'lib/styles'
import {usePalette} from 'lib/hooks/usePalette' import {usePalette} from 'lib/hooks/usePalette'
import {useStores} from 'state/index'
import {useAnalytics} from 'lib/analytics/analytics' import {useAnalytics} from 'lib/analytics/analytics'
import {SplashScreen} from './SplashScreen' import {SplashScreen} from './SplashScreen'
import {useSetMinimalShellMode} from '#/state/shell/minimal-mode' import {useSetMinimalShellMode} from '#/state/shell/minimal-mode'
@ -19,7 +18,6 @@ enum ScreenState {
export const LoggedOut = observer(function LoggedOutImpl() { export const LoggedOut = observer(function LoggedOutImpl() {
const pal = usePalette('default') const pal = usePalette('default')
const store = useStores()
const setMinimalShellMode = useSetMinimalShellMode() const setMinimalShellMode = useSetMinimalShellMode()
const {screen} = useAnalytics() const {screen} = useAnalytics()
const [screenState, setScreenState] = React.useState<ScreenState>( const [screenState, setScreenState] = React.useState<ScreenState>(
@ -31,10 +29,7 @@ export const LoggedOut = observer(function LoggedOutImpl() {
setMinimalShellMode(true) setMinimalShellMode(true)
}, [screen, setMinimalShellMode]) }, [screen, setMinimalShellMode])
if ( if (screenState === ScreenState.S_LoginOrCreateAccount) {
store.session.isResumingSession ||
screenState === ScreenState.S_LoginOrCreateAccount
) {
return ( return (
<SplashScreen <SplashScreen
onPressSignin={() => setScreenState(ScreenState.S_Login)} onPressSignin={() => setScreenState(ScreenState.S_Login)}

View File

@ -18,6 +18,7 @@ import {usePalette} from 'lib/hooks/usePalette'
import {msg, Trans} from '@lingui/macro' import {msg, Trans} from '@lingui/macro'
import {useLingui} from '@lingui/react' import {useLingui} from '@lingui/react'
import {useOnboardingDispatch} from '#/state/shell' import {useOnboardingDispatch} from '#/state/shell'
import {useSessionApi} from '#/state/session'
import {Step1} from './Step1' import {Step1} from './Step1'
import {Step2} from './Step2' import {Step2} from './Step2'
@ -34,6 +35,7 @@ export const CreateAccount = observer(function CreateAccountImpl({
const model = React.useMemo(() => new CreateAccountModel(store), [store]) const model = React.useMemo(() => new CreateAccountModel(store), [store])
const {_} = useLingui() const {_} = useLingui()
const onboardingDispatch = useOnboardingDispatch() const onboardingDispatch = useOnboardingDispatch()
const {createAccount} = useSessionApi()
React.useEffect(() => { React.useEffect(() => {
screen('CreateAccount') screen('CreateAccount')
@ -64,14 +66,18 @@ export const CreateAccount = observer(function CreateAccountImpl({
model.next() model.next()
} else { } else {
try { try {
await model.submit(onboardingDispatch) console.log('BEFORE')
await model.submit({
onboardingDispatch,
createAccount,
})
} catch { } catch {
// dont need to handle here // dont need to handle here
} finally { } finally {
track('Try Create Account') track('Try Create Account')
} }
} }
}, [model, track, onboardingDispatch]) }, [model, track, onboardingDispatch, createAccount])
return ( return (
<LoggedOutLayout <LoggedOutLayout

View File

@ -1,52 +1,93 @@
import React from 'react' import React from 'react'
import { import {ScrollView, TouchableOpacity, View} from 'react-native'
ActivityIndicator,
ScrollView,
TouchableOpacity,
View,
} from 'react-native'
import {FontAwesomeIcon} from '@fortawesome/react-native-fontawesome' import {FontAwesomeIcon} from '@fortawesome/react-native-fontawesome'
import {useAnalytics} from 'lib/analytics/analytics' import {useAnalytics} from 'lib/analytics/analytics'
import {Text} from '../../util/text/Text' import {Text} from '../../util/text/Text'
import {UserAvatar} from '../../util/UserAvatar' import {UserAvatar} from '../../util/UserAvatar'
import {s} from 'lib/styles' import {s} from 'lib/styles'
import {RootStoreModel} from 'state/index'
import {AccountData} from 'state/models/session' import {AccountData} from 'state/models/session'
import {usePalette} from 'lib/hooks/usePalette' import {usePalette} from 'lib/hooks/usePalette'
import {Trans, msg} from '@lingui/macro' import {Trans, msg} from '@lingui/macro'
import {useLingui} from '@lingui/react' import {useLingui} from '@lingui/react'
import {styles} from './styles' import {styles} from './styles'
import {useSession, useSessionApi, SessionAccount} from '#/state/session'
import {useGetProfile} from '#/data/useGetProfile'
function AccountItem({
account,
onSelect,
}: {
account: SessionAccount
onSelect: (account: SessionAccount) => void
}) {
const pal = usePalette('default')
const {_} = useLingui()
const {isError, data} = useGetProfile({did: account.did})
const onPress = React.useCallback(() => {
onSelect(account)
}, [account, onSelect])
if (isError) return null
return (
<TouchableOpacity
testID={`chooseAccountBtn-${account.handle}`}
key={account.did}
style={[pal.view, pal.border, styles.account]}
onPress={onPress}
accessibilityRole="button"
accessibilityLabel={_(msg`Sign in as ${account.handle}`)}
accessibilityHint="Double tap to sign in">
<View style={[pal.borderDark, styles.groupContent, styles.noTopBorder]}>
<View style={s.p10}>
<UserAvatar avatar={data?.avatar} size={30} />
</View>
<Text style={styles.accountText}>
<Text type="lg-bold" style={pal.text}>
{data?.displayName || account.handle}{' '}
</Text>
<Text type="lg" style={[pal.textLight]}>
{account.handle}
</Text>
</Text>
<FontAwesomeIcon
icon="angle-right"
size={16}
style={[pal.text, s.mr10]}
/>
</View>
</TouchableOpacity>
)
}
export const ChooseAccountForm = ({ export const ChooseAccountForm = ({
store,
onSelectAccount, onSelectAccount,
onPressBack, onPressBack,
}: { }: {
store: RootStoreModel
onSelectAccount: (account?: AccountData) => void onSelectAccount: (account?: AccountData) => void
onPressBack: () => void onPressBack: () => void
}) => { }) => {
const {track, screen} = useAnalytics() const {track, screen} = useAnalytics()
const pal = usePalette('default') const pal = usePalette('default')
const [isProcessing, setIsProcessing] = React.useState(false)
const {_} = useLingui() const {_} = useLingui()
const {accounts} = useSession()
const {initSession} = useSessionApi()
React.useEffect(() => { React.useEffect(() => {
screen('Choose Account') screen('Choose Account')
}, [screen]) }, [screen])
const onTryAccount = async (account: AccountData) => { const onSelect = React.useCallback(
if (account.accessJwt && account.refreshJwt) { async (account: SessionAccount) => {
setIsProcessing(true) if (account.accessJwt) {
if (await store.session.resumeSession(account)) { await initSession(account)
track('Sign In', {resumedSession: true}) track('Sign In', {resumedSession: true})
setIsProcessing(false) } else {
return onSelectAccount(account)
} }
setIsProcessing(false) },
} [track, initSession, onSelectAccount],
onSelectAccount(account) )
}
return ( return (
<ScrollView testID="chooseAccountForm" style={styles.maxHeight}> <ScrollView testID="chooseAccountForm" style={styles.maxHeight}>
@ -55,35 +96,8 @@ export const ChooseAccountForm = ({
style={[pal.text, styles.groupLabel, s.mt5, s.mb10]}> style={[pal.text, styles.groupLabel, s.mt5, s.mb10]}>
<Trans>Sign in as...</Trans> <Trans>Sign in as...</Trans>
</Text> </Text>
{store.session.accounts.map(account => ( {accounts.map(account => (
<TouchableOpacity <AccountItem key={account.did} account={account} onSelect={onSelect} />
testID={`chooseAccountBtn-${account.handle}`}
key={account.did}
style={[pal.view, pal.border, styles.account]}
onPress={() => onTryAccount(account)}
accessibilityRole="button"
accessibilityLabel={_(msg`Sign in as ${account.handle}`)}
accessibilityHint="Double tap to sign in">
<View
style={[pal.borderDark, styles.groupContent, styles.noTopBorder]}>
<View style={s.p10}>
<UserAvatar avatar={account.aviUrl} size={30} />
</View>
<Text style={styles.accountText}>
<Text type="lg-bold" style={pal.text}>
{account.displayName || account.handle}{' '}
</Text>
<Text type="lg" style={[pal.textLight]}>
{account.handle}
</Text>
</Text>
<FontAwesomeIcon
icon="angle-right"
size={16}
style={[pal.text, s.mr10]}
/>
</View>
</TouchableOpacity>
))} ))}
<TouchableOpacity <TouchableOpacity
testID="chooseNewAccountBtn" testID="chooseNewAccountBtn"
@ -112,7 +126,6 @@ export const ChooseAccountForm = ({
</Text> </Text>
</TouchableOpacity> </TouchableOpacity>
<View style={s.flex1} /> <View style={s.flex1} />
{isProcessing && <ActivityIndicator />}
</View> </View>
</ScrollView> </ScrollView>
) )

View File

@ -15,7 +15,6 @@ import {useAnalytics} from 'lib/analytics/analytics'
import {Text} from '../../util/text/Text' import {Text} from '../../util/text/Text'
import {s} from 'lib/styles' import {s} from 'lib/styles'
import {toNiceDomain} from 'lib/strings/url-helpers' import {toNiceDomain} from 'lib/strings/url-helpers'
import {RootStoreModel} from 'state/index'
import {ServiceDescription} from 'state/models/session' import {ServiceDescription} from 'state/models/session'
import {isNetworkError} from 'lib/strings/errors' import {isNetworkError} from 'lib/strings/errors'
import {usePalette} from 'lib/hooks/usePalette' import {usePalette} from 'lib/hooks/usePalette'
@ -36,7 +35,6 @@ export const ForgotPasswordForm = ({
onPressBack, onPressBack,
onEmailSent, onEmailSent,
}: { }: {
store: RootStoreModel
error: string error: string
serviceUrl: string serviceUrl: string
serviceDescription: ServiceDescription | undefined serviceDescription: ServiceDescription | undefined

View File

@ -14,6 +14,7 @@ import {SetNewPasswordForm} from './SetNewPasswordForm'
import {PasswordUpdatedForm} from './PasswordUpdatedForm' import {PasswordUpdatedForm} from './PasswordUpdatedForm'
import {useLingui} from '@lingui/react' import {useLingui} from '@lingui/react'
import {msg} from '@lingui/macro' import {msg} from '@lingui/macro'
import {useSession} from '#/state/session'
enum Forms { enum Forms {
Login, Login,
@ -26,6 +27,7 @@ enum Forms {
export const Login = ({onPressBack}: {onPressBack: () => void}) => { export const Login = ({onPressBack}: {onPressBack: () => void}) => {
const pal = usePalette('default') const pal = usePalette('default')
const store = useStores() const store = useStores()
const {accounts} = useSession()
const {track} = useAnalytics() const {track} = useAnalytics()
const {_} = useLingui() const {_} = useLingui()
const [error, setError] = useState<string>('') const [error, setError] = useState<string>('')
@ -36,7 +38,7 @@ export const Login = ({onPressBack}: {onPressBack: () => void}) => {
>(undefined) >(undefined)
const [initialHandle, setInitialHandle] = useState<string>('') const [initialHandle, setInitialHandle] = useState<string>('')
const [currentForm, setCurrentForm] = useState<Forms>( const [currentForm, setCurrentForm] = useState<Forms>(
store.session.hasAccounts ? Forms.ChooseAccount : Forms.Login, accounts.length ? Forms.ChooseAccount : Forms.Login,
) )
const onSelectAccount = (account?: AccountData) => { const onSelectAccount = (account?: AccountData) => {
@ -95,7 +97,6 @@ export const Login = ({onPressBack}: {onPressBack: () => void}) => {
title={_(msg`Sign in`)} title={_(msg`Sign in`)}
description={_(msg`Enter your username and password`)}> description={_(msg`Enter your username and password`)}>
<LoginForm <LoginForm
store={store}
error={error} error={error}
serviceUrl={serviceUrl} serviceUrl={serviceUrl}
serviceDescription={serviceDescription} serviceDescription={serviceDescription}
@ -114,7 +115,6 @@ export const Login = ({onPressBack}: {onPressBack: () => void}) => {
title={_(msg`Sign in as...`)} title={_(msg`Sign in as...`)}
description={_(msg`Select from an existing account`)}> description={_(msg`Select from an existing account`)}>
<ChooseAccountForm <ChooseAccountForm
store={store}
onSelectAccount={onSelectAccount} onSelectAccount={onSelectAccount}
onPressBack={onPressBack} onPressBack={onPressBack}
/> />
@ -126,7 +126,6 @@ export const Login = ({onPressBack}: {onPressBack: () => void}) => {
title={_(msg`Forgot Password`)} title={_(msg`Forgot Password`)}
description={_(msg`Let's get your password reset!`)}> description={_(msg`Let's get your password reset!`)}>
<ForgotPasswordForm <ForgotPasswordForm
store={store}
error={error} error={error}
serviceUrl={serviceUrl} serviceUrl={serviceUrl}
serviceDescription={serviceDescription} serviceDescription={serviceDescription}
@ -143,7 +142,6 @@ export const Login = ({onPressBack}: {onPressBack: () => void}) => {
title={_(msg`Forgot Password`)} title={_(msg`Forgot Password`)}
description={_(msg`Let's get your password reset!`)}> description={_(msg`Let's get your password reset!`)}>
<SetNewPasswordForm <SetNewPasswordForm
store={store}
error={error} error={error}
serviceUrl={serviceUrl} serviceUrl={serviceUrl}
setError={setError} setError={setError}

View File

@ -15,7 +15,6 @@ import {Text} from '../../util/text/Text'
import {s} from 'lib/styles' import {s} from 'lib/styles'
import {createFullHandle} from 'lib/strings/handles' import {createFullHandle} from 'lib/strings/handles'
import {toNiceDomain} from 'lib/strings/url-helpers' import {toNiceDomain} from 'lib/strings/url-helpers'
import {RootStoreModel} from 'state/index'
import {ServiceDescription} from 'state/models/session' import {ServiceDescription} from 'state/models/session'
import {isNetworkError} from 'lib/strings/errors' import {isNetworkError} from 'lib/strings/errors'
import {usePalette} from 'lib/hooks/usePalette' import {usePalette} from 'lib/hooks/usePalette'
@ -29,7 +28,6 @@ import {useLingui} from '@lingui/react'
import {useModalControls} from '#/state/modals' import {useModalControls} from '#/state/modals'
export const LoginForm = ({ export const LoginForm = ({
store,
error, error,
serviceUrl, serviceUrl,
serviceDescription, serviceDescription,
@ -40,7 +38,6 @@ export const LoginForm = ({
onPressBack, onPressBack,
onPressForgotPassword, onPressForgotPassword,
}: { }: {
store: RootStoreModel
error: string error: string
serviceUrl: string serviceUrl: string
serviceDescription: ServiceDescription | undefined serviceDescription: ServiceDescription | undefined
@ -106,11 +103,6 @@ export const LoginForm = ({
identifier: fullIdent, identifier: fullIdent,
password, password,
}) })
await store.session.login({
service: serviceUrl,
identifier: fullIdent,
password,
})
} catch (e: any) { } catch (e: any) {
const errMsg = e.toString() const errMsg = e.toString()
logger.warn('Failed to login', {error: e}) logger.warn('Failed to login', {error: e})

View File

@ -10,7 +10,6 @@ import {BskyAgent} from '@atproto/api'
import {useAnalytics} from 'lib/analytics/analytics' import {useAnalytics} from 'lib/analytics/analytics'
import {Text} from '../../util/text/Text' import {Text} from '../../util/text/Text'
import {s} from 'lib/styles' import {s} from 'lib/styles'
import {RootStoreModel} from 'state/index'
import {isNetworkError} from 'lib/strings/errors' import {isNetworkError} from 'lib/strings/errors'
import {usePalette} from 'lib/hooks/usePalette' import {usePalette} from 'lib/hooks/usePalette'
import {useTheme} from 'lib/ThemeContext' import {useTheme} from 'lib/ThemeContext'
@ -27,7 +26,6 @@ export const SetNewPasswordForm = ({
onPressBack, onPressBack,
onPasswordSet, onPasswordSet,
}: { }: {
store: RootStoreModel
error: string error: string
serviceUrl: string serviceUrl: string
setError: (v: string) => void setError: (v: string) => void

View File

@ -6,7 +6,6 @@ import {
TouchableOpacity, TouchableOpacity,
} from 'react-native' } from 'react-native'
import {observer} from 'mobx-react-lite' import {observer} from 'mobx-react-lite'
import {useStores} from 'state/index'
import {CenteredView} from '../util/Views' import {CenteredView} from '../util/Views'
import {LoggedOut} from './LoggedOut' import {LoggedOut} from './LoggedOut'
import {Onboarding} from './Onboarding' import {Onboarding} from './Onboarding'
@ -14,17 +13,18 @@ import {Text} from '../util/text/Text'
import {usePalette} from 'lib/hooks/usePalette' import {usePalette} from 'lib/hooks/usePalette'
import {STATUS_PAGE_URL} from 'lib/constants' import {STATUS_PAGE_URL} from 'lib/constants'
import {useOnboardingState} from '#/state/shell' import {useOnboardingState} from '#/state/shell'
import {useSession} from '#/state/session'
export const withAuthRequired = <P extends object>( export const withAuthRequired = <P extends object>(
Component: React.ComponentType<P>, Component: React.ComponentType<P>,
): React.FC<P> => ): React.FC<P> =>
observer(function AuthRequired(props: P) { observer(function AuthRequired(props: P) {
const store = useStores() const {isInitialLoad, hasSession} = useSession()
const onboardingState = useOnboardingState() const onboardingState = useOnboardingState()
if (store.session.isResumingSession) { if (isInitialLoad) {
return <Loading /> return <Loading />
} }
if (!store.session.hasSession) { if (!hasSession) {
return <LoggedOut /> return <LoggedOut />
} }
if (onboardingState.isActive) { if (onboardingState.isActive) {

View File

@ -6,7 +6,6 @@ import {Text} from '../util/text/Text'
import {Button} from '../util/forms/Button' import {Button} from '../util/forms/Button'
import {ErrorMessage} from '../util/error/ErrorMessage' import {ErrorMessage} from '../util/error/ErrorMessage'
import * as Toast from '../util/Toast' import * as Toast from '../util/Toast'
import {useStores} from 'state/index'
import {s, colors} from 'lib/styles' import {s, colors} from 'lib/styles'
import {usePalette} from 'lib/hooks/usePalette' import {usePalette} from 'lib/hooks/usePalette'
import {isWeb} from 'platform/detection' import {isWeb} from 'platform/detection'
@ -15,6 +14,7 @@ import {cleanError} from 'lib/strings/errors'
import {Trans, msg} from '@lingui/macro' import {Trans, msg} from '@lingui/macro'
import {useLingui} from '@lingui/react' import {useLingui} from '@lingui/react'
import {useModalControls} from '#/state/modals' import {useModalControls} from '#/state/modals'
import {useSession, useSessionApi} from '#/state/session'
enum Stages { enum Stages {
InputEmail, InputEmail,
@ -26,12 +26,11 @@ export const snapPoints = ['90%']
export const Component = observer(function Component({}: {}) { export const Component = observer(function Component({}: {}) {
const pal = usePalette('default') const pal = usePalette('default')
const store = useStores() const {agent, currentAccount} = useSession()
const {updateCurrentAccount} = useSessionApi()
const {_} = useLingui() const {_} = useLingui()
const [stage, setStage] = useState<Stages>(Stages.InputEmail) const [stage, setStage] = useState<Stages>(Stages.InputEmail)
const [email, setEmail] = useState<string>( const [email, setEmail] = useState<string>(currentAccount?.email || '')
store.session.currentSession?.email || '',
)
const [confirmationCode, setConfirmationCode] = useState<string>('') const [confirmationCode, setConfirmationCode] = useState<string>('')
const [isProcessing, setIsProcessing] = useState<boolean>(false) const [isProcessing, setIsProcessing] = useState<boolean>(false)
const [error, setError] = useState<string>('') const [error, setError] = useState<string>('')
@ -39,19 +38,19 @@ export const Component = observer(function Component({}: {}) {
const {openModal, closeModal} = useModalControls() const {openModal, closeModal} = useModalControls()
const onRequestChange = async () => { const onRequestChange = async () => {
if (email === store.session.currentSession?.email) { if (email === currentAccount?.email) {
setError('Enter your new email above') setError('Enter your new email above')
return return
} }
setError('') setError('')
setIsProcessing(true) setIsProcessing(true)
try { try {
const res = await store.agent.com.atproto.server.requestEmailUpdate() const res = await agent.com.atproto.server.requestEmailUpdate()
if (res.data.tokenRequired) { if (res.data.tokenRequired) {
setStage(Stages.ConfirmCode) setStage(Stages.ConfirmCode)
} else { } else {
await store.agent.com.atproto.server.updateEmail({email: email.trim()}) await agent.com.atproto.server.updateEmail({email: email.trim()})
store.session.updateLocalAccountData({ updateCurrentAccount({
email: email.trim(), email: email.trim(),
emailConfirmed: false, emailConfirmed: false,
}) })
@ -79,11 +78,11 @@ export const Component = observer(function Component({}: {}) {
setError('') setError('')
setIsProcessing(true) setIsProcessing(true)
try { try {
await store.agent.com.atproto.server.updateEmail({ await agent.com.atproto.server.updateEmail({
email: email.trim(), email: email.trim(),
token: confirmationCode.trim(), token: confirmationCode.trim(),
}) })
store.session.updateLocalAccountData({ updateCurrentAccount({
email: email.trim(), email: email.trim(),
emailConfirmed: false, emailConfirmed: false,
}) })
@ -120,8 +119,8 @@ export const Component = observer(function Component({}: {}) {
) : stage === Stages.ConfirmCode ? ( ) : stage === Stages.ConfirmCode ? (
<Trans> <Trans>
An email has been sent to your previous address,{' '} An email has been sent to your previous address,{' '}
{store.session.currentSession?.email || ''}. It includes a {currentAccount?.email || ''}. It includes a confirmation code
confirmation code which you can enter below. which you can enter below.
</Trans> </Trans>
) : ( ) : (
<Trans> <Trans>

View File

@ -6,7 +6,6 @@ import {
View, View,
} from 'react-native' } from 'react-native'
import {Text} from '../util/text/Text' import {Text} from '../util/text/Text'
import {useStores} from 'state/index'
import {s} from 'lib/styles' import {s} from 'lib/styles'
import {usePalette} from 'lib/hooks/usePalette' import {usePalette} from 'lib/hooks/usePalette'
import {useAnalytics} from 'lib/analytics/analytics' import {useAnalytics} from 'lib/analytics/analytics'
@ -19,26 +18,94 @@ import {BottomSheetScrollView} from '@gorhom/bottom-sheet'
import {Haptics} from 'lib/haptics' import {Haptics} from 'lib/haptics'
import {Trans, msg} from '@lingui/macro' import {Trans, msg} from '@lingui/macro'
import {useLingui} from '@lingui/react' import {useLingui} from '@lingui/react'
import {useSession, useSessionApi, SessionAccount} from '#/state/session'
import {useGetProfile} from '#/data/useGetProfile'
export const snapPoints = ['40%', '90%'] export const snapPoints = ['40%', '90%']
function SwitchAccountCard({account}: {account: SessionAccount}) {
const pal = usePalette('default')
const {_} = useLingui()
const {track} = useAnalytics()
const {isSwitchingAccounts, currentAccount} = useSession()
const {logout} = useSessionApi()
const {isError, data: profile} = useGetProfile({did: account.did})
const isCurrentAccount = account.did === currentAccount?.did
const {onPressSwitchAccount} = useAccountSwitcher()
const onPressSignout = React.useCallback(() => {
track('Settings:SignOutButtonClicked')
logout()
}, [track, logout])
// TODO
if (isError || !currentAccount) return null
const contents = (
<View style={[pal.view, styles.linkCard]}>
<View style={styles.avi}>
<UserAvatar size={40} avatar={profile?.avatar} />
</View>
<View style={[s.flex1]}>
<Text type="md-bold" style={pal.text} numberOfLines={1}>
{profile?.displayName || currentAccount.handle}
</Text>
<Text type="sm" style={pal.textLight} numberOfLines={1}>
{currentAccount.handle}
</Text>
</View>
{isCurrentAccount ? (
<TouchableOpacity
testID="signOutBtn"
onPress={isSwitchingAccounts ? undefined : onPressSignout}
accessibilityRole="button"
accessibilityLabel={_(msg`Sign out`)}
accessibilityHint={`Signs ${profile?.displayName} out of Bluesky`}>
<Text type="lg" style={pal.link}>
<Trans>Sign out</Trans>
</Text>
</TouchableOpacity>
) : (
<AccountDropdownBtn handle={account.handle} />
)}
</View>
)
return isCurrentAccount ? (
<Link
href={makeProfileLink({
did: currentAccount.did,
handle: currentAccount.handle,
})}
title="Your profile"
noFeedback>
{contents}
</Link>
) : (
<TouchableOpacity
testID={`switchToAccountBtn-${account.handle}`}
key={account.did}
style={[isSwitchingAccounts && styles.dimmed]}
onPress={
isSwitchingAccounts ? undefined : () => onPressSwitchAccount(account)
}
accessibilityRole="button"
accessibilityLabel={`Switch to ${account.handle}`}
accessibilityHint="Switches the account you are logged in to">
{contents}
</TouchableOpacity>
)
}
export function Component({}: {}) { export function Component({}: {}) {
const pal = usePalette('default') const pal = usePalette('default')
const {track} = useAnalytics() const {isSwitchingAccounts, currentAccount, accounts} = useSession()
const {_: _lingui} = useLingui()
const store = useStores()
const [isSwitching, _, onPressSwitchAccount] = useAccountSwitcher()
React.useEffect(() => { React.useEffect(() => {
Haptics.default() Haptics.default()
}) })
const onPressSignout = React.useCallback(() => {
track('Settings:SignOutButtonClicked')
store.session.logout()
}, [track, store])
return ( return (
<BottomSheetScrollView <BottomSheetScrollView
style={[styles.container, pal.view]} style={[styles.container, pal.view]}
@ -46,62 +113,20 @@ export function Component({}: {}) {
<Text type="title-xl" style={[styles.title, pal.text]}> <Text type="title-xl" style={[styles.title, pal.text]}>
<Trans>Switch Account</Trans> <Trans>Switch Account</Trans>
</Text> </Text>
{isSwitching ? (
{isSwitchingAccounts || !currentAccount ? (
<View style={[pal.view, styles.linkCard]}> <View style={[pal.view, styles.linkCard]}>
<ActivityIndicator /> <ActivityIndicator />
</View> </View>
) : ( ) : (
<Link href={makeProfileLink(store.me)} title="Your profile" noFeedback> <SwitchAccountCard account={currentAccount} />
<View style={[pal.view, styles.linkCard]}>
<View style={styles.avi}>
<UserAvatar size={40} avatar={store.me.avatar} />
</View>
<View style={[s.flex1]}>
<Text type="md-bold" style={pal.text} numberOfLines={1}>
{store.me.displayName || store.me.handle}
</Text>
<Text type="sm" style={pal.textLight} numberOfLines={1}>
{store.me.handle}
</Text>
</View>
<TouchableOpacity
testID="signOutBtn"
onPress={isSwitching ? undefined : onPressSignout}
accessibilityRole="button"
accessibilityLabel={_lingui(msg`Sign out`)}
accessibilityHint={`Signs ${store.me.displayName} out of Bluesky`}>
<Text type="lg" style={pal.link}>
<Trans>Sign out</Trans>
</Text>
</TouchableOpacity>
</View>
</Link>
)} )}
{store.session.switchableAccounts.map(account => (
<TouchableOpacity {accounts
testID={`switchToAccountBtn-${account.handle}`} .filter(a => a.did !== currentAccount?.did)
key={account.did} .map(account => (
style={[pal.view, styles.linkCard, isSwitching && styles.dimmed]} <SwitchAccountCard key={account.did} account={account} />
onPress={ ))}
isSwitching ? undefined : () => onPressSwitchAccount(account)
}
accessibilityRole="button"
accessibilityLabel={`Switch to ${account.handle}`}
accessibilityHint="Switches the account you are logged in to">
<View style={styles.avi}>
<UserAvatar size={40} avatar={account.aviUrl} />
</View>
<View style={[s.flex1]}>
<Text type="md-bold" style={pal.text}>
{account.displayName || account.handle}
</Text>
<Text type="sm" style={pal.textLight}>
{account.handle}
</Text>
</View>
<AccountDropdownBtn handle={account.handle} />
</TouchableOpacity>
))}
</BottomSheetScrollView> </BottomSheetScrollView>
) )
} }

View File

@ -14,7 +14,6 @@ import {Text} from '../util/text/Text'
import {Button} from '../util/forms/Button' import {Button} from '../util/forms/Button'
import {ErrorMessage} from '../util/error/ErrorMessage' import {ErrorMessage} from '../util/error/ErrorMessage'
import * as Toast from '../util/Toast' import * as Toast from '../util/Toast'
import {useStores} from 'state/index'
import {s, colors} from 'lib/styles' import {s, colors} from 'lib/styles'
import {usePalette} from 'lib/hooks/usePalette' import {usePalette} from 'lib/hooks/usePalette'
import {isWeb} from 'platform/detection' import {isWeb} from 'platform/detection'
@ -23,6 +22,7 @@ import {cleanError} from 'lib/strings/errors'
import {Trans, msg} from '@lingui/macro' import {Trans, msg} from '@lingui/macro'
import {useLingui} from '@lingui/react' import {useLingui} from '@lingui/react'
import {useModalControls} from '#/state/modals' import {useModalControls} from '#/state/modals'
import {useSession, useSessionApi} from '#/state/session'
export const snapPoints = ['90%'] export const snapPoints = ['90%']
@ -38,7 +38,8 @@ export const Component = observer(function Component({
showReminder?: boolean showReminder?: boolean
}) { }) {
const pal = usePalette('default') const pal = usePalette('default')
const store = useStores() const {agent, currentAccount} = useSession()
const {updateCurrentAccount} = useSessionApi()
const {_} = useLingui() const {_} = useLingui()
const [stage, setStage] = useState<Stages>( const [stage, setStage] = useState<Stages>(
showReminder ? Stages.Reminder : Stages.Email, showReminder ? Stages.Reminder : Stages.Email,
@ -53,7 +54,7 @@ export const Component = observer(function Component({
setError('') setError('')
setIsProcessing(true) setIsProcessing(true)
try { try {
await store.agent.com.atproto.server.requestEmailConfirmation() await agent.com.atproto.server.requestEmailConfirmation()
setStage(Stages.ConfirmCode) setStage(Stages.ConfirmCode)
} catch (e) { } catch (e) {
setError(cleanError(String(e))) setError(cleanError(String(e)))
@ -66,11 +67,11 @@ export const Component = observer(function Component({
setError('') setError('')
setIsProcessing(true) setIsProcessing(true)
try { try {
await store.agent.com.atproto.server.confirmEmail({ await agent.com.atproto.server.confirmEmail({
email: (store.session.currentSession?.email || '').trim(), email: (currentAccount?.email || '').trim(),
token: confirmationCode.trim(), token: confirmationCode.trim(),
}) })
store.session.updateLocalAccountData({emailConfirmed: true}) updateCurrentAccount({emailConfirmed: true})
Toast.show('Email verified') Toast.show('Email verified')
closeModal() closeModal()
} catch (e) { } catch (e) {
@ -112,9 +113,8 @@ export const Component = observer(function Component({
</Trans> </Trans>
) : stage === Stages.ConfirmCode ? ( ) : stage === Stages.ConfirmCode ? (
<Trans> <Trans>
An email has been sent to{' '} An email has been sent to {currentAccount?.email || ''}. It
{store.session.currentSession?.email || ''}. It includes a includes a confirmation code which you can enter below.
confirmation code which you can enter below.
</Trans> </Trans>
) : ( ) : (
'' ''
@ -130,7 +130,7 @@ export const Component = observer(function Component({
size={16} size={16}
/> />
<Text type="xl-medium" style={[pal.text, s.flex1, {minWidth: 0}]}> <Text type="xl-medium" style={[pal.text, s.flex1, {minWidth: 0}]}>
{store.session.currentSession?.email || ''} {currentAccount?.email || ''}
</Text> </Text>
</View> </View>
<Pressable <Pressable

View File

@ -57,7 +57,8 @@ import {
useRequireAltTextEnabled, useRequireAltTextEnabled,
useSetRequireAltTextEnabled, useSetRequireAltTextEnabled,
} from '#/state/preferences' } from '#/state/preferences'
import {useSession, useSessionApi} from '#/state/session' import {useSession, useSessionApi, SessionAccount} from '#/state/session'
import {useGetProfile} from '#/data/useGetProfile'
// TEMPORARY (APP-700) // TEMPORARY (APP-700)
// remove after backend testing finishes // remove after backend testing finishes
@ -67,6 +68,73 @@ import {STATUS_PAGE_URL} from 'lib/constants'
import {Trans, msg} from '@lingui/macro' import {Trans, msg} from '@lingui/macro'
import {useLingui} from '@lingui/react' import {useLingui} from '@lingui/react'
function SettingsAccountCard({account}: {account: SessionAccount}) {
const pal = usePalette('default')
const {isSwitchingAccounts, currentAccount} = useSession()
const {logout} = useSessionApi()
const {isError, data} = useGetProfile({did: account.did})
const isCurrentAccount = account.did === currentAccount?.did
const {onPressSwitchAccount} = useAccountSwitcher()
// TODO
if (isError || !currentAccount) return null
const contents = (
<View style={[pal.view, styles.linkCard]}>
<View style={styles.avi}>
<UserAvatar size={40} avatar={data?.avatar} />
</View>
<View style={[s.flex1]}>
<Text type="md-bold" style={pal.text}>
{data?.displayName || account.handle}
</Text>
<Text type="sm" style={pal.textLight}>
{account.handle}
</Text>
</View>
{isCurrentAccount ? (
<TouchableOpacity
testID="signOutBtn"
onPress={logout}
accessibilityRole="button"
accessibilityLabel="Sign out"
accessibilityHint={`Signs ${data?.displayName} out of Bluesky`}>
<Text type="lg" style={pal.link}>
Sign out
</Text>
</TouchableOpacity>
) : (
<AccountDropdownBtn handle={account.handle} />
)}
</View>
)
return isCurrentAccount ? (
<Link
href={makeProfileLink({
did: currentAccount?.did,
handle: currentAccount?.handle,
})}
title="Your profile"
noFeedback>
{contents}
</Link>
) : (
<TouchableOpacity
testID={`switchToAccountBtn-${account.handle}`}
key={account.did}
onPress={
isSwitchingAccounts ? undefined : () => onPressSwitchAccount(account)
}
accessibilityRole="button"
accessibilityLabel={`Switch to ${account.handle}`}
accessibilityHint="Switches the account you are logged in to">
{contents}
</TouchableOpacity>
)
}
type Props = NativeStackScreenProps<CommonNavigatorParams, 'Settings'> type Props = NativeStackScreenProps<CommonNavigatorParams, 'Settings'>
export const SettingsScreen = withAuthRequired( export const SettingsScreen = withAuthRequired(
observer(function Settings({}: Props) { observer(function Settings({}: Props) {
@ -82,14 +150,12 @@ export const SettingsScreen = withAuthRequired(
const navigation = useNavigation<NavigationProp>() const navigation = useNavigation<NavigationProp>()
const {isMobile} = useWebMediaQueries() const {isMobile} = useWebMediaQueries()
const {screen, track} = useAnalytics() const {screen, track} = useAnalytics()
const [isSwitching, setIsSwitching, onPressSwitchAccount] =
useAccountSwitcher()
const [debugHeaderEnabled, toggleDebugHeader] = useDebugHeaderSetting( const [debugHeaderEnabled, toggleDebugHeader] = useDebugHeaderSetting(
store.agent, store.agent,
) )
const {openModal} = useModalControls() const {openModal} = useModalControls()
const {logout} = useSessionApi() const {isSwitchingAccounts, accounts, currentAccount} = useSession()
const {accounts} = useSession() const {clearCurrentAccount} = useSessionApi()
const primaryBg = useCustomPalette<ViewStyle>({ const primaryBg = useCustomPalette<ViewStyle>({
light: {backgroundColor: colors.blue0}, light: {backgroundColor: colors.blue0},
@ -120,30 +186,27 @@ export const SettingsScreen = withAuthRequired(
track('Settings:AddAccountButtonClicked') track('Settings:AddAccountButtonClicked')
navigation.navigate('HomeTab') navigation.navigate('HomeTab')
navigation.dispatch(StackActions.popToTop()) navigation.dispatch(StackActions.popToTop())
store.session.clear() clearCurrentAccount()
}, [track, navigation, store]) }, [track, navigation, clearCurrentAccount])
const onPressChangeHandle = React.useCallback(() => { const onPressChangeHandle = React.useCallback(() => {
track('Settings:ChangeHandleButtonClicked') track('Settings:ChangeHandleButtonClicked')
openModal({ openModal({
name: 'change-handle', name: 'change-handle',
onChanged() { onChanged() {
setIsSwitching(true)
store.session.reloadFromServer().then( store.session.reloadFromServer().then(
() => { () => {
setIsSwitching(false)
Toast.show('Your handle has been updated') Toast.show('Your handle has been updated')
}, },
err => { err => {
logger.error('Failed to reload from server after handle update', { logger.error('Failed to reload from server after handle update', {
error: err, error: err,
}) })
setIsSwitching(false)
}, },
) )
}, },
}) })
}, [track, store, openModal, setIsSwitching]) }, [track, store, openModal])
const onPressInviteCodes = React.useCallback(() => { const onPressInviteCodes = React.useCallback(() => {
track('Settings:InvitecodesButtonClicked') track('Settings:InvitecodesButtonClicked')
@ -154,12 +217,6 @@ export const SettingsScreen = withAuthRequired(
navigation.navigate('LanguageSettings') navigation.navigate('LanguageSettings')
}, [navigation]) }, [navigation])
const onPressSignout = React.useCallback(() => {
track('Settings:SignOutButtonClicked')
logout()
store.session.logout()
}, [track, store, logout])
const onPressDeleteAccount = React.useCallback(() => { const onPressDeleteAccount = React.useCallback(() => {
openModal({name: 'delete-account'}) openModal({name: 'delete-account'})
}, [openModal]) }, [openModal])
@ -217,7 +274,7 @@ export const SettingsScreen = withAuthRequired(
contentContainerStyle={isMobile && pal.viewLight} contentContainerStyle={isMobile && pal.viewLight}
scrollIndicatorInsets={{right: 1}}> scrollIndicatorInsets={{right: 1}}>
<View style={styles.spacer20} /> <View style={styles.spacer20} />
{store.session.currentSession !== undefined ? ( {currentAccount ? (
<> <>
<Text type="xl-bold" style={[pal.text, styles.heading]}> <Text type="xl-bold" style={[pal.text, styles.heading]}>
<Trans>Account</Trans> <Trans>Account</Trans>
@ -226,7 +283,7 @@ export const SettingsScreen = withAuthRequired(
<Text type="lg-medium" style={pal.text}> <Text type="lg-medium" style={pal.text}>
Email:{' '} Email:{' '}
</Text> </Text>
{!store.session.emailNeedsConfirmation && ( {currentAccount.emailConfirmed && (
<> <>
<FontAwesomeIcon <FontAwesomeIcon
icon="check" icon="check"
@ -236,7 +293,7 @@ export const SettingsScreen = withAuthRequired(
</> </>
)} )}
<Text type="lg" style={pal.text}> <Text type="lg" style={pal.text}>
{store.session.currentSession?.email}{' '} {currentAccount.email}{' '}
</Text> </Text>
<Link onPress={() => openModal({name: 'change-email'})}> <Link onPress={() => openModal({name: 'change-email'})}>
<Text type="lg" style={pal.link}> <Text type="lg" style={pal.link}>
@ -255,7 +312,8 @@ export const SettingsScreen = withAuthRequired(
</Link> </Link>
</View> </View>
<View style={styles.spacer20} /> <View style={styles.spacer20} />
<EmailConfirmationNotice />
{!currentAccount.emailConfirmed && <EmailConfirmationNotice />}
</> </>
) : null} ) : null}
<View style={[s.flexRow, styles.heading]}> <View style={[s.flexRow, styles.heading]}>
@ -264,70 +322,29 @@ export const SettingsScreen = withAuthRequired(
</Text> </Text>
<View style={s.flex1} /> <View style={s.flex1} />
</View> </View>
{isSwitching ? (
{isSwitchingAccounts ? (
<View style={[pal.view, styles.linkCard]}> <View style={[pal.view, styles.linkCard]}>
<ActivityIndicator /> <ActivityIndicator />
</View> </View>
) : ( ) : (
<Link <SettingsAccountCard account={currentAccount!} />
href={makeProfileLink(store.me)}
title="Your profile"
noFeedback>
<View style={[pal.view, styles.linkCard]}>
<View style={styles.avi}>
<UserAvatar size={40} avatar={store.me.avatar} />
</View>
<View style={[s.flex1]}>
<Text type="md-bold" style={pal.text} numberOfLines={1}>
{store.me.displayName || store.me.handle}
</Text>
<Text type="sm" style={pal.textLight} numberOfLines={1}>
{store.me.handle}
</Text>
</View>
<TouchableOpacity
testID="signOutBtn"
onPress={isSwitching ? undefined : onPressSignout}
accessibilityRole="button"
accessibilityLabel={_(msg`Sign out`)}
accessibilityHint={`Signs ${store.me.displayName} out of Bluesky`}>
<Text type="lg" style={pal.link}>
<Trans>Sign out</Trans>
</Text>
</TouchableOpacity>
</View>
</Link>
)} )}
{accounts.map(account => (
<TouchableOpacity {accounts
testID={`switchToAccountBtn-${account.handle}`} .filter(a => a.did !== currentAccount?.did)
key={account.did} .map(account => (
style={[pal.view, styles.linkCard, isSwitching && styles.dimmed]} <SettingsAccountCard key={account.did} account={account} />
onPress={ ))}
isSwitching ? undefined : () => onPressSwitchAccount(account)
}
accessibilityRole="button"
accessibilityLabel={`Switch to ${account.handle}`}
accessibilityHint="Switches the account you are logged in to">
<View style={styles.avi}>
{/*<UserAvatar size={40} avatar={account.aviUrl} />*/}
</View>
<View style={[s.flex1]}>
<Text type="md-bold" style={pal.text}>
{/* @ts-ignore */}
{account.displayName || account.handle}
</Text>
<Text type="sm" style={pal.textLight}>
{account.handle}
</Text>
</View>
<AccountDropdownBtn handle={account.handle} />
</TouchableOpacity>
))}
<TouchableOpacity <TouchableOpacity
testID="switchToNewAccountBtn" testID="switchToNewAccountBtn"
style={[styles.linkCard, pal.view, isSwitching && styles.dimmed]} style={[
onPress={isSwitching ? undefined : onPressAddAccount} styles.linkCard,
pal.view,
isSwitchingAccounts && styles.dimmed,
]}
onPress={isSwitchingAccounts ? undefined : onPressAddAccount}
accessibilityRole="button" accessibilityRole="button"
accessibilityLabel={_(msg`Add account`)} accessibilityLabel={_(msg`Add account`)}
accessibilityHint="Create a new Bluesky account"> accessibilityHint="Create a new Bluesky account">
@ -349,8 +366,12 @@ export const SettingsScreen = withAuthRequired(
</Text> </Text>
<TouchableOpacity <TouchableOpacity
testID="inviteFriendBtn" testID="inviteFriendBtn"
style={[styles.linkCard, pal.view, isSwitching && styles.dimmed]} style={[
onPress={isSwitching ? undefined : onPressInviteCodes} styles.linkCard,
pal.view,
isSwitchingAccounts && styles.dimmed,
]}
onPress={isSwitchingAccounts ? undefined : onPressInviteCodes}
accessibilityRole="button" accessibilityRole="button"
accessibilityLabel={_(msg`Invite`)} accessibilityLabel={_(msg`Invite`)}
accessibilityHint="Opens invite code list"> accessibilityHint="Opens invite code list">
@ -427,7 +448,11 @@ export const SettingsScreen = withAuthRequired(
</Text> </Text>
<TouchableOpacity <TouchableOpacity
testID="preferencesHomeFeedButton" testID="preferencesHomeFeedButton"
style={[styles.linkCard, pal.view, isSwitching && styles.dimmed]} style={[
styles.linkCard,
pal.view,
isSwitchingAccounts && styles.dimmed,
]}
onPress={openHomeFeedPreferences} onPress={openHomeFeedPreferences}
accessibilityRole="button" accessibilityRole="button"
accessibilityHint="" accessibilityHint=""
@ -444,7 +469,11 @@ export const SettingsScreen = withAuthRequired(
</TouchableOpacity> </TouchableOpacity>
<TouchableOpacity <TouchableOpacity
testID="preferencesThreadsButton" testID="preferencesThreadsButton"
style={[styles.linkCard, pal.view, isSwitching && styles.dimmed]} style={[
styles.linkCard,
pal.view,
isSwitchingAccounts && styles.dimmed,
]}
onPress={openThreadsPreferences} onPress={openThreadsPreferences}
accessibilityRole="button" accessibilityRole="button"
accessibilityHint="" accessibilityHint=""
@ -462,7 +491,11 @@ export const SettingsScreen = withAuthRequired(
</TouchableOpacity> </TouchableOpacity>
<TouchableOpacity <TouchableOpacity
testID="savedFeedsBtn" testID="savedFeedsBtn"
style={[styles.linkCard, pal.view, isSwitching && styles.dimmed]} style={[
styles.linkCard,
pal.view,
isSwitchingAccounts && styles.dimmed,
]}
accessibilityHint="My Saved Feeds" accessibilityHint="My Saved Feeds"
accessibilityLabel={_(msg`Opens screen with all saved feeds`)} accessibilityLabel={_(msg`Opens screen with all saved feeds`)}
onPress={onPressSavedFeeds}> onPress={onPressSavedFeeds}>
@ -475,8 +508,12 @@ export const SettingsScreen = withAuthRequired(
</TouchableOpacity> </TouchableOpacity>
<TouchableOpacity <TouchableOpacity
testID="languageSettingsBtn" testID="languageSettingsBtn"
style={[styles.linkCard, pal.view, isSwitching && styles.dimmed]} style={[
onPress={isSwitching ? undefined : onPressLanguageSettings} styles.linkCard,
pal.view,
isSwitchingAccounts && styles.dimmed,
]}
onPress={isSwitchingAccounts ? undefined : onPressLanguageSettings}
accessibilityRole="button" accessibilityRole="button"
accessibilityHint="Language settings" accessibilityHint="Language settings"
accessibilityLabel={_(msg`Opens configurable language settings`)}> accessibilityLabel={_(msg`Opens configurable language settings`)}>
@ -492,9 +529,15 @@ export const SettingsScreen = withAuthRequired(
</TouchableOpacity> </TouchableOpacity>
<TouchableOpacity <TouchableOpacity
testID="moderationBtn" testID="moderationBtn"
style={[styles.linkCard, pal.view, isSwitching && styles.dimmed]} style={[
styles.linkCard,
pal.view,
isSwitchingAccounts && styles.dimmed,
]}
onPress={ onPress={
isSwitching ? undefined : () => navigation.navigate('Moderation') isSwitchingAccounts
? undefined
: () => navigation.navigate('Moderation')
} }
accessibilityRole="button" accessibilityRole="button"
accessibilityHint="" accessibilityHint=""
@ -513,7 +556,11 @@ export const SettingsScreen = withAuthRequired(
</Text> </Text>
<TouchableOpacity <TouchableOpacity
testID="appPasswordBtn" testID="appPasswordBtn"
style={[styles.linkCard, pal.view, isSwitching && styles.dimmed]} style={[
styles.linkCard,
pal.view,
isSwitchingAccounts && styles.dimmed,
]}
onPress={onPressAppPasswords} onPress={onPressAppPasswords}
accessibilityRole="button" accessibilityRole="button"
accessibilityHint="Open app password settings" accessibilityHint="Open app password settings"
@ -530,8 +577,12 @@ export const SettingsScreen = withAuthRequired(
</TouchableOpacity> </TouchableOpacity>
<TouchableOpacity <TouchableOpacity
testID="changeHandleBtn" testID="changeHandleBtn"
style={[styles.linkCard, pal.view, isSwitching && styles.dimmed]} style={[
onPress={isSwitching ? undefined : onPressChangeHandle} styles.linkCard,
pal.view,
isSwitchingAccounts && styles.dimmed,
]}
onPress={isSwitchingAccounts ? undefined : onPressChangeHandle}
accessibilityRole="button" accessibilityRole="button"
accessibilityLabel={_(msg`Change handle`)} accessibilityLabel={_(msg`Change handle`)}
accessibilityHint="Choose a new Bluesky username or create"> accessibilityHint="Choose a new Bluesky username or create">
@ -655,15 +706,10 @@ const EmailConfirmationNotice = observer(
function EmailConfirmationNoticeImpl() { function EmailConfirmationNoticeImpl() {
const pal = usePalette('default') const pal = usePalette('default')
const palInverted = usePalette('inverted') const palInverted = usePalette('inverted')
const store = useStores()
const {_} = useLingui() const {_} = useLingui()
const {isMobile} = useWebMediaQueries() const {isMobile} = useWebMediaQueries()
const {openModal} = useModalControls() const {openModal} = useModalControls()
if (!store.session.emailNeedsConfirmation) {
return null
}
return ( return (
<View style={{marginBottom: 20}}> <View style={{marginBottom: 20}}>
<Text type="xl-bold" style={[pal.text, styles.heading]}> <Text type="xl-bold" style={[pal.text, styles.heading]}>

View File

@ -41,18 +41,31 @@ import {router} from '../../../routes'
import {makeProfileLink} from 'lib/routes/links' import {makeProfileLink} from 'lib/routes/links'
import {useLingui} from '@lingui/react' import {useLingui} from '@lingui/react'
import {Trans, msg} from '@lingui/macro' import {Trans, msg} from '@lingui/macro'
import {useGetProfile} from '#/data/useGetProfile'
import {useSession} from '#/state/session'
const ProfileCard = observer(function ProfileCardImpl() { const ProfileCard = observer(function ProfileCardImpl() {
const store = useStores() const {currentAccount} = useSession()
const {
isLoading,
isError,
data: profile,
} = useGetProfile({did: currentAccount!.did})
const {isDesktop} = useWebMediaQueries() const {isDesktop} = useWebMediaQueries()
const size = 48 const size = 48
return store.me.handle ? (
if (isError || !profile || !currentAccount) return null
return !isLoading ? (
<Link <Link
href={makeProfileLink(store.me)} href={makeProfileLink({
did: currentAccount.did,
handle: currentAccount.handle,
})}
style={[styles.profileCard, !isDesktop && styles.profileCardTablet]} style={[styles.profileCard, !isDesktop && styles.profileCardTablet]}
title="My Profile" title="My Profile"
asAnchor> asAnchor>
<UserAvatar avatar={store.me.avatar} size={size} /> <UserAvatar avatar={profile.avatar} size={size} />
</Link> </Link>
) : ( ) : (
<View style={[styles.profileCard, !isDesktop && styles.profileCardTablet]}> <View style={[styles.profileCard, !isDesktop && styles.profileCardTablet]}>
@ -255,7 +268,7 @@ export const DesktopLeftNav = observer(function DesktopLeftNav() {
pal.view, pal.view,
pal.border, pal.border,
]}> ]}>
{store.session.hasSession && <ProfileCard />} <ProfileCard />
<BackBtn /> <BackBtn />
<NavItem <NavItem
href="/" href="/"
@ -360,26 +373,24 @@ export const DesktopLeftNav = observer(function DesktopLeftNav() {
} }
label="Moderation" label="Moderation"
/> />
{store.session.hasSession && ( <NavItem
<NavItem href={makeProfileLink(store.me)}
href={makeProfileLink(store.me)} icon={
icon={ <UserIcon
<UserIcon strokeWidth={1.75}
strokeWidth={1.75} size={isDesktop ? 28 : 30}
size={isDesktop ? 28 : 30} style={pal.text}
style={pal.text} />
/> }
} iconFilled={
iconFilled={ <UserIconSolid
<UserIconSolid strokeWidth={1.75}
strokeWidth={1.75} size={isDesktop ? 28 : 30}
size={isDesktop ? 28 : 30} style={pal.text}
style={pal.text} />
/> }
} label="Profile"
label="Profile" />
/>
)}
<NavItem <NavItem
href="/settings" href="/settings"
icon={ icon={
@ -398,7 +409,7 @@ export const DesktopLeftNav = observer(function DesktopLeftNav() {
} }
label="Settings" label="Settings"
/> />
{store.session.hasSession && <ComposeBtn />} <ComposeBtn />
</View> </View>
) )
}) })

View File

@ -14,11 +14,13 @@ import {useWebMediaQueries} from 'lib/hooks/useWebMediaQueries'
import {pluralize} from 'lib/strings/helpers' import {pluralize} from 'lib/strings/helpers'
import {formatCount} from 'view/com/util/numeric/format' import {formatCount} from 'view/com/util/numeric/format'
import {useModalControls} from '#/state/modals' import {useModalControls} from '#/state/modals'
import {useSession} from '#/state/session'
export const DesktopRightNav = observer(function DesktopRightNavImpl() { export const DesktopRightNav = observer(function DesktopRightNavImpl() {
const store = useStores() const store = useStores()
const pal = usePalette('default') const pal = usePalette('default')
const palError = usePalette('error') const palError = usePalette('error')
const {hasSession, currentAccount} = useSession()
const {isTablet} = useWebMediaQueries() const {isTablet} = useWebMediaQueries()
if (isTablet) { if (isTablet) {
@ -27,8 +29,8 @@ export const DesktopRightNav = observer(function DesktopRightNavImpl() {
return ( return (
<View style={[styles.rightNav, pal.view]}> <View style={[styles.rightNav, pal.view]}>
{store.session.hasSession && <DesktopSearch />} {hasSession && <DesktopSearch />}
{store.session.hasSession && <DesktopFeeds />} {hasSession && <DesktopFeeds />}
<View style={styles.message}> <View style={styles.message}>
{store.session.isSandbox ? ( {store.session.isSandbox ? (
<View style={[palError.view, styles.messageLine, s.p10]}> <View style={[palError.view, styles.messageLine, s.p10]}>
@ -42,8 +44,8 @@ export const DesktopRightNav = observer(function DesktopRightNavImpl() {
type="md" type="md"
style={pal.link} style={pal.link}
href={FEEDBACK_FORM_URL({ href={FEEDBACK_FORM_URL({
email: store.session.currentSession?.email, email: currentAccount!.email,
handle: store.session.currentSession?.handle, handle: currentAccount!.handle,
})} })}
text="Send feedback" text="Send feedback"
/> />

View File

@ -33,6 +33,7 @@ import {
} from '#/state/shell' } from '#/state/shell'
import {isAndroid} from 'platform/detection' import {isAndroid} from 'platform/detection'
import {useModalControls} from '#/state/modals' import {useModalControls} from '#/state/modals'
import {useSession} from '#/state/session'
const ShellInner = observer(function ShellInnerImpl() { const ShellInner = observer(function ShellInnerImpl() {
const store = useStores() const store = useStores()
@ -57,6 +58,8 @@ const ShellInner = observer(function ShellInnerImpl() {
[setIsDrawerOpen], [setIsDrawerOpen],
) )
const canGoBack = useNavigationState(state => !isStateAtTabRoot(state)) const canGoBack = useNavigationState(state => !isStateAtTabRoot(state))
const {hasSession} = useSession()
React.useEffect(() => { React.useEffect(() => {
let listener = {remove() {}} let listener = {remove() {}}
if (isAndroid) { if (isAndroid) {
@ -81,9 +84,7 @@ const ShellInner = observer(function ShellInnerImpl() {
onOpen={onOpenDrawer} onOpen={onOpenDrawer}
onClose={onCloseDrawer} onClose={onCloseDrawer}
swipeEdgeWidth={winDim.width / 2} swipeEdgeWidth={winDim.width / 2}
swipeEnabled={ swipeEnabled={!canGoBack && hasSession && !isDrawerSwipeDisabled}>
!canGoBack && store.session.hasSession && !isDrawerSwipeDisabled
}>
<TabsNavigator /> <TabsNavigator />
</Drawer> </Drawer>
</ErrorBoundary> </ErrorBoundary>

View File

@ -24,6 +24,7 @@ import {
useOnboardingState, useOnboardingState,
} from '#/state/shell' } from '#/state/shell'
import {useModalControls} from '#/state/modals' import {useModalControls} from '#/state/modals'
import {useSession} from '#/state/session'
const ShellInner = observer(function ShellInnerImpl() { const ShellInner = observer(function ShellInnerImpl() {
const store = useStores() const store = useStores()
@ -33,6 +34,8 @@ const ShellInner = observer(function ShellInnerImpl() {
const onboardingState = useOnboardingState() const onboardingState = useOnboardingState()
const {isDesktop, isMobile} = useWebMediaQueries() const {isDesktop, isMobile} = useWebMediaQueries()
const navigator = useNavigation<NavigationProp>() const navigator = useNavigation<NavigationProp>()
const {hasSession} = useSession()
useAuxClick() useAuxClick()
useEffect(() => { useEffect(() => {
@ -44,8 +47,7 @@ const ShellInner = observer(function ShellInnerImpl() {
}, [navigator, store.shell, setDrawerOpen, closeModal]) }, [navigator, store.shell, setDrawerOpen, closeModal])
const showBottomBar = isMobile && !onboardingState.isActive const showBottomBar = isMobile && !onboardingState.isActive
const showSideNavs = const showSideNavs = !isMobile && hasSession && !onboardingState.isActive
!isMobile && store.session.hasSession && !onboardingState.isActive
return ( return (
<View style={[s.hContentRegion, {overflow: 'hidden'}]}> <View style={[s.hContentRegion, {overflow: 'hidden'}]}>
<View style={s.hContentRegion}> <View style={s.hContentRegion}>