PHP:命令行网站的标记输入字符串

时间:2015-11-05 00:33:17

标签: php parsing terminal console tokenize

我正在开发一个涉及构建命令行/终端类接口的小型项目。我选择使用Symfony的控制台组件作为主要功能的主干。

令我不安的是如何处理用户可以提供的各种形式的输入。

以下是一个例子: 让我们说我想创建一个MessageCommand,它既包含参数,也包含选项(选项名称以 - 为前缀)。此命令应具有读取消息并将消息发送给其他用户的功​​能。要发送消息,用户应该能够输入,不带引号,如下所示:

$watir_browser = UITest.new_browser_session browser, profile

所以,这是我试图为上述例子工作的代码:

message send --title Hello there --text How are you doing?

..在其当前状态下,将所述字符串标记为:

private function tokenize($input)
{
    $tokens   = array();
    $isOption = false;
    $len      = strlen($input);
    $previous = '';
    $buffer   = '';
    for ($i = 0; $i < $len; $i++)
    {
        $current = $input[$i];

        switch ($current)
        {
            case '-';
                if ($previous == '-')
                {
                    $isOption = true;
                }

                $buffer .= '-';

                break;

            default:
                if ($isOption || $current != ' ')
                {
                    $buffer .= $current;
                }
                elseif ($current == " " && $previous != " " && strlen($buffer) > 0)
                {
                    $tokens[] = $buffer;
                    $buffer   = "";
                }
        }

        $previous = $current;
    }

    if (strlen($buffer) > 0)
    {
        $tokens[] = $buffer;
    }

    return $tokens;
}

所以,我要求你帮我解释我应该如何修改上面的代码,这样它就会给出一个像这样的数组:

array(
    'message',
    'send',
    '--title Hello there --text How are you doing?'
)

提前非常感谢你!

1 个答案:

答案 0 :(得分:1)

我会用空格爆炸您的输入,然后在循环中检查substr($ string_n,0,2)===&#34; - &#34;,然后连接所有下一行直到我再找到这个&#34; - &#34;。

$input = 'message send --title Hello there --text How are you doing?';
    $rows = explode(' ', $input);
    $tokens = array();
    $isOption = false;
    foreach ($rows as $row) {
        if(substr($row, 0, 2) === '--') {
            $isOption = true;
            $tokens[] = $row;
        } else if($isOption === true && substr($tokens[count($tokens) - 1], 0, 2) !== '--') {
            $tokens[count($tokens) - 1] .= ' ' . $row;
        } else {    
        $tokens[] = $row;
        }
    }

     var_dump($tokens);

我在var_dump中得到了什么:

         array(6) {
          [0]=>
          string(7) "message"
          [1]=>
          string(4) "send"
          [2]=>
          string(7) "--title"
          [3]=>
          string(11) "Hello there"
          [4]=>
          string(6) "--text"
          [5]=>
          string(18) "How are you doing?"
        }