mirror of
https://github.com/TheAlgorithms/Java.git
synced 2025-07-23 04:20:16 +08:00
82 lines
2.6 KiB
Java
82 lines
2.6 KiB
Java
package com.thealgorithms.maths;
|
|
|
|
public record ADTFraction(int numerator, int denominator) {
|
|
/**
|
|
* Initializes a newly created {@code ADTFraction} object so that it represents
|
|
* a fraction with the {@code numerator} and {@code denominator} provided as arguments.
|
|
*
|
|
* @param numerator The fraction numerator
|
|
* @param denominator The fraction denominator
|
|
*/
|
|
public ADTFraction {
|
|
if (denominator == 0) {
|
|
throw new IllegalArgumentException("Denominator cannot be 0");
|
|
}
|
|
}
|
|
|
|
/**
|
|
* Add two fractions.
|
|
*
|
|
* @param fraction the {@code ADTFraction} to add
|
|
* @return A new {@code ADTFraction} containing the result of the operation
|
|
*/
|
|
public ADTFraction plus(ADTFraction fraction) {
|
|
var numerator
|
|
= this.denominator * fraction.numerator + this.numerator * fraction.denominator;
|
|
var denominator = this.denominator * fraction.denominator;
|
|
return new ADTFraction(numerator, denominator);
|
|
}
|
|
|
|
/**
|
|
* Multiply fraction by a number.
|
|
*
|
|
* @param number the number to multiply
|
|
* @return A new {@code ADTFraction} containing the result of the operation
|
|
*/
|
|
public ADTFraction times(int number) {
|
|
return times(new ADTFraction(number, 1));
|
|
}
|
|
|
|
/**
|
|
* Multiply two fractions.
|
|
*
|
|
* @param fraction the {@code ADTFraction} to multiply
|
|
* @return A new {@code ADTFraction} containing the result of the operation
|
|
*/
|
|
public ADTFraction times(ADTFraction fraction) {
|
|
var numerator = this.numerator * fraction.numerator;
|
|
var denominator = this.denominator * fraction.denominator;
|
|
return new ADTFraction(numerator, denominator);
|
|
}
|
|
|
|
/**
|
|
* Generates the reciprocal of the fraction.
|
|
*
|
|
* @return A new {@code ADTFraction} with the {@code numerator} and {@code denominator} switched
|
|
*/
|
|
public ADTFraction reciprocal() {
|
|
return new ADTFraction(this.denominator, this.numerator);
|
|
}
|
|
|
|
/**
|
|
* Calculates the result of the fraction.
|
|
*
|
|
* @return The numerical result of the division between {@code numerator} and {@code
|
|
* denominator}
|
|
*/
|
|
public float value() {
|
|
return (float) this.numerator / this.denominator;
|
|
}
|
|
|
|
/**
|
|
* Returns a string representation of this {@code ADTFraction} in the format
|
|
* {@code numerator}/{@code denominator}.
|
|
*
|
|
* @return A string representation of this {@code ADTFraction}
|
|
*/
|
|
@Override
|
|
public String toString() {
|
|
return String.format("%d/%d", this.numerator, this.denominator);
|
|
}
|
|
}
|