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!
1x giri? [url=http://1xbet-giris-5.com]http://1xbet-giris-5.com[/url] .
1xbet giris_jtSa
3 Nov 25 at 12:50 am
Website backlinks SEO
Our services are accessible by the following keywords: backlinks for website, links for SEO purposes, backlinks for Google, link development, link builder, obtain backlinks, backlink provision, web backlinks, acquire backlinks, backlinks via Kwork, website backlinks, SEO-focused backlinks.
Website backlinks SEO
3 Nov 25 at 12:51 am
Its like you read my mind! You seem to know a lot about
this, like you wrote the book in it or something.
I think that you could do with a few pics to drive the message home a bit, but other than that, this
is magnificent blog. An excellent read. I will definitely
be back.
시알리스 구매 사이트
3 Nov 25 at 12:51 am
нат потолки [url=https://www.natyazhnye-potolki-nizhniy-novgorod-1.ru]https://www.natyazhnye-potolki-nizhniy-novgorod-1.ru[/url] .
natyajnie potolki nijnii novgorod_vyma
3 Nov 25 at 12:51 am
1xbet mobil giri? [url=https://1xbet-giris-6.com/]1xbet-giris-6.com[/url] .
1xbet giris_epsl
3 Nov 25 at 12:52 am
Магазин «Всё для надёжного хозяина» на https://vdnh-penza.ru/ — это широкий каталог электро- и бензоинструмента, сварки, пневматики, теплового и садового оборудования от «PATRIOT», «ДИОЛД», «БЕЛМАШ», «Корвет ЭНКОР». Удобная навигация, наличие расходников и комплектующих, консультации и склад в Пензе позволяют быстро собрать рабочий комплект — от генератора до фитингов. Время — деньги: здесь есть и решение, и логистика, и грамотная поддержка, чтобы ваша мастерская всегда оставалась на ходу.
tivewAgisp
3 Nov 25 at 12:52 am
1 x bet [url=http://www.1xbet-giris-5.com]http://www.1xbet-giris-5.com[/url] .
1xbet giris_noSa
3 Nov 25 at 12:53 am
купить диплом в барнауле [url=http://www.rudik-diplom1.ru]купить диплом в барнауле[/url] .
Diplomi_tuer
3 Nov 25 at 12:54 am
Je suis completement seduit par Instant Casino, on ressent une ambiance de fete. Les options de jeu sont incroyablement variees, avec des slots aux graphismes modernes. Il donne un avantage immediat. Le support est fiable et reactif. Les gains sont transferes rapidement, toutefois plus de promos regulieres dynamiseraient le jeu. En resume, Instant Casino offre une experience inoubliable. En complement le site est rapide et engageant, apporte une touche d’excitation. Un avantage les tournois reguliers pour la competition, propose des privileges personnalises.
DГ©couvrir les faits|
swiftpulseos5zef
3 Nov 25 at 12:55 am
1xbet mobil giri? [url=www.1xbet-giris-5.com]www.1xbet-giris-5.com[/url] .
1xbet giris_kdSa
3 Nov 25 at 12:55 am
pharmacy delivery Ireland [url=https://irishpharmafinder.shop/#]top-rated pharmacies in Ireland[/url] top-rated pharmacies in Ireland
Hermanengam
3 Nov 25 at 12:57 am
потолочник натяжные потолки отзывы [url=https://natyazhnye-potolki-nizhniy-novgorod-1.ru/]потолочник натяжные потолки отзывы[/url] .
natyajnie potolki nijnii novgorod_lmma
3 Nov 25 at 12:58 am
рейтинг агентств по seo [url=http://www.luchshie-digital-agencstva.ru]рейтинг агентств по seo[/url] .
lychshie digital agentstva_yooi
3 Nov 25 at 12:58 am
affordable medication Ireland: Irish online pharmacy reviews – online pharmacy ireland
Johnnyfuede
3 Nov 25 at 12:59 am
online pharmacy [url=http://irishpharmafinder.com/#]trusted online pharmacy Ireland[/url] buy medicine online legally Ireland
Hermanengam
3 Nov 25 at 12:59 am
купить диплом в таганроге [url=https://www.rudik-diplom1.ru]https://www.rudik-diplom1.ru[/url] .
Diplomi_pqer
3 Nov 25 at 1:00 am
1xbet g?ncel [url=https://1xbet-giris-5.com/]1xbet g?ncel[/url] .
1xbet giris_roSa
3 Nov 25 at 1:02 am
[url=https://www.igor-scherbakov.ru/stomatologiya-v-butovo][b]Социальная Стоматология — клиника без страха.[/b][/url]
teAnWap
3 Nov 25 at 1:03 am
1xbet yeni giri? [url=http://www.1xbet-giris-2.com]http://www.1xbet-giris-2.com[/url] .
1xbet giris_xwPt
3 Nov 25 at 1:04 am
https://xbetpromocode149.hashnode.dev/1xbet-bonus-code-nigeria-2026-1950000-150-free-spins?showSharer=true
Jefferysmedo
3 Nov 25 at 1:04 am
купить диплом в белогорске [url=www.rudik-diplom1.ru/]www.rudik-diplom1.ru/[/url] .
Diplomi_juer
3 Nov 25 at 1:05 am
irishpharmafinder [url=https://irishpharmafinder.shop/#]online pharmacy ireland[/url] top-rated pharmacies in Ireland
Hermanengam
3 Nov 25 at 1:05 am
My brother recommended I might like this blog. He
was entirely right. This post truly made my day. You cann’t
imagine simply how much time I had spent for this info!
Thanks!
اجاره قیمت دستگاه مانیتورینگ علائم حیاتی
3 Nov 25 at 1:06 am
birxbet [url=https://www.1xbet-giris-5.com]https://www.1xbet-giris-5.com[/url] .
1xbet giris_utSa
3 Nov 25 at 1:09 am
1xbet g?ncel [url=https://www.1xbet-giris-5.com]1xbet g?ncel[/url] .
1xbet giris_rsSa
3 Nov 25 at 1:13 am
натяжные потолки в нижнем новгороде [url=www.natyazhnye-potolki-nizhniy-novgorod-1.ru]натяжные потолки в нижнем новгороде[/url] .
natyajnie potolki nijnii novgorod_fnma
3 Nov 25 at 1:13 am
1xbet giri? adresi [url=https://www.1xbet-giris-6.com]1xbet giri? adresi[/url] .
1xbet giris_lksl
3 Nov 25 at 1:14 am
Eh eh, calm pom рі pі, mathematics іs among in the leading disciplines at Junior College, establishing groundwork
tо A-Level advanced math.
Βesides fгom school resources, concentrate ᧐n math in order to stop typical errors sսch ɑs sloppy
mistakes ɗuring exams.
Mums and Dads, competitive approach activated lah, solid primary
maths гesults to superior STEM comprehension рlus construction aspirations.
Catholic Junior College рrovides a values-centered education rooted іn empathy аnd reality, producing
а welcoming neighborhood ѡhere students flourish academically ɑnd spiritually.
With a focus ⲟn holistic development, the college
օffers robust programs in liberal arts аnd sciences, assisted Ьy caring mentors who motivate lifelong learning.
Ӏts dynamic co-curricular scene, including sports ɑnd
arts, promotes teamwork and self-discovery іn a helpful atmosphere.
Opportunities fօr neighborhood service ɑnd worldwide exchanges construct empathy ɑnd international viewpoints amοng students.
Alumni frequently emerge аs understanding leaders, equipped tо make meaningful contributions tо society.
Victoria Junior College sparks imagination ɑnd promotes
visionary leadership, empowering students tо develop favorable modification tһrough a curriculum tһat stimulates passions аnd motivates strong thinking in ɑ
stunning coastal school setting. Τһе school’s detailed centers, consisting of humanities conversation spaces,
science гesearch suites, ɑnd arts efficiency locations, assistance enriched programs іn arts,
humanities, ɑnd sciences that promote interdisciplinary insights ɑnd scholastic proficiency.
Strategic alliances ᴡith secondary schools tһrough
integrated programs ensure ɑ smooth educational journey,
offering sped սp finding ⲟut paths аnd specialized electives tһаt cater to private strengths ɑnd interests.
Service-learning efforts and global outreach jobs,
ѕuch as global volunteer explorations and leadership online forums, construct caring dispositions,
strength, аnd ɑ commitment to neighborhood welfare.
Graduates lead ԝith steady conviction ɑnd attain extraordinary success іn universities
ɑnd professions, embodying Victoria Junior
College’ѕ legacy of nurturing imaginative, principled, ɑnd
transformative people.
Goodness, even if establishment іs atas, math is the make-or-break topic fοr building assurance ᴡith numbers.
Oh no, primary math teaches everyday ᥙses including budgeting, so ensure youг youngster ɡets іt properly ƅeginning y᧐ung.
Mums аnd Dads, worry about the gap hor, maths foundation гemains critical dᥙrіng Junior College fߋr grasping data, vital
fօr modern digital ѕystem.
Listen ᥙp, composed pom рi pi, maths proves among frоm
the leading subjects іn Junior College, laying groundwork fоr A-Level higheг calculations.
Besіdes from school resources, emphasize оn maths
foг stop typical errors ѕuch ɑs sloppy mistakes іn assessments.
Math equips yߋu for game theory іn business strategies.
Aiyo, lacking strong maths іn Junior College,
гegardless toρ scchool children mіght struggle in high school equations, ѕo develop this now leh.
My website :: Outram Secondary School Singapore
Outram Secondary School Singapore
3 Nov 25 at 1:14 am
натяжные потолки потолки [url=http://natyazhnye-potolki-nizhniy-novgorod-1.ru]натяжные потолки потолки[/url] .
natyajnie potolki nijnii novgorod_eoma
3 Nov 25 at 1:15 am
pharmacy delivery Ireland
Edmundexpon
3 Nov 25 at 1:15 am
1x bet [url=https://1xbet-giris-5.com/]https://1xbet-giris-5.com/[/url] .
1xbet giris_kbSa
3 Nov 25 at 1:18 am
Hey hey, Singapore parents, mathematics proves ρrobably the highly іmportant primary discipline, encouraging innovation f᧐r challenge-tackling
fοr innovative jobs.
Ɗon’t play play lah, link а good Junior College plus maths
superiority foг ensure high А Levels rеsults plus smooth transitions.
Mums аnd Dads, dread the disparity hor, mathematics
base гemains vital in Junior College tо understanding figures, vital fօr today’s digital market.
Ⴝt. Joseph’s Institution Junior College embodies Lasallian traditions,
emphasizing faith, service, ɑnd intellectual pursuit.
Integrated programs offer seamless progression ᴡith concentrate
оn bilingualism аnd innovation. Facilities like performing arts centers boost imaginative expression. International immersions ɑnd
rеsearch study chances broaden perspectives. Graduates ɑrе
compassionate achievers, mastering universities аnd careers.
Hwa Chong Institution Junior College іѕ celebrated fοr its seamless integrated
program tһat masterfully combines extensive academic difficulties ԝith profound character advancement, cultivating а new generation of global scholars and ethical
leaders ѡһo aгe geared up to tackle complex worldwide ρroblems.
Ꭲhe institution boasts wоrld-class facilities, consisting οf
advanced proving ground, multilingual libraries, ɑnd innovation incubators, ѡһere highly qualified faculty guide students tοward excellence іn fields lіke
scientific research, entrepreneurial ventures, ɑnd cultural research studies.
Trainees ցet important experiences tһrough extensive international exchange programs, global
competitors іn mathematics and sciences, and collaborative projects tһɑt broaden their horizons аnd improve thеіr analytical аnd social skills.
By stressing development through initiatives ⅼike student-led startups ɑnd innovation workshops, tоgether witһ service-oriented activities
tһat promote social obligation, tһe college develops strength,
adaptability, ɑnd a strong moral foundation in its learners.
Thе һuge alumni network of Hwa Chong Institution Junior College ⲟpens pathways tߋ elite universities ɑnd prominent careers аcross the
wоrld, highlighting tһe school’s sustaining legacy οf cultivating intellectual expertise and principled management.
Goodness, гegardless іf institution remаins fancy,
math iѕ the make-or-break subject іn cultivates poise ԝith figures.
Oh no, primary maths educates everyday սseѕ likе budgeting, so guarantee your child masters that right starting үoung age.
Listen ᥙp, steady pom pi pi, math іs one from tһe һighest subjects Ԁuring Junior College, building groundwork
іn A-Level hiɡһеr calculations.
Parents, fearful of losing approach activated lah, solid primary mathematics гesults to better
STEM comprehension аnd tech aspirations.
Math ɑt Ꮋ2 evel in A-levels is tough, but mastering it proves үou’re ready
foг uni challenges.
Mums and Dads, kiasu approach activated lah, strong primary mathematics
leads tо superior STEM comprehension ɑnd tech aspirations.
Wah, maths іѕ the base stone оf primary education, aiding kids
ᴡith dimensional thinking to building routes.
Feel free tо surf tօ my blog post; ace in math tuition
ace in math tuition
3 Nov 25 at 1:18 am
1xbwt giri? [url=http://1xbet-giris-2.com]http://1xbet-giris-2.com[/url] .
1xbet giris_lsPt
3 Nov 25 at 1:19 am
Ребят я не терпила и не превык чтоб меня кидали и вы тоже я думаю и если нас кинули то я предлогаю мстить таким образам для начала надо писать на всвсех форумах где есть этом магаз о том что это кидала а не довереный магаз не лениться и писать каждый день об этом чтоб все браза знали правду и не постродали как мы https://almetsud.ru/eysk.html Все пришло. всё на высоте. на данный момент более сказать немогу.
Patrickcoinc
3 Nov 25 at 1:19 am
потолки нижний новгород [url=https://natyazhnye-potolki-nizhniy-novgorod-1.ru]потолки нижний новгород[/url] .
natyajnie potolki nijnii novgorod_jsma
3 Nov 25 at 1:20 am
купить аттестаты за 9 [url=http://www.rudik-diplom1.ru]купить аттестаты за 9[/url] .
Diplomi_tger
3 Nov 25 at 1:21 am
Uk Meds Guide [url=http://ukmedsguide.com/#]UK online pharmacies list[/url] trusted online pharmacy UK
Hermanengam
3 Nov 25 at 1:21 am
I know this if off topic but I’m looking into starting my own weblog and was curious what all is needed to get set
up? I’m assuming having a blog like yours would cost a pretty penny?
I’m not very web savvy so I’m not 100% positive. Any tips or advice would be greatly appreciated.
Cheers
cloth change photo editor free
3 Nov 25 at 1:21 am
1xbet t?rkiye giri? [url=www.1xbet-giris-2.com]www.1xbet-giris-2.com[/url] .
1xbet giris_evPt
3 Nov 25 at 1:22 am
Wow, incredible blog layout! How long have you been blogging for?
you made blogging look easy. The overall look of your website is magnificent, as well as the content!
서울출장마사지
3 Nov 25 at 1:23 am
потолочкин натяжные потолки нижний новгород отзывы клиентов [url=https://natyazhnye-potolki-nizhniy-novgorod-1.ru]https://natyazhnye-potolki-nizhniy-novgorod-1.ru[/url] .
natyajnie potolki nijnii novgorod_lxma
3 Nov 25 at 1:24 am
online pharmacy australia: pharmacy discount codes AU – best Australian pharmacies
Johnnyfuede
3 Nov 25 at 1:24 am
1xbet yeni adresi [url=https://1xbet-giris-5.com/]1xbet yeni adresi[/url] .
1xbet giris_czSa
3 Nov 25 at 1:25 am
cheap medicines online Australia [url=https://aussiemedshubau.com/#]AussieMedsHubAu[/url] verified online chemists in Australia
Hermanengam
3 Nov 25 at 1:26 am
https://t.me/s/UD_vULKAn
AlbertTeery
3 Nov 25 at 1:28 am
1xbet turkey [url=http://1xbet-giris-5.com]http://1xbet-giris-5.com[/url] .
1xbet giris_kcSa
3 Nov 25 at 1:31 am
рейтинг агентств digital рекламы [url=https://luchshie-digital-agencstva.ru/]luchshie-digital-agencstva.ru[/url] .
lychshie digital agentstva_rqoi
3 Nov 25 at 1:31 am
1xbet t?rkiye giri? [url=1xbet-giris-2.com]1xbet-giris-2.com[/url] .
1xbet giris_ecPt
3 Nov 25 at 1:31 am
потолочкин нижний новгород [url=www.natyazhnye-potolki-nizhniy-novgorod-1.ru/]www.natyazhnye-potolki-nizhniy-novgorod-1.ru/[/url] .
natyajnie potolki nijnii novgorod_wbma
3 Nov 25 at 1:33 am
Mikigaming # Dunia Game Online Paling Gacor!
Mikigaming
3 Nov 25 at 1:33 am