rfc:operator_overrides_lite

Differences

This shows you the differences between two versions of the page.

Link to this comparison view

Both sides previous revisionPrevious revision
Next revision
Previous revision
rfc:operator_overrides_lite [2024/06/28 19:37] – add method rules and how to use them withinboredomrfc:operator_overrides_lite [2024/07/07 14:01] (current) – withdrawn withinboredom
Line 1: Line 1:
 ====== PHP RFC: Operator Overrides -- Lite Edition ====== ====== PHP RFC: Operator Overrides -- Lite Edition ======
-  * Version: 0.0+  * Version: 0.1
   * Date: 2024-06-28   * Date: 2024-06-28
   * Author: Robert Landers, landers.robert@gmail.com   * Author: Robert Landers, landers.robert@gmail.com
-  * Status: Under Discussion (or Under Discussion or Accepted or Declined)+  * Status: Withdrawn
   * First Published at: http://wiki.php.net/rfc/operator_overrides_lite   * First Published at: http://wiki.php.net/rfc/operator_overrides_lite
  
 ===== Introduction ===== ===== Introduction =====
  
-Nearly three years ago, [[rfc:user_defined_operator_overloads|PHP RFC: User Defined Operator Overloads]] was declined due to scope and new syntax concerns. However, the GMP class, which represents numbers in the GMP extension, was (accidentally) left non-final. This RFC explores the potential of extending GMP with a limited form of operator overriding, providing cleaner expressions for mathematical constructs and allowing new types of numerical representations such as units, complex numbers, and more.+Nearly three years ago, [[rfc:user_defined_operator_overloads|PHP RFC: User Defined Operator Overloads]] was declined due to scope and new syntax concerns. However, the GMP class, which represents integer numbers in the GMP extension, was (accidentally) left non-final. This RFC explores the potential of extending GMP with a limited form of operator overriding, providing cleaner expressions for mathematical constructs and allowing new types of numerical representations such as units, complex numbers, and more
 + 
 +This is to integers as ArrayAccess is to arrays, and Stringable is to strings, providing a simplified framework for defining integer mathematics, such as units. 
 + 
 +===== What this is not ===== 
 + 
 +This is not a full operator overrides implementation; it is much simpler and it does not stop us from implementing that in the future. It, does, however seek to be a polar opposite of the [[rfc:user_defined_operator_overloads|PHP RFC: User Defined Operator Overloads]] RFC. 
 + 
 +===== Why the GMP extension? ===== 
 + 
 +Several curious people have wondered why this is focused on the GMP extension. The reasons are quite simple: 
 + 
 +  - Numbers are surprisingly hard to implement "from scratch" (which is required if implemented in another extension) and libraries like GMP/BCMath are great libraries that make this simple. 
 +  - GMP has a practically infinite numerical range, meaning if you wanted to write a "Duration" library that counted in nanoseconds, you could have a range larger than 292 years (the limit for 64 bit machines using PHP_INT_MAX). 
 +  - People using the GMP extension are already familiar with the way overloading works in the engine. 
 +  - The extension already has all the plumbing in-place to handle casting, operator overloads, and all in an OOP oriented way.
  
 ===== Proposal ===== ===== Proposal =====
  
-The \GMP class will have the following methods added as protected static:+The \GMP class will be changed to the following signature:
  
-  * add(mixed $left, mixed $right): static +<code php> 
-  * subtract(mixed $left, mixed $right): static +readonly class GMP 
-  * multiply(mixed $left, mixed $right): static +{ 
-  * divide(mixed $leftmixed $right): static +    public function __construct(int|string|GMP $num = 0int $base = 0{}
-  * mod(mixed $left, mixed $right): static +
-  * exp(mixed $left, mixed $right): static +
-  * comparable(mixed $left, mixed right): bool+
  
-These methods will enable operator-like behavior when extended. Overriding equals, less-than, greater-than, etc., is not included to maintain simplicity and avoid non-sensical comparisons.+    public function __serialize(): array {}
  
-Binary operations will be handled as such:+    public function __unserialize(array $data)void {}
  
-  - If both operands are instances of `\GMP`standard behavior applies. +    protected function add(GMP|int|string $left, GMP|int|string $right): GMP {}
-  - If one operand is a subclass of `\GMP`, the subclass's method is invoked. +
-  - If both operands are subclasses, only the left operand's method is called. Compatibility checks are the subclass's responsibility.+
  
-Here'a basic implementation example for duration represented in seconds:+    protected function multiply(GMP|int|string $left, GMP|int|string $right): GMP {} 
 + 
 +    protected function subtract(GMP|int|string $left, GMP|int|string $right): GMP {} 
 + 
 +    protected function divide(GMP|int|string $left, GMP|int|string $right): GMP {} 
 + 
 +    protected function mod(GMP|int|string $left, GMP|int|string $right): GMP {} 
 + 
 +    protected function pow(GMP|int|string $base, GMP|int|string $exp): GMP {} 
 + 
 +    protected function comparable(GMP|int|string $op1, GMP|int|string $op2): bool {} 
 +
 +</code> 
 + 
 +The changes are listed below: 
 + 
 +  - The class is made ''readonly'' to prevent developers from using state in inherited types. 
 +  - The constructor accepts another GMP instance instead of only ''string|int'' 
 +  - Mathematical methods are added to the class as protected. It is expected that developers wanting to support an operation make the associated operation ''public''
 + 
 +For any existing GMP code, absolutely nothing changes. The extension'behavior ONLY changes when the developer extends the GMP class and uses it mathematically. To be usable, the developer must override the desired operations and make them public. This ensures the class can be used even if the GMP extension is unavailable. A polyfill is included in the example below, which can be included in libraries that use this functionality. 
 + 
 +Note the lack of equals, less-than, and greater-than operators. These are deliberately left out and replaced by a "comparable" method where the developer can indicate whether the two objects are compatible. They are left out for several reasons: 
 + 
 +  - PHP reorders comparables as needed 
 +  - The core tenant here is that these objects should represent types of integers, and it is expected that they are internally comparable but possibly not comparable to other types. For example, the number of goats on a farm may not be comparable to the speed of a car. 
 + 
 +Shift and bitwise operations are also left out of the class because it is expected that these behaviors won't change for any type of number that could be implemented here. 
 + 
 +Below is a listing showing a polyfill, a Duration class that only allows adding, multiplying, and exponentiation with scalars and is only comparable to Durations. Further, it cannot be negative.
  
 <code php> <code php>
-  class Duration extends \GMP { +<?php 
-    public function __construct(int|\GMP|float $time) { + 
-        parent::__construct($time10);+if(!class_exists('GMP')) 
 +    // polyfill for completion 
 +    readonly class GMP { 
 +        public function __construct(private int|string|GMP $num) {} 
 + 
 +        protected function add(GMP|int|string $left, GMP|int|string $right): GMP { 
 +            return new self($left?->num + $right?->num); 
 +        
 + 
 +        protected function multiply(GMP|int|string $left, GMP|int|string $right)GMP { 
 +            return new self($left?->num * $right?->num); 
 +        } 
 + 
 +        protected function subtract(GMP|int|string $left, GMP|int|string $right)GMP { 
 +            return new self($left?->num - $right?->num); 
 +        } 
 + 
 +        protected function divide(GMP|int|string $leftGMP|int|string $right): GMP { 
 +            return new self($left?->num / $right?->num); 
 +        } 
 + 
 +        protected function mod(GMP|int|string $left, GMP|int|string $right): GMP { 
 +            return new self($left?->num % $right?->num); 
 +        } 
 + 
 +        protected function pow(GMP|int|string $base, GMP|int|string $exp): GMP { 
 +            return new self($base?->num ** $exp?->num); 
 +        } 
 + 
 +        protected function comparable(GMP|int|string $op1, GMP|int|string $op2): bool { 
 +            return is_numeric($op1) && is_numeric($op2); 
 +        }
     }     }
 +}
  
-    private static function assertCompatible($arg): void +readonly class Duration extends GMP { 
-        if ($arg instanceof self || is_numeric($arg|| (is_object($arg) && get_class($arg) === '\GMP')) { +    public function __construct(int|string|GMP $num = 0) 
-            return;+    
 +        if($num < 0
 +            throw new ArithmeticError('Duration cannot be negative.');
         }         }
-        throw new LogicException('Duration is not compatible with ' . gettype($arg));+ 
 +        parent::__construct($num);
     }     }
  
-    private static function assertNumber($arg): void { +    private function assertValidScalar(mixed $maybeScalar, string $operation): void { 
-        if (is_numeric($arg) || (is_object($arg) && get_class($arg) === '\GMP')) {+        if(is_numeric($maybeScalar)) {
             return;             return;
         }         }
-        throw new LogicException('Argument is not a number: ' . gettype($arg)); 
-    } 
  
-    protected static function add(mixed $left, mixed $right): static +        if(get_class($maybeScalar) === 'GMP') { 
-        self::assertCompatible($right)+            return
-        return new self(parent::add($left, $right)); +        }
-    }+
  
-    protected static function subtract(mixed $left, mixed $right): static { +        throw new ValueError("Can only perform $operation on GMP or int. Got " . get_debug_type($maybeScalar. " instead.");
-        self::assertCompatible($right); +
-        return new self(parent::subtract($left, $right));+
     }     }
  
-    protected static function multiply(mixed $left, mixed $right): static +    private function guardScalars(GMP|int|string $left, GMP|int|string $right, string $operation): void 
-        if ($left instanceof selfself::assertNumber($right); +    
-        if ($right instanceof selfself::assertNumber($left); +        if($left === $this
-        return new self(parent::multiply($left$right));+            $this->assertValidScalar($right, $operation); 
 +            return; 
 +        } 
 + 
 +        if($right === $this
 +            $this->assertValidScalar($left, $operation); 
 +            return
 +        } 
 + 
 +        throw new LogicException('$left or $right must be the same instance as $this.');
     }     }
  
-    protected static function divide(mixed $left, mixed $right): static { +    private function getResult(GMP $result): self 
-        self::assertNumber($right); +        return new self($result);
-        return new self(parent::divide($left, $right));+
     }     }
  
-    protected static function mod(mixed $left, mixed $right): static { +    public function add(GMP|int|string $left, GMP|int|string $right): static 
-        throw new LogicException('Not implemented');+    
 +        $this->guardScalars($left, $right, 'addition'); 
 + 
 +        return $this->getResult(parent::add($left, $right));
     }     }
  
-    protected static function exp(mixed $left, mixed $right): static +    public function multiply(GMP|int|string $left, GMP|int|string $right): GMP 
-        throw new LogicException('Not implemented');+    
 +        $this->guardScalars($left, $right, 'multiplication'); 
 + 
 +        return $this->getResult(parent::multiply($left, $right));
     }     }
  
-    protected static function comparable(mixed $leftmixed $right): bool +    public function pow(GMP|int|string $baseGMP|int|string $exp): GMP 
-        return $left instanceof self && $right instanceof self;+    { 
 +        $this->assertValidScalar($exp, 'exponentiation'); 
 + 
 +        if($base !== $this) { 
 +            throw new LogicException('$base must be the same instance as $this.'); 
 +        } 
 + 
 +        return $this->getResult(parent::pow($base, $exp));
     }     }
  
-    public function asMinutes(): float +    public function comparable(GMP|int|string $op1, GMP|int|string $op2): bool 
-        return $this / 60;+    
 +        return $op1 instanceof self && $op2 instanceof self;
     }     }
-   +}
-    /* and so on */ +
-  } +
-</code>+
  
-This approach provides valuable semantics and type safety, especially in contexts like attributes and properties:+$duration = new Duration(10); 
 +$other = new Duration(200); 
 +$regular = new GMP(10);
  
-<code php+function do_op($description, $op): void { 
-define('SECOND', new Duration(1));+    global $duration, $other, $regular; 
 +    try { 
 +        $result = eval('return ' . $op . ';'); 
 +        echo "$description: $op = $result" . PHP_EOL; 
 +    } catch (Throwable $exception) { 
 +        echo "$description: $op = [" . get_class($exception) . ': ' . $exception->getMessage() . ']' . PHP_EOL; 
 +    } 
 +
 + 
 +do_op('Duration', '$duration'); 
 +do_op('Regular', '$regular')
 +do_op('Other', '$other');
  
-// Use in attributes +do_op('Regular', '$regular + 10'); 
-#[Delay(SECOND)]+do_op('Duration', '$duration + 10'); 
 +do_op('Duration + Duration', '$duration + $other'); 
 +do_op('Duration + Regular', '$duration + $regular'); 
 +do_op('Division not allowed', '$duration 10'); 
 +do_op('Multiplication', '$regular 10'); 
 +do_op('No negatives', '$duration + -20'); 
 +do_op('Comparison', '$duration < $other'); 
 +do_op('Comparison failure', '$duration < 20');
  
-// Use in properties +/** 
-public Duration $delay SECOND;+ * Output: 
 + * Duration: $duration = 10 
 + * Regular: $regular = 10 
 + * Other: $other = 200 
 + * Regular: $regular + 10 = 20 
 + * Duration: $duration + 10 = 20 
 + * Duration + Duration: $duration + $other = [ValueError: Can only perform addition on GMP or int. Got Duration instead.] 
 + * Duration + Regular: $duration + $regular = 20 
 + * Division not allowed: $duration 10 = [Error: Invalid callback Duration::divide, cannot access protected method Duration::divide()] 
 + * Multiplication: $regular * 10 = 100 
 + * No negatives: $duration + -20 = [ArithmeticError: Duration cannot be negative.] 
 + * Comparison: $duration < $other 
 + Comparison failure: $duration < 20 = [ArithmeticError: Can't compare incompatible types] 
 + */
 </code> </code>
  
-====== Methods and their definitions ======+The following exceptions can be thrown by the engine while attempting to perform mathematical operations:
  
-Add, subtract, multiply, divide, mod, and exp all correspond to their associated arithmetic operations. The user can throw an exception from these methods or call the parent method to perform the base operation on its underlying number. Trying to perform the operation again will result in a RuntimeException to prevent infinite recursion.+  * Error: when trying to perform an unsupported operationwhich shows as "Invalid callback Duration::divide, cannot access protected method Duration::divide()" 
 +  * ArithmeticError: when ANY participating comparison indicates that it is not comparable: "Can't compare incompatible types: Duration to int"
  
-The comparable method determines if the objects being compared can be more thanless thanor equal to each other. For example, money is probably not less than, equal to, or more than distance, time, or a plain number. Unlike other binary operations, these are called for all objects in a binary operation and all must agree that they are comparable to each other in order for the comparison to succeed. If any other them return "false" from this method, an ArithmeticError exception will be thrown.+Additionally, the implementor may throw additional exceptionssuch as a ValueError in the example above, to indicate that something is not possible to the developer.
  
 ===== Backward Incompatible Changes ===== ===== Backward Incompatible Changes =====
Line 141: Line 263:
   * support for other operators   * support for other operators
   * serialization/unserialization   * serialization/unserialization
 +  * support for non-integers via BCMath
  
 ===== Proposed Voting Choices ===== ===== Proposed Voting Choices =====
  
-  * Allow extending the \GMP class and use a form of operator overloading +  * 2/3 YES|NO vote: Allow extending the \GMP class and use a form of operator overloading 
-  * Disallow extending the \GMP class +  * 2/3 YES|NO secondary vote: Disallow extending the \GMP class if this RFC fails
- +
-A "NO" vote implies making the `\GMP` class final to prevent further extensions.+
  
 ===== Patches and Tests ===== ===== Patches and Tests =====
  
-A prototype patch will be provided before voting.+Prototype patch: [[https://github.com/php/php-src/pull/14730|PR 14730]]
  
 ===== Implementation ===== ===== Implementation =====
 After the project is implemented, this section should contain  After the project is implemented, this section should contain 
-  - the version(s) it was merged into+  - 
   - a link to the git commit(s)   - a link to the git commit(s)
   - a link to the PHP manual entry for the feature   - a link to the PHP manual entry for the feature
Line 163: Line 284:
 Links to external references, discussions or RFCs Links to external references, discussions or RFCs
  
-===== Rejected Features ===== +===== Rejected Features and Concerns ===== 
-Keep this updated with features that were discussed on the mail lists.+ 
 +=== A separate extension === 
 + 
 +On paper, a separate extension sounds like a good idea. However, I've attempted this with varying degrees of success. Reimplementing mathematics is not straightforward or a good idea when libraries like GMP do a much better job. Since there is already a GMP extension, it makes sense to merge it with that extension instead of forking it. If this RFC is rejected, it is rather straightforward to fork the extension and create a new one. However, that will certainly cause problems in environments where the standard GMP extension is installed instead. 
 + 
 +=== Full Operator Overloading === 
 + 
 +Some people on the list have voiced their opinion that we should revisit full operator overloadingThis RFC does not prevent us from revisiting that in the future, but it is outside the scope of this RFC. 
 + 
 +=== More Operators === 
 + 
 +There are many more operators that could be implemented. However, another concern was raised that people may "abuse" this feature to implement arbitrary objects that do strange things with operators. Thus, the scope is kept to "obviously integer-y things," and the GMP extension goes to great lengths to have the engine treat its objects as numbers. 
 + 
rfc/operator_overrides_lite.1719603434.txt.gz · Last modified: 2024/06/28 19:37 by withinboredom