2016-11-21 7 views
1

Я пытаюсь отправить простую форму в UserFrosting, и в качестве теста отобразится сообщение об успешном завершении без изменения данных. Я следовал указаниям из Lesson 2, но я побежал в CSRF выпуска:UserFrosting forms - Недопустимый или отсутствующий токен CSRF

UserFrosting возвращает следующую ошибку:

Invalid or missing CSRF token.

Что мне не хватает? Вплоть до этого момента UserFrosting было очень легко переваривается :(

Форма:

<form class="form-horizontal" role="form" name="requestDescription" action="{{site.uri.public}}/soap/requests/desc/edit/{{ keyname }}" method="post"> 
    <div class="form-group"> 
     <label for="input_group" class="col-md-2 control-label">Name</label> 
     <div class="col-md-10"> 
      <input type="text" id="input_name" class="form-control" name="lgname" placeholder="{{ name }}"> 
     </div> 
    </div> 
    <div class="form-group text-center"> 
     <button type="submit" class="btn btn-success text-center">Update</button> 
    </div> 
</form> 

с добавлением сценария части к нижней части файла веточку:

<script> 
    $(document).ready(function() { 
     // Load the validator rules for this form 
     var validators = {{validators | raw}}; 
     ufFormSubmit(
       $("form[name='requestDescription']"), 
       validators, 
       $("#userfrosting-alerts"), 
       function(data, statusText, jqXHR) { 
        // Reload the page on success 
        window.location.reload(true); 
       } 
     ); 
    }); 
</script> 

Вот мои две функции от контроллера:

public function soapRequestDescriptionEditPage($keyname){ 
    if (!$this->_app->user->checkAccess('uri_soap_requests')){ 
     $this->_app->notFound(); 
    } 
    $requestDetails = $this->soapRequestReadMeta($keyname); 

    $schema = new \Fortress\RequestSchema($this->_app->config('schema.path') . "/forms/soap-request-description-edit.json"); 
    $this->_app->jsValidator->setSchema($schema); 

    $this->_app->render('soap/soap-request-description-edit.twig', [ 
     "name" => $requestDetails['name'], 
     "description" => $requestDetails['description'], 
     "keyname" => $keyname, 
     "validators" => $this->_app->jsValidator->rules() 
    ]); 
} 

public function test(){ 
    if (!$this->_app->user->checkAccess('uri_soap_requests')) { 
     $this->_app->notFound(); 
    } 
    $post = $this->_app->request->post(); 
    $ms = $this->_app->alerts; 
    $requestSchema = new \Fortress\RequestSchema($this->_app->config('schema.path') . "/forms/soap-request-description-edit.json"); 
    $rf = new \Fortress\HTTPRequestFortress($ms, $requestSchema, $post); 
    $ms->addMessageTranslated("success", "Everyone's title has been updated!", $post); 
    $rf->sanitize(); 
    if (!$rf->validate()) { 
     $this->_app->halt(400); 
    } 
    $data = $rf->data(); 
} 

Ent Риз из файла index.php:

$app->post('/soap/requests/desc/edit/:request_id/?', function() use ($app) { 
    $controller = new UF\SoapController($app); 
    return $controller->test(); 
}); 
$app->get('/soap/requests/desc/edit/:request_id/?', function ($request_id) use ($app) { 
    $controller = new UF\SoapController($app); 
    return $controller->soapRequestDescriptionEditPage($request_id); 
}); 

Наконец, схемы:

{ 
    "lgname" : { 
    "validators" : { 
     "length" : { 
     "min" : 1, 
     "max" : 150, 
     "message" : "The new title must be between 1 and 150 characters long." 
     } 
    }, 
    "sanitizers" : { 
     "raw" : "" 
    } 
    } 
} 
+0

Вам необходимо отправить CSRF токен в каждом запросе вы можете найти то, что CSRF здесь https://www.owasp.org/index.php/ Cross-Site_Request_Forgery_ (CSRF) – MONTYHS

+1

См. Https://github.com/userfrosting/UserFrosting/wiki/On-the-matter-of-of- CSRF-токены для получения дополнительной информации об этой ошибке. Кроме того, я не уверен, что «мыло» в ваших URL-адресах и контроллерах относится к SOAP, но UserFrosting использует в основном подход RESTful, что противоречит SOAP. – alexw

ответ

0

Оказалось, что мой код был штраф. На странице влияли ошибки JavaScript на странице, влияющие на обработку формы UserFrosting. Исправление этих ошибок позволило UserFrosting обрабатывать форму.

Примечание к себе ... в привычку смотреть в консоли для яваскрипта ошибок :)

0

По UserFrosting 4, вы должны явно добавить скрытые поля ввода CSRF в форму. Существует частичный шаблон forms/csrf.html.twig, который содержит эти поля, которые можно вставить с помощью прутик в include тег:

<form class="form-horizontal" role="form" name="requestDescription" action="{{site.uri.public}}/soap/requests/desc/edit/{{ keyname }}" method="post"> 
    {% include "forms/csrf.html.twig" %} 
    <div class="form-group"> 
     <label for="input_group" class="col-md-2 control-label">Name</label> 
     <div class="col-md-10"> 
      <input type="text" id="input_name" class="form-control" name="lgname" placeholder="{{ name }}"> 
     </div> 
    </div> 
    <div class="form-group text-center"> 
     <button type="submit" class="btn btn-success text-center">Update</button> 
    </div> 
</form> 

Для запросов, которые сделаны без формы (например, если он был построен исключительно в JavaScript), вы может захватить маркер имя и значение CSRF из глобальной переменной site.csrf:

var userName = 'luke'; 
var fieldName = 'lgname'; 

var data = { 
    'value': fieldValue 
}; 

data[site.csrf.keys.name] = site.csrf.name; 
data[site.csrf.keys.value] = site.csrf.value; 

var url = site.uri.public + '/api/users/u/' + userName + '/' + fieldName; 

return $.ajax({ 
    type: "PUT", 
    url: url, 
    data: data 
}).done(function (response) { 
    window.location.reload(); 
}); 
Смежные вопросы