Skip to content

Commit 79e50ae

Browse files
authored
[js/web] rewrite backend resolve to allow multiple EPs (#19735)
### Description This PR rewrite the backend resolve logic to support specifying multiple EPs. #### Backend The first version of ONNX Runtime Web actually carried some existing code from [ONNX.js](https://github.com/microsoft/onnxjs), which includes the "backend" concept. The original "backend" in ONNX.js is designed in a way assuming there is only one backend from user's backend hint list will be used. For example, in ONNX.js, if user specify a backend hint as `['webgl', 'wasm']`, ONNX.js will first try to use WebGL backend - if it loads successfully (the browser supports webgl), then "webgl" backend will be used and "wasm" will be ignored; otherwise, "webgl" will be ignored and try to load "wasm" backend. In short: only one backend will be used when initializing a session. #### Execution Provider Execution Provider, or EP, in ONNX Runtime is a different concept. One of the differences is that users are allow to specify multiple EPs, and if one does not support a particular kernel, it can fallback to other EP. This is a very common case when using a GPU EP in ONNX Runtime. #### Current Status: Backend v.s. EP Because of the history reasons mentioned above, the current status is quite confusing. There are **real backend**s, which means it's different implementation in code; and there are **backend hint**s, which are used as string names for backend hint; and there are **EP**s of the ONNX Runtime concepts. currently there are only 2 **backend**s in our code base: The "onnxjs backend", and the "wasm backend". The "onnxjs backend" currently only powers backend hint "webgl", which go into the old onnx.js code path. All other backend hints including "wasm", "cpu"(alias to wasm), "webgpu" and "webnn" are all powered by "wasm backend". And because ORT Web treat "backend" as an internal concept and want to align with ONNX Runtime, so those names of backend hints are becoming EP names. The following table shows today's status: | Execution Provider Name (public) / Backend Hint (internal) | Backend | EP in ORT | -------- | ------- | ------- | | "wasm"/"cpu" | WasmBackend | CPU EP | "webgl" | OnnxjsBackend | \* technically not an EP | "webgpu" | WasmBackend | JSEP | "webnn" | WasmBackend | WebNN EP #### Problem While the API allows to specify multiple EPs, the backend resolving only allows one backend. This causes issues when user specify multiple EP names in session options, the backend resolve behavior and EP registration behavior is inconsistent. Specifically, in this issue: #15796 (comment): EP list `['webgpu', 'wasm']` on a browser without WebGPU support resolves to 'wasm' backend, but the full EP list is passed in session options, so JSEP is still enabled, causing the runtime error. #### Solution Since we still need WebGL backend, we cannot totally remove the backend register/resolve system. In this PR I made the following changes: - initialize every backend from the EP list, instead of only do that for the first successful one. - for the first resolved backend, filter all EP using the exact same backend. Remove all EPs not using this backend from session options - for every explicitly specified EP, if it's removed, show a warning message in console
1 parent 0b2a75b commit 79e50ae

File tree

8 files changed

+348
-232
lines changed

8 files changed

+348
-232
lines changed

js/common/lib/backend-impl.ts

+90-31
Original file line numberDiff line numberDiff line change
@@ -2,6 +2,7 @@
22
// Licensed under the MIT License.
33

44
import {Backend} from './backend.js';
5+
import {InferenceSession} from './inference-session.js';
56

67
interface BackendInfo {
78
backend: Backend;
@@ -10,6 +11,7 @@ interface BackendInfo {
1011
initPromise?: Promise<void>;
1112
initialized?: boolean;
1213
aborted?: boolean;
14+
error?: string;
1315
}
1416

1517
const backends: Map<string, BackendInfo> = new Map();
@@ -60,43 +62,100 @@ export const registerBackend = (name: string, backend: Backend, priority: number
6062
};
6163

6264
/**
63-
* Resolve backend by specified hints.
65+
* Try to resolve and initialize a backend.
6466
*
65-
* @param backendHints - a list of execution provider names to lookup. If omitted use registered backends as list.
66-
* @returns a promise that resolves to the backend.
67+
* @param backendName - the name of the backend.
68+
* @returns the backend instance if resolved and initialized successfully, or an error message if failed.
69+
*/
70+
const tryResolveAndInitializeBackend = async(backendName: string): Promise<Backend|string> => {
71+
const backendInfo = backends.get(backendName);
72+
if (!backendInfo) {
73+
return 'backend not found.';
74+
}
75+
76+
if (backendInfo.initialized) {
77+
return backendInfo.backend;
78+
} else if (backendInfo.aborted) {
79+
return backendInfo.error!;
80+
} else {
81+
const isInitializing = !!backendInfo.initPromise;
82+
try {
83+
if (!isInitializing) {
84+
backendInfo.initPromise = backendInfo.backend.init(backendName);
85+
}
86+
await backendInfo.initPromise;
87+
backendInfo.initialized = true;
88+
return backendInfo.backend;
89+
} catch (e) {
90+
if (!isInitializing) {
91+
backendInfo.error = `${e}`;
92+
backendInfo.aborted = true;
93+
}
94+
return backendInfo.error!;
95+
} finally {
96+
delete backendInfo.initPromise;
97+
}
98+
}
99+
};
100+
101+
/**
102+
* Resolve execution providers from the specific session options.
103+
*
104+
* @param options - the session options object.
105+
* @returns a promise that resolves to a tuple of an initialized backend instance and a session options object with
106+
* filtered EP list.
67107
*
68108
* @ignore
69109
*/
70-
export const resolveBackend = async(backendHints: readonly string[]): Promise<Backend> => {
71-
const backendNames = backendHints.length === 0 ? backendsSortedByPriority : backendHints;
72-
const errors = [];
73-
for (const backendName of backendNames) {
74-
const backendInfo = backends.get(backendName);
75-
if (backendInfo) {
76-
if (backendInfo.initialized) {
77-
return backendInfo.backend;
78-
} else if (backendInfo.aborted) {
79-
continue; // current backend is unavailable; try next
80-
}
110+
export const resolveBackendAndExecutionProviders = async(options: InferenceSession.SessionOptions):
111+
Promise<[backend: Backend, options: InferenceSession.SessionOptions]> => {
112+
// extract backend hints from session options
113+
const eps = options.executionProviders || [];
114+
const backendHints = eps.map(i => typeof i === 'string' ? i : i.name);
115+
const backendNames = backendHints.length === 0 ? backendsSortedByPriority : backendHints;
81116

82-
const isInitializing = !!backendInfo.initPromise;
83-
try {
84-
if (!isInitializing) {
85-
backendInfo.initPromise = backendInfo.backend.init(backendName);
117+
// try to resolve and initialize all requested backends
118+
let backend: Backend|undefined;
119+
const errors = [];
120+
const availableBackendNames = new Set<string>();
121+
for (const backendName of backendNames) {
122+
const resolveResult = await tryResolveAndInitializeBackend(backendName);
123+
if (typeof resolveResult === 'string') {
124+
errors.push({name: backendName, err: resolveResult});
125+
} else {
126+
if (!backend) {
127+
backend = resolveResult;
128+
}
129+
if (backend === resolveResult) {
130+
availableBackendNames.add(backendName);
131+
}
86132
}
87-
await backendInfo.initPromise;
88-
backendInfo.initialized = true;
89-
return backendInfo.backend;
90-
} catch (e) {
91-
if (!isInitializing) {
92-
errors.push({name: backendName, err: e});
133+
}
134+
135+
// if no backend is available, throw error.
136+
if (!backend) {
137+
throw new Error(`no available backend found. ERR: ${errors.map(e => `[${e.name}] ${e.err}`).join(', ')}`);
138+
}
139+
140+
// for each explicitly requested backend, if it's not available, output warning message.
141+
for (const {name, err} of errors) {
142+
if (backendHints.includes(name)) {
143+
// eslint-disable-next-line no-console
144+
console.warn(`removing requested execution provider "${
145+
name}" from session options because it is not available: ${err}`);
93146
}
94-
backendInfo.aborted = true;
95-
} finally {
96-
delete backendInfo.initPromise;
97147
}
98-
}
99-
}
100148

101-
throw new Error(`no available backend found. ERR: ${errors.map(e => `[${e.name}] ${e.err}`).join(', ')}`);
102-
};
149+
const filteredEps = eps.filter(i => availableBackendNames.has(typeof i === 'string' ? i : i.name));
150+
151+
return [
152+
backend, new Proxy(options, {
153+
get: (target, prop) => {
154+
if (prop === 'executionProviders') {
155+
return filteredEps;
156+
}
157+
return Reflect.get(target, prop);
158+
}
159+
})
160+
];
161+
};

js/common/lib/inference-session-impl.ts

+4-6
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,7 @@
11
// Copyright (c) Microsoft Corporation. All rights reserved.
22
// Licensed under the MIT License.
33

4-
import {resolveBackend} from './backend-impl.js';
4+
import {resolveBackendAndExecutionProviders} from './backend-impl.js';
55
import {InferenceSessionHandler} from './backend.js';
66
import {InferenceSession as InferenceSessionInterface} from './inference-session.js';
77
import {OnnxValue} from './onnx-value.js';
@@ -195,11 +195,9 @@ export class InferenceSession implements InferenceSessionInterface {
195195
throw new TypeError('Unexpected argument[0]: must be \'path\' or \'buffer\'.');
196196
}
197197

198-
// get backend hints
199-
const eps = options.executionProviders || [];
200-
const backendHints = eps.map(i => typeof i === 'string' ? i : i.name);
201-
const backend = await resolveBackend(backendHints);
202-
const handler = await backend.createInferenceSessionHandler(filePathOrUint8Array, options);
198+
// resolve backend, update session options with validated EPs, and create session handler
199+
const [backend, optionsWithValidatedEPs] = await resolveBackendAndExecutionProviders(options);
200+
const handler = await backend.createInferenceSessionHandler(filePathOrUint8Array, optionsWithValidatedEPs);
203201
TRACE_FUNC_END();
204202
return new InferenceSession(handler);
205203
}

js/common/lib/training-session-impl.ts

+5-6
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,7 @@
11
// Copyright (c) Microsoft Corporation. All rights reserved.
22
// Licensed under the MIT License.
33

4-
import {resolveBackend} from './backend-impl.js';
4+
import {resolveBackendAndExecutionProviders} from './backend-impl.js';
55
import {SessionHandler, TrainingSessionHandler} from './backend.js';
66
import {InferenceSession as InferenceSession} from './inference-session.js';
77
import {OnnxValue} from './onnx-value.js';
@@ -55,13 +55,12 @@ export class TrainingSession implements TrainingSessionInterface {
5555
const optimizerModel: string|Uint8Array = trainingOptions.optimizerModel || '';
5656
const options: SessionOptions = sessionOptions || {};
5757

58-
// get backend hints
59-
const eps = options.executionProviders || [];
60-
const backendHints = eps.map(i => typeof i === 'string' ? i : i.name);
61-
const backend = await resolveBackend(backendHints);
58+
// resolve backend, update session options with validated EPs, and create session handler
59+
const [backend, optionsWithValidatedEPs] = await resolveBackendAndExecutionProviders(options);
6260
if (backend.createTrainingSessionHandler) {
6361
const handler = await backend.createTrainingSessionHandler(
64-
trainingOptions.checkpointState, trainingOptions.trainModel, evalModel, optimizerModel, options);
62+
trainingOptions.checkpointState, trainingOptions.trainModel, evalModel, optimizerModel,
63+
optionsWithValidatedEPs);
6564
return new TrainingSession(handler, !!trainingOptions.optimizerModel, !!trainingOptions.evalModel);
6665
} else {
6766
throw new Error(noBackendErrMsg);

0 commit comments

Comments
 (0)