1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333
//! Command-line interface for the `kalkulator` library.
//!
//! This interface allows users to either convert mathematical expressions to postfix notation or evaluate them directly, and to display all supported operators.
//!
//! # Usage
//!
//! To convert an expression to postfix notation without evaluating:
//! ```bash
//! kalkulator --expr "2+3/4" -p
//! ```
//!
//! To evaluate the result of an expression:
//! ```bash
//! kalkulator --expr "2+3/4"
//! ```
//!
//! To show all available operations:
//! ```bash
//! kalkulator --show-ops
//! ```
//!
//! # Library Usage Examples
//!
//! Below are examples showcasing how to use the `Expression` struct within Rust code to evaluate mathematical expressions.
//!
//! Basic usage to evaluate an arithmetic expression:
//! ```
//! use kalkulator::Expression;
//!
//! let mut expr = Expression::new("3+4*2");
//! expr.infix_to_postfix().unwrap(); // Converts to postfix notation
//! expr.compute_expression().unwrap(); // Evaluates the expression
//! assert_eq!(expr.get_result().unwrap(), 11); // The result is 11
//! ```
//!
//! Evaluating an expression with factorial and division:
//! ```
//! use kalkulator::Expression;
//!
//! let mut expr = Expression::new("4!/(2+3)");
//! expr.infix_to_postfix().unwrap(); // Converts to postfix notation
//! expr.compute_expression().unwrap(); // Evaluates the expression
//! assert_eq!(expr.get_result().unwrap(), 24); // The result is 24 (120 / 5)
//! ```
//!
//! Evaluating an expression involving all supported operations:
//! ```
//! use kalkulator::Expression;
//!
//! let mut expr = Expression::new("2+3*4-5/2");
//! expr.infix_to_postfix().unwrap();
//! expr.compute_expression().unwrap();
//! assert_eq!(expr.get_result().unwrap(), 11); // The result is 11
//! ```
use std::collections::VecDeque;
use std::sync::Mutex;
#[macro_use]
extern crate lazy_static;
__lazy_static_internal!(@MAKE TY, ,(pub),FACTORIAL_CACHE);
__lazy_static_internal!(@TAIL,FACTORIAL_CACHE:Mutex<Vec<f64>> = Mutex::new(vec![1.0,1.0]));
lazy_static!();
/// Represents an arithmetic expression, its postfix notation, and computation result.
pub struct Expression {
pub expr: String,
pub post_fix: String,
pub result: Result<f64, ErrorKind>,
}
/// Enumerates possible errors that can occur during expression parsing and evaluation.
#[derive(Debug, PartialEq)]
pub enum ErrorKind {
InvalidExpression,
InsufficientOperands,
DivisionByZero,
Overflow,
InvalidToken,
MalformedExpression,
FactorialNonInteger,
FactorialNegative,
}
impl ErrorKind {
/// Returns a description of the error
pub fn as_str(&self) -> &'static str {
match *self {
ErrorKind::InvalidExpression => "Invalid expression",
ErrorKind::InsufficientOperands => "Insufficient operands",
ErrorKind::DivisionByZero => "Division by zero",
ErrorKind::Overflow => "Overflow",
ErrorKind::InvalidToken => "Invalid token",
ErrorKind::MalformedExpression => "Malformed postfix expression",
ErrorKind::FactorialNegative => "Factorial of a negative number",
ErrorKind::FactorialNonInteger => "Factorial of a non-integer",
}
}
}
impl std::fmt::Display for ErrorKind {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
write!(f, "{}", self.as_str())
}
}
impl Expression {
/// Constructs a new 'Expression' instance from a String Slice
pub fn new(expr: &str) -> Expression {
Self {
expr: expr.to_string(),
post_fix: String::new(),
result: Err(ErrorKind::InvalidExpression),
}
}
/// Determines the precedence of operators to aid in postfix conversion
pub fn precedence(operator: char) -> u8 {
match operator {
'+' | '-' => 1,
'*' | '/' => 2,
'^' => 3,
'&' | '|' | '~' => 0, // ~ : XOR logical operator
_ => 0,
}
}
/// Converts the stored infix expression to postfix notation
pub fn infix_to_postfix(&mut self) -> Result<(), ErrorKind> {
let mut output_queue = VecDeque::new();
let mut stack = Vec::new();
let mut number_buffer = Vec::new();
let mut tokens = self.expr.chars().peekable();
while let Some(&ch) = tokens.peek() {
match ch {
'0'..='9' | '.' => {
number_buffer.push(ch);
tokens.next();
}
'!' => {
Self::flush_num_buffer(&mut number_buffer, &mut output_queue);
output_queue.push_back(String::from("!"));
tokens.next();
}
' ' => {
Self::flush_num_buffer(&mut number_buffer, &mut output_queue);
tokens.next();
}
'+' | '-' | '*' | '/' | '^' | '&' | '|' | '~' => {
Self::flush_num_buffer(&mut number_buffer, &mut output_queue);
while let Some(&operation) = stack.last() {
if operation == '(' || !Self::has_higher_precedence(operation, ch) {
break;
}
output_queue.push_back(stack.pop().unwrap().to_string());
}
stack.push(ch);
tokens.next();
}
'(' => {
stack.push(ch);
tokens.next();
}
')' => {
Self::flush_num_buffer(&mut number_buffer, &mut output_queue);
while let Some(op) = stack.pop() {
if op == '(' {
break;
}
output_queue.push_back(op.to_string());
}
tokens.next();
}
_ => return Err(ErrorKind::InvalidToken),
}
}
Self::flush_num_buffer(&mut number_buffer, &mut output_queue);
while let Some(op) = stack.pop() {
if op == '(' {
return Err(ErrorKind::MalformedExpression); // Handle unbalanced parentheses
}
output_queue.push_back(op.to_string());
}
self.post_fix = output_queue.into_iter().collect::<Vec<_>>().join(" ");
Ok(())
}
fn flush_num_buffer(number_buffer: &mut Vec<char>, output: &mut VecDeque<String>) {
if !number_buffer.is_empty() {
let num = number_buffer.iter().collect::<String>();
output.push_back(num);
number_buffer.clear();
}
}
/// Returns String slice to the Postfix conversion
pub fn show_post_fix(&self) -> &str {
&self.post_fix
}
/// Checks if the first operator has higher precendence over the second
pub fn has_higher_precedence(op1: char, op2: char) -> bool {
Self::precedence(op1) > Self::precedence(op2)
}
/// Evaluates the postfix expression and stores the 'result'
pub fn compute_expression(&mut self) -> Result<(), ErrorKind> {
let post_fix_vector: Vec<&str> = self.post_fix.split_whitespace().collect();
let mut stack: Vec<f64> = Vec::new();
for token in post_fix_vector.iter() {
match *token {
"+" | "-" | "*" | "/" | "^" => {
if stack.len() < 2 {
return Err(ErrorKind::InsufficientOperands);
}
let operand2 = stack.pop().unwrap();
let operand1 = stack.pop().unwrap();
let result = match *token {
"+" => operand1 + operand2,
"-" => operand1 - operand2,
"*" => operand1 * operand2,
"/" => {
if operand2 == 0.0 {
return Err(ErrorKind::DivisionByZero);
}
operand1 / operand2
}
"^" => operand1.powf(operand2),
_ => unreachable!(), // Already validated during infix to postfix conversion
};
stack.push(result);
}
"!" => {
if let Some(a) = stack.pop() {
if a < 0.0 || a.fract() != 0.0 {
// considering only positive integer like values
return Err(if a < 0.0 {
ErrorKind::FactorialNegative
} else {
ErrorKind::FactorialNonInteger
});
}
let fact = Self::factorial(a as usize)?;
stack.push(fact);
} else {
return Err(ErrorKind::InsufficientOperands);
}
}
"&" | "|" | "~" => {
if stack.len() < 2 {
return Err(ErrorKind::InsufficientOperands);
}
let operand1 = stack.pop().unwrap() as i64;
let operand2 = stack.pop().unwrap() as i64;
let result = match *token {
"&" => operand1 & operand2,
"|" => operand1 | operand2,
"~" => operand1 ^ operand2,
_ => unreachable!(), // already validated during infix to postfix conversion
};
stack.push(result as f64);
}
_ => {
if let Ok(num) = token.parse::<f64>() {
stack.push(num);
} else {
return Err(ErrorKind::InvalidToken);
}
}
}
}
if stack.len() == 1 {
self.result = Ok(stack.pop().unwrap());
} else {
return Err(ErrorKind::MalformedExpression);
}
Ok(())
}
/// Computes factorial of a number, utilizing a cache to improve performance
fn factorial(n: usize) -> Result<f64, ErrorKind> {
let mut cache = FACTORIAL_CACHE.lock().map_err(|_| ErrorKind::Overflow)?;
if n >= cache.len() {
for i in cache.len()..=n {
let last = *cache.last().unwrap();
let result = last * i as f64;
if result.is_infinite() {
return Err(ErrorKind::Overflow);
}
cache.push(result);
}
}
cache.get(n).copied().ok_or(ErrorKind::InvalidExpression)
}
/// Returns reference to the computation 'Result<>'
pub fn get_result(&self) -> &Result<f64, ErrorKind> {
&self.result
}
/// Process the expression by converting it to postfix and optionally computing it
pub fn process_expression(&mut self, compute: bool) -> Result<(), ErrorKind> {
self.infix_to_postfix()?;
if !compute {
println!("Postfix: [{}]", self.show_post_fix());
}
if compute {
self.compute_expression()?;
match self.get_result() {
Ok(result) => println!("Result = {}", result),
Err(e) => println!("Error: {}", e),
}
}
Ok(())
}
}