ईवेंट्स
Power BI DataViz World Championship
14 फ़र॰, 4 pm - 31 मार्च, 4 pm
प्रवेश करने के 4 अवसरों के साथ, आप एक सम्मेलन पैकेज जीत सकते हैं और लास वेगास में लाइव ग्रैंड फिनाले में जगह बना सकते हैं
अधिक जानेंयह ब्राउज़र अब समर्थित नहीं है.
नवीनतम सुविधाओं, सुरक्षा अपडेट और तकनीकी सहायता का लाभ लेने के लिए Microsoft Edge में अपग्रेड करें.
नोट
This isn't the latest version of this article. For the current release, see the .NET 9 version of this article.
चेतावनी
This version of ASP.NET Core is no longer supported. For more information, see the .NET and .NET Core Support Policy. For the current release, see the .NET 9 version of this article.
महत्वपूर्ण
This information relates to a pre-release product that may be substantially modified before it's commercially released. Microsoft makes no warranties, express or implied, with respect to the information provided here.
For the current release, see the .NET 9 version of this article.
This article explains how to use component virtualization in ASP.NET Core Blazor apps.
Improve the perceived performance of component rendering using the Blazor framework's built-in virtualization support with the Virtualize<TItem> component. Virtualization is a technique for limiting UI rendering to just the parts that are currently visible. For example, virtualization is helpful when the app must render a long list of items and only a subset of items is required to be visible at any given time.
Use the Virtualize<TItem> component when:
When the user scrolls to an arbitrary point in the Virtualize<TItem> component's list of items, the component calculates the visible items to show. Unseen items aren't rendered.
Without virtualization, a typical list might use a C# foreach
loop to render each item in a list. In the following example:
allFlights
is a collection of airplane flights.FlightSummary
component displays details about each flight.@key
directive attribute preserves the relationship of each FlightSummary
component to its rendered flight by the flight's FlightId
.<div style="height:500px;overflow-y:scroll">
@foreach (var flight in allFlights)
{
<FlightSummary @key="flight.FlightId" Details="@flight.Summary" />
}
</div>
If the collection contains thousands of flights, rendering the flights takes a long time and users experience a noticeable UI lag. Most of the flights fall outside of the height of the <div>
element, so most of them aren't seen.
Instead of rendering the entire list of flights at once, replace the foreach
loop in the preceding example with the Virtualize<TItem> component:
Specify allFlights
as a fixed item source to Virtualize<TItem>.Items. Only the currently visible flights are rendered by the Virtualize<TItem> component.
If a non-generic collection supplies the items, for example a collection of DataRow, follow the guidance in the Item provider delegate section to supply the items.
Specify a context for each flight with the Context
parameter. In the following example, flight
is used as the context, which provides access to each flight's members.
<div style="height:500px;overflow-y:scroll">
<Virtualize Items="allFlights" Context="flight">
<FlightSummary @key="flight.FlightId" Details="@flight.Summary" />
</Virtualize>
</div>
If a context isn't specified with the Context
parameter, use the value of context
in the item content template to access each flight's members:
<div style="height:500px;overflow-y:scroll">
<Virtualize Items="allFlights">
<FlightSummary @key="context.FlightId" Details="@context.Summary" />
</Virtualize>
</div>
The Virtualize<TItem> component:
ItemsProvider
is used instead of Items
(see the Item provider delegate section).The item content for the Virtualize<TItem> component can include:
If you don't want to load all of the items into memory or the collection isn't a generic ICollection<T>, you can specify an items provider delegate method to the component's Virtualize<TItem>.ItemsProvider parameter that asynchronously retrieves the requested items on demand. In the following example, the LoadEmployees
method provides the items to the Virtualize<TItem> component:
<Virtualize Context="employee" ItemsProvider="LoadEmployees">
<p>
@employee.FirstName @employee.LastName has the
job title of @employee.JobTitle.
</p>
</Virtualize>
The items provider receives an ItemsProviderRequest, which specifies the required number of items starting at a specific start index. The items provider then retrieves the requested items from a database or other service and returns them as an ItemsProviderResult<TItem> along with a count of the total items. The items provider can choose to retrieve the items with each request or cache them so that they're readily available.
A Virtualize<TItem> component can only accept one item source from its parameters, so don't attempt to simultaneously use an items provider and assign a collection to Items
. If both are assigned, an InvalidOperationException is thrown when the component's parameters are set at runtime.
The following example loads employees from an EmployeeService
(not shown). The totalEmployees
field would typically be assigned by calling a method on the same service (for example, EmployeesService.GetEmployeesCountAsync
) elsewhere, such as during component initialization.
private async ValueTask<ItemsProviderResult<Employee>> LoadEmployees(
ItemsProviderRequest request)
{
var numEmployees = Math.Min(request.Count, totalEmployees - request.StartIndex);
var employees = await EmployeesService.GetEmployeesAsync(request.StartIndex,
numEmployees, request.CancellationToken);
return new ItemsProviderResult<Employee>(employees, totalEmployees);
}
In the following example, a collection of DataRow is a non-generic collection, so an items provider delegate is used for virtualization:
<Virtualize Context="row" ItemsProvider="GetRows">
...
</Virtualize>
@code{
...
private ValueTask<ItemsProviderResult<DataRow>> GetRows(ItemsProviderRequest request) =>
new(new ItemsProviderResult<DataRow>(
dataTable.Rows.OfType<DataRow>().Skip(request.StartIndex).Take(request.Count),
dataTable.Rows.Count));
}
Virtualize<TItem>.RefreshDataAsync instructs the component to rerequest data from its ItemsProvider. This is useful when external data changes. There's usually no need to call RefreshDataAsync when using Items.
RefreshDataAsync updates a Virtualize<TItem> component's data without causing a rerender. If RefreshDataAsync is invoked from a Blazor event handler or component lifecycle method, triggering a render isn't required because a render is automatically triggered at the end of the event handler or lifecycle method. If RefreshDataAsync is triggered separately from a background task or event, such as in the following ForecastUpdated
delegate, call StateHasChanged to update the UI at the end of the background task or event:
<Virtualize ... @ref="virtualizeComponent">
...
</Virtualize>
...
private Virtualize<FetchData>? virtualizeComponent;
protected override void OnInitialized()
{
WeatherForecastSource.ForecastUpdated += async () =>
{
await InvokeAsync(async () =>
{
await virtualizeComponent?.RefreshDataAsync();
StateHasChanged();
});
});
}
In the preceding example:
StateHasChanged
is called to rerender the component.Because requesting items from a remote data source might take some time, you have the option to render a placeholder with item content:
<Placeholder>...</Placeholder>
) to display content until the item data is available.<Virtualize Context="employee" ItemsProvider="LoadEmployees">
<ItemContent>
<p>
@employee.FirstName @employee.LastName has the
job title of @employee.JobTitle.
</p>
</ItemContent>
<Placeholder>
<p>
Loading…
</p>
</Placeholder>
</Virtualize>
Use the EmptyContent parameter to supply content when the component has loaded and either Items is empty or ItemsProviderResult<TItem>.TotalItemCount is zero.
EmptyContent.razor
:
@page "/empty-content"
<PageTitle>Empty Content</PageTitle>
<h1>Empty Content Example</h1>
<Virtualize Items="stringList">
<ItemContent>
<p>
@context
</p>
</ItemContent>
<EmptyContent>
<p>
There are no strings to display.
</p>
</EmptyContent>
</Virtualize>
@code {
private List<string>? stringList;
protected override void OnInitialized() => stringList ??= [];
}
@page "/empty-content"
<PageTitle>Empty Content</PageTitle>
<h1>Empty Content Example</h1>
<Virtualize Items="stringList">
<ItemContent>
<p>
@context
</p>
</ItemContent>
<EmptyContent>
<p>
There are no strings to display.
</p>
</EmptyContent>
</Virtualize>
@code {
private List<string>? stringList;
protected override void OnInitialized() => stringList ??= [];
}
Change the OnInitialized
method lambda to see the component display strings:
protected override void OnInitialized() =>
stringList ??= [ "Here's a string!", "Here's another string!" ];
The height of each item in pixels can be set with Virtualize<TItem>.ItemSize (default: 50). The following example changes the height of each item from the default of 50 pixels to 25 pixels:
<Virtualize Context="employee" Items="employees" ItemSize="25">
...
</Virtualize>
The Virtualize<TItem> component measures the rendering size (height) of individual items after the initial render occurs. Use ItemSize to provide an exact item size in advance to assist with accurate initial render performance and to ensure the correct scroll position for page reloads. If the default ItemSize causes some items to render outside of the currently visible view, a second rerender is triggered. To correctly maintain the browser's scroll position in a virtualized list, the initial render must be correct. If not, users might view the wrong items.
Virtualize<TItem>.OverscanCount determines how many additional items are rendered before and after the visible region. This setting helps to reduce the frequency of rendering during scrolling. However, higher values result in more elements rendered in the page (default: 3). The following example changes the overscan count from the default of three items to four items:
<Virtualize Context="employee" Items="employees" OverscanCount="4">
...
</Virtualize>
When making changes to items rendered by the Virtualize<TItem> component, call StateHasChanged to enqueue re-evaluation and rerendering of the component. For more information, see ASP.NET Core Razor component rendering.
To allow users to scroll virtualized content using their keyboard, ensure that the virtualized elements or scroll container itself is focusable. If you fail to take this step, keyboard scrolling doesn't work in Chromium-based browsers.
For example, you can use a tabindex
attribute on the scroll container:
<div style="height:500px; overflow-y:scroll" tabindex="-1">
<Virtualize Items="allFlights">
<div class="flight-info">...</div>
</Virtualize>
</div>
To learn more about the meaning of tabindex
value -1
, 0
, or other values, see tabindex
(MDN documentation).
The Virtualize<TItem> component is only designed to support specific element layout mechanisms. To understand which element layouts work correctly, the following explains how Virtualize
detects which elements should be visible for display in the correct place.
If your source code looks like the following:
<div style="height:500px; overflow-y:scroll" tabindex="-1">
<Virtualize Items="allFlights" ItemSize="100">
<div class="flight-info">Flight @context.Id</div>
</Virtualize>
</div>
At runtime, the Virtualize<TItem> component renders a DOM structure similar to the following:
<div style="height:500px; overflow-y:scroll" tabindex="-1">
<div style="height:1100px"></div>
<div class="flight-info">Flight 12</div>
<div class="flight-info">Flight 13</div>
<div class="flight-info">Flight 14</div>
<div class="flight-info">Flight 15</div>
<div class="flight-info">Flight 16</div>
<div style="height:3400px"></div>
</div>
The actual number of rows rendered and the size of the spacers vary according to your styling and Items
collection size. However, notice that there are spacer div
elements injected before and after your content. These serve two purposes:
नोट
To learn how to control the spacer HTML element tag, see the Control the spacer element tag name section later in this article.
The spacer elements internally use an Intersection Observer to receive notification when they're becoming visible. Virtualize
depends on receiving these events.
Virtualize
works under the following conditions:
All rendered content items, including placeholder content, are of identical height. This makes it possible to calculate which content corresponds to a given scroll position without first fetching every data item and rendering the data into a DOM element.
Both the spacers and the content rows are rendered in a single vertical stack with every item filling the entire horizontal width. In typical use cases, Virtualize
works with div
elements. If you're using CSS to create a more advanced layout, bear in mind the following requirements:
display
with any of the following values:
block
(the default for a div
).table-row-group
(the default for a tbody
).flex
with flex-direction
set to column
. Ensure that immediate children of the Virtualize<TItem> component don't shrink under flex rules. For example, add .mycontainer > div { flex-shrink: 0 }
.display
with either of the following values:
block
(the default for a div
).table-row
(the default for a tr
).display
value of block
, except if the parent is a table row group, in which case they default to table-row
. Don't try to influence spacer element width or height, including by causing them to have a border or content
pseudo-elements.Any approach that stops the spacers and content elements from rendering as a single vertical stack, or causes the content items to vary in height, prevents correct functioning of the Virtualize<TItem> component.
The Virtualize<TItem> component supports using the document itself as the scroll root, as an alternative to having some other element with overflow-y: scroll
. In the following example, the <html>
or <body>
elements are styled in a component with overflow-y: scroll
:
<HeadContent>
<style>
html, body { overflow-y: scroll }
</style>
</HeadContent>
The Virtualize<TItem> component supports using the document itself as the scroll root, as an alternative to having some other element with overflow-y: scroll
. When using the document as the scroll root, avoid styling the <html>
or <body>
elements with overflow-y: scroll
because it causes the intersection observer to treat the full scrollable height of the page as the visible region, instead of just the window viewport.
You can reproduce this problem by creating a large virtualized list (for example, 100,000 items) and attempt to use the document as the scroll root with html { overflow-y: scroll }
in the page CSS styles. Although it may work correctly at times, the browser attempts to render all 100,000 items at least once at the start of rendering, which may cause a browser tab lockup.
To work around this problem prior to the release of .NET 7, either avoid styling <html>
/<body>
elements with overflow-y: scroll
or adopt an alternative approach. In the following example, the height of the <html>
element is set to just over 100% of the viewport height:
<HeadContent>
<style>
html { min-height: calc(100vh + 0.3px) }
</style>
</HeadContent>
The Virtualize<TItem> component supports using the document itself as the scroll root, as an alternative to having some other element with overflow-y: scroll
. When using the document as the scroll root, avoid styling the <html>
or <body>
elements with overflow-y: scroll
because it causes the full scrollable height of the page to be treated as the visible region, instead of just the window viewport.
You can reproduce this problem by creating a large virtualized list (for example, 100,000 items) and attempt to use the document as the scroll root with html { overflow-y: scroll }
in the page CSS styles. Although it may work correctly at times, the browser attempts to render all 100,000 items at least once at the start of rendering, which may cause a browser tab lockup.
To work around this problem prior to the release of .NET 7, either avoid styling <html>
/<body>
elements with overflow-y: scroll
or adopt an alternative approach. In the following example, the height of the <html>
element is set to just over 100% of the viewport height:
<style>
html { min-height: calc(100vh + 0.3px) }
</style>
If the Virtualize<TItem> component is placed inside an element that requires a specific child tag name, SpacerElement allows you to obtain or set the virtualization spacer tag name. The default value is div
. For the following example, the Virtualize<TItem> component renders inside a table body element (tbody
), so the appropriate child element for a table row (tr
) is set as the spacer.
VirtualizedTable.razor
:
@page "/virtualized-table"
<PageTitle>Virtualized Table</PageTitle>
<HeadContent>
<style>
html, body {
overflow-y: scroll
}
</style>
</HeadContent>
<h1>Virtualized Table Example</h1>
<table id="virtualized-table">
<thead style="position: sticky; top: 0; background-color: silver">
<tr>
<th>Item</th>
<th>Another column</th>
</tr>
</thead>
<tbody>
<Virtualize Items="fixedItems" ItemSize="30" SpacerElement="tr">
<tr @key="context" style="height: 30px;" id="row-@context">
<td>Item @context</td>
<td>Another value</td>
</tr>
</Virtualize>
</tbody>
</table>
@code {
private List<int> fixedItems = Enumerable.Range(0, 1000).ToList();
}
In the preceding example, the document root is used as the scroll container, so the html
and body
elements are styled with overflow-y: scroll
. For more information, see the following resources:
ASP.NET Core प्रतिक्रिया
ASP.NET Core एक ओपन सोर्स प्रोजेक्ट है. प्रतिक्रिया प्रदान करने के लिए लिंक का चयन करें:
ईवेंट्स
Power BI DataViz World Championship
14 फ़र॰, 4 pm - 31 मार्च, 4 pm
प्रवेश करने के 4 अवसरों के साथ, आप एक सम्मेलन पैकेज जीत सकते हैं और लास वेगास में लाइव ग्रैंड फिनाले में जगह बना सकते हैं
अधिक जानेंप्रशिक्षण
प्रशिक्षण पथ
Use advance techniques in canvas apps to perform custom updates and optimization - Training
Use advance techniques in canvas apps to perform custom updates and optimization
दस्तावेज़ीकरण
ASP.NET Core Razor component rendering
Learn about Razor component rendering in ASP.NET Core Blazor apps, including when to manually trigger a component to render.
ASP.NET Core Blazor templated components
Learn how templated components can accept one or more UI templates as parameters, which can then be used as part of the component's rendering logic.
ASP.NET Core Razor component lifecycle
Learn about the ASP.NET Core Razor component lifecycle and how to use lifecycle events.