PHP Reddit – Telegram
PHP Reddit
34 subscribers
291 photos
37 videos
24.9K links
Channel to sync with /r/PHP /r/Laravel /r/Symfony. Powered by awesome @r_channels and @reddit2telegram
Download Telegram
Weekly help thread

Hey there!

This subreddit isn't meant for help threads, though there's one exception to the rule: in this thread you can ask anything you want PHP related, someone will probably be able to help you out!

https://redd.it/1l6xa3z
@r_php
Upgrading from php5.6.40 to php7.0

I am a JS developer who doesn't have any experience developing in php. I recently got tasked to upgrade a php application that runs php v5.6.40 with CodeIgniter(v3) to php v7 and eventually to v8.


I see this as an opportunity to learn php and may be asked for a good raise in the next appraisal cycle(in 6 months). Now, there is no timeline for this and I am the only person who has been working on this app for 1 year or so. I've only done a few changes like commenting out a few html components and reducing the DB calls and figuring out things when we get some error(mostly data related).

I don't understand how most parts work but I can google and it and get working.

I have setup the code in phpStorm and ran code inspection. The code has way too many errors and warnings but I am not concerned with all of them.

I ran the inspection for both v5.6 and v7.0. Only errors I am concerned with are the DEPRECATED ones such as "'mssql_pconnect' was removed in 7.0 PHP version". I have like 43 errors related to mssql and mysql.

Also, I am aware of the migration guide but it hard to follow that as things do no make a lot of sense to me.

Can someone point me to the right direction? It would be a huge help.

https://redd.it/1l6ywcr
@r_php
Symfony Messenger standalone, getting retry to work

I've managed to get Symfony Messenger to work with my legacy system using RabbitMQ. It works like a charm for the most part, what I'm trying to get working now is the retry mechanism.

ChatGPT is some help but mostly it just leads me astray into the wrong alley.

This is the code I've got so far, what glue is missing to get the RetryStrategy into this setup?

class MessagesFactory {
public static function createMessageBus(): MessageBus {
$handlers = new HandlersLocator(
AbstractCommand::class => [new class {
public function __invoke(AbstractCommand $command) {
$command->execute();
}
},
]);

$transportLocator = new TransportLocator(
'async' => self::getTransport()
);

$sendersLocator = new SendersLocator(
AbstractCommand::class => ['async',
], $transportLocator);


// Build the bus with both middlewares
return new MessageBus(
new SendMessageMiddleware($sendersLocator),
new HandleMessageMiddleware($handlers),
);
}

public static function createWorker(): Worker {
return new Worker(

'async' => self::getTransport()
,
MessagesFactory::createMessageBus()
);
}

private static function getTransport($queue = 'messages') {
$connection = Connection::fromDsn(
RABBITMQDNS . $queue
);


// TODO: Where does this go??
$retryStrategy = new MultiplierRetryStrategy(
maxRetries: 3,
delayMilliseconds: 1000,
multiplier: 2.0,
maxDelayMilliseconds: 10000
);

$transport = new AmqpTransport($connection);

return $transport;
}
}

https://redd.it/1l70qjk
@r_php
Should Laravel adopt OpenTelemetry?

OpenTelemetry (OTel) is quickly becoming the standard for observability — helping apps generate consistent data across Metrics, Events, Logs, and Traces (MELT). It allows you to track what’s happening across your system, end-to-end, and send that data to any platform (Grafana, Datadog, Honeycomb, etc.).

Laravel already gives us Telescope, which is a great tool for introspecting the application — logging requests, jobs, queries, exceptions, and more. Now, with Laravel Nightwatch on the way.

Isn’t this the perfect moment to adopt OpenTelemetry in the Laravel ecosystem?

Imagine if the framework could generate MELT data natively — and send it to Telescope, Nightwatch, or any OpenTelemetry-compatible backend without choosing one over the other.

I know Spatie is working on this direction too, which is exciting.

But should this become a first-class concern at the framework level?

What do you think? Are you using OpenTelemetry already?

Would love to hear your thoughts.

https://redd.it/1l7sde6
@r_php
composer-attribute-collector running as a command

I made some changes to my attribute collector for Composer to avoid issues with incompatibilities between Composer and the application dependencies; for example, the PSR logger with incompatible signatures. I have a branch ready, and I'm looking for brave souls to test the changes. Thanks for your help!

https://github.com/olvlvl/composer-attribute-collector/pull/35

https://redd.it/1l8o7h0
@r_php
Anyone using bun in production?

Virtually all my projects are built with inertia and react, just curious if anyone has made the switch to bun and found it to be a smooth switch from node.

https://redd.it/1l8rqn2
@r_php
Anyone can help me with PHP routing, using MVC architecture?

Hello, so im creating a budget travel planner system using PHP PDO, in mvc architecture form. I've almost finished most of the functions and have been testing with dummy views but now I recieved the frontend from my group member and need it to link it.
However, im really struggling with that and the routing part, so can anyone help me with this, please?

for example, this is my user controller :

<?php
session_start();
require __DIR__ . '/../models/User.php';
include_once __DIR__ . '/../helpers/session_helper.php';

class UserController {

private $userModel;
public function __construct(){
$this->userModel = new User;
// $this->userModel = new User($pdo);
}
// register user
public function registerUser(){

// if register button was clicked in the form // LOOK
if (($_SERVER['REQUEST_METHOD'] == 'POST') && isset($_POST['registerUser']))
{
// lets sanitize the data to remove any unneccesary data
$firstName = filter_var(trim($_POST['firstName']), FILTER_SANITIZE_FULL_SPECIAL_CHARS);
$lastName = filter_var(trim($_POST['lastName']), FILTER_SANITIZE_FULL_SPECIAL_CHARS);
$contactNumber = filter_var(trim($_POST['contactNumber']), FILTER_SANITIZE_NUMBER_INT);
$email = filter_var(trim($_POST['email']), FILTER_SANITIZE_EMAIL);
$password = filter_var(trim($_POST['password']));
// $confirmPassword = trim($_POST['confirmPassword']);

// if ($password !== $confirmPassword) {
// flash("register", "Passwords do not match.");
// redirect("../signup.php");
// }

// initalize data
$data = [
'name' => $firstName . ' ' . $lastName,
'contact_number' => $contactNumber,
'email' => $email,
'password' => password_hash($password, PASSWORD_DEFAULT),
'role' => 'user'
];

// validate the inputs before saving


if($this-> userModel-> registerUser($data)){
flash("register", "The account was created sucessfully!");
}else{
die("Something went wrong");
}
}
}


and this is my index php file for the routing:
<?php
require_once __DIR__ . '/Connection.php';
require_once __DIR__ . '/controllers/UserController.php';

$pdo = new Connection;
// $pdo = (new Connection())->pdo;
$controller = new UserController;

// routing for user registration
if ($_SERVER['REQUEST_METHOD'] === 'POST' && isset($_POST['registerUser']))
{
$controller ->registerUser();
}
else {
echo "Error";
}
?>


However, it doesnt work and I don't understand what's going wrong.

I only have about 4 days left until we need to run it and do the testing 😭😭 thank you!!

https://redd.it/1l8vtek
@r_php
My first Laravel package, released during PHP’s 30th anniversary month 🐘🎉

🚀 Proud to introduce laravel‑setanjo — my first Laravel package, released during PHP’s 30th anniversary month 🐘🎉

Laravel Setanjo is a powerful, multi‑tenant settings manager for Laravel apps. Whether you're managing global configurations or tenant-specific preferences, Setanjo makes it simple — and it's perfect for A/B testing and feature flag control too.

Key Features
🏢 Multi‑Tenant Support: strict & polymorphic tenancy modes
🗃️ Global & Tenant Settings: handles both user‑scoped and global configs
Automatic Type Casting: booleans, integers, floats, arrays, objects
🔒 Optional Caching: pluggable cache store for faster access
🧪 A/B Testing & Feature Flags: toggle features per tenant or globally
Clean API: intuitive facade calls — Settings::set(), Settings::for($tenant)->get()
🔄 Tenant Validation + Queue Support: secure and scalable
🔍 Fully Tested: reliable across use cases

Built for PHP 8.2+ and Laravel 10+

If you find it useful, please give it a star!

🧡 Feedback, ideas, and contributions welcome → https://github.com/AHS12/laravel-setanjo

Happy 30 years, PHP! 🐘

#Laravel #PHP #PHP30 #OpenSource #WebDevelopment #A/BTesting #FeatureFlags #MultiTenant #SaaS


https://redd.it/1l9kd18
@r_php
Are there any PHP dependency containers which have support for package/module scoped services?

I know that there have been suggestions and RFCs for namespace scoped classes, package definitions, and other similar things within PHP, but I'm wondering if something like this has been implemented in userland through dependency injection.

The NestJS framework in JS implements module scoped services in a way that makes things fairly simple.

Each NestJS Module defines:

* **Providers**: Classes available for injection within the module's scope. These get registered in the module's service container and are private by default.
* **Exports**: Classes that other modules can access, but only if they explicitly import this module.
* **Imports**: Dependencies on other modules, giving access to their exported classes.

Modules can also be defined as global, which makes it available everywhere once imported by any module.

Here's what a simple app structure might look like:

```
AppModule
├─ OrmModule // Registers orm models
├─ UserModule
│ └─ OrmModule.forModels([User]) // Dynamic module
├─ AuthModule
│ ├─ UserModule
│ └─ JwtModule
└─ OrderModule
├─ OrmModule.forModels([Order, Product])
├─ UserModule
└─ AuthModule
```

This approach does a really good job at visualizing module dependencies while giving you module-scoped services. You can immediately see which modules depend on others, services are encapsulated by default preventing tight coupling, and the exports define exactly what each domain exposes to others.

Does anyone know of a PHP package that offers similar module scoped dependency injection? I've looked at standard PHP DI containers, but they don't provide this module level organization. Any suggestions would be appreciated!

https://redd.it/1l9tvoh
@r_php