校园春色亚洲色图_亚洲视频分类_中文字幕精品一区二区精品_麻豆一区区三区四区产品精品蜜桃

主頁 > 知識庫 > GridView自定義分頁的四種存儲過程

GridView自定義分頁的四種存儲過程

熱門標簽:一個導航軟件能用幾個地圖標注點 外呼運營商線路收費 臨沂智能電銷機器人加盟哪家好 電銷外呼有錄音系統有哪些 小e電話機器人 貴州房產智能外呼系統供應商 申請400電話在哪辦理流程 鎮江網路外呼系統供應商 百度地圖標注改顏色
1. 為什么不使用GridView的默認分頁功能

首先要說說為什么不用GridView的默認的分頁功能,GridView控件并非真正知道如何獲得一個新頁面,它只是請求綁定的數據源控件返回適合規定頁面的行,分頁最終是由數據源控件完成。當我們使用SqlDataSource或使用以上的代碼處理分頁時。每次這個頁面被請求或者回發時,所有和這個SELECT語句匹配的記錄都被讀取并存儲到一個內部的DataSet中,但只顯示適合當前頁面大小的記錄數。也就是說有可能使用Select語句返回1000000條記錄,而每次回發只顯示10條記錄。如果啟用了SqlDataSource上的緩存,通過把EnableCaching設置為true,則情況會更好一些。在這種情況下,我們只須訪問一次數據庫服務器,整個數據集只加載一次,并在指定的期限內存儲在ASP.NET緩存中。只要數據保持緩存狀態,顯示任何頁面將無須再次訪問數據庫服務器。然而,可能有大量數據存儲在內存中,換而言之,Web服務器的壓力大大的增加了。因此,如果要使用SqlDataSource來獲取較小的數據時,GridView內建的自動分頁可能足夠高效了,但對于大數據量來說是不合適的。

2. 分頁的四種存儲過程(分頁+排序的版本請參考Blog里其他文章)

在大多數情況下我們使用存儲過程來進行分頁,今天有空總結了一下使用存儲過程對GridView進行分頁的4種寫法(分別是使用Top關鍵字,臨時表,臨時表變量和SQL Server 2005 新加的Row_Number()函數)

后續的文章中還將涉及GridView控件使用ObjectDataSource自定義分頁 + 排序,Repeater控件自定義分頁 + 排序,有興趣的朋友可以參考。
復制代碼 代碼如下:

if exists(select 1 from sys.objects where name = apos;GetProductsCountapos; and type = apos;Papos;)
drop proc GetProductsCount
go
CREATE PROCEDURE GetProductsCount
as
select count(*) from products
go

--1.使用Top
if exists(select 1 from sys.objects where name = apos;GetProductsByPageapos; and type = apos;Papos;)
drop proc GetProductsByPage
go
CREATE PROCEDURE GetProductsByPage
@PageNumber int,
@PageSize int
AS
declare @sql nvarchar(4000)
set @sql = apos;select top apos; + Convert(varchar, @PageSize)
+ apos; * from products where productid not in (select top apos; + Convert(varchar, (@PageNumber - 1) * @PageSize) + apos; productid from products)apos;
exec sp_executesql @sql
go

--exec GetProductsByPage 1, 10
--exec GetProductsByPage 5, 10

--2.使用臨時表
if exists(select 1 from sys.objects where name = apos;GetProductsByPageapos; and type = apos;Papos;)
drop proc GetProductsByPage
go
CREATE PROCEDURE GetProductsByPage
@PageNumber int,
@PageSize int
AS
-- 創建臨時表
CREATE TABLE #TempProducts
(
ID int IDENTITY PRIMARY KEY,
ProductID int,
ProductName varchar(40) ,
SupplierID int,
CategoryID int,
QuantityPerUnit nvarchar(20),
UnitPrice money,
UnitsInStock smallint,
UnitsOnOrder smallint,
ReorderLevel smallint,
Discontinued bit
)
-- 填充臨時表
INSERT INTO #TempProducts
(ProductID, ProductName, SupplierID, CategoryID, QuantityPerUnit, UnitPrice, UnitsInStock, UnitsOnOrder, ReorderLevel, Discontinued)
SELECT ProductID, ProductName, SupplierID, CategoryID, QuantityPerUnit, UnitPrice, UnitsInStock, UnitsOnOrder, ReorderLevel, Discontinued
FROM Products

DECLARE @FromID int
DECLARE @ToID int
SET @FromID = ((@PageNumber - 1) * @PageSize) + 1
SET @ToID = @PageNumber * @PageSize

SELECT ProductID, ProductName, SupplierID, CategoryID, QuantityPerUnit, UnitPrice, UnitsInStock, UnitsOnOrder, ReorderLevel, Discontinued
FROM #TempProducts
WHERE ID >= @FromID AND ID = @ToID
go

--exec GetProductsByPage 1, 10
--exec GetProductsByPage 5, 10

--3.使用表變量
/*
為要分頁的數據創建一個table變量,這個table變量里有一個作為主健的IDENTITY列.這樣需要分頁的每條記錄在table變量里就和一個row index(通過IDENTITY列)關聯起來了.一旦table變量產生,連接數據庫表的SELECT語句就被執行,獲取需要的記錄.SET ROWCOUNT用來限制放到table變量里的記錄的數量.
當SET ROWCOUNT的值指定為PageNumber * PageSize時,這個方法的效率取決于被請求的頁數.對于比較前面的頁來說– 比如開始幾頁的數據– 這種方法非常有效. 但是對接近尾部的頁來說,這種方法的效率和默認分頁時差不多
*/
if exists(select 1 from sys.objects where name = apos;GetProductsByPageapos; and type = apos;Papos;)
drop proc GetProductsByPage
go
CREATE PROCEDURE GetProductsByPage
@PageNumber int,
@PageSize int
AS
DECLARE @TempProducts TABLE
(
ID int IDENTITY,
productid int
)
DECLARE @maxRows int
SET @maxRows = @PageNumber * @PageSize
--在返回指定的行數之后停止處理查詢
SET ROWCOUNT @maxRows

INSERT INTO @TempProducts (productid)
SELECT productid
FROM products
ORDER BY productid

SET ROWCOUNT @PageSize

SELECT p.*
FROM @TempProducts t INNER JOIN products p
ON t.productid = p.productid
WHERE ID > (@PageNumber - 1) * @PageSize
SET ROWCOUNT 0
GO

--exec GetProductsByPage 1, 10
--exec GetProductsByPage 5, 10

--4.使用row_number函數
--SQL Server 2005的新特性,它可以將記錄根據一定的順序排列,每條記錄和一個等級相關 這個等級可以用來作為每條記錄的row index.
if exists(select 1 from sys.objects where name = apos;GetProductsByPageapos; and type = apos;Papos;)
drop proc GetProductsByPage
go
CREATE PROCEDURE GetProductsByPage
@PageNumber int,
@PageSize int
AS
select ProductID, ProductName, SupplierID, CategoryID, QuantityPerUnit, UnitPrice, UnitsInStock, UnitsOnOrder, ReorderLevel, Discontinued
from
(select row_number() Over (order by productid) as row,ProductID, ProductName, SupplierID, CategoryID, QuantityPerUnit, UnitPrice, UnitsInStock, UnitsOnOrder, ReorderLevel, Discontinued
from products) as ProductsWithRowNumber
where row between (@PageNumber - 1) * @PageSize + 1 and @PageNumber * @PageSize
go

--exec GetProductsByPage 1, 10
--exec GetProductsByPage 5, 10

3. 在GridView中的應用

復制代碼 代碼如下:

%@ Page Language="C#" AutoEventWireup="true" CodeFile="GridViewPaging.aspx.cs" Inherits="GridViewPaging" %>

!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

html xmlns="http://www.w3.org/1999/xhtml" >
head runat="server">
title>Paging/title>
/head>
body>
form id="form1" runat="server">
div>
asp:LinkButton id="lbtnFirst" runat="server" CommandName="First" OnCommand="lbtnPage_Command">|/asp:LinkButton>
asp:LinkButton id="lbtnPrevious" runat="server" CommandName="Previous" OnCommand="lbtnPage_Command">/asp:LinkButton>
asp:Label id="lblMessage" runat="server" />
asp:LinkButton id="lbtnNext" runat="server" CommandName="Next" OnCommand="lbtnPage_Command">>>/asp:LinkButton>
asp:LinkButton id="lbtnLast" runat="server" CommandName="Last" OnCommand="lbtnPage_Command">>|/asp:LinkButton>
轉到第asp:DropDownList ID="dropPage" runat="server" AutoPostBack="True" OnSelectedIndexChanged="dropPage_SelectedIndexChanged">/asp:DropDownList>頁
asp:GridView ID="GridView1" runat="server" AutoGenerateColumns="False" DataKeyNames="ProductID" DataSourceID="SqlDataSource1">
Columns>
asp:BoundField DataField="ProductID" HeaderText="ProductID" InsertVisible="False" ReadOnly="True" />
asp:BoundField DataField="ProductName" HeaderText="ProductName" />
asp:BoundField DataField="SupplierID" HeaderText="SupplierID" />
asp:BoundField DataField="CategoryID" HeaderText="CategoryID" />
asp:BoundField DataField="QuantityPerUnit" HeaderText="QuantityPerUnit" />
asp:BoundField DataField="UnitPrice" HeaderText="UnitPrice" />
asp:BoundField DataField="UnitsInStock" HeaderText="UnitsInStock" />
asp:BoundField DataField="UnitsOnOrder" HeaderText="UnitsOnOrder" />
asp:BoundField DataField="ReorderLevel" HeaderText="ReorderLevel" />
asp:CheckBoxField DataField="Discontinued" HeaderText="Discontinued" />
/Columns>
/asp:GridView>
asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="Data Source=.\sqlexpress;Initial Catalog=Northwind;Integrated Security=True" ProviderName="System.Data.SqlClient" SelectCommand="GetProductsByPage" SelectCommandType="StoredProcedure" OnSelecting="SqlDataSource1_Selecting" OnSelected="SqlDataSource1_Selected">
SelectParameters>
asp:Parameter Name="PageNumber" Type="Int32" />
asp:Parameter Name="PageSize" Type="Int32" />
/SelectParameters>
/asp:SqlDataSource>
/div>
/form>
/body>
/html>

復制代碼 代碼如下:

%@ Page Language="C#" AutoEventWireup="true" CodeFile="GridViewPaging.aspx.cs" Inherits="GridViewPaging" %>

!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

html xmlns="http://www.w3.org/1999/xhtml" >
head runat="server">
title>Paging/title>
/head>
body>
form id="form1" runat="server">
div>
asp:LinkButton id="lbtnFirst" runat="server" CommandName="First" OnCommand="lbtnPage_Command">|/asp:LinkButton>
asp:LinkButton id="lbtnPrevious" runat="server" CommandName="Previous" OnCommand="lbtnPage_Command">/asp:LinkButton>
asp:Label id="lblMessage" runat="server" />
asp:LinkButton id="lbtnNext" runat="server" CommandName="Next" OnCommand="lbtnPage_Command">>>/asp:LinkButton>
asp:LinkButton id="lbtnLast" runat="server" CommandName="Last" OnCommand="lbtnPage_Command">>|/asp:LinkButton>
轉到第asp:DropDownList ID="dropPage" runat="server" AutoPostBack="True" OnSelectedIndexChanged="dropPage_SelectedIndexChanged">/asp:DropDownList>頁
asp:GridView ID="GridView1" runat="server" AutoGenerateColumns="False" DataKeyNames="ProductID" DataSourceID="SqlDataSource1">
Columns>
asp:BoundField DataField="ProductID" HeaderText="ProductID" InsertVisible="False" ReadOnly="True" />
asp:BoundField DataField="ProductName" HeaderText="ProductName" />
asp:BoundField DataField="SupplierID" HeaderText="SupplierID" />
asp:BoundField DataField="CategoryID" HeaderText="CategoryID" />
asp:BoundField DataField="QuantityPerUnit" HeaderText="QuantityPerUnit" />
asp:BoundField DataField="UnitPrice" HeaderText="UnitPrice" />
asp:BoundField DataField="UnitsInStock" HeaderText="UnitsInStock" />
asp:BoundField DataField="UnitsOnOrder" HeaderText="UnitsOnOrder" />
asp:BoundField DataField="ReorderLevel" HeaderText="ReorderLevel" />
asp:CheckBoxField DataField="Discontinued" HeaderText="Discontinued" />
/Columns>
/asp:GridView>
asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="Data Source=.\sqlexpress;Initial Catalog=Northwind;Integrated Security=True" ProviderName="System.Data.SqlClient" SelectCommand="GetProductsByPage" SelectCommandType="StoredProcedure" OnSelecting="SqlDataSource1_Selecting" OnSelected="SqlDataSource1_Selected">
SelectParameters>
asp:Parameter Name="PageNumber" Type="Int32" />
asp:Parameter Name="PageSize" Type="Int32" />
/SelectParameters>
/asp:SqlDataSource>
/div>
/form>
/body>
/html>


復制代碼 代碼如下:

using System;
using System.Data;
using System.Configuration;
using System.Collections;
using System.Web;
using System.Web.Security;
using System.Web.UI;
using System.Web.UI.WebControls;
using System.Web.UI.WebControls.WebParts;
using System.Web.UI.HtmlControls;
using System.Data.SqlClient;

public partial class GridViewPaging : System.Web.UI.Page
{
//每頁顯示的最多記錄的條數
private int pageSize = 10;
//當前頁號
private int currentPageNumber;
//顯示數據的總條數
private static int rowCount;
//總頁數
private static int pageCount;

protected void Page_Load(object sender, EventArgs e)
{
if (!IsPostBack)
{
SqlConnection cn = new SqlConnection(System.Configuration.ConfigurationManager.ConnectionStrings["NorthwindConnectionString"].ConnectionString);

SqlCommand cmd = new SqlCommand("GetProductsCount", cn);
cmd.CommandType = CommandType.StoredProcedure;
cn.Open();
rowCount = (int)cmd.ExecuteScalar();
cn.Close();
pageCount = (rowCount - 1) / pageSize + 1;
currentPageNumber = 1;
ViewState["currentPageNumber"] = currentPageNumber;
lbtnPrevious.Enabled = false;
lbtnFirst.Enabled = false;

for (int i = 1; i = pageCount; i++)
{
dropPage.Items.Add(new ListItem(i.ToString(), i.ToString()));
}
dropPage.SelectedValue = dropPage.Items.FindByValue(currentPageNumber.ToString()).Value;
SqlDataSource1.Select(DataSourceSelectArguments.Empty);
}
}

protected void SqlDataSource1_Selecting(object sender, SqlDataSourceSelectingEventArgs e)
{
SqlDataSource1.SelectParameters["PageNumber"].DefaultValue = currentPageNumber.ToString();
SqlDataSource1.SelectParameters["PageSize"].DefaultValue = pageSize.ToString();
}

protected void SqlDataSource1_Selected(object sender, SqlDataSourceStatusEventArgs e)
{
lblMessage.Text = "共找到" + rowCount + "條記錄, 當前第" + currentPageNumber + "/" + pageCount + "頁";
}

protected void lbtnPage_Command(object sender, CommandEventArgs e)
{
switch (e.CommandName)
{
case "First":
currentPageNumber = 1;
break;
case "Previous":
currentPageNumber = (int)ViewState["currentPageNumber"] - 1 > 1 ? (int)ViewState["currentPageNumber"] - 1 : 1;
break;
case "Next":
currentPageNumber = (int)ViewState["currentPageNumber"] + 1 pageCount ? (int)ViewState["currentPageNumber"] + 1 : pageCount;
break;
case "Last":
currentPageNumber = pageCount;
break;
}
dropPage.SelectedValue = dropPage.Items.FindByValue(currentPageNumber.ToString()).Value;
ViewState["currentPageNumber"] = currentPageNumber;
SetButton(currentPageNumber);
SqlDataSource1.Select(DataSourceSelectArguments.Empty);
}

private void SetButton(int currentPageNumber)
{
lbtnFirst.Enabled = currentPageNumber != 1;
lbtnPrevious.Enabled = currentPageNumber != 1;
lbtnNext.Enabled = currentPageNumber != pageCount;
lbtnLast.Enabled = currentPageNumber != pageCount;
}

protected void dropPage_SelectedIndexChanged(object sender, EventArgs e)
{
currentPageNumber = int.Parse(dropPage.SelectedValue);
ViewState["currentPageNumber"] = currentPageNumber;
SetButton(currentPageNumber);
SqlDataSource1.Select(DataSourceSelectArguments.Empty);
}
}

[/code]
using System;
using System.Data;
using System.Configuration;
using System.Collections;
using System.Web;
using System.Web.Security;
using System.Web.UI;
using System.Web.UI.WebControls;
using System.Web.UI.WebControls.WebParts;
using System.Web.UI.HtmlControls;
using System.Data.SqlClient;

public partial class GridViewPaging : System.Web.UI.Page
{
//每頁顯示的最多記錄的條數
private int pageSize = 10;
//當前頁號
private int currentPageNumber;
//顯示數據的總條數
private static int rowCount;
//總頁數
private static int pageCount;

protected void Page_Load(object sender, EventArgs e)
{
if (!IsPostBack)
{
SqlConnection cn = new SqlConnection(System.Configuration.ConfigurationManager.ConnectionStrings["NorthwindConnectionString"].ConnectionString);

SqlCommand cmd = new SqlCommand("GetProductsCount", cn);
cmd.CommandType = CommandType.StoredProcedure;
cn.Open();
rowCount = (int)cmd.ExecuteScalar();
cn.Close();
pageCount = (rowCount - 1) / pageSize + 1;
currentPageNumber = 1;
ViewState["currentPageNumber"] = currentPageNumber;
lbtnPrevious.Enabled = false;
lbtnFirst.Enabled = false;

for (int i = 1; i = pageCount; i++)
{
dropPage.Items.Add(new ListItem(i.ToString(), i.ToString()));
}
dropPage.SelectedValue = dropPage.Items.FindByValue(currentPageNumber.ToString()).Value;
SqlDataSource1.Select(DataSourceSelectArguments.Empty);
}
}

protected void SqlDataSource1_Selecting(object sender, SqlDataSourceSelectingEventArgs e)
{
SqlDataSource1.SelectParameters["PageNumber"].DefaultValue = currentPageNumber.ToString();
SqlDataSource1.SelectParameters["PageSize"].DefaultValue = pageSize.ToString();
}

protected void SqlDataSource1_Selected(object sender, SqlDataSourceStatusEventArgs e)
{
lblMessage.Text = "共找到" + rowCount + "條記錄, 當前第" + currentPageNumber + "/" + pageCount + "頁";
}

protected void lbtnPage_Command(object sender, CommandEventArgs e)
{
switch (e.CommandName)
{
case "First":
currentPageNumber = 1;
break;
case "Previous":
currentPageNumber = (int)ViewState["currentPageNumber"] - 1 > 1 ? (int)ViewState["currentPageNumber"] - 1 : 1;
break;
case "Next":
currentPageNumber = (int)ViewState["currentPageNumber"] + 1 pageCount ? (int)ViewState["currentPageNumber"] + 1 : pageCount;
break;
case "Last":
currentPageNumber = pageCount;
break;
}
dropPage.SelectedValue = dropPage.Items.FindByValue(currentPageNumber.ToString()).Value;
ViewState["currentPageNumber"] = currentPageNumber;
SetButton(currentPageNumber);
SqlDataSource1.Select(DataSourceSelectArguments.Empty);
}

private void SetButton(int currentPageNumber)
{
lbtnFirst.Enabled = currentPageNumber != 1;
lbtnPrevious.Enabled = currentPageNumber != 1;
lbtnNext.Enabled = currentPageNumber != pageCount;
lbtnLast.Enabled = currentPageNumber != pageCount;
}

protected void dropPage_SelectedIndexChanged(object sender, EventArgs e)
{
currentPageNumber = int.Parse(dropPage.SelectedValue);
ViewState["currentPageNumber"] = currentPageNumber;
SetButton(currentPageNumber);
SqlDataSource1.Select(DataSourceSelectArguments.Empty);
}
}
[/code]
4.分頁效果圖:
 
您可能感興趣的文章:
  • GridView分頁的實現以及自定義分頁樣式功能實例
  • C#自定義DataGridViewColumn顯示TreeView
  • yii2.0之GridView自定義按鈕和鏈接用法
  • GridView自定義刪除操作的具體方法
  • 自定義GridView并且實現拖拽(附源碼)
  • asp.net gridview自定義value值的代碼
  • asp.net gridview分頁:第一頁 下一頁 1 2 3 4 上一頁 最末頁
  • asp.net中的GridView分頁問題
  • Android入門之ActivityGroup+GridView實現Tab分頁標簽的方法
  • asp.net Gridview分頁保存選項
  • 基于GridView和ActivityGroup實現的TAB分頁(附源碼)
  • GridView自定義分頁實例詳解(附demo源碼下載)

標簽:合肥 延邊 保定 澳門 晉城 三明 嘉興 日照

巨人網絡通訊聲明:本文標題《GridView自定義分頁的四種存儲過程》,本文關鍵詞  GridView,自定義,分頁,的,;如發現本文內容存在版權問題,煩請提供相關信息告之我們,我們將及時溝通與處理。本站內容系統采集于網絡,涉及言論、版權與本站無關。
  • 相關文章
  • 下面列出與本文章《GridView自定義分頁的四種存儲過程》相關的同類信息!
  • 本頁收集關于GridView自定義分頁的四種存儲過程的相關信息資訊供網民參考!
  • 推薦文章
    校园春色亚洲色图_亚洲视频分类_中文字幕精品一区二区精品_麻豆一区区三区四区产品精品蜜桃
    欧美日韩一区三区| 亚洲欧美在线观看| 无码av中文一区二区三区桃花岛| 成人自拍视频在线观看| 中文字幕制服丝袜一区二区三区 | 亚洲一区二区3| 国产精品 日产精品 欧美精品| 欧美嫩在线观看| 亚洲一区欧美一区| 欧美一区二区三区系列电影| 三级亚洲高清视频| 欧美另类高清zo欧美| 亚洲福中文字幕伊人影院| 666欧美在线视频| 亚洲国产日韩综合久久精品| 色综合一区二区| 一区二区三区小说| 欧美日韩视频在线第一区| 欧美日韩视频专区在线播放| av在线一区二区| 国产麻豆一精品一av一免费 | 亚洲国产精品人人做人人爽| 日韩精品中午字幕| 国产日韩欧美麻豆| 国产一区二区h| 91精品国产91综合久久蜜臀| 三级久久三级久久久| 日韩午夜在线观看| 精品一区二区免费视频| 日韩理论片中文av| 欧美日韩中文字幕一区二区| 美女网站一区二区| 在线不卡免费av| 国产精品白丝av| 国产精品不卡一区| 色8久久人人97超碰香蕉987| 日本中文字幕一区二区有限公司| 欧美视频在线一区| 成人一级视频在线观看| 免费成人小视频| 久久一区二区视频| 色婷婷av一区二区三区gif| 国产一区亚洲一区| 中文字幕不卡三区| 欧美吻胸吃奶大尺度电影| 国产精品羞羞答答xxdd| 亚洲韩国一区二区三区| 欧美丝袜丝交足nylons| 天天爽夜夜爽夜夜爽精品视频| 国产亚洲欧洲一区高清在线观看| 92国产精品观看| 蜜臀久久久久久久| 亚洲伊人色欲综合网| 精品卡一卡二卡三卡四在线| 99精品久久久久久| 国模冰冰炮一区二区| 午夜日韩在线电影| 国产精品灌醉下药二区| 91精品国产欧美一区二区| 国产中文一区二区三区| 国产精品色哟哟| 欧美人动与zoxxxx乱| 国产成人av一区二区| 丝袜美腿一区二区三区| 日韩一二三区视频| 91麻豆国产自产在线观看| 麻豆91精品91久久久的内涵| 亚洲欧洲日本在线| www国产成人| 91视频免费观看| 国产精品66部| 麻豆精品视频在线观看免费 | 中文字幕成人av| 日韩女同互慰一区二区| www.视频一区| 国产一区视频导航| 欧美美女视频在线观看| 国产91富婆露脸刺激对白| 国产精品影视在线| 亚洲国产岛国毛片在线| 在线观看日韩av先锋影音电影院| 一区二区三区蜜桃网| fc2成人免费人成在线观看播放 | 午夜精彩视频在线观看不卡| 91香蕉国产在线观看软件| 美国欧美日韩国产在线播放| 中文字幕欧美一| 亚洲色图视频网站| 国产精品久久久久久久久免费桃花| 欧美一区二区三区在线看| 欧美草草影院在线视频| 国产一区二区三区在线观看免费 | av资源网一区| 国产在线精品国自产拍免费| 亚洲国产成人av网| 亚洲成人资源网| 亚洲成国产人片在线观看| 成人欧美一区二区三区白人| 国产精品美女久久久久久久网站| 337p粉嫩大胆色噜噜噜噜亚洲| 欧美疯狂性受xxxxx喷水图片| 欧美日韩免费一区二区三区视频| 欧美性淫爽ww久久久久无| 欧美日韩一区在线观看| 色综合久久88色综合天天| 欧美群妇大交群的观看方式| 丁香婷婷综合网| 日韩一区二区视频在线观看| 丝袜亚洲另类欧美综合| 色综合欧美在线| 国产无遮挡一区二区三区毛片日本 | 欧美一区二区二区| 国产精品一区在线观看乱码| 一区二区三区**美女毛片| 一区二区中文视频| 一区二区三区免费| 99国产麻豆精品| 亚洲一区二区五区| 中文字幕不卡在线播放| 色综合中文综合网| 中文字幕第一区| 成人欧美一区二区三区1314| 无码av中文一区二区三区桃花岛| 国产乱人伦精品一区二区在线观看| 国产福利一区二区三区视频| 欧美成人免费网站| 久久精品夜夜夜夜久久| 婷婷久久综合九色综合伊人色| 国产精品一二三区在线| 777色狠狠一区二区三区| 欧美一区二区三区白人| 国产精品久久久久久久久果冻传媒 | 久久久精品蜜桃| 有码一区二区三区| 国产一区二区三区免费看| 欧美日韩久久一区| 欧美国产乱子伦| 激情亚洲综合在线| 欧美年轻男男videosbes| 亚洲视频在线观看一区| 国产高清成人在线| 欧美成人a∨高清免费观看| 亚洲成av人片在www色猫咪| www.欧美亚洲| 国产视频亚洲色图| 久久99热国产| 欧美精品在线一区二区| 一区二区成人在线视频| 91小视频免费看| 中文子幕无线码一区tr| 国产一区激情在线| 精品国产一区a| 日韩精品色哟哟| 欧美日本在线看| 亚洲精选免费视频| 91丨九色porny丨蝌蚪| 国产精品色眯眯| 成人av网址在线| 国产精品毛片无遮挡高清| 粉嫩高潮美女一区二区三区| 久久久国产一区二区三区四区小说| 麻豆成人91精品二区三区| 日韩欧美国产一区二区三区| 久久精品噜噜噜成人88aⅴ| 欧美精品乱码久久久久久| 亚洲v日本v欧美v久久精品| 欧美日韩精品欧美日韩精品 | av高清不卡在线| 欧美国产成人精品| 成人动漫一区二区| 国产女人水真多18毛片18精品视频 | 7777精品伊人久久久大香线蕉的| 亚洲国产美女搞黄色| 欧美视频精品在线观看| 午夜视频在线观看一区| 日韩一区二区免费视频| 精品一二线国产| 国产欧美日韩精品一区| 欧美老年两性高潮| 亚洲18影院在线观看| 91.com视频| 国产精品一卡二卡在线观看| 中文字幕欧美三区| 色悠悠亚洲一区二区| 五月婷婷综合在线| 日韩手机在线导航| 国产成人精品亚洲日本在线桃色| 中文字幕亚洲在| 欧美日韩国产小视频| 精品一区二区三区香蕉蜜桃| 26uuu国产电影一区二区| 国产成人aaaa| 亚洲一区欧美一区| 亚洲精品一区二区在线观看| 不卡的电影网站| 国产精品综合视频| 国产伦精品一区二区三区免费| 五月婷婷综合激情| 五月婷婷综合网| 日韩av一级电影|