Last active
August 29, 2015 14:16
-
-
Save andronex/cbf3d5726650ffb8a917 to your computer and use it in GitHub Desktop.
Плагин для пинга ПС Яндекс при публикации/редактировании ресурса.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
<?php | |
/* | |
Plugin Name: Яндекс.ПДС Пингер | |
Plugin URI: http://site.yandex.ru/cms-plugins/ | |
Description: Плагин оповещает сервис Яндекс.Поиск для сайта о новых и измененных документах. | |
Version: 1.5 | |
Author: ООО "ЯНДЕКС" | |
Author URI: http://www.yandex.ru/ | |
License: GPL2 | |
*/ | |
/* Copyright 2012 Yandex LLC | |
This program is free software: you can redistribute it and/or modify | |
it under the terms of the GNU General Public License as published by | |
the Free Software Foundation, either version 2 of the License, or | |
(at your option) any later version. | |
This program is distributed in the hope that it will be useful, | |
but WITHOUT ANY WARRANTY; without even the implied warranty of | |
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | |
GNU General Public License for more details. | |
You should have received a copy of the GNU General Public License | |
along with this program. If not, see <http://www.gnu.org/licenses/>. | |
(Это свободная программа: вы можете перераспространять ее и/или изменять | |
ее на условиях Стандартной общественной лицензии GNU в том виде, в каком | |
она была опубликована Фондом свободного программного обеспечения; либо | |
версии 2 лицензии, либо (по вашему выбору) любой более поздней версии. | |
Эта программа распространяется в надежде, что она будет полезной, | |
но БЕЗО ВСЯКИХ ГАРАНТИЙ; даже без неявной гарантии ТОВАРНОГО ВИДА | |
или ПРИГОДНОСТИ ДЛЯ ОПРЕДЕЛЕННЫХ ЦЕЛЕЙ. Подробнее см. в Стандартной | |
общественной лицензии GNU. | |
Вы должны были получить копию Стандартной общественной лицензии GNU | |
вместе с этой программой. Если это не так, см. | |
<http://www.gnu.org/licenses/>.) | |
*/ | |
/* | |
Дополнительные требования | |
Для работы плагина необходимо добавить параметры указанным ниже способом: | |
- В http://site.yandex.ru/searches/ выбрать поиск. | |
- Перейти в "Индексирование". | |
- Выбрать пункт "Плагины для популярных CMS" | |
- Воспользоваться визардом.На 4м шаге скачать плагин и необходимые настройки. | |
или | |
- Выбрать пункт "Указать URL с помощью HTTP запроса" | |
- Ввести ip адрес сервера, с которого планируется выполнять запросы. | |
- Сгенерировать url, в котором указаны необходимые параметры | |
Далее: | |
- В админской части CMS перейти в раздел "Мои поиски" | |
- Перейти в "Системные настройки" (System -> System settings) | |
- Создать настройки согласно таблице: | |
Name Key Value | |
yandex_pinger_key yandex_pinger_key значение параметра key | |
yandex_pinger_login yandex_pinger_login значение параметра login | |
yandex_pinger_searchid yandex_pinger_searchid значение параметра searchid | |
yandex_pinger_message yandex_pinger_message | |
*/ | |
class YandexPinger{ | |
private $key = ''; | |
private $login =''; | |
private $searchId = 0; | |
private $pluginId = 5; | |
private $modx; | |
public function __construct(&$modx, $scriptProperties = array()) | |
{ | |
$this->modx = $modx; | |
$this->key = 'ключ, выданный Яндексом'; | |
$this->login = 'логин аккаунта на Яндексе'; | |
$this->searchId = 'id созданной системы пользовательского поиска'; | |
} | |
public function get_date($date) | |
{ | |
$delta = 0; | |
$delta = $date - time(); | |
return $delta; | |
} | |
public function ping($url, $pub_date) | |
{ | |
$version = $this->modx->getVersionData(); | |
$postdata = http_build_query(array( | |
'key' => urlencode($this->key), | |
'login' => $this->login, //с urlencode не принимает логины с @ в теле | |
'search_id' => urlencode($this->searchId), | |
'pluginid' => urlencode($this->pluginId), | |
'cmsver' => $version['full_appname']."_v1.5", | |
'publishdate' => $this -> get_date($pub_date), | |
'urls' => $url | |
)); | |
$host = 'site.yandex.ru'; | |
$length = strlen($postdata); | |
$out = "POST /ping.xml HTTP/1.0\n"; | |
$out.= "HOST: ".$host."\n"; | |
$out.= "Content-Type: application/x-www-form-urlencoded\n"; | |
$out.= "Content-Length: ".$length."\n\n"; | |
$out.= $postdata."\n\n"; | |
try{ | |
$errno=''; | |
$errstr = ''; | |
$result = ''; | |
$socket = @fsockopen($host, 80, $errno, $errstr, 30); | |
if($socket){ | |
if(!fwrite($socket, $out)){ | |
throw new Exception("unable to write"); | |
} else { | |
while ($in = @fgets ($socket, 1024)){ | |
$result.=$in; | |
} | |
} | |
} else { | |
throw new Exception("unable to create socket"); | |
} | |
fclose($socket); | |
$result_xml = array(); | |
preg_match('/(<.*>)/u', $result, $result_xml); | |
if (!count($result_xml)) { | |
return false; | |
} | |
$result = array_pop($result_xml); | |
$xml = simplexml_load_string($result); | |
if($message = $this->getStatusMessage($xml)) { | |
$Setting = $this->modx->getObject('modSystemSetting', 'yandex_pinger_message'); | |
$Setting->set('value', $message); | |
$Setting->save(); | |
} | |
return true; | |
} catch(exception $e) { | |
return false; | |
} | |
} | |
private function getStatusMessage($extXMLResp) | |
{ | |
if (!$extXMLResp instanceof SimpleXMLElement) { | |
throw new InvalidArgumentException("Invalid response"); | |
} | |
if ($this->isResponseValid($extXMLResp)) { | |
return "Плагин работает корректно. Последний принятый адрес: " . $extXMLResp->added->url; | |
} | |
$errorCode = $this->getErrorCodeFromResp($extXMLResp); | |
switch ($errorCode) { | |
case "ILLEGAL_VALUE_TYPE": | |
case "SEARCH_NOT_OWNED_BY_USER": | |
case "NO_SUCH_USER_IN_PASSPORT": | |
return "Один или несколько параметров в настройках плагина указаны неверно - ключ (key), " | |
." логин (login) или ID поиска (searchid)."; | |
case "TOO_DELAYED_PUBLISH": | |
return "Максимальный срок отложенной публикации - 6 месяцев."; | |
case "USER_NOT_PERMITTED": | |
$errorparam = (string)$extXMLResp->error->param; | |
$errorvalue = (string)$extXMLResp->error->value; | |
if ($errorparam == "key") { | |
return "Неверный ключ (key) " . $errorvalue . ". Проверьте настройки плагина."; | |
} elseif ($errorparam == "ip") { | |
return "Запрос приходит с IP адреса " | |
. $errorvalue . ", который не указан в списке адресов в настройках вашего поиска"; | |
} else { | |
return "Запрос приходит с IP адреса, который не указан в списке адресов в настройках вашего " | |
. " поиска, либо Вы указали неправильный ключ (key) в настройках плагина."; | |
} | |
case "NOT_CONFIRMED_IN_WMC": | |
return "Сайт не подтвержден в сервисе Яндекс.Вебмастер для указанного имени пользователя."; | |
case "OUT_OF_SEARCH_AREA": | |
return "Адрес " . $extXMLResp->invalid->url . " не принадлежит области поиска вашей поисковой площадки."; | |
case "MALFORMED_URLS": | |
return "Невозможно принять некорректный адрес: " . $extXMLResp->invalid->url; | |
default: | |
return $errorCode; | |
} | |
} | |
private function getErrorCodeFromResp($extXMLResp) | |
{ | |
if ($this->isErrorsExistsInResp($extXMLResp)) { | |
return (string)$extXMLResp->error->code; | |
} elseif ($this->isSourceRequestInvalid($extXMLResp)) { | |
return (string)$extXMLResp->invalid["reason"]; | |
} | |
} | |
private function isErrorsExistsInResp($extXMLResp) | |
{ | |
return isset($extXMLResp->error) | |
&& isset($extXMLResp->error->code) | |
&& $extXMLResp->error->code; | |
} | |
private function isSourceRequestInvalid($extXMLResp) | |
{ | |
return isset($extXMLResp->invalid); | |
} | |
private function isResponseValid($extXMLResp) | |
{ | |
return isset($extXMLResp->added) | |
&& isset($extXMLResp->added['count']) | |
&& $extXMLResp->added['count'] > 0 | |
&& !$this->isErrorsExistsInResp($extXMLResp) | |
&& !$this->isSourceRequestInvalid($extXMLResp); | |
} | |
} | |
$id = $scriptProperties['id']; | |
$resource = $modx->getObject('modResource',$id); | |
$published = $resource->get('published'); | |
$pub_date = $resource->get('pub_date'); | |
$pinger = new YandexPinger($modx, $scriptProperties); | |
if($published == 1 || $pub_date > 0){ | |
$url = $modx->makeUrl($id, '', '', 'full'); | |
switch ($modx->event->name) { | |
case 'OnDocPublished': | |
case 'OnDocFormSave': | |
$pinger->ping($url, $pub_date); | |
break; | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment