WebView2 (WebView)
Uno Platform supports two
WebViewcontrols - theWebView2control and the legacyWebView. For new development, we strongly recommendWebView2as it will get further improvements in the future.
WebView2 is supported on all Uno Platform targets.
Basic usage
You can include the WebView2 control anywhere in XAML:
<WebView2 x:Name="MyWebView" Source="https://platform.uno/" />
To manipulate the control from C#, first ensure that you call its EnsureCoreWebView2Async method:
await MyWebView.EnsureCoreWebView2Async();
Afterward, you can perform actions such as navigating to an HTML string:
MyWebView.NavigateToString("<html><body><p>Hello world!</p></body></html>");
Desktop support
To enable WebView on the -desktop target, add the WebView Uno Feature in your .csproj:
<UnoFeatures>
<!-- Existing features -->
+ WebView;
</UnoFeatures>
Important
If your project's desktop builder in Platforms/Desktop/Program.cs uses .UseWindows(), you'll also need to add the <UnoUseWebView2WPF>true</UnoUseWebView2WPF> property for the integration to work. However, it is recommended to migrate to .UseWin32() for better performance and reliability.
WebAssembly support
In case of WebAssembly, the control is supported via a native <iframe> element. This means all <iframe> browser security considerations and limitations also apply to WebView:
- The
frame-ancestorsContent Security Policy can be used to allow embedding a site you have control over, while at the same time blocking third-party sites from embedding - External site you are embedding must not block embedding via
X-FRAME-OPTIONSheader
Executing JavaScript
When a page is loaded inside the WebView2 control, you can execute custom JavaScript code. To do this, call the ExecuteScriptAsync method:
webView.NavigateToString("<div id='test' style='width: 10px; height: 10px; background-color: blue;'></div>");
// Renders a blue <div>
await webView.ExecuteScriptAsync("document.getElementById('test').style.backgroundColor = 'red';");
// The <div> is now red.
The method can also return a string result, with returned values being JSON-encoded:
await webView.ExecuteScriptAsync("1 + 1"); // Returns a string containing 2
await webView.ExecuteScriptAsync($"(1 + 1).toString()"); // Returns a string containing "2"
await webView.ExecuteScriptAsync("eval({'test': 1})"); // Returns a string containing {"test":1}
JavaScript to C# communication
WebView2 enables sending web messages from JavaScript to C# on all supported targets. In your web page, include code that sends a message to the WebView2 control if available. Since Uno Platform runs on multiple targets, you need to use the correct approach for each. We recommend creating a reusable function like the following:
function postWebViewMessage(message){
try{
if (window.hasOwnProperty("chrome") && typeof chrome.webview !== undefined) {
// Windows
chrome.webview.postMessage(message);
} else if (window.hasOwnProperty("unoWebView")) {
// Android
unoWebView.postMessage(JSON.stringify(message));
} else if (window.hasOwnProperty("webkit") && typeof webkit.messageHandlers !== undefined) {
// iOS and macOS
webkit.messageHandlers.unoWebView.postMessage(JSON.stringify(message));
}
}
catch (ex){
alert("Error occurred: " + ex);
}
}
// Usage:
postWebViewMessage("hello world");
postWebViewMessage({"some": ['values',"in","json",1]});
Note: Make sure not to omit the
JSON.stringifycalls for Android, iOS, and macOS as seen in the snippet above, as they are crucial to transfer data correctly.
To receive the message in C#, subscribe to the WebMessageReceived event:
webView.WebMessageReceived += (s, e) =>
{
Debug.WriteLine(e.WebMessageAsJson);
};
The WebMessageAsJson property contains a JSON-encoded string of the data passed to postWebViewMessage above.
Navigating to web content in the application package
To load local web content bundled with the application, you can use the SetVirtualHostNameToFolderMapping method. This allows you to set a virtual hostname that maps to a folder within the package, from which the web content will be loaded:
await webView.EnsureCoreWebView2Async();
webView.CoreWebView2.SetVirtualHostNameToFolderMapping(
"UnoNativeAssets",
"WebContent",
CoreWebView2HostResourceAccessKind.Allow);
webView.CoreWebView2.Navigate("http://UnoNativeAssets/index.html");
This will navigate to the index.html file stored in the WebContent folder. This folder must be included in a platform-specific location on each platform:
- On Windows, it should be directly in the root of the
YourApp.Windowsproject and all its contents should be set toContentbuild action - On iOS, it should be inside the
Resourcesfolder and all its contents should be set toBundleResourcebuild action - On Android, it should be inside the
Assetsfolder and all its contents should be set toAndroidAssetbuild action
To avoid duplication, you can put the files in a non-project-specific location and add them via linking, e.g.:
<BundleResource Include="..\LinkedFiles\WebContent\css\site.css" Link="iOS\Resources\WebContent\css\site.css" />
The web files can reference each other in a relative path fashion, for example, the following HTML file:
<html>
<head>
<script src="js/site.js" type="text/javascript"></script>
</head>
<body>
...
</body>
</html>
Is referencing a site.js file inside the js subfolder.
iOS specifics
From macOS, inspecting applications using WebView2 controls using the Safari Developer Tools is possible. Here's a detailed guide on how to do it. To make this work, enable this feature in your app by adding the following capabilities in your App.Xaml.cs:
public App()
{
this.InitializeComponent();
#if __IOS__
Uno.UI.FeatureConfiguration.WebView2.IsInspectable = true;
#endif
}
Important
This feature will only work for security reasons when the application runs in Debug mode.
X11 specifics
In order to use WebView2 on Linux, you'll need to install libwebkit2gtk and libgtk3-0:
On Ubuntu 22.04:
sudo apt install libwebkit2gtk-4.0-37On Ubuntu 24.04:
sudo apt install libgtk-3-0 libwebkit2gtk-4.1-dev
It's overall preferable to use libwebkit2gtk 4.1 whenever possible in order to get http headers support, if your environment allows for it.
WebResourceRequested
The WebResourceRequested event allows you to intercept and modify HTTP requests made by the WebView. This is useful for scenarios like injecting custom headers, implementing authentication, or modifying request/response content.
Basic usage
To use WebResourceRequested, you must first add a filter specifying which URLs should trigger the event, then subscribe to the event:
await webView.EnsureCoreWebView2Async();
// Add a filter for all requests
webView.CoreWebView2.AddWebResourceRequestedFilter(
"*",
CoreWebView2WebResourceContext.All,
CoreWebView2WebResourceRequestSourceKinds.All);
// Subscribe to the event
webView.CoreWebView2.WebResourceRequested += (sender, args) =>
{
// Access request information
var uri = args.Request.Uri;
var method = args.Request.Method;
// Modify headers
args.Request.Headers.SetHeader("Authorization", "Bearer my-token");
args.Request.Headers.SetHeader("X-Custom-Header", "custom-value");
// Optionally provide a custom response
// args.Response = new CoreWebView2WebResourceResponse(...);
};
Filter parameters
The AddWebResourceRequestedFilter method accepts three parameters:
- uri: A URI pattern with wildcard support (e.g.,
"*"for all URLs,"https://api.example.com/*"for specific domains) - resourceContext: The type of resource to filter (
All,Document,Image,Script, etc.) - requestSourceKinds: The source of requests to filter (
All,Document, etc.)
Platform limitations
Important
WebResourceRequested has significant platform-specific limitations. Review the table below to understand what is supported on each platform.
| Platform | Support Level | Header Read | Header Modify | Custom Response | Notes |
|---|---|---|---|---|---|
| Windows (Win32/WinAppSDK) | ✅ Full | ✅ | ✅ | ✅ | Full WebView2 support |
| Android | ⚠️ Partial | ✅ | ⚠️ | ✅ | Header modification requires re-fetching the resource with HttpClient (only safe for GET/HEAD requests). Session cookies are automatically synchronized. POST request bodies cannot be reliably re-fetched and are not reissued by the implementation, so header changes for POST requests are unsupported. |
| iOS | ⚠️ Limited | ✅ | ⚠️ | ❌ | Navigation request headers cannot be modified. However, JavaScript-initiated requests (fetch/XMLHttpRequest) support custom header injection. Only fires for main document navigation, not sub-resources. |
| macOS | ⚠️ Limited | ✅ | ⚠️ | ❌ | Header injection is supported for new requests only. Cannot modify existing request headers. |
| WebAssembly | ⚠️ Limited | ✅ | ⚠️ | ❌ | Only fetch/XMLHttpRequest requests can be intercepted. Standard HTML elements (img, script, link, etc.) cannot have headers modified. Same-origin policy and CORS restrictions apply. May miss requests made during initial page load. |
| Linux (X11) | ❌ None | ❌ | ❌ | ❌ | Not implemented. |
Platform-specific behavior
iOS/macOS (WKWebView)
The implementation uses two mechanisms:
- Navigation interception: Fires
WebResourceRequestedfor main document navigation (read-only headers) - JavaScript injection: Automatically injects a script that overrides
window.fetch()andXMLHttpRequest.prototypeto apply custom headers to AJAX requests
This means you can inject authentication tokens into API calls made via JavaScript:
webView.CoreWebView2.WebResourceRequested += (sender, args) =>
{
// This will be applied to fetch() and XMLHttpRequest calls
args.Request.Headers.SetHeader("Authorization", "Bearer my-token");
};
Android
When headers are modified, the resource is re-fetched using HttpClient. The implementation includes:
- Cookie synchronization: Session cookies from the WebView are automatically included in re-fetched requests
- Set-Cookie handling: Response cookies are synchronized back to the WebView's
CookieManager
This ensures authenticated sessions work correctly when using WebResourceRequested.
WebAssembly
For HTML element requests that cannot be intercepted:
- Use Service Workers for more comprehensive request interception
- Proxy requests through your server
- Use JavaScript-based loading for resources that need custom headers
WinAppSDK Specifics
When using the WebView2 and running on WinAppSDK, make sure to create an x64 or ARM64 configuration:
- In the Visual Studio configuration manager, create an
x64orARM64solution configuration - Assign it to the Uno Platform project
- Debug your application using the configuration relevant to your current environment