静的クラスを使用して静的メソッドをチェーンすることは可能ですか?私がこのようなことをしたかったとしましょう:
$value = TestClass::toValue(5)::add(3)::subtract(2)::add(8)::result();
。 。 。明らかに、$ valueに番号14を割り当てたいと思います。これは可能ですか?
pdate:機能しません( "self"を返すことはできません。インスタンスではありません!)が、これが私の考えの一部です。
class TestClass {
public static $currentValue;
public static function toValue($value) {
self::$currentValue = $value;
}
public static function add($value) {
self::$currentValue = self::$currentValue + $value;
return self;
}
public static function subtract($value) {
self::$currentValue = self::$currentValue - $value;
return self;
}
public static function result() {
return self::$value;
}
}
それを解決した後は、静的な関数呼び出しを連鎖させようとするよりも、単にクラスインスタンスを操作するほうが理にかなっていると思います(上記の例をどうにか調整できない限り、これは不可能に見えます)。
上記のCamiloが提供するソリューションが好きです。基本的には静的メンバーの値を変更するだけであり、(シンタティックシュガーだけであっても)チェーンが必要なため、TestClassのインスタンス化がおそらく最善の方法です。 。
クラスのインスタンス化を制限したい場合は、シングルトンパターンをお勧めします。
class TestClass
{
public static $currentValue;
private static $_instance = null;
private function __construct () { }
public static function getInstance ()
{
if (self::$_instance === null) {
self::$_instance = new self;
}
return self::$_instance;
}
public function toValue($value) {
self::$currentValue = $value;
return $this;
}
public function add($value) {
self::$currentValue = self::$currentValue + $value;
return $this;
}
public function subtract($value) {
self::$currentValue = self::$currentValue - $value;
return $this;
}
public function result() {
return self::$currentValue;
}
}
// Example Usage:
$result = TestClass::getInstance ()
->toValue(5)
->add(3)
->subtract(2)
->add(8)
->result();
class oop{
public static $val;
public static function add($var){
static::$val+=$var;
return new static;
}
public static function sub($var){
static::$val-=$var;
return new static;
}
public static function out(){
return static::$val;
}
public static function init($var){
static::$val=$var;
return new static;
}
}
echo oop::init(5)->add(2)->out();
Php5.3の少しクレイジーなコード...
namespace chaining;
class chain
{
static public function one()
{return get_called_class();}
static public function two()
{return get_called_class();}
}
${${${${chain::one()} = chain::two()}::one()}::two()}::one();
Php7では、新しい niform Variable Syntax のため、必要な構文を使用できます。
<?php
abstract class TestClass {
public static $currentValue;
public static function toValue($value) {
self::$currentValue = $value;
return __CLASS__;
}
public static function add($value) {
self::$currentValue = self::$currentValue + $value;
return __CLASS__;
}
public static function subtract($value) {
self::$currentValue = self::$currentValue - $value;
return __CLASS__;
}
public static function result() {
return self::$currentValue;
}
}
$value = TestClass::toValue(5)::add(3)::subtract(2)::add(8)::result();
echo $value;
ToValue(x)がオブジェクトを返す場合、次のようにすることができます。
$value = TestClass::toValue(5)->add(3)->substract(2)->add(8);
ToValueを指定すると、オブジェクトの新しいインスタンスが返され、nextメソッドごとにオブジェクトが変化し、$ thisのインスタンスが返されます。
常にFirstメソッドを静的メソッドとして使用し、残りをインスタンスメソッドとして使用できます。
$value = Math::toValue(5)->add(3)->subtract(2)->add(8)->result();
またはより良い:
$value = Math::eval(Math::value(5)->add(3)->subtract(2)->add(8));
class Math {
public $operation;
public $operationValue;
public $args;
public $allOperations = array();
public function __construct($aOperation, $aValue, $theArgs)
{
$this->operation = $aOperation;
$this->operationValue = $aValue;
$this->args = $theArgs;
}
public static function eval($math) {
if(strcasecmp(get_class($math), "Math") == 0){
$newValue = $math->operationValue;
foreach ($math->allOperations as $operationKey=>$currentOperation) {
switch($currentOperation->operation){
case "add":
$newvalue = $currentOperation->operationValue + $currentOperation->args;
break;
case "subtract":
$newvalue = $currentOperation->operationValue - $currentOperation->args;
break;
}
}
return $newValue;
}
return null;
}
public function add($number){
$math = new Math("add", null, $number);
$this->allOperations[count($this->allOperations)] &= $math;
return $this;
}
public function subtract($number){
$math = new Math("subtract", null, $number);
$this->allOperations[count($this->allOperations)] &= $math;
return $this;
}
public static function value($number){
return new Math("value", $number, null);
}
}
ただ参考までに..私はこれを頭のてっぺんから書きました(ここのサイトの右側)。したがって、実行されない可能性がありますが、それは考えです。 evalへの再帰的なメソッド呼び出しを行うこともできましたが、これはもっと簡単かもしれないと思いました。詳細な説明やその他のサポートをご希望の場合はお知らせください。
技術的には、PHP 7+の$object::method()
のようなインスタンスで静的メソッドを呼び出すことができるため、新しいインスタンスを返すと、_return self
_の代わりとして機能します。 そして実際にそれは機能します。
_final class TestClass {
public static $currentValue;
public static function toValue($value) {
self::$currentValue = $value;
return new static();
}
public static function add($value) {
self::$currentValue = self::$currentValue + $value;
return new static();
}
public static function subtract($value) {
self::$currentValue = self::$currentValue - $value;
return new static();
}
public static function result() {
return self::$currentValue;
}
}
$value = TestClass::toValue(5)::add(3)::subtract(2)::add(8)::result();
var_dump($value);
_
出力int(14)
。
これは、使用された___CLASS__
_を返すのとほぼ同じです (他の回答では 。これらの形式のAPIを実際に使用することを誰も決定しないことを望みますが、あなたはそれを求めました。
できる最高のこと
class S
{
public static function __callStatic($name,$args)
{
echo 'called S::'.$name . '( )<p>';
return '_t';
}
}
$_t='S';
${${S::X()}::F()}::C();
これは、より正確で、簡単で、読みやすくなっています(コード補完が可能)
class Calculator
{
public static $value = 0;
protected static $onlyInstance;
protected function __construct ()
{
// disable creation of public instances
}
protected static function getself()
{
if (static::$onlyInstance === null)
{
static::$onlyInstance = new Calculator;
}
return static::$onlyInstance;
}
/**
* add to value
* @param numeric $num
* @return \Calculator
*/
public static function add($num)
{
static::$value += $num;
return static::getself();
}
/**
* substruct
* @param string $num
* @return \Calculator
*/
public static function subtract($num)
{
static::$value -= $num;
return static::getself();
}
/**
* multiple by
* @param string $num
* @return \Calculator
*/
public static function multiple($num)
{
static::$value *= $num;
return static::getself();
}
/**
* devide by
* @param string $num
* @return \Calculator
*/
public static function devide($num)
{
static::$value /= $num;
return static::getself();
}
public static function result()
{
return static::$value;
}
}
例:
echo Calculator::add(5)
->subtract(2)
->multiple(2.1)
->devide(10)
->result();
結果:0.6
一言で言えば...いいえ。 :)解決演算子(::)はTetsClass :: toValue(5)の部分で機能しますが、その後のすべては構文エラーになります。
名前空間が5.3で実装されると、「チェーン」::演算子を使用できますが、行うのは名前空間ツリーをドリルダウンすることだけです。このように途中でメソッドを持つことはできません。
クラスの新しいインスタンスまたは静的メソッドからメソッドをチェーンするために私が見つけた最も簡単な方法は以下のとおりです。ここではレイトスタティックバインディングを使用しており、このソリューションが大好きでした。
Laravelのtostrを使用して、次のページで複数のユーザー通知を送信するユーティリティを作成しました。
<?php
namespace App\Utils;
use Session;
use Illuminate\Support\HtmlString;
class Toaster
{
private static $options = [
"closeButton" => false,
"debug" => false,
"newestOnTop" => false,
"progressBar" => false,
"positionClass" => "toast-top-right",
"preventDuplicates" => false,
"onclick" => null,
"showDuration" => "3000",
"hideDuration" => "1000",
"timeOut" => "5000",
"extendedTimeOut" => "1000",
"showEasing" => "swing",
"hideEasing" => "linear",
"showMethod" => "fadeIn",
"hideMethod" => "fadeOut"
];
private static $toastType = "success";
private static $instance;
private static $title;
private static $message;
private static $toastTypes = ["success", "info", "warning", "error"];
public function __construct($options = [])
{
self::$options = array_merge(self::$options, $options);
}
public static function setOptions(array $options = [])
{
self::$options = array_merge(self::$options, $options);
return self::getInstance();
}
public static function setOption($option, $value)
{
self::$options[$option] = $value;
return self::getInstance();
}
private static function getInstance()
{
if(empty(self::$instance) || self::$instance === null)
{
self::setInstance();
}
return self::$instance;
}
private static function setInstance()
{
self::$instance = new static();
}
public static function __callStatic($method, $args)
{
if(in_array($method, self::$toastTypes))
{
self::$toastType = $method;
return self::getInstance()->initToast($method, $args);
}
throw new \Exception("Ohh my god. That toast doesn't exists.");
}
public function __call($method, $args)
{
return self::__callStatic($method, $args);
}
private function initToast($method, $params=[])
{
if(count($params)==2)
{
self::$title = $params[0];
self::$message = $params[1];
}
elseif(count($params)==1)
{
self::$title = ucfirst($method);
self::$message = $params[0];
}
$toasters = [];
if(Session::has('toasters'))
{
$toasters = Session::get('toasters');
}
$toast = [
"options" => self::$options,
"type" => self::$toastType,
"title" => self::$title,
"message" => self::$message
];
$toasters[] = $toast;
Session::forget('toasters');
Session::put('toasters', $toasters);
return $this;
}
public static function renderToasters()
{
$toasters = Session::get('toasters');
$string = '';
if(!empty($toasters))
{
$string .= '<script type="application/javascript">';
$string .= "$(function() {\n";
foreach ($toasters as $toast)
{
$string .= "\n toastr.options = " . json_encode($toast['options'], JSON_PRETTY_PRINT) . ";";
$string .= "\n toastr['{$toast['type']}']('{$toast['message']}', '{$toast['title']}');";
}
$string .= "\n});";
$string .= '</script>';
}
Session::forget('toasters');
return new HtmlString($string);
}
}
これは以下のように動作します。
Toaster::success("Success Message", "Success Title")
->setOption('showDuration', 5000)
->warning("Warning Message", "Warning Title")
->error("Error Message");
いいえ、これは機能しません。 _::
_演算子は評価してクラスに戻す必要があるため、TestClass::toValue(5)
が評価された後、::add(3)
メソッドは最後の演算子の答えでのみ評価できます。
したがって、toValue(5)
が整数5を返した場合、基本的にはint(5)::add(3)
を呼び出すことになりますが、これは明らかにエラーです。
静的属性によるメソッドチェーンの完全に機能する例:
<?php
class Response
{
static protected $headers = [];
static protected $http_code = 200;
static protected $http_code_msg = '';
static protected $instance = NULL;
protected function __construct() { }
static function getInstance(){
if(static::$instance == NULL){
static::$instance = new static();
}
return static::$instance;
}
public function addHeaders(array $headers)
{
static::$headers = $headers;
return static::getInstance();
}
public function addHeader(string $header)
{
static::$headers[] = $header;
return static::getInstance();
}
public function code(int $http_code, string $msg = NULL)
{
static::$http_code_msg = $msg;
static::$http_code = $http_code;
return static::getInstance();
}
public function send($data, int $http_code = NULL){
$http_code = $http_code != NULL ? $http_code : static::$http_code;
if ($http_code != NULL)
header(trim("HTTP/1.0 ".$http_code.' '.static::$http_code_msg));
if (is_array($data) || is_object($data))
$data = json_encode($data);
echo $data;
exit();
}
function sendError(string $msg_error, int $http_code = null){
$this->send(['error' => $msg_error], $http_code);
}
}
使用例:
Response::getInstance()->code(400)->sendError("Lacks id in request");