我正在努力想出一个程序来计算用户输入的分数。我还试图设置用户输入的高或低的限制(即0 <=或> = 100)。但是,当我使用十进制时,它一直给我这个错误,“运算符”&lt;'不能应用于'decimal'和'double'“
类型的操作数using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace Grade_Program
{
class Program
{
static void Main(string[] args)
{
string First;
string Last;
First = "Cristiano";
Last = " Ronaldo";
Console.Write("Please enter student name <First Last>: ");
Console.WriteLine(First + Last );
Console.WriteLine(" ");
Console.WriteLine("*************NOTE**********************************************");
Console.WriteLine("*** Be sure to include decimal point for scores. ***");
Console.WriteLine("*** !!!All score should range from 0.00 to 100.00 !! ***");
Console.WriteLine("*** ***");
Console.WriteLine("*** For example : 80.50 ***");
Console.WriteLine("***************************************************************");
Console.WriteLine(" ");
decimal Exam_1;
decimal Exam_2;
decimal Exam_3;
decimal Assignment_1;
decimal Assignment_2;
Console.Write("Please enter score for Exam 1 <Example: 100.0>: ");
Exam_1 = Convert.ToDecimal(Console.ReadLine());
if (Exam_1 < 0.0 | Exam_1 > 100.0)
Console.Write("Exam score cannot be less than 0. or greater than 100.0. Please re-enter the score for Exam 1 <Example: 95.0>:");
Exam_1 = Convert.ToDecimal(Console.ReadLine());
Console.Write("Please enter score for Exam 2 <Example: 0.0>: ");
Exam_2 = Convert.ToDecimal(Console.ReadLine());
答案 0 :(得分:15)
我在代码中注意到至少四个问题。
首先,如上所述,您应该使用M
后缀告诉C#编译器它是decimal
用于接受的比较:
if (Exam_1 < 0.0M | Exam_1 > 100.0M)
但其次,请使用||
代替|
,因为您希望执行OR
操作,而不是Bitwise-OR
if (Exam_1 < 0.0M || Exam_1 > 100.0M) //change | to ||
第三,我认为非常重要的是你知道这一点: 不需要 decimal
数据类型考试成绩(除非你的考试成绩是格式99.12345678901234556789012345 - 这是不可能的。)
decimal
通常用于需要非常高精度的数字(例如银行中的money
计算),精度高达16位以上。如果您的考试成绩不需要,不使用decimal
,则 overkill 。只需对double
使用int
或float
或Exams
即可,您很可能就在正确的轨道上。
第四,关于你的错误处理,这是不正确的做法:
if (Exam_1 < 0.0 | Exam_1 > 100.0)
Console.Write("Exam score cannot be less than 0. or greater than 100.0. Please re-enter the score for Exam 1 <Example: 95.0>:");
Exam_1 = Convert.ToDecimal(Console.ReadLine());
由于两个原因:
Exam_1
位于区块之外(没有{}
括号)if
,而应使用while
这是正确的方法:
double Exam_1 = -1; //I use double to simplify
Console.Write("Please enter score for Exam 1 <Example: 100.0>: ");
Exam_1 = Convert.ToDouble(Console.ReadLine());
while (Exam_1 < 0.0 || Exam_1 > 100.0) { //see the curly bracket
Console.Write("Exam score cannot be less than 0. or greater than 100.0. Please re-enter the score for Exam 1 <Example: 95.0>:");
Exam_1 = Convert.ToDouble(Console.ReadLine());
} //see the end curly bracket
在C#语言中,缩进并不意味着作用域,与Python之类的语言不同。
答案 1 :(得分:1)
对于十进制,您必须在值中添加“M”后缀,以告诉计算机它是小数。否则计算机会将其视为双倍。
yourDecimal&lt; 98.56M;
答案 2 :(得分:1)
正如其他人已经指出的那样。要使用大于或小于运算符比较decimal
类型,您必须将其与另一个decimal
类型进行比较。为了将文字数字声明为十进制,它需要M
或m
后缀。以下是decimal
类型的MSDN以供参考。
if (Exam_1 < 0.0m || Exam_1 > 100.0m)