3

如何在内部获取 try catchLetter以调用内部的 try catch Program?目前我正在使用 bool 作为验证器,但我希望任何 false bool 都会引发错误并Program看到这一点。

最好的方法是什么,因为目前Program无法判断属性是否设置不正确。

Program.cs

        Letter a = new Letter();
        try
        {
            a.StoredChar = '2';
        }
        catch (Exception)
        {
            a.StoredChar = 'a';
        }
        // I want this to print 'a' because the '2' should throw a catch somehow
        // I don't know how to set this up.
        Console.WriteLine(a.StoredChar);

Letter.cs

    class Letter
    {
        char storedChar;

        public char StoredChar
        {
            set { validateInput(value);}
            get { return storedChar;}
        }

        bool validateInput(char x)
        {
            if ( ( (int)x >= 65 && (int)x <= 90 ) || ( (int)x >= 97 && (int)x <= 122 )  )
            {
                storedChar = x;
                return true;
            }
            else
            {
                return false;
            }
        }
    }
4

3 回答 3

7

只需在 Letter 类中抛出异常即可。像这样:

private void validateInput(char x)
{
    if ( ( (int)x >= 65 && (int)x <= 90 ) || ( (int)x >= 97 && (int)x <= 122 )  )
    {
       storedChar = x;
    }
    else
    {
       throw new OutOfRangeException("Incorrect letter!");
    }
}
于 2013-05-31T08:19:47.673 回答
4

我永远不会使用异常来驱动程序流程。如果允许用户键入可能错误地传递给 Letter 类的值,那么您应该更改您的类以公开 ValidateInput 方法并在尝试更改 StoredChar 之前调用它

char z = '2';
Letter a = new Letter();
if(!a.ValidateInput(z))
{
    MessageBox.Show("Invalid data");
    return;
}
a.StoredChar = z;
于 2013-05-31T08:24:29.657 回答
1

我不认为使用try catch设置值是一个好主意,但根据您的要求,我认为设置器可以是这样的:

void validateInput(char x)
{
   if (((int)x >= 65 && (int)x <= 90 ) || ((int)x >= 97 && (int)x <= 122))
        {
            storedChar = x;
        }
        else
        {
            throw new SomeException();
        }
}
于 2013-05-31T08:21:59.083 回答