PHP hook, building hooks in your application
Introduction
One of the real challenges in building any type of framework, core or application is making it possible for the developers to hook into the business logic at specific points. Since PHP is not event based, nor it works with interrupts you have to come up an alternative.
The test case
Lets assume we are the main developers of a webshop framework. Programmers can use our framework to build complete webshops. Programmers can manage the orders that are placed on the webshop with the order class. The order class is part of our framework and we don’t want it to be extended by any programmer. However we don’t want to limit to programmers in their possibilities to hook into the orders process.
For example programmers should be able to send an email to the webshopowner if an order changes from one specific delivery status to another. This functionality is not part of the default behavior in our framework and is custom for the progammers webshop implementation.
Like said before, PHP doesn’t provide interrupts or real events so we need to come up with another way to implement hooks into our application. Lets take a look at the observer pattern.
Implementing the Observer pattern
The observer pattern is a design-pattern that describes a way for objects to be notified to specific state-changes in objects of the application.
For the first implementation we can use SPL. The SPL provides in two simple objects:
SPLSubject
- attach (new observer to attach)
- detach (existing observer to detach)
- notify (notify all observers)
SPLObserver
- update (Called from the subject (i.e. when it’s value has changed).
iOrderRef = $iOrderRef;
// Get order information from the database or an other resources
$this->iStatus = Order::STATUS_SHIPPED;
}
/**
* Attach an observer
*
* @param SplObserver $oObserver
* @return void
*/
public function attach(SplObserver $oObserver)
{
$sHash = spl_object_hash($oObserver);
if (isset($this->aObservers[$sHash])) {
throw new Exception('Observer is already attached');
}
$this->aObservers[$sHash] = $oObserver;
}
/**
* Detach observer
*
* @param SplObserver $oObserver
* @return void
*/
public function detach(SplObserver $oObserver)
{
$sHash = spl_object_hash($oObserver);
if (!isset($this->aObservers[$sHash])) {
throw new Exception('Observer not attached');
}
unset($this->aObservers[$sHash]);
}
/**
* Notify the attached observers
*
* @param string $sEvent, name of the event
* @param mixed $mData, optional data that is not directly available for the observers
* @return void
*/
public function notify()
{
foreach ($this->aObservers as $oObserver) {
try {
$oObserver->update($this);
} catch(Exception $e) {
}
}
}
/**
* Add an order
*
* @param array $aOrder
* @return void
*/
public function delete()
{
$this->notify();
}
/**
* Return the order reference number
*
* @return int
*/
public function getRef()
{
return $this->iOrderRef;
}
/**
* Return the current order status
*
* @return int
*/
public function getStatus()
{
return $this->iStatus;
}
/**
* Update the order status
*/
public function updateStatus($iStatus)
{
$this->notify();
// ...
$this->iStatus = $iStatus;
// ...
$this->notify();
}
}
/**
* Order status handler, observer that sends an email to secretary
* if the status of an order changes from shipped to delivered, so the
* secratary can make a phone call to our customer to ask for his opinion about the service
*
* @package Shop
*/
class OrderStatusHandler implements SplObserver
{
/**
* Previous orderstatus
* @var int
*/
protected $iPreviousOrderStatus;
/**
* Current orderstatus
* @var int
*/
protected $iCurrentOrderStatus;
/**
* Update, called by the observable object order
*
* @param Observable_Interface $oSubject
* @param string $sEvent
* @param mixed $mData
* @return void
*/
public function update(SplSubject $oSubject)
{
if(!$oSubject instanceof Order) {
return;
}
if(is_null($this->iPreviousOrderStatus)) {
$this->iPreviousOrderStatus = $oSubject->getStatus();
} else {
$this->iCurrentOrderStatus = $oSubject->getStatus();
if($this->iPreviousOrderStatus === Order::STATUS_SHIPPED && $this->iCurrentOrderStatus === Order::STATUS_DELIVERED) {
$sSubject = sprintf('Order number %d is shipped', $oSubject->getRef());
//mail('secratary@example.com', 'Order number %d is shipped', 'Text');
echo 'Mail sended to the secratary to help her remember to call our customer for a survey.';
}
}
}
}
$oOrder = new Order(26012011);
$oOrder->attach(new OrderStatusHandler());
$oOrder->updateStatus(Order::STATUS_DELIVERED);
$oOrder->delete();
?>
There are several problems with the implementation above. To most important disadvantage is that we have only one update method in our observer. In this update method we don’t know when and why we are getting notified, just that something happened. We should keep track of everything that happens in the subject. (Or use debug_backtrace… just joking, don’t even think about using it that way ever!).
Taking it a step further, events
Lets take a look at the next example, we will extend the Observer implementation with some an additional parameter for the eventname that occured.
Finishing up, optional data
iOrderRef = $iOrderRef;
// Get order information from the database or something else...
$this->iStatus = Order::STATUS_SHIPPED;
}
/**
* Attach an observer
*
* @param Observer_Interface $oObserver
* @return void
*/
public function attachObserver(Observer_Interface $oObserver)
{
$sHash = spl_object_hash($oObserver);
if (isset($this->aObservers[$sHash])) {
throw new Exception('Observer is already attached');
}
$this->aObservers[$sHash] = $oObserver;
}
/**
* Detach observer
*
* @param Observer_Interface $oObserver
* @return void
*/
public function detachObserver(Observer_Interface $oObserver)
{
$sHash = spl_object_hash($oObserver);
if (!isset($this->aObservers[$sHash])) {
throw new Exception('Observer not attached');
}
unset($this->aObservers[$sHash]);
}
/**
* Notify the attached observers
*
* @param string $sEvent, name of the event
* @param mixed $mData, optional data that is not directly available for the observers
* @return void
*/
public function notifyObserver($sEvent, $mData=null)
{
foreach ($this->aObservers as $oObserver) {
try {
$oObserver->update($this, $sEvent, $mData);
} catch(Exception $e) {
}
}
}
/**
* Add an order
*
* @param array $aOrder
* @return void
*/
public function add($aOrder = array())
{
$this->notifyObserver('onAdd');
}
/**
* Return the order reference number
*
* @return int
*/
public function getRef()
{
return $this->iOrderRef;
}
/**
* Return the current order status
*
* @return int
*/
public function getStatus()
{
return $this->iStatus;
}
/**
* Update the order status
*/
public function updateStatus($iStatus)
{
$this->notifyObserver('onBeforeUpdateStatus');
// ...
$this->iStatus = $iStatus;
// ...
$this->notifyObserver('onAfterUpdateStatus');
}
}
/**
* Order status handler, observer that sends an email to secretary
* if the status of an order changes from shipped to delivered, so the
* secratary can make a phone call to our customer to ask for his opinion about the service
*
* @package Shop
*/
class OrderStatusHandler implements Observer_Interface
{
protected $iPreviousOrderStatus;
protected $iCurrentOrderStatus;
/**
* Update, called by the observable object order
*
* @param Observable_Interface $oObservable
* @param string $sEvent
* @param mixed $mData
* @return void
*/
public function update(Observable_Interface $oObservable, $sEvent, $mData=null)
{
if(!$oObservable instanceof Order) {
return;
}
switch($sEvent) {
case 'onBeforeUpdateStatus':
$this->iPreviousOrderStatus = $oObservable->getStatus();
return;
case 'onAfterUpdateStatus':
$this->iCurrentOrderStatus = $oObservable->getStatus();
if($this->iPreviousOrderStatus === Order::STATUS_SHIPPED && $this->iCurrentOrderStatus === Order::STATUS_DELIVERED) {
$sSubject = sprintf('Order number %d is shipped', $oObservable->getRef());
//mail('secratary@example.com', 'Order number %d is shipped', 'Text');
echo 'Mail sended to the secratary to help her remember to call our customer for a survey.';
}
}
}
}
$oOrder = new Order(26012011);
$oOrder->attachObserver(new OrderStatusHandler());
$oOrder->updateStatus(Order::STATUS_DELIVERED);
$oOrder->add();
?>
Now we are able to take action on different events that occur.
Disadvantages
Although this implementation works quite well there are some drawbacks. One of those drawbacks is that we need to dispatch an event in our framework, if we don’t programmers can’t hook into our application. Triggering events everywhere give us a small performance penalty however I do think this way of working gives the programmers a nice way to hook into your application on those spots that you want them to hook in.
Just for the record
Notice that this code is just an example and can still use some improvements, for example: each observer is initialized even it will maybe never be notified, therefore I suggest to make use of lazy in some cases for loading the objects. There are other systems to hook into an application, more to follow!
букмекерские конторы в кыргызстане [url=mostbet12008.ru]mostbet12008.ru[/url]
mostbet_rqer
13 Sep 25 at 1:04 pm
Мы можем предложить документы любых учебных заведений, которые расположены на территории всей Российской Федерации. Приобрести диплом о высшем образовании:
[url=http://career.ltu.bg/employer/ukrdiplom/]купить красный аттестаты за 11 класс[/url]
Diplomi_kuPn
13 Sep 25 at 1:13 pm
Нужна разработка сайта от опытного частного веб-мастера? Ищете разработка лендинга? Посетите сайт xn--80aaad2au1alcx.site и вы найдете широкий ассортимент услуг по разработке и доработке сайтов. Разрабатываю лендинги, интернет-магазины, каталоги, корпоративные сайты и проекты с системой бронирования, а также настраиваю контекстную рекламу. Ознакомьтесь на сайте со всеми услугами, портфолио и стоимостью работ.
lakizaIdels
13 Sep 25 at 1:13 pm
J’adore le glamour de Riviera Casino, ca degage une ambiance de jeu aussi chic qu’une soiree sur un yacht. Il y a une vague de jeux de casino captivants, incluant des jeux de table de casino d’une elegance cotiere. L’assistance du casino est chaleureuse et raffinee, avec une aide qui brille comme une vague. Les gains du casino arrivent a une vitesse de yacht, parfois les offres du casino pourraient etre plus genereuses. Dans l’ensemble, Riviera Casino promet un divertissement de casino scintillant pour les amoureux des slots modernes de casino ! En plus la navigation du casino est intuitive comme une promenade cotiere, ce qui rend chaque session de casino encore plus glamour.
la riviera casino login|
wildbananafox3zef
13 Sep 25 at 1:14 pm
J’adore l’intensite de Stake Casino, on dirait un cratere bouillonnant de fun. L’eventail de jeux du casino est une eruption de delices, proposant des slots de casino a theme explosif. Le personnel du casino offre un accompagnement digne d’un pyromane, joignable par chat ou email. Les retraits au casino sont rapides comme une coulee de lave, mais des bonus de casino plus frequents seraient explosifs. Pour resumer, Stake Casino c’est un casino a explorer sans tarder pour les joueurs qui aiment parier avec panache au casino ! De surcroit l’interface du casino est fluide et eclatante comme un volcan, ce qui rend chaque session de casino encore plus enflammee.
stake. bet|
zanyglowtoad4zef
13 Sep 25 at 1:14 pm
Вывод из запоя в Рязани является востребованной медицинской услугой, направленной на стабилизацию состояния пациента после длительного употребления алкоголя. Специалисты применяют современные методы детоксикации, позволяющие быстро и безопасно восстановить жизненно важные функции организма, снизить проявления абстинентного синдрома и предотвратить осложнения. Процесс лечения осуществляется в клинических условиях под постоянным наблюдением врачей.
Получить больше информации – [url=https://vyvod-iz-zapoya-ryazan14.ru/]помощь вывод из запоя рязань[/url]
ScottieWah
13 Sep 25 at 1:18 pm
mexico pharmacy: SaludFrontera – SaludFrontera
Teddyroowl
13 Sep 25 at 1:19 pm
РѕРўР›РЧНЫЙ МАГАЗ НАСЛЫШАН
https://rant.li/uhrquhvtudid/gde-mozhno-kupit-lirik-tabletki
все пришло.пока не пробовал.конспирация на высшем уровне.спасибо
Harryunsag
13 Sep 25 at 1:20 pm
I am no longer positive the place you’re getting your information, but good topic.
I needs to spend a while studying more or figuring out more.
Thanks for great information I used to be in search of this info for my mission.
turkey visa for australian
13 Sep 25 at 1:21 pm
It’s awesome to visit this website and reading the views of
all colleagues regarding this post, while I am
also zealous of getting knowledge.
turkey visa for australian
13 Sep 25 at 1:24 pm
ЭлекОпт — оптовый магазин судового кабеля с крупными складскими запасами в СЗФО. Поставляем барабанами, выдаем сертификаты РКО и РМРС, организуем бесплатную доставку до ТК. Ищете кабель нршм характеристики? Ознакомьтесь с актуальными остатками и ценами на elek-opt.ru — на сайте доступны фильтры по марке, регистру и наличию. Не нашли позицию на сайте — отправьте запрос, подберем аналог из начатых барабанов или сообщим сроки поставки.
petamthubs
13 Sep 25 at 1:25 pm
Задержка усиливает риск судорог, делирия, аритмий и травм. Эти маркеры не требуют медицинского образования — их легко распознать. Если совпадает хотя бы один пункт ниже, свяжитесь с нами 24/7: мы подскажем безопасный формат старта и подготовим пространство к визиту.
Исследовать вопрос подробнее – [url=https://narkologicheskaya-klinika-ryazan14.ru/]анонимная наркологическая клиника[/url]
AnthonyRah
13 Sep 25 at 1:31 pm
Amazing blog! Do you have any suggestions for aspiring
writers? I’m hoping to start my own site soon but I’m a little lost on everything.
Would you recommend starting with a free platform like WordPress or go for a paid option?
There are so many options out there that I’m totally overwhelmed ..
Any suggestions? Thanks a lot!
https://nh8811.com
13 Sep 25 at 1:35 pm
https://ameblo.jp/eduardoofzj381/entry-12929573128.html
Gestionar un control sorpresa puede ser arriesgado. Por eso, existe un metodo de enmascaramiento desarrollada en Canada.
Su formula eficaz combina vitaminas, lo que prepara tu organismo y neutraliza temporalmente los trazas de THC. El resultado: una orina con parametros normales, lista para pasar cualquier control.
Lo mas notable es su ventana de efectividad de 4 a 5 horas. A diferencia de detox irreales, no promete resultados permanentes, sino una estrategia de emergencia que te respalda en situaciones criticas.
Miles de personas en Chile ya han comprobado su rapidez. Testimonios reales mencionan paquetes 100% confidenciales.
Si no deseas dejar nada al azar, esta solucion te ofrece confianza.
JuniorShido
13 Sep 25 at 1:37 pm
Gracias por un contenido tan útil. Recomendaré 1win app a mis amigos.
promociones
promociones
13 Sep 25 at 1:37 pm
Drugs information sheet. Effects of Drug Abuse.
clomid levothyroxine
All about drug. Get here.
clomid levothyroxine
13 Sep 25 at 1:37 pm
I visited multiple blogs but the audio quality for audio songs current at this web site
is really excellent.
turkey visa for australian
13 Sep 25 at 1:40 pm
Для купирования абстинентного синдрома и снятия интоксикации используются различные подходы. Врачи подбирают их индивидуально, исходя из состояния пациента.
Получить дополнительные сведения – [url=https://vyvod-iz-zapoya-ryazan14.ru/]нарколог вывод из запоя рязань[/url]
ScottieWah
13 Sep 25 at 1:41 pm
Мы предлагаем документы институтов, которые расположены на территории всей России. Купить диплом о высшем образовании:
[url=http://market.pk/profile/beaumerriman83/]купить аттестат 11 классов в томске[/url]
Diplomi_hiPn
13 Sep 25 at 1:42 pm
TrueNorth Pharm [url=https://truenorthpharm.shop/#]TrueNorth Pharm[/url] safe canadian pharmacies
Michaelphype
13 Sep 25 at 1:42 pm
как использовать бонусный счет в 1win [url=http://1win12005.ru/]как использовать бонусный счет в 1win[/url]
1win_chol
13 Sep 25 at 1:42 pm
mostbet kg [url=https://mostbet12009.ru]mostbet kg[/url]
mostbet_wnsl
13 Sep 25 at 1:43 pm
“Приезжаю Рё РІРёР¶Сѓ РЅР° свету бля что то поххожее РЅР° таблетки ”
https://odysee.com/@giovannitremblay17
Братки РІСЃРµ красиво стряпают, претензий Рє магазину нуль, всегда РІСЃС‘ СЂРѕРІРЅРѕ. Единственное что сейчас напрягло, отсутствие РЅР° ветке вашего представителя РІ ЕКБ “онлайн”, представитель молчит ( Р° там РїРѕ делу ему РІ лс отписано) Рё кажись воопще РЅРµ заходит пару недель
ScottVor
13 Sep 25 at 1:44 pm
Medicament information. Long-Term Effects.
where buy lasix without prescription
Actual what you want to know about medicines. Read information here.
where buy lasix without prescription
13 Sep 25 at 1:48 pm
купить диплом документы [url=http://educ-ua5.ru/]купить диплом документы[/url] .
Diplomi_zkKl
13 Sep 25 at 1:49 pm
Это позволит всегда иметь под
рукой актуальный адрес и не терять время на поиски.
казино эльдорадо 24
13 Sep 25 at 1:50 pm
Don’t takе lightly lah, pair а excellent Junior
College alongside maths superiority tο guarantee hіgh A Levels scores
аnd effortless transitions.
Folks, worry ab᧐ut tһе difference hor, maths foundation іs critical in Junior College іn grasping figures,
crucial іn modern digital market.
Anglo-Chinese Junior College stands ɑs a beacon ߋf
weⅼl balanced education, blending rigorous academics ᴡith a supporting Christian ethos
tһat influences ethical stability and personal
growth. Τhe college’s statе-of-the-art centers and skilled faculty support exceptional
performance іn both arts and sciences, with trainees frequently accomplishing leading accolades.
Ꭲhrough its emphasis оn sports and performing arts, students develop discipline,
camaraderie, аnd a passion fⲟr excellence beyond tһе classroom.
International partnerships аnd exchange opportunities enrich tһe finding out experience,
promoting international awareness аnd cultural gratitude.
Alumni grow іn varied fields, testament tօ tһe college’s role іn forming principled leaders ready
tо contribute positively tⲟ society.
Nanyang Junior College stands ⲟut in promoting bilingual proficiency ɑnd cultural
excellence, skillfully weaving tⲟgether abundant Chinese heritage wіth
contemporary worldwide education to shape confident,
culturally agile people ᴡhо aгe poised to lead in multicultural contexts.
Ꭲhe college’s advanced centers, consisting
оf specialized STEM laboratories, performing arts theaters, аnd language immersion centers,
support robust programs іn science, technology, engineering, mathematics, arts, аnd liberal arts
tһаt motivate innovation, vital thinking, аnd
creative expression. Ӏn а lively and inclusive neighborhood, students engage
іn management chances sucһ aѕ student governance functions ɑnd international exchange programs
ԝith partner organizations abroad, ԝhich expand tһeir poіnt оf views
and construct іmportant worldwide competencies.
Thе focus ᧐n core worths ⅼike integrity and durability іs incorporated іnto every day life thrоugh mentorship schemes, neighborhood service initiatives, аnd health care that
promote emotional intelligence аnd personal development.
Graduates ߋf Nanyang Junior College routinely excel іn admjissions tօ top-tier universities, promoting ɑ hɑppy legacy of impressive achievements, cultural appreciation, ɑnd a
ingrained passion for constant self-improvement.
Oh, math iѕ the foundation stone іn primary learning, aiding children ԝith spatial reasoning іn design careers.
Folks, fearful ߋf losing approach activated lah,
solid primary mathematics leads tо improved STEM comprehension аnd construction aspirations.
Wow, mathematics serves ɑs the base block іn primary learning,
assisting kids ѡith spatial reasoning іn design careers.
Hey hey, steady pom pi ρi, mathematics remains ⲟne from the
top disciplines during Junior College, laying base to
Ꭺ-Level advanced math.
Ꭺpart to school facilities, emphasize on mathematics to аvoid
typical errors including inattentive mistakes іn exams.
Ꭺ-level success inspires siblings іn the family.
Besiԁes to school amenities, emphasize ᴡith
maths fⲟr prevent common pitfalls including sloppy errors ɗuring exams.
Parents, kiasu mode activated lah, solid primary math guides
fⲟr better scientific grasp ρlus engineering aspirations.
Feel free to visit my blog post; jc math tuition
jc math tuition
13 Sep 25 at 1:50 pm
высшее образование купить диплом с занесением в реестр [url=www.educ-ua12.ru]высшее образование купить диплом с занесением в реестр[/url] .
Diplomi_quMt
13 Sep 25 at 1:53 pm
Формат лечения
Получить больше информации – [url=https://narkologicheskaya-klinika-sankt-peterburg14.ru/]запой наркологическая клиника санкт-петербург[/url]
Romanronse
13 Sep 25 at 1:54 pm
что будет если купить диплом о высшем образовании с занесением в реестр [url=http://educ-ua14.ru/]что будет если купить диплом о высшем образовании с занесением в реестр[/url] .
Diplomi_cgkl
13 Sep 25 at 1:54 pm
1 вин скачать [url=https://1win12004.ru/]https://1win12004.ru/[/url]
1win_cjEr
13 Sep 25 at 2:01 pm
Selain memberikan fasilitas gratis untuk mengunduh video, kamu juga bisa memilih format lain, yaitu MP4 dan MP3.
makeourplanetgreatagain-cnrs.com
13 Sep 25 at 2:02 pm
Пациенты могут выбрать наиболее подходящий формат лечения. Стационар обеспечивает круглосуточное наблюдение и интенсивную терапию, а амбулаторный формат позволяет совмещать лечение с повседневной жизнью.
Подробнее можно узнать тут – [url=https://narkologicheskaya-klinika-sankt-peterburg14.ru/]наркологическая клиника наркологический центр[/url]
Romanronse
13 Sep 25 at 2:06 pm
качество на высоте! сегодня опробовали и регу и ск!
https://igli.me/kristintrujillokri
попробуйте установить скайп.
ScottVor
13 Sep 25 at 2:09 pm
Hi! I just wanted to ask if you ever have any trouble with
hackers? My last blog (wordpress) was hacked and I ended up losing a
few months of hard work due to no back up. Do you
have any solutions to protect against hackers?
buôn bán nội tạng
13 Sep 25 at 2:10 pm
купить диплом в днепропетровске цены [url=http://educ-ua5.ru/]купить диплом в днепропетровске цены[/url] .
Diplomi_hnKl
13 Sep 25 at 2:11 pm
Why people still make use of to read news papers when in this technological globe all is accessible on net?
tobacco gear
13 Sep 25 at 2:15 pm
Своевременный вызов позволяет «поймать» момент, когда детокс максимально эффективен и ещё не потребовалась госпитализация. Мы работаем по всему Пушкинскому округу и приезжаем в ближайшие населённые пункты соседних округов.
Подробнее тут – [url=https://vyvod-iz-zapoya-pushkino7.ru/]нарколог вывод из запоя[/url]
VictorVex
13 Sep 25 at 2:15 pm
Excellent blog you’ve got here.. It’s hard to find good quality writing like yours nowadays.
I honestly appreciate people like you! Take care!!
turkey visa for australian
13 Sep 25 at 2:17 pm
My brother suggested I may like this blog. He used to be entirely right.
This publish actually made my day. You cann’t imagine simply how a lot time
I had spent for this information! Thank you!
Boostaro Reviews
13 Sep 25 at 2:18 pm
Your way of telling everything in this piece of writing is genuinely good, all be able
to easily understand it, Thanks a lot.
buôn bán nội tạng
13 Sep 25 at 2:19 pm
купить аттестаты за 11 вечерней школе отзывы [url=https://arus-diplom25.ru/]купить аттестаты за 11 вечерней школе отзывы[/url] .
Diplomi_huot
13 Sep 25 at 2:20 pm
Howdy! Do you know if they make any plugins to protect against hackers?
I’m kinda paranoid about losing everything I’ve worked hard on. Any tips?
Thalen EquiBridge
13 Sep 25 at 2:20 pm
If you are going for finest contents like myself, simply pay a visit this site every day
since it gives quality contents, thanks
corporate directory singapore
13 Sep 25 at 2:22 pm
тусишка что то СЃ чем то – 1Р№ раз РјРѕРіСѓ сказать что 25 это перебор….
https://kemono.im/duougxag/kupit-narkotiki-rostov
Ребят вообще РЅР° высоте!!!)Удачи вам всех благ!!! ВСЕХ РЎ ПРАЗДНРРљРћРњ!!!Всего самого самого наилучшего!)
ScottVor
13 Sep 25 at 2:33 pm
Минус вейджер.
казино бонусы
казино бонусы
13 Sep 25 at 2:33 pm
SaludFrontera: SaludFrontera – SaludFrontera
Charlesdyelm
13 Sep 25 at 2:35 pm
купить диплом в кривом роге недорого [url=http://www.educ-ua5.ru]купить диплом в кривом роге недорого[/url] .
Diplomi_odKl
13 Sep 25 at 2:36 pm
kraken darknet kraken onion, kraken onion ссылка, kraken onion зеркала, kraken рабочая ссылка onion, сайт kraken onion, kraken darknet, kraken darknet market, kraken darknet ссылка, сайт kraken darknet, kraken актуальные ссылки, кракен ссылка kraken, kraken официальные ссылки, kraken ссылка тор, kraken ссылка зеркало, kraken ссылка на сайт, kraken онион, kraken онион тор, кракен онион, кракен онион тор, кракен онион зеркало, кракен даркнет маркет, кракен darknet, кракен onion, кракен ссылка onion, кракен onion сайт, kra ссылка, kraken сайт, kraken актуальные ссылки, kraken зеркало, kraken ссылка зеркало, kraken зеркало рабочее, актуальные зеркала kraken, kraken сайт зеркала, kraken маркетплейс зеркало, кракен ссылка, кракен даркнет
RichardPep
13 Sep 25 at 2:36 pm
Что делает врач
Выяснить больше – http://kapelnica-ot-zapoya-vidnoe7.ru
EugeneSoype
13 Sep 25 at 2:38 pm