Operator ‘==’ cannot be applied to operands of type ‘char’ and ‘string’

后端 未结 5 1840
情深已故
情深已故 2020-12-07 01:40

I’m working on a self directed simple program to practice concepts I’ve learned thus far. My project is related to chess, in this case specifically the board (columns a-h an

5条回答
  •  情书的邮戳
    2020-12-07 02:39

    Unlike C, a string and an array of char are different. A string in C# can be viewed as an array of char but you should consider them different, therefore the '==' comparison isn't appropriate. One easy way to see this is with the following simple expression

       if ("a" == 'a') { /* do something */ } // ERROR!
    

    It looks like it should work but it generates the same error you are seeing, because it is trying to compare the string "a" to the char 'a'. In your example code the Text property of your textbox control is of type string.

    The string class has an indexer that allows you to treat a string as an array of char, but it's usually better (simpler) to use one of the many string methods to accomplish your goal. Consider this:

            var gridcolumns = "abcdefgh";
            var gridrows = "12345678";
            var input = "a1"; // column row
            var col = gridcolumns.IndexOf(input[0]); // 0 -7
            var row = gridrows.IndexOf(input[1]); // 0 -7
    

    In the code you gave I don't see a line that would generate the error you provided. The following line serves no purpose

               Char.ToLowerInvariant(currentLocationTextBox.Text[0]);
    

    Because you are not assigning the returned value to a variable, plus 'cl' already contains the lowercasing of that particular value.

    This line

                if (cl[0] == gridColumns[i])
    

    should not generate the error because both items are of type char.

提交回复
热议问题