0

我正在制作一个程序来在文本框中添加用逗号(,)分隔的列表数字。示例:我的总数为 1,12,5,23 += num; 我一直在使用未分配的局部变量。

using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Linq;
using System.Text;
using System.Windows.Forms;

namespace WindowsFormsApplication1
{
public partial class Form1 : Form
{
    public Form1()
    {
        InitializeComponent();
    }

    private void button1_Click(object sender, EventArgs e)
    {
        string str = textBox1.Text;
        char[] delim = { ',' };
        int total;
        int num;
        string[] tokens = str.Split(delim);

        foreach (string s in tokens)
        {

           num = Convert.ToInt32(s);
           total += num;

        }
        totallabel.Text = total.ToString();


    }
   }
 }
4

3 回答 3

2

你需要改变

int total;

int total = 0;

原因是,如果你仔细观察

total += num;

它也可以写成

total = total + num;

在第一次使用中,将取消分配总数。

于 2012-07-27T04:04:20.180 回答
0

其他答案是正确的,但我将提供一个不需要初始化变量的替代 FWIW,因为它只分配给一次。:)

var total = textBox1.Text
    .Split(',')
    .Select(n => Convert.ToInt32(n))
    .Sum();
于 2012-07-27T06:58:54.103 回答
0

您没有为总计分配初始值,也许您需要:

int total = 0;
于 2012-07-27T04:04:35.573 回答