Проблемы с asp.net и c # при сохранении новых данных из новой строки, добавленной в сетку - PullRequest
2 голосов
/ 13 марта 2012

У меня проблема с gridviews. По сути, я пишу систему информации и слежения за самолетами и в процессе узнаваю чудеса видов сетки, но у меня возникают проблемы с добавлением новой строки в вид сетки. Я могу создать новую строку для ввода данных при нажатии кнопки, но когда я нажимаю на обновление, у меня возникает какая-то проблема обратной передачи, которая приводит к тому, что эти данные забываются и не могут найти способ их обойти , Источник данных представляет собой список основных объектов, которые содержат двойные числа и строки, содержащие измерения, имена и т. Д. Вот мой код.

<asp:UpdatePanel ChildrenAsTriggers="true" ID="UpdatePanel2" runat="server">
<ContentTemplate>

<div id="divAddCargoDoor" style="width:100%" runat="server" class="AlignRight">
    <asp:LinkButton ID="lbAddNewCargoDoor" runat="server"
        Text="<%$ Resources:ls, AddCargoDoor %>" 
        OnClick="lbAddNewCargoDoor_Click"></asp:LinkButton><br /><br />
</div>

<div id="divCargoDoorNoDoors" runat="server">
    <asp:Label ID="lCargoDoorNoDoors" runat="server"
        Text="<%$ Resources:ls, NoCargoDoors %>"></asp:Label>
</div>

<asp:GridView ID="gvCargoDoors" runat="server" AutoGenerateColumns="False"
   DataKeyNames="Id" Width="100%" 
       OnRowEditing="gvCargoDoors_RowEditing"
       OnRowUpdating="gvCargoDoors_RowUpdating"
       OnRowDeleting="gvCargoDoors_RowDeleting"
       OnRowCancelingEdit="gvCargoDoors_RowCancellingEdit">

    <Columns>
        <asp:CommandField AccessibleHeaderText="Edit" ShowEditButton="True" />
        <asp:TemplateField AccessibleHeaderText="Name"
             HeaderText="<%$ Resources:ls, Description %>">
            <ItemTemplate>
                <asp:Label ID="lName" runat="server" Text='<%# Bind("Name") %>' />
            </ItemTemplate>
            <EditItemTemplate>
                <asp:TextBox ID="Name" runat="server" Text='<%# Bind("Name") %>' /> 
            </EditItemTemplate>
        </asp:TemplateField>
        <asp:TemplateField AccessibleHeaderText="Width"
            HeaderText="<%$ Resources:ls, Width %>">
            <ItemTemplate>
                <asp:Label ID="lWidth" runat="server" Text='<%# Bind("Width") %>' />
            </ItemTemplate>
            <EditItemTemplate>
               <asp:TextBox ID="CDWidth" runat="server" Text='<%# Bind("Width") %>' /> 
            </EditItemTemplate>
        </asp:TemplateField>
        <asp:TemplateField AccessibleHeaderText="Height" 
            HeaderText="<%$ Resources:ls, Height %>">
            <ItemTemplate>
                <asp:Label ID="lHeight" runat="server" Text='<%# Bind("Height") %>' />
            </ItemTemplate>
            <EditItemTemplate>
              <asp:TextBox ID="CDHeight" runat="server" Text='<%# Bind("Height") %>' />
            </EditItemTemplate>
        </asp:TemplateField>
        <asp:CommandField AccessibleHeaderText="Delete" ShowDeleteButton="True"
            DeleteText="X" />
    </Columns>
</asp:GridView>
<br />
</ContentTemplate>
</asp:UpdatePanel>

Теперь для кода C #

Сначала у нас есть этот фрагмент, который получает информацию из базы данных, которая используется для создания источника данных. Он вызывает простой вызов базы данных sql в базу данных SQL Server 2008 и возвращает данные в авиационном объекте, который содержит список объектов cargodoor.

private void BuildDataSource()
    {
        this.ac = Charter.Aircraft.Retrieve(Convert.ToInt32(this.hfAircraftID.Value));
    }

Теперь вот код для фактического контроля грузовых дверей

private void BindCargoDoors()
{
    if (ac.CargoDoors.Count == 0)
    {
        //display a label telling user there are no cargo doors
        divCargoDoorNoDoors.Visible = true;
    }
    else
    {
        //bind the cargodoor object list to the gridview
        divCargoDoorNoDoors.Visible = false;
        this.gvCargoDoors.DataSource = this.ac.CargoDoors;
        this.gvCargoDoors.DataBind();
    }
}

protected void gvCargoDoors_RowEditing(object sender, GridViewEditEventArgs e)
{
    //get the index of the row and enter row editing mode
    this.gvCargoDoors.EditIndex = e.NewEditIndex;
    BuildDataSource();
    BindCargoDoors();
}

protected void gvCargoDoors_RowUpdating(object sender, GridViewUpdateEventArgs e)
{
    //get the row being edited
    GridViewRow row = this.gvCargoDoors.Rows[e.RowIndex];
    //create a new cargo door to store the info in
    CargoDoor cd = new CargoDoor();

    //Retrieve the id of the cargodoor
    cd.Id = Convert.ToInt32(gvCargoDoors.DataKeys[e.RowIndex].Values["Id"]);

    if (cd.Id == 0)    //will apply when new cargodoor is added
    {
        //fill in the cargodoor object from data in the row
        cd.DateAdded = DateTime.Now;
        cd.DateModified = DateTime.Now;
        cd.Name = ((TextBox)row.FindControl("Name")).Text;
        cd.Width = Convert.ToDouble(((TextBox)row.FindControl("Width")).Text);
        cd.Height = Convert.ToDouble(((TextBox)row.FindControl("Height")).Text);
        cd.Owner = this.ac.Owner;
        cd.AircraftId = this.ac.Id;

        //insert the new cargodoor into the database
        Charter.Aircraft.InsertCargoDoor(cd);
    }
    else
    {
        //Retrieve old cargodoor info and fill in object info into cd
        CargoDoor cdOrig = Charter.Aircraft.RetrieveCargoDoorByID(cd.Id);
        //fill in the cargodoor object with retrieved info
        cd.AircraftId = cdOrig.AircraftId;
        cd.DateAdded = cdOrig.DateAdded;
        cd.Notes = cdOrig.Notes;
        cd.Owner = cdOrig.Owner;

        //fill in updated information
        cd.Name = ((TextBox)row.FindControl("Name")).Text;
        cd.Width = Convert.ToInt32(((TextBox)row.FindControl("Width")).Text);
        cd.Height = Convert.ToInt32(((TextBox)row.FindControl("Height")).Text);
        cd.DateModified = DateTime.Now;

        //save the new cargodoor info
        Charter.Aircraft.UpdateCargoDoor(cd);
    }

    //rebuild data source to get new cargo door
    BuildDataSource();

    //Reset the edit index.
    this.gvCargoDoors.EditIndex = -1;

    //Bind data to the GridView control.
    BindCargoDoors();
}

protected void gvCargoDoors_RowCancellingEdit(object sender, 
    GridViewCancelEditEventArgs e)
{
    this.gvCargoDoors.EditIndex = -1;
    BuildDataSource();
    BindCargoDoors();
}

protected void gvCargoDoors_RowDeleting(object sender, GridViewDeleteEventArgs e)
{
    BuildDataSource();
    int id = Convert.ToInt32(gvCargoDoors.DataKeys[e.RowIndex].Values["Id"]);
    Charter.Aircraft.DeleteCargoDoor(id);
    BuildDataSource();
    BindCargoDoors();
}

protected void lbAddNewCargoDoor_Click(object sender, EventArgs e)
{
    //trigger the edit mode with an edit row index of 0
    this.gvCargoDoors.SetEditRow(0);
    //insert a new cargodoor into the source object
    this.ac.CargoDoors.Insert(0, new CargoDoor());

    //bind the data
    this.gvCargoDoors.DataSource = this.ac.CargoDoors;
    BindCargoDoors();
}

Моя большая проблема связана с lbAddNewCargoDoor и редактированием строки. Когда нажата ссылка на обновление, он забыл, что была добавлена ​​новая строка, и поэтому просто редактирует уже существующую строку, а не вставляет новый объект cargodoor в базу данных. Я просто не уверен в порядке операций, чтобы не допустить этого.

Любая помощь будет оценена. Спасибо.

1 Ответ

0 голосов
/ 05 апреля 2012

попробуйте изменить (см. Изменение порядка утверждений)

protected void lbAddNewCargoDoor_Click(object sender, EventArgs e)
{
    //trigger the edit mode with an edit row index of 0
    this.gvCargoDoors.SetEditRow(0);
    //insert a new cargodoor into the source object
    this.ac.CargoDoors.Insert(0, new CargoDoor());

    //bind the data
    this.gvCargoDoors.DataSource = this.ac.CargoDoors;
    BindCargoDoors();
}

на

protected void lbAddNewCargoDoor_Click(object sender, EventArgs e)
{
    //insert a new cargodoor into the source object
    this.ac.CargoDoors.Insert(0, new CargoDoor());

    //bind the data
    this.gvCargoDoors.DataSource = this.ac.CargoDoors;

    //trigger the edit mode with an edit row index of 0
    this.gvCargoDoors.SetEditRow(0);

    BindCargoDoors();
}

Обратите внимание, что я не могу добавлять комментарии (из-за меньшей репутации) и мне известночто это должен быть комментарий.

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...