![Oracle Drags Its Feet in the JavaScript Trademark Dispute](https://cdn.sanity.io/images/cgdhsj6q/production/919c3b22c24f93884c548d60cbb338e819ff2435-1024x1024.webp?w=400&fit=max&auto=format)
Security News
Oracle Drags Its Feet in the JavaScript Trademark Dispute
Oracle seeks to dismiss fraud claims in the JavaScript trademark dispute, delaying the case and avoiding questions about its right to the name.
vanilla-native-federation
Advanced tools
Check the full description of native-federation on [@softarc/native-federation](https://www.npmjs.com/package/@softarc/native-federation). This library is specifically made for applications that require a small library to (lazy) load micro frontends or we
Check the full description of native-federation on @softarc/native-federation. This library is specifically made for applications that require a small library to (lazy) load micro frontends or webcomponents on HTML pages using native-federation (e.g. PHP, Ruby or Java applications) without the need for a JavaScript framework.
This library is under MIT License and is inspired on @softarc/native-federation-runtime.
If you want to know more about Native federation, check out these sources:
Right now the library is dependent on es-module-shims to resolve all dependency urls and for browser support. The shim can be added in the HTML page:
<script type="esms-options">{ "shimMode": true }</script>
<script src="https://ga.jspm.io/npm:es-module-shims@1.10.1/dist/es-module-shims.js"></script>
<script type="module-shim" src="./my-esm-module.js"></script>
Below you can find some examples of how to use the native-federation loader. The simplest implmentation is to use the initFederation function to load all remote entries.
import { initFederation } from 'vanilla-native-federation';
(() => {
const manifest = {
"remote1": "http://localhost:3001/remoteEntry.json",
"remote2": "http://localhost:3002/remoteEntry.json",
}
initFederation(manifest)
.then(({load, importMap}) => Promise.all([
load('remote1', './Component'),
load('remote2', './Component'),
]))
.catch(console.error);
})();
The initFederation
will return the added importMap object together with a load callback, this function can load remote modules using the imported dependencies from the importMap. The loadModule returns a Promise<any>
that represents the remote module.
You can use a simple ESBuild config to build your loader into a reusable script, the builder will assume a directory structure like shown below:
File structure:
/
├── src/
│ ├── index.html
│ └── loader.js
│
├── dist/
│ ├── index.html
│ └── loader.js
│
├── build.js
├── package.json
└── node_modules/
The builder will bundle the loader.js
into a ESM module so that it can be imported into the HTML file.
build.js
import * as esbuild from "esbuild";
import * as fs from "fs";
import * as path from "path";
import { fileURLToPath } from 'url';
const dir = path.dirname(fileURLToPath(import.meta.url));
fs.rmSync('dist', { force: true, recursive: true });
fs.mkdirSync('dist', { recursive: true });
fs.copyFileSync('src/index.html', 'dist/index.html');
esbuild.build({
entryPoints: ['src/loader.js'],
outdir: 'dist',
bundle: true,
format: 'esm',
minify: true,
minifyIdentifiers: true,
minifySyntax: true,
minifyWhitespace: true,
target: ['es2022'],
treeShaking: true,
charset: 'utf8',
metafile: true
}).then(async (result) => {
// Log bundle size analysis
const text = await esbuild.analyzeMetafile(result.metafile);
console.log(text);
}).catch(() => process.exit(1));
Custom events can help streamline the import process, this way you can have a general initiation process and load modules on the fly.
loader.js
import { initFederation } from 'vanilla-native-federation';
(() => {
const manifest = {
"remote1": "http://localhost:3001/remoteEntry.json"
}
initFederation(manifest)
.then(({load, importMap}) => {
console.log("importMap: ", importMap);
window.dispatchEvent(new CustomEvent("mfe-loader-available", {detail: {load}}));
})
})();
Modules can be loaded by awaiting the mfe-loader-available
event that will expose the load
callback.
your-shell.html
<body>
<!-- webcomponent exposed by remote1 -->
<app-mfe-one></app-mfe-one>
<script type="esms-options">{ "shimMode": true }</script>
<script src="https://ga.jspm.io/npm:es-module-shims@1.10.1/dist/es-module-shims.js"></script>
<script type="module-shim" src="loader.js"></script>
<script>
window.addEventListener('mfe-loader-available', (e) => {
Promise.all([
e.detail.load('remote1', './Component'),
// e.detail.load({ remoteName: 'remote1', exposedModule: './Component' }),
// e.detail.load({ remoteEntry: 'http://localhost:3002/remoteEntry.json', exposedModule: './Component' }),
]).catch(console.error);
}, {once: true});
</script>
</body>
By default, native federation will use the window object as storage for all metadata and configuration, you can change this using a custom provided storage:
loader.ts
import { initFederation } from 'vanilla-native-federation';
import { createSessionStorageCache } from 'vanilla-native-federation/plugins/storage';
(() => {
const customCache = createSessionStorageCache({
externals: {},
remoteNamesToRemote: {},
baseUrlToRemoteNames: {}
})
const manifest = {
"remote1": "http://localhost:3001/remoteEntry.json"
}
initFederation(manifest, {cache: customCache})
.then(({load, importMap}) => {
console.log("importMap: ", importMap);
window.dispatchEvent(new CustomEvent("mfe-loader-available", {detail: {load}}));
})
})();
This library also contains an implementation plugin for micro frontend discovery. Convenient for micro frontend architectures that require a more robust and detailed discovery mechanism:
loader.ts
import { initFederationWithDiscovery } from 'vanilla-native-federation/plugins/discovery';
(() => {
const myDiscoveryUrl = "http://localhost:3000";
initFederationWithDiscovery(myDiscoveryUrl)
.then(({load, discovery, importMap}) => {
console.log("discovery: ", discovery);
console.log("importMap: ", importMap);
window.dispatchEvent(new CustomEvent("mfe-loader-available", {detail: {load}}));
})
})();
The discovery plugin does expect a specific format for the exposed remotes.
Discovery manifest format:
{
"schema": "https://github.com/awslabs/frontend-discovery/blob/main/schema/v1-pre.json",
"microFrontends": {
"remote1": [
{
"url": "http://localhost:3001/remote1-module.js",
"metadata": {
"integrity": "CHECKSUM",
"version": "1.0.0"
},
"deployment": {
"traffic": 100,
"default": true
},
"extras": {
"nativefederation": {
"remoteEntry": "http://localhost:3001/remoteEntry.json",
"exposedModule": "./Component",
}
}
}
],
"remote2": [
{
"url": "http://localhost:3002/remote2-module.js",
"metadata": {
"integrity": "CHECKSUM",
"version": "1.0.0"
},
"deployment": {
"traffic": 100,
"default": true
},
"extras": {
"nativefederation": {
"remoteEntry": "http://localhost:3002/remoteEntry.json",
"exposedModule": "./Component",
}
}
}
]
}
}
Finally, the manifest can be utilized to load the remote Modules.
your-shell.html
<body>
<!-- webcomponent exposed by remote1 -->
<app-mfe-one></app-mfe-one>
<app-mfe-two></app-mfe-two>
<script type="esms-options">{ "shimMode": true }</script>
<script src="https://ga.jspm.io/npm:es-module-shims@1.10.1/dist/es-module-shims.js"></script>
<script type="module-shim" src="loader.js"></script>
<script>
window.addEventListener('mfe-loader-available', (e) => {
Promise.all([
e.detail.load('remote1'), // optionally with a version: e.detail.load('remote1', '1.2.0')
e.detail.load('remote2'),
]).catch(console.error);
}, {once: true});
</script>
</body>
By default, the discovery plugin will return the latest versions of all available cached remotes (which is empty since caching strategy is the Window object). It is possible to switch to a more efficient caching strategy that prefers retrieving the config from the sessionStorage unless it doesn't exist:
loader.js:
import { initFederationWithDiscovery } from 'vanilla-native-federation/plugins/discovery';
import { createSessionStorageCache } from 'vanilla-native-federation/plugins/storage';
import { cache } from 'vanilla-native-federation';
(() => {
const customCache = {
// default props are not cached (default)
...cache.DEFAULT_CACHE,
// Discovery is cached in sessionStorage
...createSessionStorageCache({
discovery: {}
})
}
const moduleVersions = {
'remote1': '1.0.0',
'remote2': '1.0.0'
}
initFederationWithDiscovery(
"http://localhost:3000",
{ cache: customCache, resolveFromCache: moduleVersions }
).then(({load, discovery, importMap}) => {
console.log("discovery: ", discovery);
console.log("importMap: ", importMap);
window.dispatchEvent(new CustomEvent("mfe-loader-available", {detail: {load}}));
})
})();
Where the options of moduleVersions
are:
Option | Description |
---|---|
"skip-cache" | Skip the cache entirely and fetch all latest versions from remote |
"all-latest" (default) | Get latest version of all cached modules |
Record<string,string | "latest"> |
If a specific module or version doesnt exist in the cache, the loader will fetch the latest manifest from the discovery service and automatically resolves and updates all versions in cache from the new manifest. Note that the third option only loads the modules that are specified so specify all remotes that you are planning on using to prevent dependency errors.
FAQs
Check the full description of native-federation on [@softarc/native-federation](https://www.npmjs.com/package/@softarc/native-federation). This library is specifically made for applications that require a small library to (lazy) load micro frontends or we
The npm package vanilla-native-federation receives a total of 4 weekly downloads. As such, vanilla-native-federation popularity was classified as not popular.
We found that vanilla-native-federation demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 0 open source maintainers collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Security News
Oracle seeks to dismiss fraud claims in the JavaScript trademark dispute, delaying the case and avoiding questions about its right to the name.
Security News
The Linux Foundation is warning open source developers that compliance with global sanctions is mandatory, highlighting legal risks and restrictions on contributions.
Security News
Maven Central now validates Sigstore signatures, making it easier for developers to verify the provenance of Java packages.