Is there a built-in method or framework in PHP for sharing database connections to minimize usage per server?

To minimize database connection usage per server in PHP, you can implement a database connection pooling mechanism. This involves creating a pool of pre-established database connections that can be shared among multiple requests, rather than creating a new connection for each request. This can help reduce the overhead of establishing new connections and improve overall performance.

// Database connection pooling implementation

class DatabaseConnectionPool {
    private static $connections = [];
    
    public static function getConnection($host, $username, $password, $database) {
        $key = $host . $username . $database;
        
        if (!isset(self::$connections[$key])) {
            self::$connections[$key] = new mysqli($host, $username, $password, $database);
        }
        
        return self::$connections[$key];
    }
}

// Example of using the connection pool
$host = 'localhost';
$username = 'root';
$password = '';
$database = 'my_database';

$connection = DatabaseConnectionPool::getConnection($host, $username, $password, $database);

// Use $connection for database operations