用于检查多个文本框中的空值的逻辑



大家好,可能是一个简单的。使用 C# .Net 4.0 和 Visual Studio 2012 Ultimate。

得到以下代码:

string part = "";
part = txtIOpart.Text;
txtBatchCV.Text = txtBatchIO.Text;
txtPartCV.Text = part;
txtExternalCV.Text = Sqlrunclass.SplitSpec_External(part, pg);
txtInternalCV.Text = Sqlrunclass.SplitSpec_Internal();
txtABSCV.Text = Sqlrunclass.SplitSpec_cvABS();
txtOilCV.Text = Sqlrunclass.SplitSpec_OilSeal();
txtBarCV.Text = "*" + Sqlrunclass.SplitInfo_ASno(part, pg) + "*";
txtBarNumCV.Text = txtBarCV.Text;
txtLocnCV.Text = Sqlrunclass.SplitInfo_Location();
txtFitsCV.Text = Sqlrunclass.SplitInfo_Desc();
txtHeightCV.Text = Sqlrunclass.SplitSpec_Height();
txtDiameterCV.Text = Sqlrunclass.SplitSpec_Diameter();
txtCirclitCV.Text = Sqlrunclass.SplitSpec_Circlit();
picTypeCV.Image = ftpclass.Download("CVspecType" + Sqlrunclass.SplitSpec_TypeCV() + ".jpg", "ftp.shaftec.com/Images/TypeJpg", "0095845|shafteccom0", "4ccc7365d4");
if (txtBatchCV.Text == null || txtBatchCV.Text == "")
{
    txtBatchCV.Text = "ALL";
}

正如您在底部看到的,我正在检查批处理,但我需要检查由一堆方法设置的所有数据。如果每个看到空或空白的 txt,它将具有不同的 txt 输出。 有没有办法缩短这段代码?

尝试,例如txtBatchCV.Text

//Just for null
txtBatchCV.Text = (txtBatchCV.Text ?? "ALL").ToString(); 
//for both null and empty string
txtBatchCV.Text = string.IsNullOrEmpty(txtBatchCV.Text) ? "ALL": txtBatchCV.Text; 

您可以遍历所有文本框

foreach (var txt in form.Controls.OfType<TextBox>())
{
    switch(txt.Id){
        case "txtBatchCV":
        // Do whatever you want for txtBatchCV e.g. check string.IsNullOrEmpy(txt.Text)
        break;
    }
}

我从这里借用了上面的内容:

如何遍历所有文本框并使它们从操作字典中运行相应的操作?

为了回应我从 Tim 那里得到的评论,我添加了更多的代码来解释你可以做什么。我的代码示例从来都不是一个完整的解决方案。

TextBox.Text永远不会null,然后它会返回""。如果您的方法返回null您可以使用null-coalescing operator

string nullRepl = "ALL";
txtExternalCV.Text = Sqlrunclass.SplitSpec_External(part, pg) ?? nullRepl;
txtInternalCV.Text = Sqlrunclass.SplitSpec_Internal() ?? nullRepl;
txtABSCV.Text = Sqlrunclass.SplitSpec_cvABS() ?? nullRepl;
txtOilCV.Text = Sqlrunclass.SplitSpec_OilSeal() ?? nullRepl;
txtLocnCV.Text = Sqlrunclass.SplitInfo_Location() ?? nullRepl;
txtFitsCV.Text = Sqlrunclass.SplitInfo_Desc() ?? nullRepl;
txtHeightCV.Text = Sqlrunclass.SplitSpec_Height() ?? nullRepl;
txtDiameterCV.Text = Sqlrunclass.SplitSpec_Diameter() ?? nullRepl;
txtCirclitCV.Text = Sqlrunclass.SplitSpec_Circlit() ?? nullRepl;

对于初学者,您可以使用string.IsNullOrEmpty(txtBatchCV.Text),这是一种对流方法,基本上可以执行您在if检查中所做的操作。

您至少可以使用以下方法之一:

string.IsNullOrEmpty(txtBatchCV.Text)

string.IsNullOrWhitespace(txtBatchCV.Text)

我会尝试这样的事情:

void SetDefaultIfNull(TextBox txt, string defaultVal)
{
    if (string.IsNullOrWhitespace(txt.Text))
        txt.Text = defaultVal;
}

然后将每个文本框和默认值传递给该方法。

相关内容

  • 没有找到相关文章

最新更新