425, 'videoheight' => 350, ]; private $queue = []; /** * @var Mode The Mode of the Application */ private $mode; /** * @var BaseURL */ private $baseURL; /** @var string The name of the current theme */ private $currentTheme; /** @var string The name of the current mobile theme */ private $currentMobileTheme; /** @var string */ private $requestId; /** @var Authentication */ private $auth; /** * @var IManageConfigValues The config */ private $config; /** * @var LoggerInterface The logger */ private $logger; /** * @var Profiler The profiler of this app */ private $profiler; /** * @var Database The Friendica database connection */ private $database; /** * @var L10n The translator */ private $l10n; /** * @var App\Arguments */ private $args; /** * @var IManagePersonalConfigValues */ private $pConfig; /** * @var IHandleUserSessions */ private $session; /** * @var AppHelper $appHelper */ private $appHelper; /** * Set the profile owner ID * * @deprecated 2024.12 Use AppHelper::setProfileOwner() instead * * @param int $owner_id * @return void */ public function setProfileOwner(int $owner_id) { $this->appHelper->setProfileOwner($owner_id); } /** * Get the profile owner ID * * @deprecated 2024.12 Use AppHelper::getProfileOwner() instead * * @return int */ public function getProfileOwner(): int { return $this->appHelper->getProfileOwner(); } /** * Set the contact ID * * @deprecated 2024.12 Use AppHelper::setContactId() instead * * @param int $contact_id * @return void */ public function setContactId(int $contact_id) { $this->appHelper->setContactId($contact_id); } /** * Get the contact ID * * @deprecated 2024.12 Use AppHelper::getContactId() instead * * @return int */ public function getContactId(): int { return $this->appHelper->getContactId(); } /** * Set the timezone * * @deprecated 2024.12 Use AppHelper::setTimeZone() instead * * @param string $timezone A valid time zone identifier, see https://www.php.net/manual/en/timezones.php * @return void */ public function setTimeZone(string $timezone) { $this->appHelper->setTimeZone($timezone); } /** * Get the timezone * * @deprecated 2024.12 Use AppHelper::getTimeZone() instead */ public function getTimeZone(): string { return $this->appHelper->getTimeZone(); } /** * Set workerqueue information * * @param array $queue * @return void */ public function setQueue(array $queue) { $this->queue = $queue; } /** * Fetch workerqueue information * * @return array Worker queue */ public function getQueue(): array { return $this->queue ?? []; } /** * Fetch a specific workerqueue field * * @param string $index Work queue record to fetch * @return mixed Work queue item or NULL if not found */ public function getQueueValue(string $index) { return $this->queue[$index] ?? null; } public function setThemeInfoValue(string $index, $value) { $this->theme_info[$index] = $value; } public function getThemeInfo() { return $this->theme_info; } public function getThemeInfoValue(string $index, $default = null) { return $this->theme_info[$index] ?? $default; } /** * Returns the current config cache of this node * * @return Cache */ public function getConfigCache() { return $this->config->getCache(); } /** * The basepath of this app * * @return string Base path from configuration */ public function getBasePath(): string { return $this->config->get('system', 'basepath'); } /** * @param Database $database The Friendica Database * @param IManageConfigValues $config The Configuration * @param Mode $mode The mode of this Friendica app * @param BaseURL $baseURL The full base URL of this Friendica app * @param LoggerInterface $logger The current app logger * @param Profiler $profiler The profiler of this application * @param L10n $l10n The translator instance * @param App\Arguments $args The Friendica Arguments of the call * @param IManagePersonalConfigValues $pConfig Personal configuration * @param IHandleUserSessions $session The (User)Session handler * @param DbaDefinition $dbaDefinition * @param ViewDefinition $viewDefinition */ public function __construct( Request $request, Authentication $auth, Database $database, IManageConfigValues $config, Mode $mode, BaseURL $baseURL, LoggerInterface $logger, Profiler $profiler, L10n $l10n, Arguments $args, IManagePersonalConfigValues $pConfig, IHandleUserSessions $session, DbaDefinition $dbaDefinition, ViewDefinition $viewDefinition ) { $this->requestId = $request->getRequestId(); $this->auth = $auth; $this->database = $database; $this->config = $config; $this->mode = $mode; $this->baseURL = $baseURL; $this->profiler = $profiler; $this->logger = $logger; $this->l10n = $l10n; $this->args = $args; $this->pConfig = $pConfig; $this->session = $session; $this->appHelper = DI::apphelper(); $this->load($dbaDefinition, $viewDefinition); } /** * Load the whole app instance */ protected function load(DbaDefinition $dbaDefinition, ViewDefinition $viewDefinition) { if ($this->config->get('system', 'ini_max_execution_time') !== false) { set_time_limit((int)$this->config->get('system', 'ini_max_execution_time')); } if ($this->config->get('system', 'ini_pcre_backtrack_limit') !== false) { ini_set('pcre.backtrack_limit', (int)$this->config->get('system', 'ini_pcre_backtrack_limit')); } // Normally this constant is defined - but not if "pcntl" isn't installed if (!defined('SIGTERM')) { define('SIGTERM', 15); } // Ensure that all "strtotime" operations do run timezone independent date_default_timezone_set('UTC'); set_include_path( get_include_path() . PATH_SEPARATOR . $this->getBasePath() . DIRECTORY_SEPARATOR . 'include' . PATH_SEPARATOR . $this->getBasePath() . DIRECTORY_SEPARATOR . 'library' . PATH_SEPARATOR . $this->getBasePath()); $this->profiler->reset(); if ($this->mode->has(Mode::DBAVAILABLE)) { Core\Hook::loadHooks(); $loader = (new Config())->createConfigFileManager($this->getBasePath(), $_SERVER); Core\Hook::callAll('load_config', $loader); // Hooks are now working, reload the whole definitions with hook enabled $dbaDefinition->load(true); $viewDefinition->load(true); } $this->loadDefaultTimezone(); // Register template engines Core\Renderer::registerTemplateEngine('Friendica\Render\FriendicaSmartyEngine'); } /** * Loads the default timezone * * Include support for legacy $default_timezone * * @global string $default_timezone */ private function loadDefaultTimezone() { if ($this->config->get('system', 'default_timezone')) { $timezone = $this->config->get('system', 'default_timezone', 'UTC'); } else { global $default_timezone; $timezone = $default_timezone ?? '' ?: 'UTC'; } $this->appHelper->setTimeZone($timezone); } /** * Returns the current theme name. May be overridden by the mobile theme name. * * @return string Current theme name or empty string in installation phase * @throws Exception */ public function getCurrentTheme(): string { if ($this->mode->isInstall()) { return ''; } // Specific mobile theme override if (($this->mode->isMobile() || $this->mode->isTablet()) && $this->session->get('show-mobile', true)) { $user_mobile_theme = $this->getCurrentMobileTheme(); // --- means same mobile theme as desktop if (!empty($user_mobile_theme) && $user_mobile_theme !== '---') { return $user_mobile_theme; } } if (!$this->currentTheme) { $this->computeCurrentTheme(); } return $this->currentTheme; } /** * Returns the current mobile theme name. * * @return string Mobile theme name or empty string if installer * @throws Exception */ public function getCurrentMobileTheme(): string { if ($this->mode->isInstall()) { return ''; } if (is_null($this->currentMobileTheme)) { $this->computeCurrentMobileTheme(); } return $this->currentMobileTheme; } /** * Setter for current theme name * * @param string $theme Name of current theme */ public function setCurrentTheme(string $theme) { $this->currentTheme = $theme; } /** * Setter for current mobile theme name * * @param string $theme Name of current mobile theme */ public function setCurrentMobileTheme(string $theme) { $this->currentMobileTheme = $theme; } /** * Computes the current theme name based on the node settings, the page owner settings and the user settings * * @throws Exception */ private function computeCurrentTheme() { $system_theme = $this->config->get('system', 'theme'); if (!$system_theme) { throw new Exception($this->l10n->t('No system theme config value set.')); } // Sane default $this->setCurrentTheme($system_theme); $page_theme = null; $profile_owner = $this->appHelper->getProfileOwner(); // Find the theme that belongs to the user whose stuff we are looking at if (!empty($profile_owner) && ($profile_owner != $this->session->getLocalUserId())) { // Allow folks to override user themes and always use their own on their own site. // This works only if the user is on the same server $user = $this->database->selectFirst('user', ['theme'], ['uid' => $profile_owner]); if ($this->database->isResult($user) && !$this->session->getLocalUserId()) { $page_theme = $user['theme']; } } $theme_name = $page_theme ?: $this->session->get('theme', $system_theme); $theme_name = Strings::sanitizeFilePathItem($theme_name); if ($theme_name && in_array($theme_name, Theme::getAllowedList()) && (file_exists('view/theme/' . $theme_name . '/style.css') || file_exists('view/theme/' . $theme_name . '/style.php')) ) { $this->setCurrentTheme($theme_name); } } /** * Computes the current mobile theme name based on the node settings, the page owner settings and the user settings */ private function computeCurrentMobileTheme() { $system_mobile_theme = $this->config->get('system', 'mobile-theme', ''); // Sane default $this->setCurrentMobileTheme($system_mobile_theme); $page_mobile_theme = null; $profile_owner = $this->appHelper->getProfileOwner(); // Find the theme that belongs to the user whose stuff we are looking at if (!empty($profile_owner) && ($profile_owner != $this->session->getLocalUserId())) { // Allow folks to override user themes and always use their own on their own site. // This works only if the user is on the same server if (!$this->session->getLocalUserId()) { $page_mobile_theme = $this->pConfig->get($profile_owner, 'system', 'mobile-theme'); } } $mobile_theme_name = $page_mobile_theme ?: $this->session->get('mobile-theme', $system_mobile_theme); $mobile_theme_name = Strings::sanitizeFilePathItem($mobile_theme_name); if ($mobile_theme_name == '---' || in_array($mobile_theme_name, Theme::getAllowedList()) && (file_exists('view/theme/' . $mobile_theme_name . '/style.css') || file_exists('view/theme/' . $mobile_theme_name . '/style.php')) ) { $this->setCurrentMobileTheme($mobile_theme_name); } } /** * Provide a sane default if nothing is chosen or the specified theme does not exist. * * @return string Current theme's stylesheet path * @throws Exception */ public function getCurrentThemeStylesheetPath(): string { return Core\Theme::getStylesheetPath($this->getCurrentTheme()); } /** * Frontend App script * * The App object behaves like a container and a dispatcher at the same time, including a representation of the * request and a representation of the response. * * This probably should change to limit the size of this monster method. * * @param App\Router $router * @param IManagePersonalConfigValues $pconfig * @param Authentication $auth The Authentication backend of the node * @param App\Page $page The Friendica page printing container * @param ModuleHTTPException $httpException The possible HTTP Exception container * @param HTTPInputData $httpInput A library for processing PHP input streams * @param float $start_time The start time of the overall script execution * @param array $server The $_SERVER array * * @throws HTTPException\InternalServerErrorException * @throws \ImagickException */ public function runFrontend(App\Router $router, IManagePersonalConfigValues $pconfig, Authentication $auth, App\Page $page, Nav $nav, ModuleHTTPException $httpException, HTTPInputData $httpInput, float $start_time, array $server) { $requeststring = ($server['REQUEST_METHOD'] ?? '') . ' ' . ($server['REQUEST_URI'] ?? '') . ' ' . ($server['SERVER_PROTOCOL'] ?? ''); $this->logger->debug('Request received', ['address' => $server['REMOTE_ADDR'] ?? '', 'request' => $requeststring, 'referer' => $server['HTTP_REFERER'] ?? '', 'user-agent' => $server['HTTP_USER_AGENT'] ?? '']); $request_start = microtime(true); $this->profiler->set($start_time, 'start'); $this->profiler->set(microtime(true), 'classinit'); $moduleName = $this->args->getModuleName(); $page->setLogging($this->args->getMethod(), $this->args->getModuleName(), $this->args->getCommand()); try { // Missing DB connection: ERROR if ($this->mode->has(Mode::LOCALCONFIGPRESENT) && !$this->mode->has(Mode::DBAVAILABLE)) { throw new HTTPException\InternalServerErrorException($this->l10n->t('Apologies but the website is unavailable at the moment.')); } if (!$this->mode->isInstall()) { // Force SSL redirection if ($this->config->get('system', 'force_ssl') && (empty($server['HTTPS']) || $server['HTTPS'] === 'off') && (empty($server['HTTP_X_FORWARDED_PROTO']) || $server['HTTP_X_FORWARDED_PROTO'] === 'http') && !empty($server['REQUEST_METHOD']) && $server['REQUEST_METHOD'] === 'GET') { System::externalRedirect($this->baseURL . '/' . $this->args->getQueryString()); } Core\Hook::callAll('init_1'); } DID::routeRequest($this->args->getCommand(), $server); if ($this->mode->isNormal() && !$this->mode->isBackend()) { $requester = HTTPSignature::getSigner('', $server); if (!empty($requester)) { OpenWebAuth::addVisitorCookieForHandle($requester); } } // ZRL if (!empty($_GET['zrl']) && $this->mode->isNormal() && !$this->mode->isBackend() && !$this->session->getLocalUserId()) { // Only continue when the given profile link seems valid. // Valid profile links contain a path with "/profile/" and no query parameters if ((parse_url($_GET['zrl'], PHP_URL_QUERY) == '') && strpos(parse_url($_GET['zrl'], PHP_URL_PATH) ?? '', '/profile/') !== false) { $this->auth->setUnauthenticatedVisitor($_GET['zrl']); OpenWebAuth::zrlInit(); } else { // Someone came with an invalid parameter, maybe as a DDoS attempt // We simply stop processing here $this->logger->debug('Invalid ZRL parameter.', ['zrl' => $_GET['zrl']]); throw new HTTPException\ForbiddenException(); } } if (!empty($_GET['owt']) && $this->mode->isNormal()) { $token = $_GET['owt']; OpenWebAuth::init($token); } if (!$this->mode->isBackend()) { $auth->withSession(); } if ($this->session->isUnauthenticated()) { header('X-Account-Management-Status: none'); } /* * check_config() is responsible for running update scripts. These automatically * update the DB schema whenever we push a new one out. It also checks to see if * any addons have been added or removed and reacts accordingly. */ // in install mode, any url loads install module // but we need "view" module for stylesheet if ($this->mode->isInstall() && $moduleName !== 'install') { $this->baseURL->redirect('install'); } else { Core\Update::check($this->getBasePath(), false); Core\Addon::loadAddons(); Core\Hook::loadHooks(); } // Compatibility with Hubzilla if ($moduleName == 'rpost') { $this->baseURL->redirect('compose'); } // Compatibility with the Android Diaspora client if ($moduleName == 'stream') { $this->baseURL->redirect('network?order=post'); } if ($moduleName == 'conversations') { $this->baseURL->redirect('message'); } if ($moduleName == 'commented') { $this->baseURL->redirect('network?order=comment'); } if ($moduleName == 'liked') { $this->baseURL->redirect('network?order=comment'); } if ($moduleName == 'activity') { $this->baseURL->redirect('network?conv=1'); } if (($moduleName == 'status_messages') && ($this->args->getCommand() == 'status_messages/new')) { $this->baseURL->redirect('bookmarklet'); } if (($moduleName == 'user') && ($this->args->getCommand() == 'user/edit')) { $this->baseURL->redirect('settings'); } if (($moduleName == 'tag_followings') && ($this->args->getCommand() == 'tag_followings/manage')) { $this->baseURL->redirect('search'); } // Initialize module that can set the current theme in the init() method, either directly or via App->setProfileOwner $page['page_title'] = $moduleName; // The "view" module is required to show the theme CSS if (!$this->mode->isInstall() && !$this->mode->has(Mode::MAINTENANCEDISABLED) && $moduleName !== 'view') { $module = $router->getModule(Maintenance::class); } else { // determine the module class and save it to the module instance // @todo there's an implicit dependency due SESSION::start(), so it has to be called here (yet) $module = $router->getModule(); } // Display can change depending on the requested language, so it shouldn't be cached whole header('Vary: Accept-Language', false); // Processes data from GET requests $httpinput = $httpInput->process(); $input = array_merge($httpinput['variables'], $httpinput['files'], $request ?? $_REQUEST); // Let the module run its internal process (init, get, post, ...) $timestamp = microtime(true); $response = $module->run($httpException, $input); $this->profiler->set(microtime(true) - $timestamp, 'content'); // Wrapping HTML responses in the theme template if ($response->getHeaderLine(ICanCreateResponses::X_HEADER) === ICanCreateResponses::TYPE_HTML) { $response = $page->run($this, $this->session, $this->baseURL, $this->args, $this->mode, $response, $this->l10n, $this->profiler, $this->config, $pconfig, $nav, $this->session->getLocalUserId()); } $this->logger->debug('Request processed sucessfully', ['response' => $response->getStatusCode(), 'address' => $server['REMOTE_ADDR'] ?? '', 'request' => $requeststring, 'referer' => $server['HTTP_REFERER'] ?? '', 'user-agent' => $server['HTTP_USER_AGENT'] ?? '', 'duration' => number_format(microtime(true) - $request_start, 3)]); $this->logSlowCalls(microtime(true) - $request_start, $response->getStatusCode(), $requeststring, $server['HTTP_USER_AGENT'] ?? ''); System::echoResponse($response); } catch (HTTPException $e) { $this->logger->debug('Request processed with exception', ['response' => $e->getCode(), 'address' => $server['REMOTE_ADDR'] ?? '', 'request' => $requeststring, 'referer' => $server['HTTP_REFERER'] ?? '', 'user-agent' => $server['HTTP_USER_AGENT'] ?? '', 'duration' => number_format(microtime(true) - $request_start, 3)]); $this->logSlowCalls(microtime(true) - $request_start, $e->getCode(), $requeststring, $server['HTTP_USER_AGENT'] ?? ''); $httpException->rawContent($e); } $page->logRuntime($this->config, 'runFrontend'); } /** * Automatically redirects to relative or absolute URL * Should only be used if it isn't clear if the URL is either internal or external * * @param string $toUrl The target URL * * @throws HTTPException\InternalServerErrorException */ public function redirect(string $toUrl) { if (!empty(parse_url($toUrl, PHP_URL_SCHEME))) { Core\System::externalRedirect($toUrl); } else { $this->baseURL->redirect($toUrl); } } /** * Log slow page executions * * @param float $duration * @param integer $code * @param string $request * @param string $agent * @return void */ private function logSlowCalls(float $duration, int $code, string $request, string $agent) { $logfile = $this->config->get('system', 'page_execution_logfile'); $loglimit = $this->config->get('system', 'page_execution_log_limit'); if (empty($logfile) || empty($loglimit) || ($duration < $loglimit)) { return; } @file_put_contents( $logfile, DateTimeFormat::utcNow() . "\t" . round($duration, 3) . "\t" . $this->requestId . "\t" . $code . "\t" . $request . "\t" . $agent . "\n", FILE_APPEND ); } }