c#奖金计算器
本文关键字:计算器 | 更新日期: 2023-09-27 18:08:15
创建一个奖金计算器程序,该程序有两个重载方法----,一个方法接受以double形式表示的工资和奖金,另一个方法接受以double形式表示的工资和奖金,另一个方法接受以int形式表示的奖金。
我写了这个程序,我可以让奖励作为整型工作但它们都是双精度不能工作
namespace BonusCalculation
{
class Bonus
{
static void Main(string[] args)
{
double salary;
int bonus;
double bonusPercent;
WriteLine("What is your salary?");
salary = Convert.ToDouble(ReadLine());
WriteLine("What is your bonus?");
string bonusString = Console.ReadLine();
if (int.TryParse(bonusString, out bonus))
{ CalcBonus(salary, bonus); }
else if((double.TryParse(bonusString, out bonusPercent)))
{ CalcBonus(salary, bonusPercent); }
WriteLine( "Your new salary is {0:c2}", CalcBonus(salary,bonus));
}
static double CalcBonus(double s,double b)
{
s = (s * b) + s;
return s;
}
static double CalcBonus(double s, int b)
{
s = s + b;
return s;
}
}
}
当我以double作为奖励运行程序时,它不会进行数学运算。谢谢大家的帮助。
问题就在这里:
if (int.TryParse(bonusString, out bonus))
{ CalcBonus(salary, bonus); }
else if((double.TryParse(bonusString, out bonusPercent)))
{ CalcBonus(salary, bonusPercent); }
WriteLine( "Your new salary is {0:c2}", CalcBonus(salary,bonus));
如果bonusString
不是一个有效的整数,则bonus
永远不会被设置,并且WriteLine
中最后一次调用CalcBonus
时使用0
作为奖励值。
与其尝试推断奖励类型,不如让用户指定他们输入的是百分比还是值,并且只进行一次计算,而不是在WriteLine
调用时再次进行计算。
public partial class Form1 : Form
{
// Constant field for the contribution rate
private const decimal CONTRIB_RATE = 0.05m;
public Form1()
{
InitializeComponent();
}
// The InputIsValid method converts the user input and stores
// it in the arguments (passed by reference). If the conversion
// is successful, the method returns true. Otherwise it returns
// false.
private bool InputIsValid(ref decimal pay, ref decimal bonus)
{
// Flag variable to indicate whether the input is good
bool inputGood = false;
// Try to convert both inputs to decimal.
if (decimal.TryParse(grossPayTextBox.Text, out pay))
{
if (decimal.TryParse(bonusTextBox.Text, out bonus))
{
// Both inputs are good.
inputGood = true;
}
else
{
// Display an error message for the bonus.
MessageBox.Show("Bonus amount is invalid.");
}
}
else
{
// Display an error message for gross pay.
MessageBox.Show("Gross pay is invalid.");
}
// Return the result.
return inputGood;
}
private void calculateButton_Click(object sender, EventArgs e)
{
// Variables for gross pay, bonus, and contributions
decimal grossPay = 0m, bonus = 0m, contributions = 0m;
if (InputIsValid(ref grossPay, ref bonus))
{
// Calculate the amount of contribution.
contributions = (grossPay + bonus) * CONTRIB_RATE;
// Display the contribution.
contributionLabel.Text = contributions.ToString("c");
}
}
private void exitButton_Click(object sender, EventArgs e)
{
// Close the form.
this.Close();
}
}
}