4

所以我在gridview 中显示一个SQL 表的结果。有些字段是电话号码。一个特定的字段可能是一个普通的 10 位数字,但它也可能是一个 4 位的扩展名。如果它是一个 4 位数字,我希望至少不要在其上放置 10 位格式,最多我想在它前面加上 Ext: 后跟我的数据。这是我到目前为止所拥有的。我通常不是程序员,所以这是 Visual Studio 向导和谷歌结果拼凑在一起的。非常感谢您的帮助。

    <form id="form1" runat="server">
<div>

    <asp:GridView ID="GridView1" runat="server" DataSourceID="SqlDataSource1"   AutoGenerateColumns="False">
        <Columns>
           <asp:TemplateField HeaderText="Call Destination" SortExpression="CallDestination">
                <EditItemTemplate>
                    <asp:TextBox ID="TextBox2" runat="server" Text='<%# Bind("CallDestination") %>'></asp:TextBox>
                </EditItemTemplate>
                <ItemTemplate>
                    <asp:Label ID="Label2" runat="server" Text='<%# String.Format("{0:(###) ###-####}",Convert.ToInt64(DataBinder.Eval (Container.DataItem, "CallDestination")))%>'></asp:Label>
                </ItemTemplate>
            </asp:TemplateField>
        </Columns>
    </asp:GridView>
    <asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<%$ ConnectionStrings:OnCallConnectionString %>" SelectCommand="SELECT [TimeStamp], [CallerID], [Accepted], [CallDestination] FROM [OnCallLog]"></asp:SqlDataSource>

</div>
</form>
4

1 回答 1

1

您需要使用该RowDataBound事件来拦截绑定到网格的每一行,以便您可以确定电话号码是 10 位还是 4 位,并根据具体情况处理每个值,如下所示:

标记:

<asp:GridView ID="GridView1" runat="server" DataSourceID="SqlDataSource1" 
     AutoGenerateColumns="False" onrowdatabound="GridView1_RowDataBound">

注意:Text='<%# String.Format("{0:(###) ###-####}",Convert.ToInt64(DataBinder.Eval (Container.DataItem, "CallDestination")))%>'<asp:Label>in 中删除<ItemTemplate>,因为您将格式化文本并Text在事件中设置属性,RowDataBound而不是以声明方式。

代码隐藏:

protected void GridView1_RowDataBound(Object sender, GridViewRowEventArgs e)
{
    // Only interested in each data row, not header or footer, etc.
    if(e.Row.RowType == DataControlRowType.DataRow)
    {
        // Find the Label2 control in the row
        Lable theLabel = (Label)e.row.FindControl("Label2");

        // Make sure control is not null
        if(theLabel != null)
        {
            // Cast the bound to an object we can use to extract the value from
            DataRowView rowView = (DataRowView)e.Row.DataItem;

            // Get the value for CallDestination field in data source
            string callDestinationValue = rowView["CallDestination"].ToString();

            // Find out if CallDestination is 10 digits or 4 digits
            if(callDestinationValue.Length == 10)
            {
                theLabel.Text = String.Format("{0:(###) ###-####}", Convert.ToInt64(rowView["CallDestination"]));
            }
            if(callDestinationValue.Length == 4)
            {
                theLabel.Text = "Ext: " + callDestinationValue;
            }
        }
    }
}
于 2013-08-28T14:12:25.927 回答