- 论坛徽章:
- 0
|
class Rational{
int n,d = 1;
public Rational(){;}
public Rational(Rational r){;}
public Rational(int n, int d){
this.d = d;
this.n = n;
int x = 1;
x = d%n;
while (x != 0 ){
n = d;
d = x;
x = d%n;
} //辗转相除
this.d = this.d/n;
this.n = this.n/n;
}
public Rational gcd(){
int x = this.d % this.n;
int n = this.n,d = this.d;
while (x != 0 ){
n = d;
d = x;
x = d%n;
}
this.d = this.d/n;
this.n = this.n/n; return this;
}
public Rational add(Rational r){
this.n = this.n*r.d + this.d*r.n;
this.d = this.d*r.d;
return this.gcd();
}
public Rational minus(Rational r){
this.n = this.n*r.d - this.d*r.n;
this.d = this.d*r.d;
return this.gcd();
}
public Rational multiply(Rational r){
this.n = this.n*r.n;
this.d = r.d*this.d;
return this.gcd();
}
public Rational devided(Rational r){
this.n = this.n*r.d;
this.d = this.d*r.n;
return this.gcd();
}
public void print(){
System.out.println("the value is " + n + "/" + d);//显示分数
}
}
public class TestR{
public static void main(String[] str){
Rational r1 = new Rational(2,4);
Rational r2 = new Rational(3,9);
Rational r3 = new Rational(2,4);
Rational r4 = new Rational(2,4);
Rational r5 = new Rational(2,4);
r1.print();
r2.print();
r1.add(r2);
r1.print();
r3.minus(r2);
r3.print();
r4.multiply(r2);
r4.print();
r5.devided(r2);
r5.print();
}
}
代码如上,所得结果为:
the value is 1/2
the value is 1/3
the value is 5/6
the value is 1/6
the value is 1/6
the value is 1/1
如果做以下修改,(主要是几个方法的返回类型)如下:
class Rational{
int n,d = 1;
public Rational(){;}
public Rational(Rational r){;}
public Rational(int n, int d){//约分存数据
this.d = d;
this.n = n;
int x = 1;//n是最大公约数
x = d%n;
while (x != 0 ){
n = d;
d = x;
x = d%n;
} //辗转相除
this.d = this.d/n;
this.n = this.n/n;
}
public void gcd(){
int x = this.d % this.n;
int n = this.n,d = this.d;
while (x != 0 ){
n = d;
d = x;
x = d%n;
}
this.d = this.d/n;
this.n = this.n/n; //求最简分数形式
//return this;
}
public void add(Rational r){
this.n = this.n*r.d + this.d*r.n;
this.d = this.d*r.d;
//return this.gcd();
}
public void minus(Rational r){
this.n = this.n*r.d - this.d*r.n;
this.d = this.d*r.d;
//return this.gcd();
}
public void multiply(Rational r){
this.n = this.n*r.n;
this.d = r.d*this.d;
//return this.gcd();
}
public void devided(Rational r){
this.n = this.n*r.d;
this.d = this.d*r.n;
//return this.gcd();
}
public void print(){
System.out.println("the value is " + n + "/" + d);//显示分数
}
}
public class TestR{
public static void main(String[] str){
Rational r1 = new Rational(2,4);
Rational r2 = new Rational(3,9);
Rational r3 = new Rational(2,4);
Rational r4 = new Rational(2,4);
Rational r5 = new Rational(2,4);
r1.print();
r2.print();
r1.add(r2);
r1.print();
r3.minus(r2);
r3.print();
r4.multiply(r2);
r4.print();
r5.devided(r2);
r5.print();
}
}
所得结果为:
the value is 1/2
the value is 1/3
the value is 5/6
the value is 1/6
the value is 1/6
the value is 3/2
请大家指点.另外:
非构造方法方法最后能不能返回this啊? |
|