asp.net Hierarchical Data

Introduction
A Hierarchical Data is a data that is organized in a tree-like structure and structure allows information to be stored in a parent-child relationship with one-to-many relation records. This data can be stored either in a single table or different database tables with a parent-child relationship using foreign key.
 
The table structure shows the raw data stored in a database table. The column EmpNo is the primary unique key field and the column ReportsTo is the field we are going to refer as foreign key, by which the records are related to each other. There is lot of ways to do this concept, but we always prefer a simple and easiest way to achieve this
  For demonstration purpose, we are going to create Organizational Structure of a Company, which involves a Director, Manager, Sales Manager, Purchase Manager and other subordinate staffs. So we create table named as “Designation”, with 4 columns such as EmpNo, Designation, ReportsTo and Level. First three fields such as EmpNo, Designation and ReportsTo are self-explanatory. The last field Level is the rank of the designation in the Organization with 0 as its starting index. The Director of the company enjoys the top most position that he/she doesn’t need to report any one, so we input the level as 0, all the Managers of the company will come under Director, thus the level is 1, the department Managers such as Sales and Purchase will come under Manager, thus the level is 2 and the staff under them will be on level 3 and so on. Likewise, you can keep on increment the level based on rank of the Designation. Basically this column is used for creating a tree-like structure.
Setup the Repeater Control:

In the aspx page, drag and drop a Repeater
control, then go to the html source of this page, add the ItemTemplate
in between the Repeater tag, then add an Asp.Net
Table control from the toolbox.

<asp:Repeater ID="Repeater1"
runat="server" OnItemDataBound="Repeater1_ItemDataBound">

<ItemTemplate>

<asp:Table ID="Table1" runat="server"></asp:Table>

</ItemTemplate>
</asp:Repeater>

Setup the Code-Behind:

The code-behind for this concept needs some attention, as it explains you the way
to display the data in the database in a Hierarchical or tree-like structure. Let
us go step by step.

Step 1: Add the SqlClient namespace in the code-behind
as follows,

using System.Data.SqlClient;

Step 2: In the Page_Load event, you have to retrieve the
data from the database and store it in a DataTable,

DataTable dt = new DataTable();

string sql = "Select * from Designation";

SqlDataAdapter da = new
SqlDataAdapter(sql,
ConfigurationManager.ConnectionStrings["ConnectionString"].ToString());

da.Fill(dt);

Step 3: Add the DataTable to a DataSet to add relationship
between the columns in later stages.

DataSet Ds = new DataSet();

Ds.Tables.Add(dt);

Step 4: Now create two DataColumn objects, one for Primary
Key with the “EmpNo” column and one for Foreign Key with “ReportsTo” column from
the DataTable.

DataColumn PriKey = new DataColumn();

PriKey = dt.Columns["EmpNo"];

DataColumn ForKey = new DataColumn();

ForKey = dt.Columns["ReportsTo"];

Step 5:
Create a DataRelation object,
binding
both the Primary Key “PriKey” and Foreign
Key “ForKey” columns and name the relation as “ParentChild”.

 DataRelation dataRel = new DataRelation("ParentChild", PriKey, ForKey, false);

Step 6: Very Important, we need this DataRelation object
“dataRel” to be nested, since we don’t know the number of levels it is going to
contain.

 dataRel.Nested = true;

Step 7: Finally, we need to add this relationship to the
DataSet as follows,

 Ds.Relations.Add(dataRel);
 
So the DataSet is ready with relationship and next we need to bind the DataSet with
the Repeater control. As per the concept of this article, we are going to display
the data in an hirerchical structure. For this we need to do some code to achive
this.

As we know only the initial
level, but we have no idea of the final level, since
there can be any number of level
or even it can be infinity. So the best way is to loop through the rows
is by a recursive methods. This recursive method will retrieve
the record by record till its
last level and store every record in a DataTable that
can be referred by its memory
location rather than its value.

Let us start, by writing a recursive method to retrieve the record and store it
in a DataTable, which is accessed by its reference rather than its value.


 
private void GetChildObjects(DataRow[] drChild, ref DataTable dtFinal)

{

foreach (DataRow childRow in drChild) 
  { 
    dtFinal.ImportRow(childRow); 
    GetChildObjects(childRow.GetChildRows("ParentChild"), ref
dtFinal); 
  }

}


The above method GetChildObjects, has two
parameters, the first one is the array
of DataRow and the second is the “ref” DataTable which is going to have the records.
Please note the “ref” keyword before the parameter declaration. This DataTable is
responsible to hold the records to binding. Inside this method, we loop through
the records of the DataRow arrays and we import record by record to the “ref” DataTable.
Then again we call the same method GetChildObjects, to loop through its child rows.
If there is no child rows, then execution will be stopped and no further call to
this method will be made.

Now, we are going to write another method to kick off the GetChildObjects methods,
as follows,

private DataTable GetParentObjects(DataTable dtMain)

{

DataTable dtFinal = dtMain.Clone()
  foreach (DataRow parentRow in dtMain.Select("ReportsTo is null")) 
  { 
    dtFinal.ImportRow(parentRow); 
    GetChildObjects(parentRow.GetChildRows("ParentChild"), ref
dtFinal); 
  } 
  return dtFinal;

}

 
 
The above GetParentObjects method, takes a DataTable parameter, which can be the
DataTable that holds the data from the database. Inside this method, we create a
local DataTable object as “dtFinal” by cloning from the input parameter’s DataTable.
The “Clone” method, simply copies the structure of the DataTable without the data.
Next we are going to loop through the records in the incoming DataTable, and as
we know the top level record in the database will have the ReportsTo field as null,
we are going to start the loop from this record. If there are more than one record
with ReportsTo as null, then this loop will run that many times. So we find the
first record with ReportsTo as null, then import it into the “dtFinal” DataTable
using the ImportRow method. Then we call the GetChildObjects method by passing child
records of the current parent record and “dtFinal” DataTable which is passed by
reference.

This is the starting point to the GetChildObjects method. Since we have nested the
DataSet, the recusive method will run continuously till the last record to find
its related child records.

 

Step 8: The last step in the Page_Load event, is to bind
the Repeater control by calling the GetParentObjects as follows. Note that the argument
passed to the GetParentObjects method is the DataSet’s first Table, not the DataTable
object.

Repeater1.DataSource = GetParentObjects(Ds.Tables[0]);

Repeater1.DataBind();

The complete code of the Page_Load event is as follows,

protected void Page_Load(object sender, EventArgs e)

{

if (!IsPostBack) 
  { 
    DataTable dt = new DataTable(); 
    string sql = "Select * from Designation"; 
    SqlDataAdapter da = new
SqlDataAdapter(sql,
ConfigurationManager.ConnectionStrings["ConnectionString"].ToString()); 
    da.Fill(dt);

DataSet Ds = new DataSet(); 
    Ds.Tables.Add(dt);

DataColumn PriKey = new DataColumn(); 
    PriKey = dt.Columns["EmpNo"]; 
    DataColumn ForKey = new DataColumn(); 
    ForKey = dt.Columns["ReportsTo"];

DataRelation dataRel = new DataRelation("ParentChild", PriKey, ForKey,
false);

dataRel.Nested = true;

Ds.Relations.Add(dataRel);

Repeater1.DataSource = GetParentObjects(Ds.Tables[0]); 
    Repeater1.DataBind(); 
  }

}

Setup Asp.Net Table Control to display the Hierarchy structure

To display the data in a Hierarchical structure, we need to code in the ItemDataBound
event of the repeater control as follows.

protected void Repeater1_ItemDataBound(object sender, RepeaterItemEventArgs e)

{

if (e.Item.ItemType ==
ListItemType.Item || e.Item.ItemType == ListItemType.AlternatingItem) 
  { 
    Table Table1 = (Table)e.Item.FindControl("Table1"); 
    Table1.Width = Unit.Percentage(30); 
    Table1.BorderStyle = BorderStyle.Solid; 
    Table1.BorderWidth = Unit.Pixel(1); 
    Table1.CellPadding = 0; 
    Table1.CellSpacing = 0;

TableRow tblRow = new TableRow();

TableCell tblEmptyCell = new TableCell(); 
    tblEmptyCell.Controls.Add(new LiteralControl(String.Empty)); 
    tblEmptyCell.Width =

Unit.Percentage(20 *

Convert.ToInt32(((DataRowView)(e.Item.DataItem))["Level"].ToString())); 
    tblRow.Cells.Add(tblEmptyCell);

TableCell tblCell = new TableCell(); 
    tblCell.Controls.Add(new

LiteralControl(((DataRowView)(e.Item.DataItem))["Designation"].ToString())); 
    tblCell.HorizontalAlign = HorizontalAlign.Left; 
    tblRow.Cells.Add(tblCell); 
    Table1.Rows.Add(tblRow);

}

}

The above code is simple as its need no detail explanation. First we find the Table
control inside the Repeater control using its FindControl method, then we customize
the Table control by setting its properties such as Width, BorderStyle, BorderWidth,
CellPadding and CellSpacing. Next we create a TableRow to add to the Table control
and two TableCell objects, that is to be added to the TableRow. The first TableCell
object “tblEmptyCell” is responsible to create a tree-like structure by indenting
with an empty string and the width is calculated based on the Level field from the
database. The second TableCell object “tblCell”, is used to display the Designation
value for every record.

Now save all and press the “F5” button, the browser will popup, you can see the
data displayed in a hierarchical structure. You can customise the ItemDataBound
event as your wish to alter the look and feel of the display.                         

时间: 2024-10-17 02:57:52

asp.net Hierarchical Data的相关文章

Dynamics CRM 2015 New Feature (2): Hierarchical Data

在Dynamics CRM 2015中引入了一个比较有意思的Feature:Hierarchical Data.用户可以用直观的树形图来了解具有树形结构的数据,例如business unit,相信通过这样一个有意思的feature,能给大家提高不少的工作效率. 使用这个feature也并不麻烦,我们需要做如下配置:1)新建一个自身引用的1:N关系,这样我们可以用这个关系来构造树形的数据结构,2)开启实体的Hierarchy Settings.开启后的效果如下: 1)创建自身引用的1:N关系 2)

CS0016: 未能写入输出文件“c:\windows\Microsoft.NET\Framework\v2.0.50727\Temporary ASP.NET Files\data\34aae060\b7daa87d\App_Web_addadvice.aspx.cdcab7d2.ekhlcbjd.dll”--“目录名无效。 ”

产生原因:应用程序运行时产生的临时文件需要存放到c:"windows"temp 文件夹下 而运行基于microsoft .net framework 框架下的应用程序 需要对temp 具有读写的权限 ,所以程序运行产生的临时文件不能存储或读取 ,或者路径不存在的情况下都会产生编译错误.  解决方法: 1.设置c:windows\temp 目录访问权限 temp--> 属性-->安全-- > 添加了iis_user和network service -->都赋予其权

Hierarchical Data Library多层次数据显示控件下载及介绍

Hierarchical Data Library是一款功能强大的多层次数据显示控件,包含了DataTreeGridView,支持所有.NET语言,可以用于Windows桌面应用程序,支持数据绑定.标准的界面和操作自定义设置,本地化和主题支持. 具体功能: 控件在界面.操作上都和标准的DataGridView控件相似 支持自定义列 允许某一列显示为树型结构 支持数据绑定 对数据节点进行管理 允许最终用户扩展和收缩节点,增加或者减少节点的缩进,还可以设置某一节点为只读 支持本地化显示日期和数字原文

Managing Hierarchical Data in MySQL(邻接表模型)[转载]

原文在:http://dev.mysql.com/tech-resources/articles/hierarchical-data.html 来源: http://www.cnblogs.com/phaibin/archive/2009/06/09/1499687.html 译文:Yimin 引言 大多数用户都曾在数据库中处理过分层数据(hierarchical data),认为分层数据的管理不是关系数据库的目的.之所以这么认为,是因为关系数据库中的表没有层次关系,只是简单的平面化的列表:而分

ASP.NET Core 数据保护(Data Protection)【上】

小分享:我有几张阿里云优惠券,用券购买或者升级阿里云相应产品最多可以优惠五折!领券地址:https://promotion.aliyun.com/ntms/act/ambassador/sharetouser.html?userCode=ohmepe03 前言 上一篇博客记录了如何在 Kestrel 中使用 HTTPS(SSL), 也是我们目前项目中实际使用到的. 数据安全往往是开发人员很容易忽略的一个部分,包括我自己.近两年业内也出现了很多因为安全问题导致了很多严重事情发生,所以安全对我们开发

ASP.NET ViewState详解

ASP.NET ViewState详解[转载] asp.net存储textboxserializationstring服务器 作者:Infinities Loop 概述 ViewState是一个被误解很深的动物了.我希望通过此文章来澄清人们对ViewState的一些错误认识.为了达到这个目的,我决定从头到尾详细的描述一下整个ViewState的工作机制,其中我会同时用一些例子说明我文章中的观点,结论.比如我会用静态控件(declared controls)和动态控件(dynamic contro

zoj3826 Hierarchical Notation (字符串模拟)

Hierarchical Notation Time Limit: 2 Seconds      Memory Limit: 131072 KB In Marjar University, students in College of Computer Science will learn EON (Edward Object Notation), which is a hierarchical data format that uses human-readable text to trans

ASP.NET Routing

ASP.NET Routing Other Versions ASP.NET routing enables you to use URLs that do not have to map to specific files in a Web site. Because the URL does not have to map to a file, you can use URLs that are descriptive of the user's action and therefore a

Indexing Sensor Data

In particular embodiments, a method includes, from an indexer in a sensor network, accessing a set of sensor data that includes sensor data aggregated together from sensors in the sensor network, one or more time stamps for the sensor data, and metad