- android - 多次调用 OnPrimaryClipChangedListener
- android - 无法更新 RecyclerView 中的 TextView 字段
- android.database.CursorIndexOutOfBoundsException : Index 0 requested, 光标大小为 0
- android - 使用 AppCompat 时,我们是否需要明确指定其 UI 组件(Spinner、EditText)颜色
我正在阅读以下有关 ASP.Net 异步页面的博客
我脑子里突然冒出一个问题,请考虑以下场景:
GridView
控制 Page_PreRendercomplete
至此,我的页面上的数据已准备好绑定(bind)并显示给用户(仅返回需要显示的记录和虚拟行数计数)
有了这些信息,我想将它绑定(bind)到我的 GridView
控件,但我还没有弄清楚如何在我的 GridView
上显示分页结果
我尝试使用以下代码:
protected override void OnPreRenderComplete(EventArgs e)
{
if (this.shouldRefresh)
{
var pagedSource = new PagedDataSource
{
DataSource = this.Jobs,
AllowPaging = true,
AllowCustomPaging = false,
AllowServerPaging = true,
PageSize = 3,
CurrentPageIndex = 0,
VirtualCount = 20
};
this.gv.DataSource = pagedSource;
this.gv.DataBind();
}
base.OnPreRenderComplete(e);
}
但是 GridView
control 简单地忽略 VirtualCount
属性和寻呼机从未显示,这是我得到的:
<%@ Page Async="true" AsyncTimeout="30" ....
...
<asp:GridView runat="server" ID="gv" DataKeyNames="job_id"
AllowPaging="true" PageSize="3"
>
<Columns>
<asp:CommandField ShowSelectButton="true" />
</Columns>
<SelectedRowStyle Font-Bold="true" />
</asp:GridView>
protected void Page_Load(object sender, EventArgs e)
{
if (!this.IsPostBack)
{
this.shouldRefresh = true;
}
}
public IAsyncResult BeginAsyncOperation(object sender, EventArgs e, AsyncCallback callback, object state)
{
var operation = new MyClassResult(callback, Context, state);
operation.StartAsync();
return operation;
}
public void EndAsyncOperation(IAsyncResult result)
{
var operation = result as MyClassResult;
this.Jobs = operation.Jobs;
}
注意事项:
我对向服务器发送 jQuery 异步消息以获取数据不感兴趣
MyClassResult
工具 IAsyncResult
并从数据库服务器返回数据
我喜欢使用 ObjectDataSource
如果可能的话
最佳答案
我认为我有一些东西至少可以作为进一步探索的良好起点。我制作了一个示例(进一步向下)来说明我的方法,它基于几个想法:
ObjectDatasource
应该使用。这样就可以告诉 GridView
一共有多少行。ObjectDataSource
一旦数据可用,就访问我们获取的数据。为了解决 2. 我提出的想法是定义一个接口(interface),该页面包含 GridView
。位于可以实现。然后 ObjectDataSource
可以使用一个类将获取数据的调用中继到页面本身。过早调用会返回空数据,但稍后会被真实数据替换。
让我们看一些代码。
这是我的 aspx 文件:
<%@ Page Title="" Language="C#" MasterPageFile="~/Site.master" AutoEventWireup="true"
CodeFile="GridViewTest.aspx.cs" Inherits="GridViewTest" %>
<asp:Content ID="Content1" ContentPlaceHolderID="HeadContent" runat="Server">
</asp:Content>
<asp:Content ID="Content2" ContentPlaceHolderID="MainContent" runat="Server">
<asp:GridView ID="jobsGv" runat="server" AutoGenerateColumns="false" AllowPaging="true"
PageSize="13" OnPageIndexChanging="jobsGv_PageIndexChanging" DataSourceID="jobsDataSource">
<Columns>
<asp:TemplateField HeaderText="Job Id">
<ItemTemplate>
<asp:Literal ID="JobId" runat="server" Text='<%# Eval("JobId") %>'></asp:Literal>
</ItemTemplate>
</asp:TemplateField>
<asp:TemplateField HeaderText="Job description">
<ItemTemplate>
<asp:Literal ID="Description" runat="server" Text='<%# Eval("Description") %>'></asp:Literal>
</ItemTemplate>
</asp:TemplateField>
<asp:TemplateField HeaderText="Min level">
<ItemTemplate>
<asp:Literal ID="MinLvl" runat="server" Text='<%# Eval("MinLvl") %>'></asp:Literal>
</ItemTemplate>
</asp:TemplateField>
</Columns>
</asp:GridView>
<asp:ObjectDataSource ID="jobsDataSource" runat="server" TypeName="JobObjectDs" CacheDuration="0"
SelectMethod="GetJobs" EnablePaging="True" SelectCountMethod="GetTotalJobsCount">
</asp:ObjectDataSource>
<asp:Button ID="button" runat="server" OnClick="button_Click" Text="Test postback" />
</asp:Content>
以及背后的代码:
using System;
using System.Collections.Generic;
using System.Linq;
using System.Web.UI.WebControls;
public partial class GridViewTest : System.Web.UI.Page, IJobDsPage
{
bool gridNeedsBinding = false;
protected void Page_Load(object sender, EventArgs e)
{
if (!IsPostBack)
{
gridNeedsBinding = true;
}
}
protected void jobsGv_PageIndexChanging(object sender, GridViewPageEventArgs e)
{
var gv = (GridView)sender;
newPageIndexForGv = e.NewPageIndex;
gridNeedsBinding = true;
}
private int newPageIndexForGv = 0;
protected void Page_PreRendercomplete(object sender, EventArgs e)
{
if (gridNeedsBinding)
{
// fetch data into this.jobs and this.totalJobsCount to simulate
// that data has just become available asynchronously
JobDal dal = new JobDal();
jobs = dal.GetJobs(jobsGv.PageSize, jobsGv.PageSize * newPageIndexForGv).ToList();
totalJobsCount = dal.GetTotalJobsCount();
//now that data is available, bind gridview
jobsGv.DataBind();
jobsGv.SetPageIndex(newPageIndexForGv);
}
}
#region JobDsPage Members
List<Job> jobs = new List<Job>();
public IEnumerable<Job> GetJobs()
{
return jobs;
}
public IEnumerable<Job> GetJobs(int maximumRows, int startRowIndex)
{
return jobs;
}
int totalJobsCount;
public int GetTotalJobsCount()
{
return totalJobsCount;
}
#endregion
protected void button_Click(object sender, EventArgs e)
{
}
}
最后是一些类将它们联系在一起。我已将这些组合在 App_Code 中的一个代码文件中:
using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;
/// <summary>
/// Simple POCO to use as row data in GridView
/// </summary>
public class Job
{
public int JobId { get; set; }
public string Description { get; set; }
public int MinLvl { get; set; }
//etc
}
/// <summary>
/// This will simulate a DAL that fetches data
/// </summary>
public class JobDal
{
private static int totalCount = 50; // let's pretend that db has total of 50 job records
public IEnumerable<Job> GetJobs()
{
return Enumerable.Range(0, totalCount).Select(i =>
new Job() { JobId = i, Description = "Descr " + i, MinLvl = i % 10 }); //simulate getting all records
}
public IEnumerable<Job> GetJobs(int maximumRows, int startRowIndex)
{
int count = (startRowIndex + maximumRows) > totalCount ? totalCount - startRowIndex : maximumRows;
return Enumerable.Range(startRowIndex, count).Select(i =>
new Job() { JobId = i, Description = "Descr " + i, MinLvl = i % 10 }); //simulate getting one page of records
}
public int GetTotalJobsCount()
{
return totalCount; // simulate counting total amount of rows
}
}
/// <summary>
/// Interface for our page, so we can call methods in the page itself
/// </summary>
public interface IJobDsPage
{
IEnumerable<Job> GetJobs();
IEnumerable<Job> GetJobs(int maximumRows, int startRowIndex);
int GetTotalJobsCount();
}
/// <summary>
/// This will be used by our ObjectDataSource
/// </summary>
public class JobObjectDs
{
public IEnumerable<Job> GetJobs()
{
var currentPageAsIJobDsPage = (IJobDsPage)HttpContext.Current.CurrentHandler;
return currentPageAsIJobDsPage.GetJobs();
}
public IEnumerable<Job> GetJobs(int maximumRows, int startRowIndex)
{
var currentPageAsIJobDsPage = (IJobDsPage)HttpContext.Current.CurrentHandler;
return currentPageAsIJobDsPage.GetJobs(maximumRows, startRowIndex);
}
public int GetTotalJobsCount()
{
var currentPageAsIJobDsPage = (IJobDsPage)HttpContext.Current.CurrentHandler;
return currentPageAsIJobDsPage.GetTotalJobsCount();
}
}
那么这一切有什么用呢?
好吧,我们有实现 IJobDsPage
的页面界面。在页面上我们有 GridView
它正在使用 ObjectDataSource
ID jobsDataSource
.这又是使用类 JobObjectDs
获取数据。而 那个 类依次从 HttpContext
中获取当前正在执行的 Page并将其转换到 IJobDsPage
接口(interface)并调用页面上的接口(interface)方法。
所以结果是我们有一个 GridView
它使用 ObjectDataSource
它调用页面中的方法来获取数据。如果过早调用这些方法,则会返回空数据(new List<Job>()
,相应的总行数为零)。但这没问题,因为当我们到达页面处理阶段且数据可用时,无论如何我们都会手动绑定(bind) GridView。
总而言之,我的示例作品虽然远非一流。就目前而言,ObjectDataSource
将调用其关联的 Select
在请求期间多次方法。不过,这并不像最初听起来那么糟糕,因为数据的实际提取仍然只会发生一次。此外,GridView
切换到下一页时,将绑定(bind)两次相同的数据。
所以还有改进的余地。但这至少是一个起点。
关于c# - 使用 <%@ Page Async ="true"异步返回数据后分页 GridView,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/11934287/
这个问题在这里已经有了答案: Why in Python does "0, 0 == (0, 0)" equal "(0, False)"? (7 个回答) 去年关闭。 代码片段 1: a = Tru
Integer i = 127; Integer j = 127; System.out.println(i == j); System.out.println(i.equals(j)); Integ
我试图用 Python 进行类似下面的代码的比较,但对产生的输出感到困惑。 谁能解释为什么输出是这样的? >>> True, True == True, True (True, True, True)
我们的下拉值是动态的 010100。 你能帮我将这些值转换为 true、false 吗? Offer的值是10100,Reject的值是10111。所以这些需要转换成 10100 = true,fal
我正在测试,如果用户在页面顶部显示一种货币“EUR”和另一种货币“GBP”,那么我期望包含文本“EUR”和页面下方还存在另一个包含文本“GBP”的链接。它包含在一个名为 "nav-tabs au-ta
如何检查数组的所有元素是真值还是假值。 因为以下内容似乎没有做到这一点:_.all([true, true, true], true); 它返回:false? 最佳答案 您应该重新阅读_.every(
C#:我有一个如下所示的字符串变量: string a = "(true and true) or (true or false)"; 这可以是任何东西,它可以变得更复杂,比如: string b
ruby : true == true == true syntax error, unexpected tEQ 对比JavaScript: true == true == true // => tr
这个问题已经有答案了: Equality of truthy and falsy values (JavaScript) (3 个回答) Which equals operator (== vs ==
为什么 R 中的 TRUE == "TRUE" 是 TRUE? R 中是否有与 === 等效的内容? 更新: 这些都返回FALSE: TRUE == "True" TRUE == "true" TRU
简单的查询,可能不可能,但我知道那里有一些聪明的人:) 给定一个 bool 参数,我希望定义我的 where 子句来限制特定列的输出 - 或不执行任何操作。 因此,给定参数@bit = 1,结果将是:
编写 Excel 公式时,将值设置为 true、“true”还是 true() 是否有区别? 换句话来说,以下哪一个是最好的?还是要看具体情况? if (A1 = 1, true, false) if
如果我们评估这个:TRUE AND TRUE,为什么会这样? 'yes' : 'no' 等于 TRUE 但不等于 yes 何时评估:(TRUE AND TRUE) ? 'yes' : 'no' 等于
这个问题在这里已经有了答案: Behaviour of and operator in javascript [duplicate] (1 个回答) 关闭 7 年前。 如题所说,我不太明白为什么(t
我有一个包含 FromDate 、 ToDate 、 VendorName 和 GoodsName 的表单,一旦一切为真,我需要显示结果 示例: FromDate="11/20/2019"、ToDat
我最近参加了 Java 的入门测试,这个问题让我很困惑。完整的问题是: boolean b1 = true; boolean b2 = false; if (b2 != b1 != b2) S
我有一个模型,我有: ipv4_address = models.IPAddressField(verbose_name=_('ipv4 address'), blank=True, null=Tru
False in [True,True] False in pd.Series([True,True]) 第一行代码返回False第二行代码返回 True! 我想我一定是做错了什么或者遗漏了什么。当我
我可以在 Coq 中证明以下内容吗? Lemma bool_uip (H1 : true = true): H1 = eq_refl true. 即true = true 的所有证明都相同吗? 例如
如果我的理解是正确的,他们做的事情完全一样。为什么有人会使用“for”变体?仅仅是味道吗? 编辑:我想我也在考虑 for (;;)。 最佳答案 for (;;) 通常用于防止编译器警告: while(
我是一名优秀的程序员,十分优秀!