我正在尝试编写一个程序,将课堂上的男性总数与女性总数相加,然后除以找到两者的百分比。根据我现在的情况,它找到了学生总数但是给出了0%的值?我该怎么做才能解决这个问题?
主类:
public class MainClass {
public static void main(String[] args) {
TextHandler.textOne();
ScanHandler.scanOne();
ScanHandler.scanTwo();
TextHandler.textSix();
}
}
ScanHandler类:
import java.util.Scanner;
public class ScanHandler {
//SCAN VARIABLES DECLARED
private static Scanner input = new Scanner(System.in);
private static int x;
private static int y;
private static int z;
public static void scanOne(){
//manages start up text
String a = input.nextLine();
if(a.equals("y")){
TextHandler.textTwo();
}else if(a.equals("n")){
TextHandler.textThree();
}else{
TextHandler.textFour();
}
}
public static void scanTwo(){
//collects variable values and computes math.
int a, b, c;
a = input.nextInt();
TextHandler.textFive();
b = input.nextInt();
c = a + b;
x = c;
y = a / c;
z = b / c;
}
public static int getx(){
return x;
}
public static int gety(){
return y;
}
public static int getz(){
return z;
}
}
TextHandler类:
public class TextHandler {
private static void nextLine(){
System.out.println("");
}
public static void textOne(){
System.out.println("Hello, please take a moment of your time to fill out our breif survey!");
nextLine();
System.out.println("Y-ES / N-O");
nextLine();
}
public static void textTwo(){
System.out.println("Thank you!");
nextLine();
System.out.println("Please enter the total number of females in the class.");
}
public static void textThree(){
System.out.println("Very well, have a nice day!");
System.exit(0);
}
public static void textFour(){
System.out.println("Please run again using y or n.");
System.exit(0);
}
public static void textFive(){
nextLine();
System.out.println("Please enter the total number of males in the class.");
}
public static void textSix(){
int type1, type2, type3;
type1 = ScanHandler.getx();
type2 = ScanHandler.gety();
type3 = ScanHandler.getz();
System.out.println("There is a total number of " + type1 + " students in the class.");
nextLine();
System.out.println("The percentage of females in the class is: " + type2 + "%.");
nextLine();
System.out.println("The percentage of males in the class is: " + type3 + "%.");
}
}
答案 0 :(得分:1)
由于z
和y
变量是整数,因此它们都变为0.当您将女性的数量除以学生总数时,结果在0到1之间。整数类型只存储整数并摆脱阶乘部分。因此,例如0.5变为0.您可以尝试将男性设置为0,然后y
将变为1.
为了解决这个问题,您必须将z
和y
设置为float或double。
private static float y;
private static float z;
public static float gety(){
return y;
}
public static float getz(){
return z;
}
除了将整数除以整数将生成一个整数。你必须将你划分的变量转换成浮点数。
y = (float)a / c;
z = (float)b / c;
答案 1 :(得分:1)
当你分割两个整数时,Java会砍掉小数部分。因此,如果我们有4个男孩和6个女孩,你会得到4/10,一旦我们砍掉小数部分就是0。
如果要保留小数部分,则应将其中一个数字设为double而不是int。最简单的方法是将其中一个数字乘以1.0:
y = 1.0 * a / c;
这将给你1.0 * 4/10 = 4.0 / 10 = 0.4。