Циклические списки TextBoxes и RadioButtonLists - PullRequest
0 голосов
/ 12 апреля 2011

В моей веб-форме у меня есть 6 TextBox и 6 RadioButtonLists:

Теперь я хочу отправить электронное письмо посетителю, чтобы все, что они ввели и нажали на этот RadioButtonLists.Часть электронной почты работает нормально, но как мне связать все текстовые поля и списки RadioButtonLists в строку?

Пока у меня есть этот код:

         protected void btnSubmit_Click1(object sender, EventArgs e)
    {
        //Specify senders gmail address
        string SendersAddress = "test@gmail.com";

        //Specify The Address You want to sent Email To(can be any valid email address)
        string ReceiversAddress = "test@gmail.com";

        //Specify The password of gmial account u are using to sent mail(pw of sender@gmail.com)
        const string SendersPassword = "test";

        //Write the subject of ur mail
        const string subject = "Testing Items";


        List<string> st1 = GetTextBoxesAndRadioButtons();
        //string body = GetTextBoxes();

        try
        {
            //we will use Smtp client which allows us to send email using SMTP Protocol
            //i have specified the properties of SmtpClient smtp within{}
            //gmails smtp server name is smtp.gmail.com and port number is 587
            SmtpClient smtp = new SmtpClient
            {
                Host = "smtp.gmail.com",
                Port = 587,
                EnableSsl = true,
                DeliveryMethod = SmtpDeliveryMethod.Network,
                Credentials = new NetworkCredential(SendersAddress, SendersPassword),
                Timeout = 3000
            };

            //MailMessage represents a mail message
            //it is 4 parameters(From,TO,subject,body)
            MailMessage message = new MailMessage(SendersAddress, ReceiversAddress, subject, "Test");
            /*WE use smtp sever we specified above to send the message(MailMessage message)*/
            smtp.Send(message);
            Console.WriteLine("Message Sent Successfully");
            Console.ReadKey();
        }
        catch (Exception ex)
        {
            Console.WriteLine(ex.Message);

        }
    }


    public List<String> returnList = new List<String>();

    private List<string> GetTextBoxesAndRadioButtons()
    {
        string txt;

        foreach (Control ctr in Page.Controls)
        {

            CallControls(ctr);

        }

        return returnList;
    }

    private void CallControls(System.Web.UI.Control p)
    {
        string returntext = "";

        foreach (Control ctrlMain in p.Controls)
        {
            if (ctrlMain.HasControls())
            {
                /* Recursive Call */
                CallControls(ctrlMain);
            }
            if (ctrlMain is TextBox)
            {
                TextBox txt;
                txt = (TextBox)FindControl(ctrlMain.ID);
                returnList.Add(txt.Text);
            }
            else if (ctrlMain is RadioButton)
            {
                RadioButton rad;
                rad = (RadioButton)FindControl(ctrlMain.ID);
                returnList.Add(rad.Text);
            }
        }


    }

Вот разметка для интерфейса:1008 *

<tr>
        <td class="style4">
            <asp:Label ID="Label1" runat="server" Text="1. "></asp:Label>
            <asp:TextBox ID="tbShoppingList1" runat="server"></asp:TextBox>
        </td>
        <td>
            <asp:RadioButtonList ID="RadioButtonList1" runat="server" Height="16px" 
                RepeatDirection="Horizontal" Width="772px">
                <asp:ListItem>CVS</asp:ListItem>
                <asp:ListItem>Food Lion</asp:ListItem>
                <asp:ListItem>Home Depot</asp:ListItem>
                <asp:ListItem>Lowe`s</asp:ListItem>
                <asp:ListItem>Publix</asp:ListItem>
                <asp:ListItem>Target</asp:ListItem>
                <asp:ListItem>Walgreens</asp:ListItem>
                <asp:ListItem>WinDixie</asp:ListItem>
                <asp:ListItem>Walmart</asp:ListItem>
            </asp:RadioButtonList>
        </td>
    </tr>

Аналогично для следующих 5 текстовых полей и списков RadioButton!

Это не работает.

'st1' ничего не хранит в нем.

Ответы [ 3 ]

1 голос
/ 12 апреля 2011

вам нужно привести ctr как текстовое поле, а затем получить доступ к свойству «Текст», а не вызывать «ToString» .. try:

 List<string> textboxes = new List<string>();

         foreach (Control c in this.Controls)
         {
            if (c is TextBox)
            {
               textboxes.Add(((TextBox)c).Text); //oops.. forgot a set of parenthesis had to come back and edit.
            }
         }

Ура, ЦИК

1 голос
/ 12 апреля 2011

Это должно сделать это для обоих элементов управления.Вы также можете выделить логику двумя разными способами.Это рекурсивно находит все текстовые поля и радиокнопки в рамках page.controls.Объявите переменную returnList как глобальную (доступно для обоих методов).

 public List<String> returnList = new List<String>();

private List<string> GetTextBoxesAndRadioButtons()
{
    string txt;

    foreach (Control ctr in Page.Controls)
    {

       CallControls(ctr);

    }

string finalstring = string.Join(",", returnList.ToArray());
    return returnList;
}

private void CallControls(System.Web.UI.Control p)
{
    string returntext = "";

    foreach (Control ctrlMain in p.Controls)
    {
        if (ctrlMain.HasControls())
        {
            /* Recursive Call */
            CallControls(ctrlMain);
        }
if (ctrlMain is TextBox)
                {
                    TextBox txt = (TextBox)ctrlMain;
                    //txt = (TextBox)FindControl(ctrlMain.UniqueID);
                    returnList.Add(txt.Text);
                }
                else if (ctrlMain is RadioButtonList)
                {
                    RadioButtonList rad = (RadioButtonList)ctrlMain;
                    //rad = (RadioButtonList)FindControl(ctrlMain.UniqueID);
                    returnList.Add(rad.SelectedValue);
                }
    }


}
1 голос
/ 12 апреля 2011

Приведение ctr к TextBox

if (ctr is TextBox)
            {
                textBoxes.Add((ctr as TextBox).Text);  
            }

Или лучше:

var tb = ctr as TextBox;
if( null != tb )
       textBoxes.Add(cb.Text); 

с последним, что вы избегаете называть оба - / as.

...