Skip to content

Commit 08e97b4

Browse files
eliobricenovBrettClearyred-game-dev
authored
[TECH]: auth integration part 1 (#563)
* refactor(auth): add auth session and preload scripts * refactor(auth): add auth modal component * refactor(auth): show extension modal when there are already requests * refactor(auth): show onboarding modal if no provider is installed * refactor(auth): update explanation * refactor(auth): remove log * refactor(auth): handle account connected * refactor(auth): update yarn lock * refactor(auth): guard modal by qa mode * refactor(auth): add alert * refactor(auth): restore preview url * refactor(auth): rename state class name and use private fields * refactor(auth): use getConnectedProvider instead of getCurrentWeb3Provider * refactor(providers): make return type of getConnectedProvider enum * refactor(providers): make return type of getConnectedProvider enum * refactor(auth-state): use private modifier instead of private fields * refactor(auth): open modal when qa mode is activated * refactor(auth): track pending signature requests and resume after wallet is connected * refactor(proxy-server): update commit * handle destroyed wc sender * fix mm reload after import * update mm * reopen auth modal on app reload after import (#607) * refactor(auth): update webview dimension and padding * feat(auth): support email verified * fix(auth): add back transparent background * test: add prependListener mock * chore: prettier fix * add manage hp accounts dropdown option * prevent auth modal reopen on every launch * rm launch auth modal on qa mode, rm alert * fix imports * revert mm changes * fix onboarding on first app load * fix email verify stuck * rm log * mv authStore to authState * close sign in modal on email confirm * change account dropdown zIndex to be > mm ext * add email-confirmation protocol handler * update email confirmation protocol * prettier * add try catch to reload * rm debug logs * fix: Fixed submodules not updated, which fails pipelines * point to submodule auth branches * add test, fix mac deeplink * chore(auth): use extension api to show popup instead of state * chore(auth): use extension api to show popup instead of state * chore: run lint * feat(auth): add is launcher query parameter * refactor(auth): remove unused import * refactor(auth): use fix branch for provider helper * refactor(auth): use fix branch for provider helper * refactor(auth): use main branch in submodules --------- Co-authored-by: Brett <27568879+BrettCleary@users.noreply.github.com> Co-authored-by: Red <red.pace.dev@gmail.com>
1 parent da11353 commit 08e97b4

31 files changed

+668
-190
lines changed

package.json

+2-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
{
22
"name": "hyperplay",
3-
"version": "0.9.0",
3+
"version": "0.10.0",
44
"private": true,
55
"main": "build/electron/main.js",
66
"homepage": "./",
@@ -35,6 +35,7 @@
3535
"build/trayIconDark24x24.png",
3636
"build/extensions",
3737
"build/hyperplay_store_preload.js",
38+
"build/transparent_body_preload.js",
3839
"build/webviewPreload.js"
3940
],
4041
"protocols": [

src/backend/__mocks__/electron.ts

+2-1
Original file line numberDiff line numberDiff line change
@@ -157,7 +157,8 @@ const ipcMain = {
157157
on: jest.fn().mockReturnThis(),
158158
handle: jest.fn().mockReturnThis(),
159159
once: jest.fn().mockReturnThis(),
160-
emit: jest.fn().mockReturnThis()
160+
emit: jest.fn().mockReturnThis(),
161+
prependListener: jest.fn().mockReturnThis()
161162
}
162163

163164
export {
+38
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,38 @@
1+
import { parseUrl } from '../../backend/protocol'
2+
3+
jest.mock('electron')
4+
jest.mock('../logger/logger')
5+
jest.mock('../logger/logfile')
6+
jest.mock('../dialog/dialog')
7+
8+
describe('backend/protocol.ts', () => {
9+
test('email confirmation url is parsed', () => {
10+
const emailConfirmationUrl = 'https://www.npmjs.com/'
11+
const url =
12+
'hyperplay://email-confirmation?url=' +
13+
encodeURIComponent(emailConfirmationUrl)
14+
15+
/* eslint-disable-next-line @typescript-eslint/no-unused-vars*/
16+
const [command, runner, arg = ''] = parseUrl(url)
17+
18+
const decodedEmailConfirmationUrl = decodeURIComponent(arg)
19+
expect(decodedEmailConfirmationUrl).toEqual(emailConfirmationUrl)
20+
21+
expect(command).toEqual('email-confirmation')
22+
})
23+
24+
test('email confirmation url with trailing / is parsed', () => {
25+
const emailConfirmationUrl = 'https://www.npmjs.com/'
26+
const url =
27+
'hyperplay://email-confirmation/?url=' +
28+
encodeURIComponent(emailConfirmationUrl)
29+
30+
/* eslint-disable-next-line @typescript-eslint/no-unused-vars*/
31+
const [command, runner, arg = ''] = parseUrl(url)
32+
33+
const decodedEmailConfirmationUrl = decodeURIComponent(arg)
34+
expect(decodedEmailConfirmationUrl).toEqual(emailConfirmationUrl)
35+
36+
expect(command).toEqual('email-confirmation')
37+
})
38+
})

src/backend/api/misc.ts

+43-1
Original file line numberDiff line numberDiff line change
@@ -5,7 +5,8 @@ import {
55
Tools,
66
DialogType,
77
ButtonOptions,
8-
GamepadActionArgs
8+
GamepadActionArgs,
9+
WrapRendererCallback
910
} from 'common/types'
1011
import { NileRegisterData } from 'common/types/nile'
1112

@@ -128,6 +129,7 @@ import Store from 'electron-store'
128129
interface StoreMap {
129130
[key: string]: Store
130131
}
132+
131133
const stores: StoreMap = {}
132134

133135
export const storeNew = function (
@@ -188,3 +190,43 @@ export const fetchPlaytimeFromServer = async (
188190
runner: Runner,
189191
appName: string
190192
) => ipcRenderer.invoke('getPlaytimeFromRunner', runner, appName)
193+
194+
export const handleQaModeActivated = (
195+
onChange: (e: Electron.IpcRendererEvent) => void
196+
) => {
197+
ipcRenderer.on('qaModeActive', onChange)
198+
return () => {
199+
ipcRenderer.removeListener('qaModeActive', onChange)
200+
}
201+
}
202+
203+
export const handleOAuthCompleted = (
204+
onMessage: (e: Electron.IpcRendererEvent) => void
205+
): (() => void) => {
206+
ipcRenderer.on('oauthCompleted', onMessage)
207+
return () => {
208+
ipcRenderer.removeListener('oauthCompleted', onMessage)
209+
}
210+
}
211+
212+
export const handleEmailConfirmed = (
213+
onMessage: (e: Electron.IpcRendererEvent) => void
214+
): (() => void) => {
215+
ipcRenderer.on('emailVerified', onMessage)
216+
return () => {
217+
ipcRenderer.removeListener('emailVerified', onMessage)
218+
}
219+
}
220+
221+
export const openAuthModalIfAppReloads = () => {
222+
ipcRenderer.send('openAuthModalIfAppReloads')
223+
}
224+
225+
export const handleEmailConfirmationNavigation = (
226+
cb: WrapRendererCallback<(url: string) => void>
227+
): (() => void) => {
228+
ipcRenderer.on('emailConfirmation', cb)
229+
return () => {
230+
ipcRenderer.removeListener('emailConfirmation', cb)
231+
}
232+
}

src/backend/auth_provider_preload.ts

+21
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,21 @@
1+
import { contextBridge, ipcRenderer } from 'electron'
2+
import { DEV_PORTAL_URL } from '../common/constants'
3+
4+
contextBridge.exposeInMainWorld('authApi', {
5+
closeAuthModal: () => {
6+
ipcRenderer.sendToHost('closeAuthModal')
7+
},
8+
reportAccountNotConnected: () => {
9+
ipcRenderer.sendToHost('auth:accountNotConnected')
10+
},
11+
reportAccountConnected: () => {
12+
ipcRenderer.sendToHost('auth:accountConnected')
13+
},
14+
openProviderOAuthLink: (provider: string) => {
15+
ipcRenderer.send('openExternalUrl', `${DEV_PORTAL_URL}/oauth/${provider}`)
16+
}
17+
})
18+
19+
ipcRenderer.on('auth:retryWalletConnection', () => {
20+
window.dispatchEvent(new CustomEvent('auth:retryWalletConnection'))
21+
})

src/backend/constants.ts

+2-1
Original file line numberDiff line numberDiff line change
@@ -237,7 +237,8 @@ export function createNecessaryFolders() {
237237
}
238238

239239
const onboardLocalStore = new TypeCheckedStoreBackend('onboardingStore', {
240-
cwd: 'store'
240+
cwd: 'store',
241+
name: 'onboarding-store'
241242
})
242243

243244
export {

src/backend/main.ts

+15-1
Original file line numberDiff line numberDiff line change
@@ -106,7 +106,8 @@ import {
106106
fixAsarPath,
107107
twitterLink,
108108
eventsToCloseMetaMaskPopupOn,
109-
setQaToken
109+
setQaToken,
110+
onboardLocalStore
110111
} from './constants'
111112
import { handleProtocol } from './protocol'
112113
import {
@@ -167,6 +168,7 @@ import * as Sentry from '@sentry/electron'
167168
import { prodSentryDsn, devSentryDsn } from 'common/constants'
168169

169170
let sentryInitialized = false
171+
170172
function initSentry() {
171173
if (sentryInitialized) return
172174
Sentry.init({
@@ -360,6 +362,13 @@ if (!gotTheLock) {
360362
)
361363
ses.setPreloads([path.join(__dirname, 'providerPreload.js')])
362364

365+
const authSession = session.fromPartition('persist:auth')
366+
authSession.setPreloads([
367+
path.join(__dirname, 'providerPreload.js'),
368+
path.join(__dirname, 'transparent_body_preload.js'),
369+
path.join(__dirname, 'auth_provider_preload.js')
370+
])
371+
363372
const hpStoreSession = session.fromPartition('persist:hyperplaystore')
364373
hpStoreSession.setPreloads([
365374
path.join(__dirname, 'hyperplay_store_preload.js'),
@@ -1943,6 +1952,11 @@ ipcMain.on('openGameInEpicStore', async (_e, url) => {
19431952

19441953
ipcMain.on('setQaToken', (_e, qaToken) => {
19451954
setQaToken(qaToken)
1955+
if (qaToken.length > 0) sendFrontendMessage('qaModeActive')
1956+
})
1957+
1958+
ipcMain.on('openAuthModalIfAppReloads', () => {
1959+
onboardLocalStore.set('openAuthModalIfAppReloads', true)
19461960
})
19471961

19481962
ipcMain.on('killOverlay', () => {

src/backend/protocol.ts

+24-3
Original file line numberDiff line numberDiff line change
@@ -8,7 +8,12 @@ import { icon } from './constants'
88
import { getGameInfo } from 'backend/storeManagers/hyperplay/games'
99
import { addGameToLibrary } from 'backend/storeManagers/hyperplay/library'
1010

11-
type Command = 'ping' | 'launch'
11+
type Command =
12+
| 'ping'
13+
| 'launch'
14+
| 'oauth-completed'
15+
| 'email-verified'
16+
| 'email-confirmation'
1217

1318
const RUNNERS = ['hyperplay', 'legendary', 'gog', 'nile', 'sideload']
1419

@@ -31,14 +36,25 @@ export async function handleProtocol(args: string[]) {
3136

3237
const [command, runner, arg = ''] = parseUrl(url)
3338

34-
logInfo(`received '${url}'`, LogPrefix.ProtocolHandler)
39+
logInfo(`received ${url}`, LogPrefix.ProtocolHandler)
40+
41+
const emailConfirmationUrl = decodeURIComponent(arg)
3542

3643
switch (command) {
3744
case 'ping':
3845
return handlePing(arg)
3946
case 'launch':
4047
await handleLaunch(runner, arg, mainWindow)
4148
break
49+
case 'oauth-completed':
50+
sendFrontendMessage('oauthCompleted')
51+
break
52+
case 'email-verified':
53+
sendFrontendMessage('emailVerified')
54+
break
55+
case 'email-confirmation':
56+
sendFrontendMessage('emailConfirmation', emailConfirmationUrl)
57+
break
4258
default:
4359
return
4460
}
@@ -72,9 +88,11 @@ function getUrl(args: string[]): string | undefined {
7288
* parseUrl('hyperplay://launch/legendary/123')
7389
* // => ['launch', 'legendary', '123']
7490
**/
75-
function parseUrl(url: string): [Command, Runner?, string?, string?] {
91+
export function parseUrl(url: string): [Command, Runner?, string?, string?] {
7692
const [, fullCommand] = url.split('://')
7793

94+
const urlObject = new URL(url)
95+
7896
//check if the second param is a runner or not and adjust parts accordingly
7997
const splitCommand = fullCommand.split('/')
8098
const hasRunner = RUNNERS.includes(splitCommand[1] as Runner)
@@ -87,6 +105,9 @@ function parseUrl(url: string): [Command, Runner?, string?, string?] {
87105
const [command, runner, accountId, appId] = splitCommand
88106
return [command as Command, runner as Runner, accountId, appId]
89107
}
108+
} else if (splitCommand[0].startsWith('email-confirmation')) {
109+
const emailConfirmUrl = urlObject.searchParams.get('url')
110+
return ['email-confirmation', undefined, emailConfirmUrl ?? undefined]
90111
} else {
91112
const [command, appId] = splitCommand
92113
return [command as Command, undefined, appId]
+15
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,15 @@
1+
import { webFrame } from 'electron'
2+
3+
const removeBackground = `
4+
document.onreadystatechange = function(e)
5+
{
6+
if (document.readyState === 'interactive')
7+
{
8+
const styles = 'body { background: transparent !important } div.root { padding: 0px !important; padding-top: 5px !important; }'
9+
const styleSheet = document.createElement('style')
10+
styleSheet.innerText = styles
11+
document.head.appendChild(styleSheet)
12+
}
13+
};
14+
`
15+
webFrame.executeJavaScript(removeBackground)

src/common/constants.ts

+3
Original file line numberDiff line numberDiff line change
@@ -7,3 +7,6 @@ export const devSentryDsn =
77
export const METAMASK_SNAPS_URL = 'https://snaps.metamask.io/'
88
export const METAMASK_SNAPS_EXTERNAL_URL = 'https://metamask.io/snaps/'
99
export const METAMASK_PORTFOLIO_URL = 'https://portfolio.metamask.io/'
10+
11+
export const DEV_PORTAL_URL =
12+
'https://hyperplay-dev-git-feature-unified-auth-ui-valist.vercel.app/'

src/common/typedefs/ipcBridge.d.ts

+13
Original file line numberDiff line numberDiff line change
@@ -71,9 +71,11 @@ interface HyperPlaySyncIPCFunctions {
7171
ignoreExitToTray: () => void
7272
setQaToken: (qaToken: string) => void
7373
removeFromLibrary: (appName: string) => void
74+
openAuthModalIfAppReloads: () => void
7475
overlayReady: () => void
7576
updateOverlayWindow: (state: OverlayWindowState) => void
7677
toggleIsPopupOpen: () => void
78+
showPopup: () => void
7779
toastCloseOnClick: (key: ToastKey) => void
7880
lockPopup: (lock: boolean) => void
7981
killOverlay: () => void
@@ -134,6 +136,9 @@ interface SyncIPCFunctions extends HyperPlaySyncIPCFunctions {
134136
cancelDownload: (removeDownloaded: boolean) => void
135137
cancelExtraction: (appName: string) => void
136138
copyWalletConnectBaseURIToClipboard: () => void
139+
closeAuthModal: () => void
140+
'auth:accountConnected': () => void
141+
'auth:accountNotConnected': () => void
137142
focusMainWindow: () => void
138143
}
139144

@@ -428,6 +433,14 @@ declare namespace Electron {
428433
...args: Parameters<Definition>
429434
) => void
430435

436+
public sendToHost: <
437+
Name extends keyof SyncIPCFunctions,
438+
Definition extends SyncIPCFunctions[Name]
439+
>(
440+
name: Name,
441+
...args: Parameters<Definition>
442+
) => void
443+
431444
public invoke: <
432445
Name extends keyof AsyncIPCFunctions,
433446
Definition extends AsyncIPCFunctions[Name],

src/common/types/electron_store.ts

+1
Original file line numberDiff line numberDiff line change
@@ -97,6 +97,7 @@ export interface StoreStructure {
9797
onboardingStore: {
9898
completedEarlyAccess: boolean
9999
completedDataPrivacy: boolean
100+
openAuthModalIfAppReloads: boolean
100101
}
101102
hpLibraryStore: {
102103
[key: string]: GameInfo[]

src/frontend/App.tsx

+4
Original file line numberDiff line numberDiff line change
@@ -29,6 +29,8 @@ import DownloadToastManager from './components/UI/DownloadToastManager'
2929
import TopNavBar from './components/UI/TopNavBar'
3030
import StoreNavHandler from './StoreNavHandler'
3131
import QaAuthHandler from './QaAuthHandler'
32+
import AuthModal from './components/UI/AuthModal'
33+
import EmailVerifiedModal from './components/UI/EmailVerifiedModal'
3234
import { WalletOnboardCloseReason } from 'common/types'
3335
import { DeviceStateController } from './state/DeviceState'
3436
import { ENABLE_AMAZON_STORE } from './constants'
@@ -48,6 +50,8 @@ function App() {
4850
<ExtensionManager />
4951
<DialogHandler />
5052
<ExternalLinkDialog />
53+
<AuthModal />
54+
<EmailVerifiedModal />
5155
<StoreNavHandler />
5256
{isSettingsModalOpen.gameInfo && (
5357
<SettingsModal

0 commit comments

Comments
 (0)