在我的三角班“找不到符号错误”(“Cannot find symbol error” in my T

2019-10-29 21:04发布

我想不通,为什么我得到找不到的Num和三角型变量符号错误。

这是类:

public class Triangle
{
    private int s1;
    private int s2;
    private int s3;

    public Triangle (int s1, int s2, int s3)
{
        s1= num1;
        s2= num2;
        s3= num3;
}

    public String toString()
    {
    return (s1 + " " + s2 + " " + s3);
    }

    public boolean is_equilateral(){
if(s1==s2 && s2==s3 && s3==s1)
    {
    return Triangle.is_equilateral;
    }
else
{
    return false;
}
}

    public boolean is_isosceles(){
if((s1==s2)||(s2==s3)||(s3==s1))
{
    return Triangle.is_isosceles;
}
else
{
    return false;
}
}

    public boolean is_scalene(){
if(s1!=s2 && s2!=s3 && s3!=s1)
{
    return Triangle.is_scalene;
}
else
{
    return false;
}
}


    }

这是程序:

import java.util.Scanner;
public class Assignment5 {

   //===========================================================
   // Create and determine properties of various triangles.
   //===========================================================
   public static void main (String[] args) {

      Scanner console = new Scanner(System.in);
      int num1;
      int num2;
      int num3;
      String another;
      do
      {
         System.out.println("Enter the sides of the triangle: ");
         num1 = console.nextInt();
         num2 = console.nextInt();
         num3 = console.nextInt();

         Triangle myTriangle = new Triangle (num1, num2, num3);


        System.out.println(myTriangle.toString() + " triangle:");

        //check the isosceles
        if (myTriangle.is_isosceles())
           System.out.println("\tIt is isosceles");
        else
           System.out.println("\tIt is not isosceles");

        //check the equilateral
        if (myTriangle.is_equilateral())
           System.out.println("\tIt is equilateral");
        else
           System.out.println("\tIt is not a equilateral");

        //check the scalene
        if (myTriangle.is_scalene())
           System.out.println("\tIt is scalene");
        else
           System.out.println("\tIt is not scalene");


        System.out.println();
        System.out.print("Check another Triangle (y/n)? ");
        another = console.next();

    } while (another.equalsIgnoreCase("y"));


   }  // method main

}  // class Assignment5

我是相当新的Java的很抱歉,如果这是一个明显的问题。

Answer 1:

private int s1; // these belong to the class
private int s2;
private int s3;

public Triangle (int s1, int s2, int s3) // these belong to the constructor
{
        s1= num1; // num1 isn't declared anywhere
        s2= num2;
        s3= num3;
}

这两个类变量和参数构造函数被命名为s1 - s3

您需要更改的参数num1 - num3 ,或改变赋值语句使用this关键字来引用类变量。 这是第一个方法:

private int s1; // these belong to the class
private int s2;
private int s3;

public Triangle (int num1, int num2, int num3) // these belong to the constructor
{
        s1 = num1;
        s2 = num2;
        s3 = num3;
}

提供构造为课程



文章来源: “Cannot find symbol error” in my Triangle class