我在 PHP 中为我在 Symfony2 中编写的控制器做了一个小测试:
class DepositControllerTest extends WebTestCase {
public function testDepositSucceeds() {
$this->crawler = self::$client->request(
'POST',
'/deposit',
array( "amount" => 23),
array(),
array()
);
$this->assertEquals(
"Deposit Confirmation",
$this->crawler->filter("title")->text());
}
}
到这里为止,一切都很棒。当我意识到我想在刷新页面时禁用可能的重新提交时,问题就开始了。所以我添加了一个小机制来在每次提交时发送随机数。
它的工作原理是这样的:
class ReplayManager {
public function getNonce() {
$uid = $this->getRandomUID();
$this->session->set("nonce", $uid);
return $uid;
}
public function checkNonce($cnonce) {
$nonce = $this->session->get("nonce");
if ($cnonce !== $nonce)
return false;
$this->session->set("nonce", null);
return true;
}
}
所以我不得不修改控制器以在显示表单时获取随机数,并在提交时使用它。
但是现在这引入了一个问题。我无法提出请求,POST /deposit
因为我不知道要发送什么随机数。我想先请求GET /deposit
渲染表单,然后设置一个,以便在 中使用它POST
,但我怀疑 Symfony2 会话在 PHPUnit 中不起作用。
我该如何解决这个问题?我不想去 Selenium 测试,因为它们要慢得多,更不用说我必须重写很多测试。
更新:我根据要求添加了一个非常简化的控制器代码版本。
class DepositController extends Controller{
public function formAction(Request $request){
$this->replayManager = $this->getReplayManager();
$context["nonce"] = $this->replayManager->getNonce();
return $this->renderTemplate("form.twig", $context);
}
protected function depositAction(){
$this->replayManager = $this->getReplayManager();
$nonce = $_POST["nonce"];
if (!$this->replayManager->checkNonce($nonce))
return $this->renderErrorTemplate("Nonce expired!");
deposit($_POST["amount"]);
return $this->renderTemplate('confirmation.twig');
}
protected function getSession() {
$session = $this->get('session');
$session->start();
return $session;
}
protected function getReplayManager() {
return new ReplayManager($this->getSession());
}
}