Пытался найти способ публикации в Google Plus Wall из PHP, но получил 403, даже используя api explorer в получил
{
"error": {
"errors": [
{
"domain": "global",
"reason": "forbidden",
"message": "Forbidden"}
],
"code": 403,
"message": "Forbidden"}
}
Мой PHP-код выглядит так:
$client = new \Google_Client();
$client->setApplicationName("Speerit");
$client->setClientId($appId);
$client->setClientSecret($appSecret);
$client->setAccessType("offline"); // offline access
$client->setIncludeGrantedScopes(true); // incremental auth
$client->setAccessToken(
json_encode(
array(
'access_token' => $accessToken,
'expires_in' => 3600,
'token_type' => 'Bearer',
)
)
);
$client->setScopes(
array(
"https://www.googleapis.com/auth/userinfo.email",
"https://www.googleapis.com/auth/plus.me",
"https://www.googleapis.com/auth/plus.stream.write",
)
);
$client = $client->authorize();
// create the URL for this user ID
$url = sprintf('https://www.googleapis.com/plusDomains/v1/people/me/activities');
// create your HTTP request object
$headers = ['content-type' => 'application/json'];
$body = [
"object" => [
"originalContent" => "Happy Monday! #caseofthemondays",
],
"access" => [
"items" => [
["type" => "domain"],
],
"domainRestricted" => true,
],
];
$request = new Request('POST', $url, $headers, json_encode($body));
// make the HTTP request
$response = $client->send($request);
// did it work??
echo $response->getStatusCode().PHP_EOL;
echo $response->getReasonPhrase().PHP_EOL;
echo $response->getBody().PHP_EOL;
После официальной документации и некоторых ссылок из других постов
Во-первых, нам нужно понять, что существует API для бесплатных аккаунтов Google, то есть аккаунты заканчиваются @ gmail.com и есть API для учетных записей G Suite, что означает окончание учетной записи @yourdomain.com. На основе справочная документация и недавние тесты, невозможно добавить комментарий с помощью API на бесплатных аккаунтах Google (@ Gmail.com).
Это возможно только для учетных записей G Suite (@ Yourdomain.com). Я должен был прочитать документацию для вставить метод, и я смог заставить его работать следующим образом:
<?php session_start();
require_once "vendor/autoload.php"; //include library
//define scopes required to make the api call
$scopes = array(
"https://www.googleapis.com/auth/plus.stream.write",
"https://www.googleapis.com/auth/plus.me");
// Create client object
$client = new Google_Client();
$client->setRedirectUri('http://' . $_SERVER['HTTP_HOST'] . '/index.php');
$client->setAuthConfig("client_secret.json");
$client->addScope($scopes);
if( isset($_SESSION["access_token"]) ) {
$client->setAccessToken($_SESSION["access_token"]);
$service = new Google_Service_PlusDomains($client);
$activity = new Google_Service_PlusDomains_Activity(
array(
'access' => array(
'items' => array(
'type' => 'domain'
),
'domainRestricted' => true
),
'verb' => 'post',
'object' => array(
'originalContent' => "Post using Google API PHP Client Library!"),
)
);
$newActivity = $service->activities->insert("me", $activity);var_dump($newActivity);} else {
if( !isset($_GET["code"]) ){
$authUrl = $client->createAuthUrl();
header('Location: ' . filter_var($authUrl, FILTER_SANITIZE_URL));
} else {
$client->authenticate($_GET['code']);
$_SESSION['access_token'] = $client->getAccessToken();
$redirect_uri = 'http://' . $_SERVER['HTTP_HOST'] . '/index.php';
header('Location: ' . filter_var($redirect_uri, FILTER_SANITIZE_URL));
}
}
?>
Таким образом, если вы попытаетесь сделать это на бесплатной учетной записи gmail.com, вы получите ошибку 403 Forbidden. Надеемся, что в будущем это будет доступно, но пока только компании, которые имеют партнерские отношения с Google, имеют доступ к этому специальному API, например, Hootsuite.
Других решений пока нет …