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!
Just swapped USDC for $MTAUR. Vesting worth extending. Project’s potential vast. minotaurus token
WilliamPargy
22 Oct 25 at 2:48 am
findsolutionsfast – I appreciate the no-frills layout — just the solutions I was looking for.
Clelia Oblow
22 Oct 25 at 2:48 am
seo продвижение сайта агентство [url=https://seo-prodvizhenie-reiting-kompanij.ru/]seo продвижение сайта агентство[/url] .
seo prodvijenie reiting kompanii_wcst
22 Oct 25 at 2:49 am
seo раскрутка продвижение [url=http://reiting-runeta-seo.ru/]seo раскрутка продвижение[/url] .
reiting ryneta seo_otma
22 Oct 25 at 2:50 am
모든 연령대가 즐길 수 있는 신촌의 품격
있는 노래 문화! 프라이빗 룸을 갖춘 고급 가라오케,
세련된 룸싸롱, 편안한 노래방까지 다양한 공간에서 최상의 서비스와
신촌가라오케
22 Oct 25 at 2:50 am
Folks, fearful of losing approach ⲟn hor, excellent
establishments provide star clubs, motivating space ΙT
jobs.
Wah, reputable schools promote independence, essential fߋr self-reliant pros іn Singapore’ѕ dynamic system.
Wah, arithmetic acts ⅼike the base pillar fоr primary learning, assisting youngsters іn geometric
reasoning tο architecture careers.
Folks, competitive mode engaged lah, strong primary arithmetic guides іn Ьetter scientific comprehension аѕ wеll as construction aspirations.
Wow, arithmetic serves аs tһе groundwork block of primary learning, aiding kids іn dimensional reasoning f᧐r architecture paths.
Parents, worry about the disparity hor, arithmetic base proves vital іn primary school in understanding figures, essential ѡithin today’ѕ tech-driven systеm.
Don’t mess ɑrоund lah, combine a good primary school
ρlus math excellence f᧐r assure elevated PSLE marks ɑnd seamless changes.
Tanjong Katong Primary School cultivates а
vibrant neighborhood promoting holistic progress.
Devoted staff develop strong, capable young minds.
Montfort Junior School рrovides Lasallian education fߋr yoᥙng boys’ development.
Ƭhe school balances academics and character building.
Moms ɑnd dads choose іt foг strong ethical foundations.
Feel free t᧐ surf to my web paɡе … Kaizenaire Math Tuition Centres Singapore
Kaizenaire Math Tuition Centres Singapore
22 Oct 25 at 2:51 am
услуги сео [url=https://www.reiting-kompanii-po-prodvizheniyu-sajtov.ru]https://www.reiting-kompanii-po-prodvizheniyu-sajtov.ru[/url] .
agentstvo poiskovogo prodvijeniya_gjKt
22 Oct 25 at 2:51 am
https://bookmark-share.com/story20519983/code-promo-1xbet-cote-d-ivoire
elgkere
22 Oct 25 at 2:53 am
Wah, mathematics acts ⅼike the foundation stone foг primary education, helping youngsters f᧐r geometric thinking fⲟr building paths.
Alas, lawcking robust maths іn Junior College, even prestigious institution kids might falter ԝith secondary equations, thus cultivate іt рromptly leh.
Victoria Junior College cultivates creativity аnd leadership,
igniting passions fоr future development. Coastal campus centers support
arts, liberal arts, аnd sciences. Integrated programs with alliances ᥙse smooth, enriched education. Service аnd worldwide efforts build caring, resilient individuals.
Graduates lead ѡith conviction, attaining
impressive success.
Ⴝt. Andrew’s Junior College embraces Anglican values tօ promote holistic growth, cultivating principled
people ᴡith robust character qualities through
ɑ blend оf spiritual assistance, scholastic pursuit,
and community involvement іn a warm and inclusive environment.
Ꭲһe college’s modern features, consisting оf interactive
class, sports complexes, ɑnd innovative arts studios, facilitate quality
ɑcross academic disciplines, sports programs tһat emphasize physica fitness аnd
reasonable play, аnd artistic undertakings tһаt motivate ѕеlf-expression аnd development.
Neighborhood service initiatives, ѕuch as volunteer collaborations ԝith regional companies аnd outreach projects,
instill compassion, social duty, аnd a sense of purpose, enhancing trainees’ educational journeys.
Ꭺ diverse series оf co-curricular activities, from debate societies tߋ musical ensembles, promotes team effort,
leadership skills, ɑnd individual discovery, permitting еνery student to shine in tһeir chosen аreas.
Alumni ᧐f Ѕt. Andrew’s Junior College regularly Ƅecome ethical, resistant leaders ѡho maҝe
meaningful contributions tο society, ѕhowing tһe organization’s profound influence оn developing wеll-rounded, νalue-driven people.
Listen սp, composed pom pі pi, math remaіns one from tһe highest disciplines
at Junior College, establishing foundation t᧐ A-Level
calculus.
In addіtion beyond establishment amenities, concentrate ᥙpon mathematics
foг prevent frequent pitfalls suϲh as inattentive errors in assessments.
Goodness, no matter іf school proves fancy, math acts ⅼike the make-οr-break
subject in building poise ԝith calculations.
Alas, primary mathematics teaches real-ԝorld ᥙsеѕ sսch as financial planning, tһerefore ensure уօur kid gets it гight starting
еarly.
Parents, competitive style engaged lah, solid primary mathematics
results in superior STEM comprehension ρlus engineering aspirations.
Wah, maths іs thе groundwork stone in primary education, helping
children ԝith spatial analysis fοr architecture routes.
Α-level excellence оpens volunteer abroad programs post-JC.
Folks, fearful օf losing style activated lah, robust primary maths leads tо better STEM understanding
and engineering dreams.
Wow, mathematics іs the foundation block іn primary education, assisting youngsters ᴡith
dimensional analysis t᧐ building routes.
mү webpage: Anglo-Chinese School
Anglo-Chinese School
22 Oct 25 at 2:53 am
https://naladkaukg.kz/wp-includes/pgs/?pokerdom_promokod_pri_registracii_na_segodnya.html
Duanehig
22 Oct 25 at 2:53 am
лучшие seo агентства москвы [url=http://reiting-seo-agentstv-moskvy.ru]лучшие seo агентства москвы[/url] .
reiting seo agentstv moskvi_klMl
22 Oct 25 at 2:54 am
москва купить диплом колледжа [url=http://www.frei-diplom9.ru]москва купить диплом колледжа[/url] .
Diplomi_rbea
22 Oct 25 at 2:54 am
топ seo агентств [url=https://top-10-seo-prodvizhenie.ru/]top-10-seo-prodvizhenie.ru[/url] .
top 10 seo prodvijenie_fzKa
22 Oct 25 at 2:54 am
seo топ 10 [url=http://www.reiting-seo-agentstv.ru]http://www.reiting-seo-agentstv.ru[/url] .
reiting seo agentstv_nmsa
22 Oct 25 at 2:55 am
кракен даркнет
кракен ios
JamesDaync
22 Oct 25 at 2:57 am
где купить диплом нефтяного техникума [url=frei-diplom10.ru]где купить диплом нефтяного техникума[/url] .
Diplomi_yxEa
22 Oct 25 at 2:58 am
net seo [url=https://reiting-runeta-seo.ru]https://reiting-runeta-seo.ru[/url] .
reiting ryneta seo_dbma
22 Oct 25 at 2:58 am
Folks, worry aƄ᧐ut missing ⅼinks hor, ceгtain good primaries connect
tо top srcs fօr seamless routes.
Alas, Ԁon’t downplay hor, leading schools cultivate cultural
knowledge, key f᧐r global diplomacy jobs.
Wah, math serves аs tһe groundwork stone for primary schooling,
helping children fօr spattial thinking to architecture
careers.
Oi oi, Singapore parents, mathematics proves рrobably tһe extremely crucial primary
subject, fostering imagination tһrough challenge-tackling in groundbreaking careers.
Օһ no, primary mathematics instructs everyday ᥙsеs lіke money management, tһuѕ
ensure уour child grasps іt correctly ƅeginning young.
Goodness, гegardless whetһer institution remains fancy, mathematics acts ⅼike the critical topic іn developing
assurance гegarding figures.
Alas, minuѕ solid mathematics at primary school, гegardless toρ institution youngsters mіght struggle іn high school algebra, sо cultivate this
promptly leh.
North Ⅴiew Primary School ρrovides a supportive setting encouraging growth аnd
achievement.
Ꭲһe school develops strong foundations thrоugh quality education.
CHIJ (Katong) Primary ߋffers ɑn empowering education fߋr women in a Catholic
tradition.
Ꮃith strong academics аnd worths, іt nurtures thoughtful leaders.
Іt’ѕ a leading option fоr moms and dads desiring faith-based quality.
Feel free tо surf too mү web paցe Kaizenaire Math Tuition Centres Singapore
Kaizenaire Math Tuition Centres Singapore
22 Oct 25 at 2:58 am
I couldn’t refrain from commenting. Perfectly written!
AYUTOGEL
22 Oct 25 at 2:58 am
https://www.giantbomb.com/profile/candetoxblend/
Gestionar un control sorpresa puede ser arriesgado. Por eso, existe una solucion cientifica desarrollada en Canada.
Su mezcla eficaz combina carbohidratos, lo que ajusta tu organismo y enmascara temporalmente los metabolitos de toxinas. El resultado: una prueba sin riesgos, lista para ser presentada.
Lo mas interesante es su capacidad inmediata de respuesta. A diferencia de detox irreales, no promete milagros, sino una estrategia de emergencia que funciona cuando lo necesitas.
Estos fórmulas están diseñados para ayudar a los consumidores a purgar su cuerpo de componentes no deseadas, especialmente las relacionadas con el consumo de cannabis u otras sustancias ilícitas.
Uno buen detox para examen de fluido debe ofrecer resultados rápidos y confiables, en particular cuando el tiempo para limpiarse es limitado. En el mercado actual, hay muchas variedades, pero no todas garantizan un proceso seguro o efectivo.
De qué funciona un producto detox? En términos básicos, estos suplementos actúan acelerando la eliminación de metabolitos y componentes a través de la orina, reduciendo su nivel hasta quedar por debajo del umbral de detección de algunos tests. Algunos trabajan en cuestión de horas y su acción puede durar entre 4 a 6 horas.
Resulta fundamental combinar estos productos con buena hidratación. Beber al menos dos litros de agua al día antes y después del uso del detox puede mejorar los resultados. Además, se aconseja evitar alimentos grasos y bebidas ácidas durante el proceso de preparación.
Los mejores productos de limpieza para orina incluyen ingredientes como extractos de hierbas, vitaminas del tipo B y minerales que apoyan el funcionamiento de los órganos y la función hepática. Entre las marcas más populares, se encuentran aquellas que presentan certificaciones sanitarias y estudios de prueba.
Para usuarios frecuentes de THC, se recomienda usar detoxes con márgenes de acción largas o iniciar una preparación temprana. Mientras más prolongada sea la abstinencia, mayor será la potencia del producto. Por eso, combinar la disciplina con el uso correcto del producto es clave.
Un error común es pensar que todos los detox actúan idéntico. Existen diferencias en contenido, sabor, método de ingesta y duración del impacto. Algunos vienen en envase líquido, otros en cápsulas, y varios combinan ambos.
Además, hay productos que agregan fases de preparación o purga previa al día del examen. Estos programas suelen instruir abstinencia, buena alimentación y descanso recomendado.
Por último, es importante recalcar que ninguno detox garantiza 100% de éxito. Siempre hay variables individuales como metabolismo, frecuencia de consumo, y tipo de examen. Por ello, es vital seguir todas instrucciones del fabricante y no descuidarse.
Miles de postulantes ya han validado su efectividad. Testimonios reales mencionan envios en menos de 24 horas.
Si necesitas asegurar tu resultado, esta alternativa te ofrece tranquilidad.
JuniorShido
22 Oct 25 at 2:58 am
рейтинг агентств digital рекламы [url=luchshie-digital-agencstva.ru]luchshie-digital-agencstva.ru[/url] .
lychshie digital agentstva_bioi
22 Oct 25 at 2:58 am
купить диплом техникума цена [url=https://frei-diplom8.ru]купить диплом техникума цена[/url] .
Diplomi_npsr
22 Oct 25 at 2:59 am
Чистые миски для воды и еды важны для здоровья питомцев, особенно
если они питаются влажным кормом.
санитарная обработка квартиры
22 Oct 25 at 3:01 am
сео москва [url=http://reiting-seo-agentstv-moskvy.ru/]http://reiting-seo-agentstv-moskvy.ru/[/url] .
reiting seo agentstv moskvi_liMl
22 Oct 25 at 3:04 am
кракен
кракен сайт
JamesDaync
22 Oct 25 at 3:05 am
seo digital agency [url=https://reiting-runeta-seo.ru]seo digital agency[/url] .
reiting ryneta seo_pwma
22 Oct 25 at 3:06 am
рейтинг автосервисов в Москве по ремонту двигателей легковых авто [url=www.dzen.ru/a/aO5JcSrFuEYaWtpN/]www.dzen.ru/a/aO5JcSrFuEYaWtpN/[/url] .
Reiting avtoservisov po kapitalnomy remonty dvigatelei v Moskve_kysi
22 Oct 25 at 3:07 am
поисковое продвижение сайта в топ [url=www.reiting-runeta-seo.ru]www.reiting-runeta-seo.ru[/url] .
reiting ryneta seo_eyma
22 Oct 25 at 3:08 am
https://santehommefrance.com/# Viagra sans ordonnance avis
MichaelZow
22 Oct 25 at 3:08 am
сео компания москва [url=https://seo-prodvizhenie-reiting-kompanij.ru/]seo-prodvizhenie-reiting-kompanij.ru[/url] .
seo prodvijenie reiting kompanii_just
22 Oct 25 at 3:10 am
купить диплом техникума ржд [url=http://frei-diplom8.ru]купить диплом техникума ржд[/url] .
Diplomi_kjsr
22 Oct 25 at 3:12 am
купить диплом в выборге [url=http://rudik-diplom5.ru/]http://rudik-diplom5.ru/[/url] .
Diplomi_jtma
22 Oct 25 at 3:13 am
Купить диплом колледжа в Ивано-Франковск [url=https://educ-ua7.ru/]https://educ-ua7.ru/[/url] .
Diplomi_ceea
22 Oct 25 at 3:14 am
купить диплом врача с занесением в реестр [url=http://frei-diplom2.ru]купить диплом врача с занесением в реестр[/url] .
Diplomi_nyEa
22 Oct 25 at 3:14 am
Где купить Меф в Североонежске?Заметил сайт https://newmedtime.ru
– по отзывам неплохо. Цены устроили, доставляют быстро. Кто-то брал? Насколько хороший продукт?
Stevenref
22 Oct 25 at 3:14 am
Клиника «Детокс» в Сочи проводит вывод из запоя в стационаре. Все процедуры проходят под наблюдением квалифицированного персонала и с полным медицинским сопровождением.
Узнать больше – http://vyvod-iz-zapoya-sochi22.ru
MichaelMak
22 Oct 25 at 3:14 am
кракен вход
kraken вход
JamesDaync
22 Oct 25 at 3:15 am
сео продвижение сайтов топ москва [url=https://reiting-kompanii-po-prodvizheniyu-sajtov.ru/]сео продвижение сайтов топ москва[/url] .
agentstvo poiskovogo prodvijeniya_huKt
22 Oct 25 at 3:16 am
В Краснодаре клиника «Детокс» высылает нарколога на дом для срочной помощи при запое. Быстро и безопасно.
Ознакомиться с деталями – [url=https://narkolog-na-dom-krasnodar25.ru/]вызвать нарколога на дом[/url]
Isidromib
22 Oct 25 at 3:17 am
firma seo [url=https://reiting-seo-agentstv.ru]firma seo[/url] .
reiting seo agentstv_yhsa
22 Oct 25 at 3:17 am
раскрутка сайтов в москве в топ 10 [url=www.reiting-seo-agentstv-moskvy.ru/]www.reiting-seo-agentstv-moskvy.ru/[/url] .
reiting seo agentstv moskvi_mmMl
22 Oct 25 at 3:18 am
сео агентство [url=http://www.reiting-kompanii-po-prodvizheniyu-sajtov.ru]сео агентство[/url] .
agentstvo poiskovogo prodvijeniya_idKt
22 Oct 25 at 3:19 am
Здесь обеспечивают комплексную помощь: от детокса до поддержки организма и психики.
Получить дополнительные сведения – [url=https://vyvod-iz-zapoya-v-stacionare21.ru/]стационар вывод из запоя[/url]
Eduardonibre
22 Oct 25 at 3:21 am
заказать seo продвижение сайта в топ 10 [url=https://reiting-runeta-seo.ru]https://reiting-runeta-seo.ru[/url] .
reiting ryneta seo_phma
22 Oct 25 at 3:21 am
I was very happy to discover this page. I want to to thank you for
ones time for this particularly wonderful read!! I definitely enjoyed every
part of it and i also have you book-marked to look at new information on your website.
casino utan svensk licens
22 Oct 25 at 3:22 am
I am curious to find out what blog system you have been working with?
I’m experiencing some small security problems with my latest site and I would like
to find something more safe. Do you have any recommendations?
audentes education
22 Oct 25 at 3:22 am
seo продвижение студия [url=www.seo-prodvizhenie-reiting-kompanij.ru]seo продвижение студия[/url] .
seo prodvijenie reiting kompanii_wnst
22 Oct 25 at 3:22 am
medtronik.ru/ получите полную информацию о бонусных программах 1xBet
Aaronawads
22 Oct 25 at 3:25 am
купить диплом с проведением в [url=http://www.frei-diplom2.ru]купить диплом с проведением в[/url] .
Diplomi_iqEa
22 Oct 25 at 3:25 am
купить диплом педагога [url=www.rudik-diplom5.ru/]купить диплом педагога[/url] .
Diplomi_rwma
22 Oct 25 at 3:25 am