Compare commits

...

29 Commits

Author SHA1 Message Date
a77460e242 Bump version to 5.5.2 2024-08-02 05:57:10 +07:00
d2839b2b7c Fix crashing when hiding "Play with touch" section 2024-08-02 05:56:35 +07:00
8aa5177e10 Update 02-feature-request.yml 2024-08-01 19:28:54 +07:00
ff490be713 Fix Settings dialog not showing full settings when signed in 2024-08-01 19:23:57 +07:00
eb340e7f2a Update Device Code page's CSS 2024-08-01 17:51:37 +07:00
654862fd1c Bump version to 5.5.1 2024-07-31 17:45:45 +07:00
ddb234673c Update better-xcloud.user.js 2024-07-31 17:43:46 +07:00
e822072836 Open Settings dialog on Unsupported page 2024-07-31 17:31:26 +07:00
362638ff0c Fix not setting default User-Agent correctly 2024-07-31 17:31:05 +07:00
b4a94c95c0 Fix CSS of focus border + shortcut button 2024-07-31 08:47:34 +07:00
a996c0e367 Update better-xcloud.user.js 2024-07-31 07:39:58 +07:00
09a2c86ad4 Fix macros/build.renderStylus() not loading CSS each build 2024-07-31 07:39:39 +07:00
0d3385790c Show fullscreen text when reloading page 2024-07-31 07:37:23 +07:00
a39d056eba Render Settings footer in lite mode 2024-07-31 06:54:14 +07:00
847adb1fff Compress CSS 2024-07-31 06:27:43 +07:00
b49ee400f1 Close Settings dialog when opening App settings 2024-07-31 06:08:00 +07:00
ab91323abd Rearrange visual quality & resolution options 2024-07-30 18:34:57 +07:00
74237dbd24 Minor fixes 2024-07-30 18:31:47 +07:00
825db798db Update better-xcloud.user.js 2024-07-30 18:23:49 +07:00
41fe12afc6 Try to fix Remote Play issue 2024-07-30 18:23:17 +07:00
361ce057b7 Minor fixes 2024-07-30 18:06:40 +07:00
9fad2914ac Fix Settings sometimes not being injected to header 2024-07-28 15:58:03 +07:00
eb42f4a3d3 Update better-xcloud.user.js 2024-07-28 10:51:24 +07:00
857c7ec0c3 Update build script 2024-07-28 10:51:01 +07:00
8d559a53a8 Disable AAM 2024-07-28 09:41:23 +07:00
13323cce24 Minor fix 2024-07-28 09:07:45 +07:00
03eb323fd9 Implement es-lint-plugin-compat 2024-07-28 09:00:31 +07:00
fd21fe63f7 Remove disableTrackEvent() patch 2024-07-28 08:02:36 +07:00
857b63a9f9 Remove unused flags 2024-07-28 07:25:11 +07:00
23 changed files with 353 additions and 233 deletions

View File

@ -14,41 +14,12 @@ body:
id: device_type id: device_type
attributes: attributes:
label: Device label: Device
description: "Which device are you using?" description: "Which device type is this feature for?"
options: options:
- All devices
- Phone/Tablet - Phone/Tablet
- Laptop
- Desktop - Desktop
- TV - TV
- Other
multiple: false
validations:
required: true
- type: dropdown
id: os
attributes:
label: "Operating System"
description: "Which operating system is it running?"
options:
- Windows
- macOS
- Linux
- Android
- iOS/iPadOS
- Other
multiple: false
validations:
required: true
- type: dropdown
id: browser
attributes:
label: "Browser"
description: "Which browser are you using?"
options:
- Chrome/Edge/Chromium
- Kiwi Browser
- Safari
- Other
multiple: false multiple: false
validations: validations:
required: true required: true

View File

@ -2,9 +2,12 @@
import { readFile } from "node:fs/promises"; import { readFile } from "node:fs/promises";
import { parseArgs } from "node:util"; import { parseArgs } from "node:util";
import { sys } from "typescript"; import { sys } from "typescript";
// @ts-ignore
import txtScriptHeader from "./src/assets/header_script.txt" with { type: "text" }; import txtScriptHeader from "./src/assets/header_script.txt" with { type: "text" };
// @ts-ignore
import txtMetaHeader from "./src/assets/header_meta.txt" with { type: "text" }; import txtMetaHeader from "./src/assets/header_meta.txt" with { type: "text" };
import { assert } from "node:console"; import { assert } from "node:console";
import { ESLint } from "eslint";
enum BuildTarget { enum BuildTarget {
ALL = 'all', ALL = 'all',
@ -80,10 +83,19 @@ const build = async (target: BuildTarget, version: string, config: any={}) => {
// Save to script // Save to script
await Bun.write(path, scriptHeader + result); await Bun.write(path, scriptHeader + result);
console.log(`---- [${target}] done in ${performance.now() - startTime} ms`);
// Create meta file // Create meta file
await Bun.write(outDir + '/' + outputMetaName, txtMetaHeader.replace('[[VERSION]]', version)); await Bun.write(outDir + '/' + outputMetaName, txtMetaHeader.replace('[[VERSION]]', version));
// Check with ESLint
const eslint = new ESLint();
const results = await eslint.lintFiles([path]);
results[0].messages.forEach((msg: any) => {
console.error(`${path}#${msg.line}: ${msg.message}`);
});
console.log(`---- [${target}] done in ${performance.now() - startTime} ms`);
console.log(`---- [${target}] ${new Date()}`);
} }
const buildTargets = [ const buildTargets = [
@ -110,9 +122,26 @@ if (!values['version']) {
sys.exit(-1); sys.exit(-1);
} }
console.log('Building: ', values['version']); async function main() {
const config = {};
console.log('Building: ', values['version']);
for (const target of buildTargets) {
await build(target, values['version']!!, config);
}
const config = {}; console.log('\n** Press Enter to build or Esc to exit');
for (const target of buildTargets) {
await build(target, values['version']!!, config);
} }
function onKeyPress(data: any) {
const keyCode = data[0];
if (keyCode === 13) { // Enter key
main();
} else if (keyCode === 27) { // Esc key
process.exit(0);
}
}
main();
process.stdin.setRawMode(true);
process.stdin.resume();
process.stdin.on('data', onKeyPress);

BIN
bun.lockb

Binary file not shown.

View File

@ -1,5 +1,5 @@
// ==UserScript== // ==UserScript==
// @name Better xCloud // @name Better xCloud
// @namespace https://github.com/redphx // @namespace https://github.com/redphx
// @version 5.5.0 // @version 5.5.2
// ==/UserScript== // ==/UserScript==

File diff suppressed because one or more lines are too long

3
eslint.config.mjs Normal file
View File

@ -0,0 +1,3 @@
import compat from "eslint-plugin-compat";
export default [compat.configs['flat/recommended']];

View File

@ -2,6 +2,9 @@
"name": "better-xcloud", "name": "better-xcloud",
"module": "src/index.ts", "module": "src/index.ts",
"type": "module", "type": "module",
"browserslist": [
"Chrome >= 80"
],
"bin": { "bin": {
"build": "build.ts" "build": "build.ts"
}, },
@ -9,6 +12,8 @@
"@types/bun": "^1.1.6", "@types/bun": "^1.1.6",
"@types/node": "^20.14.12", "@types/node": "^20.14.12",
"@types/stylus": "^0.48.42", "@types/stylus": "^0.48.42",
"eslint": "^9.8.0",
"eslint-plugin-compat": "^6.0.0",
"stylus": "^0.63.0" "stylus": "^0.63.0"
}, },
"peerDependencies": { "peerDependencies": {

View File

@ -141,9 +141,8 @@
border-radius: 10px; border-radius: 10px;
} }
&:focus-visible::after { &:focus::after {
offset = -6px; offset = -6px;
content: ''; content: '';
border-color: white; border-color: white;
position: absolute; position: absolute;
@ -153,6 +152,13 @@
bottom: offset; bottom: offset;
} }
body[data-input-mode=Touch] &,
body[data-input-mode=Mouse] & {
&:focus::after {
border-color: transparent !important;
}
}
&.bx-circular { &.bx-circular {
&::after { &::after {
border-radius: var(--bx-button-height); border-radius: var(--bx-button-height);
@ -177,7 +183,7 @@ button.bx-inactive {
.bx-button-shortcut { .bx-button-shortcut {
max-width: max-content; max-width: max-content;
margin: 10px 0 0 0; margin: 10px 0 0 0;
overflow: hidden; flex: 1 0 auto;
} }
@media (min-width: 568px) and (max-height: 480px) { @media (min-width: 568px) and (max-height: 480px) {

View File

@ -26,20 +26,22 @@ button_color(name, normal, hover, active, disabled)
button_color('primary', #008746, #04b358, #044e2a, #448262); button_color('primary', #008746, #04b358, #044e2a, #448262);
button_color('danger', #c10404, #e61d1d, #a26c6c, #df5656); button_color('danger', #c10404, #e61d1d, #a26c6c, #df5656);
--bx-toast-z-index: 9999; --bx-fullscreen-text-z-index: 9999;
--bx-dialog-z-index: 9101; --bx-toast-z-index: 6000;
--bx-dialog-overlay-z-index: 9100; --bx-dialog-z-index: 5000;
--bx-stats-bar-z-index: 9010;
--bx-mkb-pointer-lock-msg-z-index: 9000;
--bx-navigation-dialog-z-index: 8999; --bx-dialog-overlay-z-index: 4020;
--bx-navigation-dialog-overlay-z-index: 8998; --bx-stats-bar-z-index: 4010;
--bx-mkb-pointer-lock-msg-z-index: 4000;
--bx-navigation-dialog-z-index: 3010;
--bx-navigation-dialog-overlay-z-index: 3000;
--bx-remote-play-popup-z-index: 2000; --bx-remote-play-popup-z-index: 2000;
--bx-game-bar-z-index: 1000; --bx-game-bar-z-index: 1000;
--bx-wait-time-box-z-index: 100; --bx-wait-time-box-z-index: 100;
--bx-screenshot-animation-z-index: 1; --bx-screenshot-animation-z-index: 10;
} }
@font-face { @font-face {
@ -190,3 +192,36 @@ div[class*=SupportedInputsBadge] {
font-weight: bold; font-weight: bold;
} }
} }
.bx-fullscreen-text {
position: fixed;
top: 0;
bottom: 0;
left: 0;
right: 0;
background: #000000cc;
z-index: var(--bx-fullscreen-text-z-index);
line-height: 100vh;
color: #fff;
text-align: center;
font-weight: 400;
font-family: var(--bx-normal-font);
font-size: 1.3rem;
user-select: none;
-webkit-user-select: none;
}
/* Device Code page */
#root {
section[class*=DeviceCodePage-module__page] {
margin-left: 20px !important;
margin-right: 20px !important;
margin-top: 20px !important;
max-width: 800px !important;
}
div[class*=DeviceCodePage-module__back] {
display: none;
}
}

View File

@ -20,7 +20,7 @@ import { RemotePlay } from "@modules/remote-play";
import { onHistoryChanged, patchHistoryMethod } from "@utils/history"; import { onHistoryChanged, patchHistoryMethod } from "@utils/history";
import { VibrationManager } from "@modules/vibration-manager"; import { VibrationManager } from "@modules/vibration-manager";
import { overridePreloadState } from "@utils/preload-state"; import { overridePreloadState } from "@utils/preload-state";
import { patchAudioContext, patchCanvasContext, patchMeControl, patchPointerLockApi, patchRtcCodecs, patchRtcPeerConnection, patchVideoApi } from "@utils/monkey-patches"; import { disableAdobeAudienceManager, patchAudioContext, patchCanvasContext, patchMeControl, patchPointerLockApi, patchRtcCodecs, patchRtcPeerConnection, patchVideoApi } from "@utils/monkey-patches";
import { AppInterface, STATES } from "@utils/global"; import { AppInterface, STATES } from "@utils/global";
import { injectStreamMenuButtons } from "@modules/stream/stream-ui"; import { injectStreamMenuButtons } from "@modules/stream/stream-ui";
import { BxLogger } from "@utils/bx-logger"; import { BxLogger } from "@utils/bx-logger";
@ -36,6 +36,8 @@ import { ProductDetailsPage } from "./modules/ui/product-details";
import { NavigationDialogManager } from "./modules/ui/dialog/navigation-dialog"; import { NavigationDialogManager } from "./modules/ui/dialog/navigation-dialog";
import { PrefKey } from "./enums/pref-keys"; import { PrefKey } from "./enums/pref-keys";
import { getPref } from "./utils/settings-storages/global-settings-storage"; import { getPref } from "./utils/settings-storages/global-settings-storage";
import { compressCss } from "@macros/build" with {type: "macro"};
import { SettingsNavigationDialog } from "./modules/ui/dialog/settings-dialog";
// Handle login page // Handle login page
@ -64,7 +66,7 @@ if (BX_FLAGS.SafariWorkaround && document.readyState !== 'loading') {
window.stop(); window.stop();
// Show the reloading overlay // Show the reloading overlay
const css = ` const css = compressCss(`
.bx-reload-overlay { .bx-reload-overlay {
position: fixed; position: fixed;
top: 0; top: 0;
@ -78,7 +80,7 @@ if (BX_FLAGS.SafariWorkaround && document.readyState !== 'loading') {
font-family: "Segoe UI", Arial, Helvetica, sans-serif; font-family: "Segoe UI", Arial, Helvetica, sans-serif;
font-size: 1.3rem; font-size: 1.3rem;
} }
`; `);
const $fragment = document.createDocumentFragment(); const $fragment = document.createDocumentFragment();
$fragment.appendChild(CE('style', {}, css)); $fragment.appendChild(CE('style', {}, css));
$fragment.appendChild(CE('div', {'class': 'bx-reload-overlay'}, t('safari-failed-message'))); $fragment.appendChild(CE('div', {'class': 'bx-reload-overlay'}, t('safari-failed-message')));
@ -110,13 +112,13 @@ document.addEventListener('readystatechange', e => {
return; return;
} }
STATES.isSignedIn = (window as any).xbcUser?.isSignedIn; STATES.isSignedIn = !!((window as any).xbcUser?.isSignedIn);
if (STATES.isSignedIn) { if (STATES.isSignedIn) {
// Preload Remote Play // Preload Remote Play
getPref(PrefKey.REMOTE_PLAY_ENABLED) && BX_FLAGS.PreloadRemotePlay && RemotePlay.preload(); getPref(PrefKey.REMOTE_PLAY_ENABLED) && RemotePlay.preload();
} else { } else {
// Show Settings button in the header when not signed // Show Settings button in the header when not signed in
HeaderSection.watchHeader(); HeaderSection.watchHeader();
} }
@ -144,9 +146,13 @@ window.history.replaceState = patchHistoryMethod('replaceState');
window.addEventListener(BxEvent.XCLOUD_SERVERS_UNAVAILABLE, e => { window.addEventListener(BxEvent.XCLOUD_SERVERS_UNAVAILABLE, e => {
STATES.supportedRegion = false; STATES.supportedRegion = false;
window.setTimeout(HeaderSection.watchHeader, 2000); window.setTimeout(HeaderSection.watchHeader, 2000);
// Open Settings dialog on Unsupported page
SettingsNavigationDialog.getInstance().show();
}); });
window.addEventListener(BxEvent.XCLOUD_SERVERS_READY, e => { window.addEventListener(BxEvent.XCLOUD_SERVERS_READY, e => {
STATES.isSignedIn = true;
HeaderSection.watchHeader(); HeaderSection.watchHeader();
}); });
@ -313,7 +319,11 @@ function main() {
AppInterface && patchPointerLockApi(); AppInterface && patchPointerLockApi();
getPref(PrefKey.AUDIO_ENABLE_VOLUME_CONTROL) && patchAudioContext(); getPref(PrefKey.AUDIO_ENABLE_VOLUME_CONTROL) && patchAudioContext();
getPref(PrefKey.BLOCK_TRACKING) && patchMeControl();
if (getPref(PrefKey.BLOCK_TRACKING)) {
patchMeControl();
disableAdobeAudienceManager();
}
STATES.userAgent.capabilities.touch && TouchController.updateCustomList(); STATES.userAgent.capabilities.touch && TouchController.updateCustomList();
overridePreloadState(); overridePreloadState();

View File

@ -1,18 +1,19 @@
import stylus from 'stylus'; import stylus from 'stylus';
import cssStr from "@assets/css/styles.styl" with { type: "text" }; export const renderStylus = async () => {
const file = Bun.file('./src/assets/css/styles.styl');
const cssStr = await file.text();
const generatedCss = await (stylus(cssStr, {}) const generatedCss = await (stylus(cssStr, {})
.set('filename', 'styles.css') .set('filename', 'styles.css')
.set('compress', true) .set('compress', true)
.include('src/assets/css/')) .include('src/assets/css/'))
.render(); .render();
export const renderStylus = () => {
return generatedCss; return generatedCss;
}; };
export const compressCss = async (css: string) => { export const compressCss = async (css: string) => {
return await (stylus(css, {}).set('compress', true)).render(); return await (stylus(css, {}).set('compress', true)).render();
}; };

View File

@ -140,16 +140,6 @@ if (!!window.BX_REMOTE_PLAY_CONFIG) {
return str.replace(text, text + newCode); return str.replace(text, text + newCode);
}, },
// Disable trackEvent() function
disableTrackEvent(str: string) {
const text = 'this.trackEvent=';
if (!str.includes(text)) {
return false;
}
return str.replace(text, 'this.trackEvent=e=>{},this.uwuwu=');
},
// Block WebRTC stats collector // Block WebRTC stats collector
blockWebRtcStatsCollector(str: string) { blockWebRtcStatsCollector(str: string) {
const text = 'this.shouldCollectStats=!0'; const text = 'this.shouldCollectStats=!0';
@ -760,7 +750,7 @@ true` + text;
return false; return false;
} }
index = str.indexOf('const ', index - 100); index = str.indexOf('const ', index - 30);
if (index < 0) { if (index < 0) {
return false; return false;
} }
@ -915,7 +905,6 @@ let PATCH_ORDERS: PatchArray = [
'disableIndexDbLogging', 'disableIndexDbLogging',
'disableTelemetryProvider', 'disableTelemetryProvider',
'disableTrackEvent',
] : []), ] : []),
...(getPref(PrefKey.REMOTE_PLAY_ENABLED) ? [ ...(getPref(PrefKey.REMOTE_PLAY_ENABLED) ? [

View File

@ -24,6 +24,7 @@ import { PrefKey, StorageKey } from "@/enums/pref-keys";
import { getPref, getPrefDefinition, setPref } from "@/utils/settings-storages/global-settings-storage"; import { getPref, getPrefDefinition, setPref } from "@/utils/settings-storages/global-settings-storage";
import { SettingElement } from "@/utils/setting-element"; import { SettingElement } from "@/utils/setting-element";
import type { SettingDefinition } from "@/types/setting-definition"; import type { SettingDefinition } from "@/types/setting-definition";
import { FullscreenText } from "../fullscreen-text";
type SettingTabContentItem = Partial<{ type SettingTabContentItem = Partial<{
@ -40,8 +41,8 @@ type SettingTabContentItem = Partial<{
}> }>
type SettingTabContent = { type SettingTabContent = {
group: 'general' | 'server' | 'stream' | 'game-bar' | 'co-op' | 'mkb' | 'touch-control' | 'loading-screen' | 'ui' | 'other' | 'advanced' | 'audio' | 'video' | 'controller' | 'native-mkb' | 'stats' | 'controller-shortcuts'; group: 'general' | 'server' | 'stream' | 'game-bar' | 'co-op' | 'mkb' | 'touch-control' | 'loading-screen' | 'ui' | 'other' | 'advanced' | 'footer' | 'audio' | 'video' | 'controller' | 'native-mkb' | 'stats' | 'controller-shortcuts';
label: string; label?: string;
note?: string | Text | null; note?: string | Text | null;
unsupported?: boolean; unsupported?: boolean;
helpUrl?: string; helpUrl?: string;
@ -69,7 +70,7 @@ export class SettingsNavigationDialog extends NavigationDialog {
private $settings!: HTMLElement; private $settings!: HTMLElement;
private $btnReload!: HTMLElement; private $btnReload!: HTMLElement;
private $btnGlobalReload!: HTMLElement; private $btnGlobalReload!: HTMLButtonElement;
private $noteGlobalReload!: HTMLElement; private $noteGlobalReload!: HTMLElement;
private renderFullSettings: boolean; private renderFullSettings: boolean;
@ -103,6 +104,7 @@ export class SettingsNavigationDialog extends NavigationDialog {
style: ButtonStyle.FULL_WIDTH | ButtonStyle.FOCUSABLE, style: ButtonStyle.FULL_WIDTH | ButtonStyle.FOCUSABLE,
onClick: e => { onClick: e => {
AppInterface.openAppSettings && AppInterface.openAppSettings(); AppInterface.openAppSettings && AppInterface.openAppSettings();
this.hide();
}, },
})); }));
} else { } else {
@ -122,11 +124,7 @@ export class SettingsNavigationDialog extends NavigationDialog {
classes: ['bx-settings-reload-button', 'bx-gone'], classes: ['bx-settings-reload-button', 'bx-gone'],
style: ButtonStyle.FOCUSABLE | ButtonStyle.FULL_WIDTH, style: ButtonStyle.FOCUSABLE | ButtonStyle.FULL_WIDTH,
onClick: e => { onClick: e => {
const $target = (e.target as HTMLButtonElement).closest('button')!; this.reloadPage();
$target.disabled = true;
$target.firstElementChild!.textContent = t('settings-reloading');
window.location.reload();
}, },
}); });
@ -273,7 +271,10 @@ export class SettingsNavigationDialog extends NavigationDialog {
}); });
}, },
}, },
],
}, {
group: 'footer',
items: [
// Donation link // Donation link
($parent) => { ($parent) => {
$parent.appendChild(CE('a', { $parent.appendChild(CE('a', {
@ -320,7 +321,7 @@ export class SettingsNavigationDialog extends NavigationDialog {
); );
$parent.appendChild($debugInfo); $parent.appendChild($debugInfo);
} },
], ],
}]; }];
@ -607,7 +608,13 @@ export class SettingsNavigationDialog extends NavigationDialog {
} }
} }
onUnmounted(): void { private reloadPage() {
this.$btnGlobalReload.disabled = true;
this.$btnGlobalReload.firstElementChild!.textContent = t('settings-reloading');
this.hide();
FullscreenText.getInstance().show(t('settings-reloading'));
window.location.reload();
} }
private renderTab(settingTab: SettingTab) { private renderTab(settingTab: SettingTab) {
@ -851,8 +858,7 @@ export class SettingsNavigationDialog extends NavigationDialog {
icon: BxIcon.REFRESH, icon: BxIcon.REFRESH,
style: ButtonStyle.FOCUSABLE | ButtonStyle.DROP_SHADOW, style: ButtonStyle.FOCUSABLE | ButtonStyle.DROP_SHADOW,
onClick: e => { onClick: e => {
window.location.reload(); this.reloadPage();
this.dialogManager.hide();
}, },
}), }),
@ -920,8 +926,8 @@ export class SettingsNavigationDialog extends NavigationDialog {
} }
// Don't render other settings in unsupported regions // Don't render other settings in unsupported regions
if (!this.renderFullSettings && settingTab.group === 'global' && settingTabContent.group !== 'general') { if (!this.renderFullSettings && settingTab.group === 'global' && settingTabContent.group !== 'general' && settingTabContent.group !== 'footer') {
break; continue;
} }
let label = settingTabContent.label; let label = settingTabContent.label;
@ -936,21 +942,23 @@ export class SettingsNavigationDialog extends NavigationDialog {
}); });
} }
const $title = CE('h2', { if (label) {
_nearby: { const $title = CE('h2', {
orientation: 'horizontal', _nearby: {
} orientation: 'horizontal',
}, }
CE('span', {}, label), },
settingTabContent.helpUrl && createButton({ CE('span', {}, label),
icon: BxIcon.QUESTION, settingTabContent.helpUrl && createButton({
style: ButtonStyle.GHOST | ButtonStyle.FOCUSABLE, icon: BxIcon.QUESTION,
url: settingTabContent.helpUrl, style: ButtonStyle.GHOST | ButtonStyle.FOCUSABLE,
title: t('help'), url: settingTabContent.helpUrl,
}), title: t('help'),
); }),
);
$tabContent.appendChild($title); $tabContent.appendChild($title);
}
// Add note // Add note
if (settingTabContent.note) { if (settingTabContent.note) {

View File

@ -0,0 +1,33 @@
import { CE } from "@/utils/html";
export class FullscreenText {
private static instance: FullscreenText;
public static getInstance(): FullscreenText {
if (!FullscreenText.instance) {
FullscreenText.instance = new FullscreenText();
}
return FullscreenText.instance;
}
$text: HTMLElement;
constructor() {
this.$text = CE('div', {
class: 'bx-fullscreen-text bx-gone',
});
document.documentElement.appendChild(this.$text);
}
show(msg: string) {
document.body.classList.add('bx-no-scroll');
this.$text.classList.remove('bx-gone');
this.$text.textContent = msg;
}
hide() {
document.body.classList.remove('bx-no-scroll');
this.$text.classList.add('bx-gone');
}
}

View File

@ -58,8 +58,11 @@ export class HeaderSection {
static checkHeader() { static checkHeader() {
if (!HeaderSection.#$buttonsWrapper.isConnected) { if (!HeaderSection.#$buttonsWrapper.isConnected) {
const $rightHeader = document.querySelector('#PageContent div[class*=EdgewaterHeader-module__rightSectionSpacing]'); let $target = document.querySelector('#PageContent div[class*=EdgewaterHeader-module__rightSectionSpacing]');
HeaderSection.#injectSettingsButton($rightHeader as HTMLElement); if (!$target) {
$target = document.querySelector("div[class^=UnsupportedMarketPage-module__buttons]");
}
$target && HeaderSection.#injectSettingsButton($target as HTMLElement);
} }
} }
@ -68,8 +71,8 @@ export class HeaderSection {
} }
static watchHeader() { static watchHeader() {
const $header = document.querySelector('#PageContent header'); let $root = document.querySelector('#PageContent header') || document.querySelector('#root');
if (!$header) { if (!$root) {
return; return;
} }
@ -78,7 +81,7 @@ export class HeaderSection {
HeaderSection.#timeout && clearTimeout(HeaderSection.#timeout); HeaderSection.#timeout && clearTimeout(HeaderSection.#timeout);
HeaderSection.#timeout = window.setTimeout(HeaderSection.checkHeader, 2000); HeaderSection.#timeout = window.setTimeout(HeaderSection.checkHeader, 2000);
}); });
HeaderSection.#observer.observe($header, {subtree: true, childList: true}); HeaderSection.#observer.observe($root, {subtree: true, childList: true});
HeaderSection.checkHeader(); HeaderSection.checkHeader();
} }

View File

@ -19,7 +19,7 @@ export class ProductDetailsPage {
private static shortcutTimeoutId: number | null = null; private static shortcutTimeoutId: number | null = null;
static injectShortcutButton() { static injectShortcutButton() {
if (!AppInterface || BX_FLAGS.DeviceInfo!.deviceType !== 'android') { if (!AppInterface || BX_FLAGS.DeviceInfo.deviceType !== 'android') {
return; return;
} }

3
src/types/network.ts Normal file
View File

@ -0,0 +1,3 @@
export type RemotePlayConsoleAddresses = {
[key: string]: number[],
}

View File

@ -1,26 +1,20 @@
type BxFlags = Partial<{ type BxFlags = {
CheckForUpdate: boolean; CheckForUpdate: boolean;
PreloadRemotePlay: boolean;
PreloadUi: boolean;
EnableXcloudLogging: boolean; EnableXcloudLogging: boolean;
SafariWorkaround: boolean; SafariWorkaround: boolean;
ForceNativeMkbTitles: string[]; ForceNativeMkbTitles: string[];
FeatureGates: {[key: string]: boolean} | null, FeatureGates: {[key: string]: boolean} | null,
IsSupportedTvBrowser: boolean, DeviceInfo: {
DeviceInfo: Partial<{
deviceType: 'android' | 'android-tv' | 'webos' | 'unknown', deviceType: 'android' | 'android-tv' | 'webos' | 'unknown',
userAgent?: string, userAgent?: string,
}>, }
}> }
// Setup flags // Setup flags
const DEFAULT_FLAGS: BxFlags = { const DEFAULT_FLAGS: BxFlags = {
CheckForUpdate: true, CheckForUpdate: true,
PreloadRemotePlay: true,
PreloadUi: false,
EnableXcloudLogging: false, EnableXcloudLogging: false,
SafariWorkaround: true, SafariWorkaround: true,
@ -37,8 +31,8 @@ try {
delete window.BX_FLAGS; delete window.BX_FLAGS;
} catch (e) {} } catch (e) {}
if (!BX_FLAGS.DeviceInfo!.userAgent) { if (!BX_FLAGS.DeviceInfo.userAgent) {
BX_FLAGS.DeviceInfo!.userAgent = window.navigator.userAgent; BX_FLAGS.DeviceInfo.userAgent = window.navigator.userAgent;
} }
export const NATIVE_FETCH = window.fetch; export const NATIVE_FETCH = window.fetch;

View File

@ -201,6 +201,14 @@ export function patchMeControl() {
(window as any).MeControl = new Proxy(MeControl, MeControlHandler); (window as any).MeControl = new Proxy(MeControl, MeControlHandler);
} }
/**
* Disable Adobe Audience Manager (AAM)
*/
export function disableAdobeAudienceManager() {
(window as any).adobe = Object.freeze({});
}
/** /**
* Use power-saving flags for touch control * Use power-saving flags for touch control
*/ */

View File

@ -9,6 +9,7 @@ import { XhomeInterceptor } from "./xhome-interceptor";
import { XcloudInterceptor } from "./xcloud-interceptor"; import { XcloudInterceptor } from "./xcloud-interceptor";
import { PrefKey } from "@/enums/pref-keys"; import { PrefKey } from "@/enums/pref-keys";
import { getPref } from "./settings-storages/global-settings-storage"; import { getPref } from "./settings-storages/global-settings-storage";
import type { RemotePlayConsoleAddresses } from "@/types/network";
type RequestType = 'xcloud' | 'xhome'; type RequestType = 'xcloud' | 'xhome';
@ -39,7 +40,7 @@ function clearAllLogs() {
clearDbLogs('XCloudAppLogs', 'logs'); clearDbLogs('XCloudAppLogs', 'logs');
} }
function updateIceCandidates(candidates: any, options: any) { function updateIceCandidates(candidates: any, options: {preferIpv6Server: boolean, consoleAddrs?: RemotePlayConsoleAddresses}) {
const pattern = new RegExp(/a=candidate:(?<foundation>\d+) (?<component>\d+) UDP (?<priority>\d+) (?<ip>[^\s]+) (?<port>\d+) (?<the_rest>.*)/); const pattern = new RegExp(/a=candidate:(?<foundation>\d+) (?<component>\d+) UDP (?<priority>\d+) (?<ip>[^\s]+) (?<port>\d+) (?<the_rest>.*)/);
const lst = []; const lst = [];
@ -83,9 +84,9 @@ function updateIceCandidates(candidates: any, options: any) {
if (options.consoleAddrs) { if (options.consoleAddrs) {
for (const ip in options.consoleAddrs) { for (const ip in options.consoleAddrs) {
const port = options.consoleAddrs[ip]; for (const port of options.consoleAddrs[ip]) {
newCandidates.push(newCandidate(`a=candidate:${newCandidates.length + 1} 1 UDP 1 ${ip} ${port} typ host`));
newCandidates.push(newCandidate(`a=candidate:${newCandidates.length + 1} 1 UDP 1 ${ip} ${port} typ host`)); }
} }
} }
@ -96,7 +97,7 @@ function updateIceCandidates(candidates: any, options: any) {
} }
export async function patchIceCandidates(request: Request, consoleAddrs?: {[index: string]: number}) { export async function patchIceCandidates(request: Request, consoleAddrs?: RemotePlayConsoleAddresses) {
const response = await NATIVE_FETCH(request); const response = await NATIVE_FETCH(request);
const text = await response.clone().text(); const text = await response.clone().text();

View File

@ -44,11 +44,11 @@ function getSupportedCodecProfiles() {
} }
} }
if (hasHighCodec) { if (hasLowCodec) {
if (!hasLowCodec && !hasNormalCodec) { if (!hasNormalCodec && !hasHighCodec) {
options.default = `${t('visual-quality-high')} (${t('default')})`; options.default = `${t('visual-quality-low')} (${t('default')})`;
} else { } else {
options.high = t('visual-quality-high'); options.low = t('visual-quality-low');
} }
} }
@ -60,11 +60,11 @@ function getSupportedCodecProfiles() {
} }
} }
if (hasLowCodec) { if (hasHighCodec) {
if (!hasNormalCodec && !hasHighCodec) { if (!hasLowCodec && !hasNormalCodec) {
options.default = `${t('visual-quality-low')} (${t('default')})`; options.default = `${t('visual-quality-high')} (${t('default')})`;
} else { } else {
options.low = t('visual-quality-low'); options.high = t('visual-quality-high');
} }
} }
@ -140,8 +140,8 @@ export class GlobalSettingsStorage extends BaseSettingsStorage {
default: 'auto', default: 'auto',
options: { options: {
auto: t('default'), auto: t('default'),
'1080p': '1080p',
'720p': '720p', '720p': '720p',
'1080p': '1080p',
}, },
}, },
[PrefKey.STREAM_CODEC_PROFILE]: { [PrefKey.STREAM_CODEC_PROFILE]: {
@ -457,7 +457,7 @@ export class GlobalSettingsStorage extends BaseSettingsStorage {
[PrefKey.UI_CONTROLLER_FRIENDLY]: { [PrefKey.UI_CONTROLLER_FRIENDLY]: {
label: t('controller-friendly-ui'), label: t('controller-friendly-ui'),
default: BX_FLAGS.DeviceInfo!.deviceType !== 'unknown', default: BX_FLAGS.DeviceInfo.deviceType !== 'unknown',
}, },
[PrefKey.UI_LAYOUT]: { [PrefKey.UI_LAYOUT]: {
@ -512,7 +512,7 @@ export class GlobalSettingsStorage extends BaseSettingsStorage {
[PrefKey.USER_AGENT_PROFILE]: { [PrefKey.USER_AGENT_PROFILE]: {
label: t('user-agent-profile'), label: t('user-agent-profile'),
note: '⚠️ ' + t('unexpected-behavior'), note: '⚠️ ' + t('unexpected-behavior'),
default: BX_FLAGS.DeviceInfo!.deviceType === 'android-tv' ? UserAgentProfile.VR_OCULUS : 'default', default: (BX_FLAGS.DeviceInfo.deviceType === 'android-tv' || BX_FLAGS.DeviceInfo.deviceType === 'webos') ? UserAgentProfile.VR_OCULUS : 'default',
options: { options: {
[UserAgentProfile.DEFAULT]: t('default'), [UserAgentProfile.DEFAULT]: t('default'),
[UserAgentProfile.WINDOWS_EDGE]: 'Edge + Windows', [UserAgentProfile.WINDOWS_EDGE]: 'Edge + Windows',

View File

@ -36,7 +36,7 @@ export class UserAgent {
static init() { static init() {
UserAgent.#config = JSON.parse(window.localStorage.getItem(UserAgent.STORAGE_KEY) || '{}') as UserAgentConfig; UserAgent.#config = JSON.parse(window.localStorage.getItem(UserAgent.STORAGE_KEY) || '{}') as UserAgentConfig;
if (!UserAgent.#config.profile) { if (!UserAgent.#config.profile) {
UserAgent.#config.profile = UserAgentProfile.DEFAULT; UserAgent.#config.profile = (BX_FLAGS.DeviceInfo.deviceType === 'android-tv' || BX_FLAGS.DeviceInfo.deviceType === 'webos') ? UserAgentProfile.VR_OCULUS : UserAgentProfile.DEFAULT;
} }
if (!UserAgent.#config.custom) { if (!UserAgent.#config.custom) {
@ -120,14 +120,11 @@ export class UserAgent {
let newUserAgent = UserAgent.get(profile); let newUserAgent = UserAgent.get(profile);
// Pretend to be Tizen TV
if (BX_FLAGS.IsSupportedTvBrowser) {
newUserAgent += ` SmartTV ${SMART_TV_UNIQUE_ID}`;
}
// Clear data of navigator.userAgentData, force xCloud to detect browser based on navigator.userAgent // Clear data of navigator.userAgentData, force xCloud to detect browser based on navigator.userAgent
(window.navigator as any).orgUserAgentData = (window.navigator as any).userAgentData; if ('userAgentData' in window.navigator) {
Object.defineProperty(window.navigator, 'userAgentData', {}); (window.navigator as any).orgUserAgentData = (window.navigator as any).userAgentData;
Object.defineProperty(window.navigator, 'userAgentData', {});
}
// Override navigator.userAgent // Override navigator.userAgent
(window.navigator as any).orgUserAgent = window.navigator.userAgent; (window.navigator as any).orgUserAgent = window.navigator.userAgent;

View File

@ -7,9 +7,10 @@ import { STATES } from "./global";
import { patchIceCandidates } from "./network"; import { patchIceCandidates } from "./network";
import { PrefKey } from "@/enums/pref-keys"; import { PrefKey } from "@/enums/pref-keys";
import { getPref } from "./settings-storages/global-settings-storage"; import { getPref } from "./settings-storages/global-settings-storage";
import type { RemotePlayConsoleAddresses } from "@/types/network";
export class XhomeInterceptor { export class XhomeInterceptor {
static #consoleAddrs: {[index: string]: number} = {}; static #consoleAddrs: RemotePlayConsoleAddresses = {};
static async #handleLogin(request: Request) { static async #handleLogin(request: Request) {
try { try {
@ -39,17 +40,25 @@ export class XhomeInterceptor {
const obj = await response.clone().json() const obj = await response.clone().json()
console.log(obj); console.log(obj);
const processPorts = (port: number): number[] => {
const ports = new Set<number>();
ports.add(port);
ports.add(9002);
return Array.from(ports);
};
const serverDetails = obj.serverDetails; const serverDetails = obj.serverDetails;
if (serverDetails.ipAddress) { if (serverDetails.ipAddress) {
XhomeInterceptor.#consoleAddrs[serverDetails.ipAddress] = serverDetails.port; XhomeInterceptor.#consoleAddrs[serverDetails.ipAddress] = processPorts(serverDetails.port);
} }
if (serverDetails.ipV4Address) { if (serverDetails.ipV4Address) {
XhomeInterceptor.#consoleAddrs[serverDetails.ipV4Address] = serverDetails.ipV4Port; XhomeInterceptor.#consoleAddrs[serverDetails.ipV4Address] = processPorts(serverDetails.ipV4Port);
} }
if (serverDetails.ipV6Address) { if (serverDetails.ipV6Address) {
XhomeInterceptor.#consoleAddrs[serverDetails.ipV6Address] = serverDetails.ipV6Port; XhomeInterceptor.#consoleAddrs[serverDetails.ipV6Address] = processPorts(serverDetails.ipV6Port);
} }
response.json = () => Promise.resolve(obj); response.json = () => Promise.resolve(obj);