重构嵌套if语句

时间:2013-11-07 18:50:45

标签: php oop refactoring state

以下是我所拥有的一种方法的简化版本 看起来仍然很复杂 怎么会重构这种疯狂?

protected function isTextValid()
{
    if( $this->data['allow_num'] ){
        if( $this->data['allow_space'] ){
            if( preg_match( '#^[a-zA-Z0-9\s]$#', $this->val ) ){
                return true;
            }
            else{
                $this->messages = foo ? foo : bar;
                return false;
            }
        }
        else{
            if( preg_match( '#^[a-zA-Z0-9]$#', $this->val ) ){
                return true;
            }
            else{
                $this->messages = foo? foor : bar;
                return false;
            }
        }
    }
    else{
        if( $this->data['allow_space'] ){
            if( preg_match( '#^[a-zA-Z\s]$#', $this->val ) ){
                return true;
            }
            else{
                $this->messages = foo ? foor : bar;
                return false;
            }
        }
        else{
            if( preg_match( '#^[a-zA-Z]$#', $this->val  ) ){
                return true;
            }
            else{
                $this->messages =  foo ? foo: bar;
                return false;
            }
        }
    }
}

我尝试使用状态模式重构它,但由于我对模式不太熟悉,因此无济于事 这就是我所做的,但快速地放弃它。

interface ValidatorState{
  public function isValid();
}

class AllowNumberAndSpace implement ValidatorState{
   protected $context;
   public function __construct(Context $context){$this->context = $context}

    public function isValid(){
       if( preg_match( .. ) ){
            return true;
        }
        else{
            $this->messages = foo ? foo : bar;
            return false;
        }
      $this->context->setState(OtherState);
    }
}

Class Context{
    protected $state;
    protected $allow_num_space_state;

    public function __construct(){
        $this->allow_num_space_state = new AllowNumberAndSpace($this);
       $this->state = $this->allow_num_space_state;
    }

   public function isValid(){
       return $this->state->isValid();
   }

  public function setState($state){$this->state = $state}
}

显然这只是测试第一个if分支,我怎样才能自动检查其他分支呢? 我很确定我的方法有问题 有没有办法修复此状态模式以测试所有if分支?

被修改
该方法的作用是,根据$this->value中存储的配置属性检查$this->data是否包含预期值

示例$this->data = array('allow_num'=>true),如果$this->value='a1'认为有效 示例$this->data = array('allow_num'=>false),如果$this->value='a1'被视为无效

有没有办法简化这种方法?

1 个答案:

答案 0 :(得分:0)

首先,尽量不要过度复杂化。在我看来,代码不够复杂,无法证明使用面向对象的设计模式。

正如我所看到的,您的代码基本上归结为使用不同的正则表达式验证输入(这取决于某些用户指定的标志,如allow_numallow_space

所以我的建议是以下内容(基本重构是在在任何验证逻辑中使用此表达式之前构建基于配置的正则表达式的一部分):

protected function isTextValid() {
    $allowedCharacters = 'A-Za-z';

    if ($this->data['allow_spaces']) {
        $allowedCharacters .= '\s';
    }
    if ($this->data['allow_num']) {
        $allowedCharacters .= '\d';
    }

    if (!preg_match("#^[{$allowedCharacters}]+\$#", $this->value)) {
        $this->messages = foo ? foor : bar;
        return false;
    }
    return true;
}