所以我要根据员工为公司工作的年数来确定员工的基本工资。
我必须使用开关结构执行此操作,并给出范围如下:
工作年数_ __ _Base Salary
0 – 5 $ 9,500
6 – 11 $12,700
12 – 17 $15,300
18 – 29 $22,600
>= 30 $26,800
那么,如果我不想为所有数字提供正确的案例,我该如何处理案件的范围?
这个问题不是太麻烦,但我必须根据销售情况计算出佣金,其范围为$ 0-3,999.99和$ 16,000-23,999.99。
答案 0 :(得分:2)
如果您被迫使用switch
语句,请考虑多个案例可以链接在一起的事实:
switch (years) {
case 0:
case 1:
case 2:
..
return 9500;
case 6:
case 7:
..
}
但是if
声明似乎更适合这个问题:
if (years >= 0 && years <= 5)
..
else if (years >= 6 && years <= 11)
..
答案 1 :(得分:1)
因此,对于第一部分,您只需要声明一个开关,其中多个案例遵循一个代码路径。像这样:
int baseSalary
switch (yearsWorked)
{
case 0:
case 1:
case 2:
case 3:
case 4:
case 5:
baseSalary = 9500;
break;
case 6:
case 7:
case 8:
case 9:
case 10:
case 11:
baseSalary = 12700;
break;
... etc ...
}
对于第二部分,千分之一的每个数字的开关是非常不可行的,但是通过一些智能分割,它可以同样容易。如果将2000除以1000,则得到2,如果将2500除以1000,则得到2(其余为500)。使用它,您可以生成一个switch语句:
int sales = 2100;
int salesRange = sales / 1000; // (salesRange = 2)
int commission
switch (salesRange)
{
case 0: // $0-999 sales
case 1: // $1000-1999 sales
case 2: // $2000-2999 sales
case 3: // $3000-3999 sales
commission = <some number here>;
break;
... etc ...
}
话虽如此,这假设“必须使用开关”是学校作业或类似的一部分。正如其他人所提到的那样,你最好使用带有范围的if语句(例如if (sales >= 0 && sales <= 3999)
),而不是使用开关来做这种事情。
答案 2 :(得分:0)
如果您需要动态创建没有硬编码的范围, 你可以使用这个片段
struct BaseSalary
{
int requiredExperience; // years in company
int amount; // salary amount
};
struct SortCondition
{
bool operator()(const BaseSalary& lhs, const BaseSalary& rhs)
{
return lhs.requiredExperience < rhs.requiredExperience;
}
};
struct SearchCondition
{
bool operator() (const BaseSalary& s, int exp)
{
return s.requiredExperience < exp;
}
};
// Fill base salary list in any appropriate way
BaseSalary s1;
s1.requiredExperience = 3; // [0 - 3]
s1.amount = 3500;
BaseSalary s2; // (3 - 7]
s2.requiredExperience = 7;
s2.amount = 7000;
BaseSalary s3; // (7-10]
s3.requiredExperience = 10;
s3.amount = 11000;
std::vector<BaseSalary> salaries;
salaries.push_back(s2);
salaries.push_back(s3);
salaries.push_back(s1);
// Sort salaries in ascending order of experience
std::sort(salaries.begin(), salaries.end(), SortCondition());
// Get base salary based on experience
int exp_to_search = 5;
std::vector<BaseSalary>::iterator it = std::lower_bound(salaries.begin(), salaries.end(), some_exp, SearchCondition());
if(it == salaries.end())
{
// > 10 years
}
else
{
int amount = it->amount;
}