I'm struggling to figure this out, but with everything I'm doing I am unable to fetch a users information. I simply get a 401 error and cannot figure out why.
Code:
<?php
class Tumblr
{
public function connect()
{
$tumblr = new ExternalExtended_Helper_Tumblr;
$oauth = $tumblr->getOauthConsumer('https://mysite.com/register');
$requestToken = $oauth->getRequestToken();
$accessToken = $oauth->getAccessToken($this->_input->filter(array(
'oauth_token' => XenForo_Input::STRING,
'oauth_verifier' => XenForo_Input::STRING
)), $requestToken);
$user = $tumblr->retrieveUserInfo($accessToken);
}
}
<?php
class Helper_Tumblr
{
/**
* Returns a reference to the OAuth consumer, instantiating it if necessary
*
* #param string $callbackUrl URL to return to
*
* #return bool|Zend_Oauth_Consumer False if no Tumblr app configured, otherwise Oauth consumer
*/
public static function getOauthConsumer($callbackUrl = '')
{
$options = XenForo_Application::getOptions();
if (!$options->tumblrAppKey || !$options->tumblrAppSecret)
{
return false;
}
return new Zend_Oauth_Consumer(array(
'callbackUrl' => $callbackUrl,
'requestTokenUrl' => 'https://www.tumblr.com/oauth/request_token',
'authorizeUrl' => 'https://www.tumblr.com/oauth/authorize',
'accessTokenUrl' => 'https://www.tumblr.com/oauth/access_token',
'consumerKey' => $options->tumblrAppKey,
'consumerSecret' => $options->tumblrAppSecret,
));
}
/**
* Returns a reference to the OAuth client, instantiating it if necessary
*
* #param string $accessToken Tumblr access token (from code swap, or given by user); may be empty
*
* #return bool|Zend_Oauth_Client False if no Tumblr app configured, otherwise Oauth client
*/
public static function getOauthClient($accessToken)
{
$options = XenForo_Application::getOptions();
if (!$options->tumblrAppKey || !$options->tumblrAppSecret)
{
return false;
}
$access = new Zend_Oauth_Token_Access();
$access->setToken($accessToken->getToken());
$access->setTokenSecret($accessToken->getToken());
return $access->getHttpClient(array(
'consumerKey' => $options->tumblrAppKey,
'consumerSecret' => $options->tumblrAppSecret
));
}
/**
* Get a User's Information
*
* #return json
*/
public static function retrieveUserInfo($accessToken)
{
$oauthClient = self::getOauthClient($accessToken);
$oauthClient->setUri('http://api.tumblr.com/v2/user/info');
$response = $oauthClient->request(Zend_Http_Client::POST);
if ($response->isError())
{
throw new Exception("An error occurred sending request. Status code: {$response->getStatus()}");
}
return $response;
}
}
The error occurs in the function 'retrieveUserInfo' and a dump of the object looks like this:
object(Zend_Http_Response)#280 (5) {
["version":protected] => string(3) "1.1"
["code":protected] => int(401)
["message":protected] => string(14) "Not Authorized"
["headers":protected] => array(7) {
["Server"] => string(5) "nginx"
["Date"] => string(29) "Mon, 17 Feb 2014 02:53:08 GMT"
["Content-type"] => string(31) "application/json; charset=utf-8"
["Transfer-encoding"] => string(7) "chunked"
["Connection"] => string(5) "close"
["Set-cookie"] => string(89) "tmgioct=53017993ddbda801421421421421; expires=Thu, 15-Feb-2024 02:53:07 GMT; path=/; httponly"
["P3p"] => string(46) "CP="ALL ADM DEV PSAi COM OUR OTRo STP IND ONL""
}
["body":protected] => string(71) "3c
{"meta":{"status":401,"msg":"Not Authorized"},"response":[]}
0
"
Why is it saying I'm not authorized and what haven't I done to become authorized?
Thanks!
Alright it's all fine, just a simple typo...
$access->setToken($accessToken->getToken());
$access->setTokenSecret($accessToken->getToken());
Should be:
$access->setToken($accessToken->getToken());
$access->setTokenSecret($accessToken->getTokenSecret());
Related
I am using REST API in my project and everything works great. I describe a model using a model
<?php
namespace api\modules\v1\models;
use Carbon\Carbon;
use Yii;
class Comment extends \common\models\Comment
{
public function fields()
{
return [
'id',
'user' => function(Comment $model) {
return User::findOne($model->user_id);
},
'text',
'image' => function(Comment $model) {
return Yii::$app->params['link'].$model->image;
},
'created_at' => function(Comment $model) {
Carbon::setLocale(Yii::$app->language);
return Carbon::createFromTimeStamp(strtotime($model->created_at))->diffForHumans();
},
'children' => function(Comment $model) {
$comments = Comment::find()
->where(['comment_id' => $model->id]);
if (!$comments->exists()) {
return false;
}
return $comments->all();
},
'like',
'news_id',
'comment_id'
];
}
}
The data is returned in the specified format and that's great. But I need to send data to the controller using websockets. For example, when a new comment arrives, send it to all users.
$post = Yii::$app->request->post();
$image = UploadedFile::getInstanceByName('image');
$model = new \api\modules\v1\models\Comment([
'news_id' => $post['feed_id'],
'comment_id' => $post['comment_id'] ?? null,
'user_id' => Yii::$app->user->identity->id,
]);
$model->text = $model->findLinks($post['text']);
if ($image && !$image->error) {
if (!file_exists(Yii::$app->params['comment.pathAbsolute'])) {
if (!FileHelper::createDirectory(Yii::$app->params['comment.pathAbsolute'], 0777)) {
throw new \Exception('Помилка створення папки');
}
}
$serverName = Yii::$app->security->generateRandomString(16).'.'.$image->extension;
if ($image->saveAs(Yii::$app->params['comment.pathAbsolute'].$serverName)) {
$model->image = $serverName;
} else {
throw new \Exception($image->error);
}
}
if (!$model->save()) {
throw new \Exception($model->error());
}
Helper::ws(false, 'updateComment', ['feed_id' => $post['feed_id'], 'comment' => $model]);
And when I pass the $model, the data is passed as it is stored in the database. Is it possible to call a method or something so that the data is passed as I described in the model api?
I'm working with Symfony 3.1
My issue : When I use 2 forms on the same page, only first one works
Details:
On my home page, I have a contact form and a comment form.
They are not link, and use differents entities.
They are called via two different renderController.
Forms are created with FormBuilder and submitted via AJAX
I found an article where they say to use createNamedBuilder, but still not working.
If only one form is active, then it works. If both are active, then only the first one works.
The second one send a POST method but do not submit the form
I'm looking for a solution since many days but still nothing.. please HELP !!!
Many thanks
Olivia
view.html.twig
{{ render(controller('BecowoCoreBundle:Workspace:contact', {name: ws.name})) }}
{{ render(controller('BecowoCoreBundle:Booking:bookingList', {name: ws.name})) }}
contact Controller :
public function contactAction($name, Request $request)
{
$contact = new Contact();
// $managerContactForm = $this->createForm(ManagerContactType::class, $contact);
$managerContactForm = $this->get('form.factory')->createNamedBuilder('manager_contact', ManagerContactType::class, $contact)->getForm();
$WsService = $this->get('app.workspace');
$ws = $WsService->getWorkspaceByName($name);
$wsHasTeamMembers = $WsService->getWsHasTeamMemberByWorkspace($ws);
$emailManager = [];
$i = 0;
if($wsHasTeamMembers == null or $this->container->get( 'kernel' )->getEnvironment() != 'prod')
{
$emailManager[0] = 'test#test.com';
}else{
foreach ($wsHasTeamMembers as $wsHasTeamMember ) {
$emailManager[$i] = $wsHasTeamMember->getTeamMember()->getEmail();
$i ++;
}
}
// On vérifie que c'est bien le form de contact manager qui est envoyé
if ($request->isMethod('POST') && $managerContactForm->handleRequest($request)->isValid() && $request->request->has('manager_contact')) {
$message = \Swift_Message::newInstance()
->setSubject('Becowo - Nouveau message d\'un coworker')
->setFrom('test#test.com')
->setTo($emailManager)
->setBody(
$this->renderView(
'CommonViews/Mail/Manager-contact.html.twig',
array(
'name' => $managerContactForm->get('name')->getData(),
'email' => $managerContactForm->get('email')->getData(),
'subject' => $managerContactForm->get('subject')->getData(),
'message' => $managerContactForm->get('message')->getData()
)
)
);
$this->get('mailer')->send($message);
$session = $request->getSession();
$session->set('contactManager', 'ok');
return $this->redirectToRoute('becowo_core_workspace_contact', array('name' => $name));
}
return $this->render('Workspace/manager-contact.html.twig',
array('managerContactForm' => $managerContactForm->createView(),
'name' =>$name));
}
Comment controller :
public function viewAction(Request $request)
{
$WsService = $this->get('app.workspace');
$ws = $WsService->getWorkspaceByName($request->get('name'));
$listComments = $WsService->getCommentsByWorkspace($ws);
$voteAlreadyDone = $WsService->memberAlreadyVoteAndCommentForWorkspace($ws, $this->getUser());
$comment = new Comment($ws, $this->getUser());
$formComment = $this->get('form.factory')->createNamedBuilder('comment', CommentType::class, $comment)->getForm();
if ($request->isMethod('POST') && $formComment->handleRequest($request)->isValid() && $request->request->has('comment'))
{
$em = $this->getDoctrine()->getManager();
$em->persist($comment);
$em->flush();
$this->addFlash('success', 'Merci ! Commentaire et vote bien enregistrés.');
return $this->redirectToRoute('becowo_comment', array('name' => $request->get('name')));
}
return $this->render('Workspace/comments.html.twig', array('formComment' => $formComment->createView(), 'listComments' => $listComments, 'ws' =>$ws, 'voteAlreadyDone' => $voteAlreadyDone));
}
Submit forms via AJAX :
// Page d'un WS, envoye le commentaire et le vote en AJAX
$(function () {
$("#comment_Envoyer").unbind("click").click(function(){
$.ajax(Routing.generate('becowo_comment', {name: document.getElementById('wsName').innerHTML}), {
data: $('#comment-form').serialize(),
type: "POST",
success: function(data) {
$('#CommentResults').html(data);
},
error: function() {
$('#CommentResults').html("Une erreur est survenue, veuillez réessayer plus tard");
}
});
return false;
});
});
// Page d'un WS, envoye le formulaire de contact manager en AJAX
$(function () {
$("#submitContactManager").unbind("click").click(function(){
$.ajax(Routing.generate('becowo_core_workspace_contact', {name: document.getElementById('wsName').innerHTML}), {
data: $('#manager-contact-form').serialize(),
type: "POST",
success: function(data) {
$('#modal-body-manager-contact').html(data);
},
error: function() {
$('#modal-body-manager-contact').html("Une erreur est survenue, veuillez réessayer plus tard");
}
});
return false;
});
});`enter code here`
Build your forms as Class.
http://symfony.com/doc/current/forms.html#creating-form-classes
Create your forms in controller by
controller method $this->createForm(....);
as example from Book
public function newAction()
{
$task = ...;
$form = $this->createForm(TaskType::class, $task);
// ...
}
pay attention on FORM name!
public function getName()
{
return 'payments';
}
You MUST have different form name for your forms in the same page!
Do not generate routes in JQuery, just set action for your form in Form class or in Twig and take action from Form directly.
Your ajax code in this case something like this:
$("#form_id_first, #form_id_second").submit(function (e){
e.preventDefault();
$form = $(e.target);
$ajax($form.attr('action')) {
...some: code,
data: $form.serialize(),
...some: code
}
});
Finally - don'y use for one Form - one Controller. Create several forms in one controller with different names and render them, or create Twig Extention, but handle in same place all it!
Symfony2 : Two forms in a same page
THANK YOU so much !!!!!
It's working :)
Carreful, 2 small mistakes in your JS code
$ajax should be $.ajax
I had to add 'type: "POST"' even if I setMethod in the controller
Here is the full code if someone face the same issue :
view.html.twig
{{ render(controller('BecowoCoreBundle:Workspace:contact', {name: ws.name})) }}
{{ render(controller('BecowoCoreBundle:Workspace:voteAndComment', {name: ws.name})) }}
workspace Controller (both forms have to be in same controller, but can be in different actions)
public function contactAction($name, Request $request)
{
$contact = new Contact();
$managerContactForm = $this->get('form.factory')->createNamedBuilder('manager-contact-form', ManagerContactType::class, $contact)
->setAction($this->generateUrl('becowo_core_workspace_contact', array('name' => $name)))
->setMethod('POST')
->getForm();
$WsService = $this->get('app.workspace');
$ws = $WsService->getWorkspaceByName($name);
$wsHasTeamMembers = $WsService->getWsHasTeamMemberByWorkspace($ws);
// On vérifie que c'est bien le form de contact manager qui est envoyé
if ($request->isMethod('POST') && $managerContactForm->handleRequest($request)->isValid() && $request->request->has('manager-contact-form')) {
$message = \Swift_Message::newInstance()
->setSubject('Becowo - Nouveau message d\'un coworker')
->setFrom('contact#becowo.com')
->setTo($emailManager)
->setBody(
$this->renderView(
'CommonViews/Mail/Manager-contact.html.twig',
array(
'name' => $managerContactForm->get('name')->getData(),
'email' => $managerContactForm->get('email')->getData(),
'subject' => $managerContactForm->get('subject')->getData(),
'message' => $managerContactForm->get('message')->getData()
)
)
);
$this->get('mailer')->send($message);
$this->addFlash('success', 'Merci ! Email bien envoyé.');
return $this->redirectToRoute('becowo_core_workspace_contact', array('name' => $name));
}
return $this->render('Workspace/manager-contact.html.twig',
array('managerContactForm' => $managerContactForm->createView(),
'ws' =>$ws));
}
public function voteAndCommentAction($name, Request $request)
{
$WsService = $this->get('app.workspace');
$ws = $WsService->getWorkspaceByName($request->get('name'));
$listComments = $WsService->getCommentsByWorkspace($ws);
$voteAlreadyDone = $WsService->memberAlreadyVoteAndCommentForWorkspace($ws, $this->getUser());
// Création du formulaire de commentaires
$comment = new Comment($ws, $this->getUser());
$formComment = $this->get('form.factory')->createNamedBuilder('comment-form', CommentType::class, $comment)
->setAction($this->generateUrl('becowo_comment', array('name' => $name)))
->setMethod('POST')
->getForm();
if ($request->isMethod('POST') && $formComment->handleRequest($request)->isValid() && $request->request->has('comment-form'))
{
$em = $this->getDoctrine()->getManager();
$em->persist($comment);
$em->flush();
$this->addFlash('success', 'Merci ! Commentaire et vote bien enregistrés.');
return $this->redirectToRoute('becowo_comment', array('name' => $request->get('name')));
}
return $this->render('Workspace/comments.html.twig', array('formComment' => $formComment->createView(), 'listComments' => $listComments, 'ws' =>$ws, 'voteAlreadyDone' => $voteAlreadyDone));
}
Submits forms via AJAX :
$("#manager-contact-form").submit(function (e){
e.preventDefault();
$form = $(e.target);
$.ajax($form.attr('action'), {
data: $form.serialize(),
type: "POST",
success: function(data) {
$('#contentToRefresh').html(data);
},
error: function() {
$('#contentToRefresh').html("Une erreur est survenue, veuillez réessayer plus tard");
}
});
});
$("#comment-form").submit(function (e){
e.preventDefault();
$form = $(e.target);
$.ajax($form.attr('action'), {
data: $form.serialize(),
type: "POST",
success: function(data) {
$('#CommentResults').html(data);
},
error: function() {
$('#CommentResults').html("Une erreur est survenue, veuillez réessayer plus tard");
}
});
});
I have tried this, but it does not help me: Yii2 REST API BasicAuth not working
Here is what I did:
I have BaseController and DocumentController extending it.
in BaseController I have this code:
public function behaviors()
{
$behaviors = parent::behaviors();
$behaviors['contentNegotiator'] = [
'class' => 'yii\filters\ContentNegotiator',
'formats' => [
'application/json' => Response::FORMAT_JSON,
]
];
$behaviors['authenticator'] = [
'class' => HttpBasicAuth::className(),
'auth' => [$this, 'authenticate']
];
return $behaviors;
}
/**
* Finds user by username and password
*
* #param string $username
* #param string $password
* #return static|null
*/
public function authenticate($username, $password)
{
// username, password are mandatory fields
if(empty($username) || empty($password)) {
return null;
}
// get user using requested email
$user = User::findByUsername($username);
// if no record matching the requested user
if(empty($user)) {
return null;
}
// if password validation fails
if(!User::validatePassword($password)) {
return null;
}
// if user validates (both user_email, user_password are valid)
return $user;
}
When I try to visit my api: localhost/api/documents/5
I get this error: Getting unknown property: app\\controllers\\DocumentController::password_hash
What I am supposed to do to make this thing work ? I just do not understand what yii wants from me anymore.
EDIT: full error :
{"name":"Unknown Property","message":"Getting unknown property: app\\controllers\\DocumentController::password_hash","code":0,"type":"yii\\base\\UnknownPropertyException","file":"/var/www/html/api/_protected/vendor/yiisoft/yii2/base/Component.php","line":143,"stack-trace":["#0 /var/www/html/api/_protected/models/UserIdentity.php(129): yii\\base\\Component->__get('password_hash')","#1 /var/www/html/api/_protected/controllers/AppController.php(58): app\\models\\UserIdentity->validatePassword('wspass')","#2 [internal function]: app\\controllers\\AppController->authenticate('wsuser', 'wspass')","#3 /var/www/html/api/_protected/vendor/yiisoft/yii2/filters/auth/HttpBasicAuth.php(68): call_user_func(Array, 'wsuser', 'wspass')","#4 /var/www/html/api/_protected/vendor/yiisoft/yii2/filters/auth/AuthMethod.php(60): yii\\filters\\auth\\HttpBasicAuth->authenticate(Object(yii\\web\\User), Object(yii\\web\\Request), Object(yii\\web\\Response))","#5 /var/www/html/api/_protected/vendor/yiisoft/yii2/base/ActionFilter.php(71): yii\\filters\\auth\\AuthMethod->beforeAction(Object(yii\\rest\\IndexAction))","#6 [internal function]: yii\\base\\ActionFilter->beforeFilter(Object(yii\\base\\ActionEvent))","#7 /var/www/html/api/_protected/vendor/yiisoft/yii2/base/Component.php(541): call_user_func(Array, Object(yii\\base\\ActionEvent))","#8 /var/www/html/api/_protected/vendor/yiisoft/yii2/base/Controller.php(269): yii\\base\\Component->trigger('beforeAction', Object(yii\\base\\ActionEvent))","#9 /var/www/html/api/_protected/vendor/yiisoft/yii2/web/Controller.php(108): yii\\base\\Controller->beforeAction(Object(yii\\rest\\IndexAction))","#10 /var/www/html/api/_protected/vendor/yiisoft/yii2/base/Controller.php(152): yii\\web\\Controller->beforeAction(Object(yii\\rest\\IndexAction))","#11 /var/www/html/api/_protected/vendor/yiisoft/yii2/base/Module.php(454): yii\\base\\Controller->runAction('index', Array)","#12 /var/www/html/api/_protected/vendor/yiisoft/yii2/web/Application.php(84): yii\\base\\Module->runAction('document/index', Array)","#13 /var/www/html/api/_protected/vendor/yiisoft/yii2/base/Application.php(375): yii\\web\\Application->handleRequest(Object(yii\\web\\Request))","#14 /var/www/html/api/index.php(12): yii\\base\\Application->run()","#15 {main}"]}
I have problem with save method of collections in Phalcon.It doesn't work and doesn't give me any errors or something.I want to create a Micro App with mongoDb:
Phalcon version: 1.3.4
php : 5.5.9
Here are the registered services:
<?php
use Phalcon\DI\FactoryDefault,
Phalcon\Assets\Manager as AssetsManager,
Phalcon\Mvc\Collection\Manager as CollectionManager,
Phalcon\Mvc\View\Simple as View,
Phalcon\Mvc\View\Engine\Volt,
Phalcon\Mvc\Url as UrlResolver,
Phalcon\Flash\Session as Flash,
Phalcon\Flash\Direct as FlashDirect,
Phalcon\Session\Adapter\Files as Session;
$di = new FactoryDefault();
$di['url'] = function () {
$url = new UrlResolver();
$url->setBaseUri('/dasshy/');
return $url;
};
/**
* Flash service with custom CSS classes
*/
$di['flash'] = function () {
return new Flash(array(
'error' => 'alert alert-error',
'success' => 'alert alert-success',
'notice' => 'alert alert-info',
));
};
/**
* Flash service with custom CSS classes
*/
$di['flashDirect'] = function () {
return new FlashDirect(array(
'error' => 'alert alert-error',
'success' => 'alert alert-success',
'notice' => 'alert alert-info',
));
};
$di['session'] = function () {
$session = new Session(array(
'uniqueId' => 'dasshy-'
));
$session->start();
return $session;
};
$di['mongo'] = function () {
$mongo = new MongoClient();
return $mongo->selectDb("stats");
};
$di->set('collectionManager', function () {
return new Phalcon\Mvc\Collection\Manager();
});
I want to use the ODM, so here is the model Collection:
<?php
namespace Dasshy\Models;
class Messages extends \Phalcon\Mvc\Collection
{
public $content;
public $senderId;
public $receiverId;
public $date;
}
And here how i use it at handlers.php:
<?php
use Dasshy\Models\Messages;
use Phalcon\Mvc\Micro\Collection;
$app->map('/send/{receiverId}/{senderId}/{content}', function ($receiverId, $senderId, $content) use ($app) {
$messageModel = new Messages();
$messageModel->receiverId = $receiverId;
$messageModel->senderId = $senderId;
$messageModel->content = $content;
$messageModel->date = date('Y-m-d H-i-s', time());
$messageModel->save();
if ($messageModel->save() == false) {
echo "Umh, We can't store robots right now: \n";
foreach ($messageModel->getMessages() as $message) {
echo $message, "\n";
}
} else {
echo "Great, a new robot was saved successfully!";
}
});
$app->map('/messages', function () use ($app) {
var_dump(Messages::find());
exit;
});
you need to setup the mongo connection on the service...
$config = $di->getShared('config')->mongo;
$connect_data = $config->username . ':' . $config->password . '#' . $config->host . ':' . $config->port . '/' . $config->dbname;
$mongo = new \MongoClient("mongodb://" . $connect_data);
return $mongo->selectDB($config->dbname);
...since you are not connecting to any mongo server
Here's the error code:
"The app you are using is not responding. Please try again later."
The callback is set to the php file (via https). I have no idea why it's not working.
Here's the JS (binded to var dr):
dr.buyCoins = function(){
var obj = {
method: 'pay',
order_info: order_info,
action: 'buy_item',
dev_purchase_params: {'oscif': true}
};
FB.ui(obj, dr.coinCheck);
}
dr.coinCheck = function(d){
if (d['order_id']) {
return true;
} else {
return false;
}
}
and here's the PHP:
<?php
$app_secret = '...';
// Validate request is from Facebook and parse contents for use.
$request = parse_signed_request($_POST['signed_request'], $app_secret);
// Get request type.
// Two types:
// 1. payments_get_items.
// 2. payments_status_update.
$request_type = $_POST['method'];
// Setup response.
$response = '';
if ($request_type == 'payments_get_items') {
// Get order info from Pay Dialog's order_info.
// Assumes order_info is a JSON encoded string.
$order_info = json_decode($request['credits']['order_info'], true);
// Get item id.
$item_id = $order_info['item_id'];
// Simulutates item lookup based on Pay Dialog's order_info.
if ($item_id == '1a') {
$item = array(
'title' => '100 some game cash',
'description' => 'Spend cash in some game.',
// Price must be denominated in credits.
'price' => 1,
'image_url' => 'http://some_image_url/coin.jpg',
);
// Construct response.
$response = array(
'content' => array(
0 => $item,
),
'method' => $request_type,
);
// Response must be JSON encoded.
$response = json_encode($response);
}
} else if ($request_type == "payments_status_update") {
// Get order details.
$order_details = json_decode($request['credits']['order_details'], true);
// Determine if this is an earned currency order.
$item_data = json_decode($order_details['items'][0]['data'], true);
$earned_currency_order = (isset($item_data['modified'])) ?
$item_data['modified'] : null;
// Get order status.
$current_order_status = $order_details['status'];
if ($current_order_status == 'placed') {
// Fulfill order based on $order_details unless...
if ($earned_currency_order) {
// Fulfill order based on the information below...
// URL to the application's currency webpage.
$product = $earned_currency_order['product'];
// Title of the application currency webpage.
$product_title = $earned_currency_order['product_title'];
// Amount of application currency to deposit.
$product_amount = $earned_currency_order['product_amount'];
// If the order is settled, the developer will receive this
// amount of credits as payment.
$credits_amount = $earned_currency_order['credits_amount'];
}
$next_order_status = 'settled';
// Construct response.
$response = array(
'content' => array(
'status' => $next_order_status,
'order_id' => $order_details['order_id'],
),
'method' => $request_type,
);
// Response must be JSON encoded.
$response = json_encode($response);
} else if ($current_order_status == 'disputed') {
// 1. Track disputed item orders.
// 2. Investigate user's dispute and resolve by settling or refunding the order.
// 3. Update the order status asychronously using Graph API.
} else if ($current_order_status == 'refunded') {
// Track refunded item orders initiated by Facebook. No need to respond.
} else {
// Track other order statuses.
}
}
// Send response.
echo $response;
// These methods are documented here:
// https://developers.facebook.com/docs/authentication/signed_request/
function parse_signed_request($signed_request, $secret) {
list($encoded_sig, $payload) = explode('.', $signed_request, 2);
// decode the data
$sig = base64_url_decode($encoded_sig);
$data = json_decode(base64_url_decode($payload), true);
if (strtoupper($data['algorithm']) !== 'HMAC-SHA256') {
error_log('Unknown algorithm. Expected HMAC-SHA256');
return null;
}
// check sig
$expected_sig = hash_hmac('sha256', $payload, $secret, $raw = true);
if ($sig !== $expected_sig) {
error_log('Bad Signed JSON signature!');
return null;
}
return $data;
}
function base64_url_decode($input) {
return base64_decode(strtr($input, '-_', '+/'));
}
?>
Check your server logs and make sure you're receiving the request and responding to it correctly - note that if your callback is HTTPS your certificate needs to be fully valid including all intermediate certificates
In your case sslchecker said you're possibly missing the intermediate chain - https://www.sslshopper.com/ssl-checker.html#hostname=https://drawabble.com