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=https://vyvod-iz-zapoya-v-stacionare-samara17.ru/]вывод из запоя вызов на дом самара[/url]
Justingof
30 Aug 25 at 9:19 pm
В зависимости от клинической картины и предпочтений возможны следующие виды кодирования:
Узнать больше – [url=https://kodirovanie-ot-alkogolizma-ehlektrostal6.ru/]www.domen.ru[/url]
Bernievef
30 Aug 25 at 9:23 pm
81 JokerX online Turkey
RichardKap
30 Aug 25 at 9:23 pm
Always follow proper dosage instructions when you spironolactone most common side effects , check bargain deals available online.. spironolactone for acne
Xegbgeora
30 Aug 25 at 9:24 pm
888starz ?? ???? ????? ???? ?????? ?????? ?? ??????? . ????? 888starz ?????? ?????? ????? ?????? ???????? .
???? ?????? ??????? ?????? ???? ??? ???????? ?????? ??? . ???? ??????? ??????? ?? 888starz ?? ?? ????? ???? ???????? .
????? 888starz ??????? ?????? ?????????? . ????? ???????? ??? 888starz ?????? ???? ???? ????.
??????? ???????? ????? ?? ???? ??????? ????? ??? ???????? . ????? ?????? ????????? ???? ????? 888starz ???? ???? ?? ????????.
888starz تسجيل دخول [url=http://www.888starz-africa.pro]https://888starz-africa.pro/[/url]
888starz_fbol
30 Aug 25 at 9:28 pm
https://potofu.me/j2lkkfx2
DavidVef
30 Aug 25 at 9:30 pm
I’ll immediately grasp your rss as I can not find your email subscription hyperlink or newsletter service.
Do you’ve any? Kindly let me understand so that I may just
subscribe. Thanks.
Clash Verge下载
30 Aug 25 at 9:31 pm
Tһrough OMT’ѕ custom syllabus that enhances tһe MOE educational program, pupils uncover tһe charm of logical patterns,
cultivating ɑ deep love for mathematics ɑnd motivation foг high examination ratings.
Dive іnto self-paced math mastery with OMT’ѕ 12-month e-learning
courses, complete witһ practice worksheets ɑnd tape-recorded sessions fοr comprehensive revision.
Singapore’ѕ world-renowned mathematics curriculum highlights conceptual understanding ⲟver simple computation,
mɑking math tuition crucial fߋr students to understand
deep concepts ɑnd stand out in national examinations ⅼike
PSLE and O-Levels.
primary school tuition іs necessary for PSLE аs it offerѕ remedial support
fօr topics like wһole numbers and measurements,
mɑking ѕure no foundational weak points persist.
Tuition assists secondary trainees develop examination ɑpproaches, such as time appropriation for botһ O Level math papers, causing Ьetter
ɡeneral efficiency.
Ultimately, junior college math tuition іs vital to securing t᧐p A Level гesults, ᧐pening doors to distinguished scholarships ɑnd college opportunities.
Τhe individuality оf OMT depends օn its customized curriculum tһat straightens flawlessly ᴡith MOE
standards wһile introducing ingenious analytic methods not ցenerally emphasized in class.
Adaptable scheduling implies no encountering CCAs ⲟne, making certain balanced
life and rising math scores.
Personalized math tuition addresses specific weaknesses, transforming
typical performers іnto exam mattreess toppers іn Singapore’ѕ merit-based ѕystem.
Ηere is my webste primary 5 math tuition
primary 5 math tuition
30 Aug 25 at 9:31 pm
Клиника «Частный Медик 24» в Подольске оказывает услугу капельницы от запоя с выездом на дом. Используются только сертифицированные препараты, которые помогают снять симптомы похмелья, вернуть ясность ума и восстановить сон. Наши врачи работают анонимно и бережно относятся к каждому пациенту.
Детальнее – [url=https://kapelnica-ot-zapoya-podolsk11.ru/]вызвать капельницу от запоя[/url]
Gilbertmah
30 Aug 25 at 9:35 pm
Клиника «Частный Медик 24» в Подольске оказывает услугу капельницы от запоя с выездом на дом. Используются только сертифицированные препараты, которые помогают снять симптомы похмелья, вернуть ясность ума и восстановить сон. Наши врачи работают анонимно и бережно относятся к каждому пациенту.
Получить дополнительную информацию – [url=https://kapelnica-ot-zapoya-podolsk13.ru/]поставить капельницу от запоя[/url]
ZacharyBep
30 Aug 25 at 9:37 pm
купить диплом вуза с реестром [url=https://www.arus-diplom32.ru]купить диплом вуза с реестром[/url] .
Diplomi_yupi
30 Aug 25 at 9:39 pm
Hi there to every , as I am actually keen of
reading this blog’s post to be updated daily.
It includes nice material.
123b
30 Aug 25 at 9:39 pm
Алкогольный запой – это серьезное состояние‚ требующее неотложного вмешательства и помощи. Народные средства часто воспринимаются как действующие методы лечения‚ но вокруг них существует множество заблуждений. Например‚ многие считают‚ что травы от алкоголизма способны мгновенно устранить симптомы запоя. Однако факты таковы‚ что традиционные средства могут лишь помочь в восстановлении после запоя‚ но не вытеснить профессиональную реабилитацию от алкоголя. Существует несколько эффективных методов‚ среди которых детоксикация и терапия зависимости. Психологические аспекты зависимости играет ключевую роль в реабилитации. Важно понимать‚ что экстренный вывод из запоя требует комплексного подхода‚ включающего медикаментозное лечение и поддержку близких. Не стоит полагаться только на народные средства — это может привести к ухудшению состояния.
vivodzapojtulaNeT
30 Aug 25 at 9:41 pm
hey there and thank you for your information – I’ve certainly
picked up anything new from right here. I did however expertise a
few technical points using this website, as I experienced
to reload the website lots of times previous to I could get it to load correctly.
I had been wondering if your web host is OK? Not that I’m complaining, but sluggish loading instances times will very frequently affect your
placement in google and could damage your high quality score
if ads and marketing with Adwords. Well I’m adding this RSS to my e-mail and could look out for much more of your
respective intriguing content. Ensure that you update this again very soon.
game bài đổi thưởng
30 Aug 25 at 9:43 pm
я купил диплом с проводкой [url=www.arus-diplom32.ru/]я купил диплом с проводкой[/url] .
Bistro i prosto zakazat diplom ob obrazovanii!_eyEn
30 Aug 25 at 9:46 pm
украина свидетельство о браке купить [url=http://educ-ua3.ru/]http://educ-ua3.ru/[/url] .
Diplomi_buki
30 Aug 25 at 9:46 pm
I’m not sure where you are getting your information, but good topic.
I needs to spend some time learning more or understanding more.
Thanks for excellent information I was looking for this info for my
mission.
https://www.cemesp.unimontes.br/
30 Aug 25 at 9:49 pm
купить диплом проведенный [url=https://www.arus-diplom32.ru]купить диплом проведенный[/url] .
Diplomi_sypi
30 Aug 25 at 9:50 pm
Heya i’m for the first time here. I found this board and I to find It truly useful
& it helped me out a lot. I’m hoping to give something again and
help others like you helped me.
Fyronex Driftor GPT
30 Aug 25 at 9:51 pm
???? 888starz ????? ????? ?? ????? ?? ???? ???????? . ??? ??? ???? ?? ????? ?????? ???? ?? ?????? ??????? ?? .
????? ?????? ?????? ?????? ???? ????????? . ???? ??????? ??????? ?? 888starz ?? ?? ????? ???? ???????? .
????? ???????? ?? 888starz ????? ????? ???? ??????? ?????? ????????. ???? 888starz ??? ????? ?????? ????????? ?? ?? ?????? .
???????? ??? ???? ???? 888starz ?????? ????? ??????? ????? . ????? ??? ???????? ?????? ????? ???????? ??? ???? 888starz .
888starz iphone [url=http://www.888starz-africa.pro/apk]https://888starz-africa.pro/apk/[/url]
888starz_khol
30 Aug 25 at 9:52 pm
https://community.wongcw.com/blogs/1142076/%D0%97%D0%B8%D0%BC%D0%B0-%D0%BA%D1%83%D0%BF%D0%B8%D1%82%D1%8C-%D0%91%D0%BE%D1%88%D0%BA%D0%B8-%D0%9C%D0%B0%D1%80%D0%B8%D1%85%D1%83%D0%B0%D0%BD%D1%83-%D0%93%D0%B0%D1%88%D0%B8%D1%88
DavidVef
30 Aug 25 at 9:52 pm
купить диплом занесением в реестр [url=http://arus-diplom31.ru/]купить диплом занесением в реестр[/url] .
Diplomi_rxpl
30 Aug 25 at 9:57 pm
Мы готовы предложить документы институтов, расположенных на территории всей Российской Федерации. Заказать диплом о высшем образовании:
[url=http://tavernetta.ru/read-blog/2889_za-skolko-mozhno-kupit-attestat.html/]купить аттестат 10 11 класс в спб[/url]
Diplomi_qtPn
30 Aug 25 at 9:57 pm
Medicines prescribing information. Short-Term Effects.
buying cheap ipratropium for sale
All about medication. Get now.
buying cheap ipratropium for sale
30 Aug 25 at 10:02 pm
Awesome site you have here but I was curious if you knew of any forums that cover the same topics talked about here?
I’d really love to be a part of community where I can get
feedback from other experienced people that share the same
interest. If you have any recommendations, please let me know.
Bless you!
CanFund
30 Aug 25 at 10:02 pm
888starz ?? ???? ????? ???? ?????? ?????? ?? ??????? . ????? ????????? ?????? ????????? ?? 888starz.
????? ?????? ?????? ?????? ???? ????????? . ???? ??????? ??????? ?? 888starz ?? ?? ????? ???? ???????? .
????? ???? 888starz ?????? ????? ??????? . ???? 888starz ??? ????? ?????? ????????? ?? ?? ?????? .
??????? ???????? ????? ?? ???? ??????? ????? ??? ???????? . ????? ?????? ????????? ???? ????? 888starz ???? ???? ?? ????????.
لعبة 888starz [url=https://888starz-africa.pro]https://888starz-africa.pro/[/url]
888starz_ebol
30 Aug 25 at 10:03 pm
https://prokatvrf.ru/
MichaelViono
30 Aug 25 at 10:03 pm
What’s up mates, how is the whole thing, and what you want to say on the topic
of this piece of writing, in my view its in fact awesome
in support of me.
Here is my webpage – خرید فلزیاب
خرید فلزیاب
30 Aug 25 at 10:05 pm
I enjoy what you guys tend to be up too. This sort of
clever work and exposure! Keep up the wonderful works guys
I’ve incorporated you guys to our blogroll.
продаю бензетидин
30 Aug 25 at 10:05 pm
Greetings I am so glad I found your site, I really found you by accident, while I was researching on Yahoo for
something else, Anyways I am here now and would just like to say thanks
for a fantastic post and a all round entertaining blog (I also love the theme/design), I don’t
have time to go through it all at the minute but I have bookmarked it and also
included your RSS feeds, so when I have time I will be back to read more, Please do
keep up the awesome work.
git.baobaot.com
30 Aug 25 at 10:07 pm
Pokud hledáte bezpečné internetové kasino s rozmanitou širokou paletou her, zajímavými promo akcemi a ochranným herním prostředím, rozhodně doporučuji vyzkoušet bet365gg.vip.
Nabízí parádní bonusy Spinmama, jednoduché přihlášení přes spinmama casino login a navíc super mobilní aplikaci, která dovoluje hrát
kdykoliv a kdekoliv. Často také nabízí promo kódy, které vám přinesou free spiny a další výhody.
Já oceňuji, jak vše běží hladce a férově.
Pokud chcete pohodlnou a zábavnou herní zkušenost, Spinmama casino je ideální volba.
QX
30 Aug 25 at 10:08 pm
californianetdaily.com
HaroldBrell
30 Aug 25 at 10:10 pm
Проблема зависимостей остаётся актуальной в обществе. С каждым годом количество людей, страдающих от алкоголизма, наркомании и других зависимостей, растёт. Эти расстройства негативно влияют на качество жизни как самих пациентов, так и их близких. Зависимость — это не только физическое состояние, но и глубокая психологическая проблема. Для эффективного лечения необходимо обратиться к профессионалам, которые помогут справиться с этой болезнью. Наркологическая клиника “Клиника Наркологии и Психотерапии” предоставляет всеобъемлющую помощь, направленную на восстановление здоровья и нормализацию жизни пациентов.
Разобраться лучше – [url=https://alko-konsultaciya.ru/]вывод из запоя в стационаре в смоленске[/url]
Andrewwerie
30 Aug 25 at 10:10 pm
I think this is among the most important info for me.
And i’m glad reading your article. But want to remark on few general things, The web site style is great, the articles is really excellent : D.
Good job, cheers
https://www.tripadvisor.com/Profile/117coltont
30 Aug 25 at 10:10 pm
starburst: giocare a Starburst gratis senza registrazione – casino online sicuri con Starburst
Miltondep
30 Aug 25 at 10:14 pm
https://yamap.com/users/4784761
DavidVef
30 Aug 25 at 10:15 pm
Затем организуется выезд специалиста — нарколог приезжает на дом или, по желанию, принимает пациента в стационаре. После осмотра и измерения жизненно важных показателей врач разрабатывает индивидуальную схему терапии. Главная цель — мягкая и безопасная детоксикация, восстановление работы органов и снятие психических и физических симптомов.
Получить дополнительные сведения – [url=https://vyvod-iz-zapoya-shchelkovo6.ru/]вывод из запоя клиника[/url]
JarvisStove
30 Aug 25 at 10:15 pm
Quality posts is the important to invite the viewers to go to
see the web page, that’s what this site is providing.
VeltrixMax
30 Aug 25 at 10:16 pm
купить украинский диплом о высшем образовании [url=http://www.educ-ua5.ru]купить украинский диплом о высшем образовании[/url] .
Diplomi_wrKl
30 Aug 25 at 10:22 pm
Алкоголизм — это острое заболевание, требующее своевременного вмешательства и профессиональной помощи. В Туле доступен вызов нарколога на дом, что даёт возможность получить необходимую медицинскую помощь в случае алкогольной зависимости в комфортной обстановке. Признаки алкоголизма включают регулярном потреблении алкоголя, утрате контроля над объемом выпиваемого и возникновении признаков зависимости от алкоголя. вызов нарколога на дом тула Лечение алкоголизма можно начать с диагностики зависимости, которую проведет квалифицированный нарколог. Консультация нарколога поможет выявить степень зависимости и определить оптимальную программу реабилитации. Важно учитывать о поддержке семьи, которая играет ключевую роль в процессе выздоровления. Результаты злоупотребления алкоголем могут быть очень серьезными, включая физические и психологические проблемы. Наркологическая помощь в Туле включает как медикаментозное лечение, так и реабилитационные программы, ориентированные на восстановление пациента. Не откладывайте решение проблемы, позаботьтесь о своей жизни и обратитесь за помощью!
alkogolizmtulaNeT
30 Aug 25 at 10:23 pm
casino online sicuri con Starburst: giocare a Starburst gratis senza registrazione – Starburst giri gratis senza deposito
Miltondep
30 Aug 25 at 10:23 pm
Excellent post. I am facing a few of these issues as well..
Vortion Platform
30 Aug 25 at 10:24 pm
Получи лучшие казинo России 2025 года! ТОП-5 проверенных платформ с лицензией для игры на реальные деньги. Надежные выплаты за 24 часа, бонусы до 100000 рублей, минимальные ставки от 10 рублей! Играйте в топовые слоты, автоматы и live-казинo с максимальны
https://t.me/s/RuCasino_top
NormanInolo
30 Aug 25 at 10:26 pm
giocare da mobile a Starburst: Starburst slot online Italia – giocare a Starburst gratis senza registrazione
Ramonatowl
30 Aug 25 at 10:28 pm
как купить легальный диплом о среднем образовании [url=https://www.arus-diplom32.ru]https://www.arus-diplom32.ru[/url] .
Bistro zakazat diplom lubogo VYZa!_eqEn
30 Aug 25 at 10:28 pm
9 Lions demo
Jorgegrect
30 Aug 25 at 10:29 pm
купить диплом об образовании [url=https://educ-ua3.ru]купить диплом об образовании[/url] .
Diplomi_pski
30 Aug 25 at 10:29 pm
សូមស្វាគមន៍មកកាន់ E2BET កម្ពុជា – ជ័យជម្នះរបស់អ្នក ត្រូវបានបង់ពេញលេញ។ រីករាយជាមួយប្រាក់រង្វាន់ដ៏ទាក់ទាញ លេងហ្គេមសប្បាយៗ និងទទួលបានបទពិសោធន៍ភ្នាល់តាមអ៊ីនធឺណិតដ៏យុត្តិធម៌ និងងាយស្រួល។ ចុះឈ្មោះឥឡូវនេះ!
E2BET កម្ពុជា
30 Aug 25 at 10:31 pm
bonaslot kasino online terpercaya: bonaslot situs bonus terbesar Indonesia – bonaslot situs bonus terbesar Indonesia
Miltondep
30 Aug 25 at 10:33 pm
https://hoo.be/abodtihof
Josephpef
30 Aug 25 at 10:37 pm