2 * Bittorrent Client using Qt and libtorrent.
3 * Copyright (C) 2014, 2022-2023 Vladimir Golovnev <glassez@yandex.ru>
5 * This program is free software; you can redistribute it and/or
6 * modify it under the terms of the GNU General Public License
7 * as published by the Free Software Foundation; either version 2
8 * of the License, or (at your option) any later version.
10 * This program is distributed in the hope that it will be useful,
11 * but WITHOUT ANY WARRANTY; without even the implied warranty of
12 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
13 * GNU General Public License for more details.
15 * You should have received a copy of the GNU General Public License
16 * along with this program; if not, write to the Free Software
17 * Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
19 * In addition, as a special exception, the copyright holders give permission to
20 * link this program with the OpenSSL project's "OpenSSL" library (or with
21 * modified versions of it that use the same license as the "OpenSSL" library),
22 * and distribute the linked executables. You must obey the GNU General Public
23 * License in all respects for all of the code used other than "OpenSSL". If you
24 * modify file(s), you may extend this exception to your version of the file(s),
25 * but you are not obligated to do so. If you do not wish to do so, delete this
26 * exception statement from your version.
29 #include "webapplication.h"
38 #include <QJsonDocument>
39 #include <QMetaObject>
40 #include <QMimeDatabase>
42 #include <QNetworkCookie>
43 #include <QRegularExpression>
48 #include "base/algorithm.h"
49 #include "base/http/httperror.h"
50 #include "base/logger.h"
51 #include "base/preferences.h"
52 #include "base/types.h"
53 #include "base/utils/fs.h"
54 #include "base/utils/io.h"
55 #include "base/utils/misc.h"
56 #include "base/utils/random.h"
57 #include "base/utils/string.h"
58 #include "api/apierror.h"
59 #include "api/appcontroller.h"
60 #include "api/authcontroller.h"
61 #include "api/logcontroller.h"
62 #include "api/rsscontroller.h"
63 #include "api/searchcontroller.h"
64 #include "api/synccontroller.h"
65 #include "api/torrentscontroller.h"
66 #include "api/transfercontroller.h"
67 #include "freediskspacechecker.h"
69 const int MAX_ALLOWED_FILESIZE
= 10 * 1024 * 1024;
70 const QString DEFAULT_SESSION_COOKIE_NAME
= u
"SID"_s
;
72 const QString WWW_FOLDER
= u
":/www"_s
;
73 const QString PUBLIC_FOLDER
= u
"/public"_s
;
74 const QString PRIVATE_FOLDER
= u
"/private"_s
;
76 using namespace std::chrono_literals
;
78 const std::chrono::seconds FREEDISKSPACE_CHECK_TIMEOUT
= 30s
;
82 QStringMap
parseCookie(const QStringView cookieStr
)
84 // [rfc6265] 4.2.1. Syntax
86 const QList
<QStringView
> cookies
= cookieStr
.split(u
';', Qt::SkipEmptyParts
);
88 for (const auto &cookie
: cookies
)
90 const int idx
= cookie
.indexOf(u
'=');
94 const QString name
= cookie
.left(idx
).trimmed().toString();
95 const QString value
= Utils::String::unquote(cookie
.mid(idx
+ 1).trimmed()).toString();
96 ret
.insert(name
, value
);
101 QUrl
urlFromHostHeader(const QString
&hostHeader
)
103 if (!hostHeader
.contains(u
"://"))
104 return {u
"http://"_s
+ hostHeader
};
108 QString
getCachingInterval(QString contentType
)
110 contentType
= contentType
.toLower();
112 if (contentType
.startsWith(u
"image/"))
113 return u
"private, max-age=604800"_s
; // 1 week
115 if ((contentType
== Http::CONTENT_TYPE_CSS
)
116 || (contentType
== Http::CONTENT_TYPE_JS
))
118 // short interval in case of program update
119 return u
"private, max-age=43200"_s
; // 12 hrs
122 return u
"no-store"_s
;
125 QString
createLanguagesOptionsHtml()
127 // List language files
128 const QStringList langFiles
= QDir(u
":/www/translations"_s
)
129 .entryList({u
"webui_*.qm"_s
}, QDir::Files
, QDir::Name
);
131 QStringList languages
;
132 languages
.reserve(langFiles
.size());
134 for (const QString
&langFile
: langFiles
)
136 const auto langCode
= QStringView(langFile
).sliced(6).chopped(3); // remove "webui_" and ".qm"
137 const QString entry
= u
"<option value=\"%1\">%2</option>"_s
138 .arg(langCode
, Utils::Misc::languageToLocalizedString(langCode
));
139 languages
.append(entry
);
142 return languages
.join(u
'\n');
145 bool isValidCookieName(const QString
&cookieName
)
147 if (cookieName
.isEmpty() || (cookieName
.size() > 128))
150 const QRegularExpression invalidNameRegex
{u
"[^a-zA-Z0-9_\\-]"_s
};
151 if (invalidNameRegex
.match(cookieName
).hasMatch())
158 WebApplication::WebApplication(IApplication
*app
, QObject
*parent
)
159 : ApplicationComponent(app
, parent
)
160 , m_cacheID
{QString::number(Utils::Random::rand(), 36)}
161 , m_authController
{new AuthController(this, app
, this)}
162 , m_workerThread
{new QThread
}
163 , m_freeDiskSpaceChecker
{new FreeDiskSpaceChecker
}
164 , m_freeDiskSpaceCheckingTimer
{new QTimer(this)}
166 declarePublicAPI(u
"auth/login"_s
);
169 connect(Preferences::instance(), &Preferences::changed
, this, &WebApplication::configure
);
171 m_sessionCookieName
= Preferences::instance()->getWebAPISessionCookieName();
172 if (!isValidCookieName(m_sessionCookieName
))
174 if (!m_sessionCookieName
.isEmpty())
176 LogMsg(tr("Unacceptable session cookie name is specified: '%1'. Default one is used.")
177 .arg(m_sessionCookieName
), Log::WARNING
);
179 m_sessionCookieName
= DEFAULT_SESSION_COOKIE_NAME
;
182 m_freeDiskSpaceChecker
->moveToThread(m_workerThread
.get());
183 connect(m_workerThread
.get(), &QThread::finished
, m_freeDiskSpaceChecker
, &QObject::deleteLater
);
184 m_workerThread
->start();
186 m_freeDiskSpaceCheckingTimer
->setInterval(FREEDISKSPACE_CHECK_TIMEOUT
);
187 m_freeDiskSpaceCheckingTimer
->setSingleShot(true);
188 connect(m_freeDiskSpaceCheckingTimer
, &QTimer::timeout
, m_freeDiskSpaceChecker
, &FreeDiskSpaceChecker::check
);
189 connect(m_freeDiskSpaceChecker
, &FreeDiskSpaceChecker::checked
, m_freeDiskSpaceCheckingTimer
, qOverload
<>(&QTimer::start
));
190 QMetaObject::invokeMethod(m_freeDiskSpaceChecker
, &FreeDiskSpaceChecker::check
);
193 WebApplication::~WebApplication()
195 // cleanup sessions data
196 qDeleteAll(m_sessions
);
199 void WebApplication::sendWebUIFile()
201 if (request().path
.contains(u
'\\'))
202 throw BadRequestHTTPError();
204 if (const QList
<QStringView
> pathItems
= QStringView(request().path
).split(u
'/', Qt::SkipEmptyParts
)
205 ; pathItems
.contains(u
".") || pathItems
.contains(u
".."))
207 throw BadRequestHTTPError();
210 const QString path
= (request().path
!= u
"/")
214 Path localPath
= m_rootFolder
215 / Path(session() ? PRIVATE_FOLDER
: PUBLIC_FOLDER
)
217 if (!localPath
.exists() && session())
219 // try to send public file if there is no private one
220 localPath
= m_rootFolder
/ Path(PUBLIC_FOLDER
) / Path(path
);
225 if (!Utils::Fs::isRegularFile(localPath
))
226 throw InternalServerErrorHTTPError(tr("Unacceptable file type, only regular file is allowed."));
228 const QString rootFolder
= m_rootFolder
.data();
230 QFileInfo fileInfo
{localPath
.parentPath().data()};
231 while (fileInfo
.path() != rootFolder
)
233 if (fileInfo
.isSymLink())
234 throw InternalServerErrorHTTPError(tr("Symlinks inside alternative UI folder are forbidden."));
236 fileInfo
.setFile(fileInfo
.path());
243 void WebApplication::translateDocument(QString
&data
) const
245 const QRegularExpression
regex(u
"QBT_TR\\((([^\\)]|\\)(?!QBT_TR))+)\\)QBT_TR\\[CONTEXT=([a-zA-Z_][a-zA-Z0-9_]*)\\]"_s
);
249 while (i
< data
.size() && found
)
251 QRegularExpressionMatch regexMatch
;
252 i
= data
.indexOf(regex
, i
, ®exMatch
);
255 const QString sourceText
= regexMatch
.captured(1);
256 const QString context
= regexMatch
.captured(3);
258 const QString loadedText
= m_translationFileLoaded
259 ? m_translator
.translate(context
.toUtf8().constData(), sourceText
.toUtf8().constData())
261 // `loadedText` is empty when translation is not provided
262 // it should fallback to `sourceText`
263 QString translation
= loadedText
.isEmpty() ? sourceText
: loadedText
;
265 // Use HTML code for quotes to prevent issues with JS
266 translation
.replace(u
'\'', u
"'"_s
);
267 translation
.replace(u
'\"', u
"""_s
);
269 data
.replace(i
, regexMatch
.capturedLength(), translation
);
270 i
+= translation
.length();
274 found
= false; // no more translatable strings
277 data
.replace(u
"${LANG}"_s
, m_currentLocale
.left(2));
278 data
.replace(u
"${CACHEID}"_s
, m_cacheID
);
282 WebSession
*WebApplication::session()
284 return m_currentSession
;
287 const Http::Request
&WebApplication::request() const
292 const Http::Environment
&WebApplication::env() const
297 void WebApplication::setUsername(const QString
&username
)
299 m_authController
->setUsername(username
);
302 void WebApplication::setPasswordHash(const QByteArray
&passwordHash
)
304 m_authController
->setPasswordHash(passwordHash
);
307 void WebApplication::doProcessRequest()
309 const QRegularExpressionMatch match
= m_apiPathPattern
.match(request().path
);
310 if (!match
.hasMatch())
316 const QString action
= match
.captured(u
"action"_s
);
317 const QString scope
= match
.captured(u
"scope"_s
);
319 // Check public/private scope
320 if (!session() && !isPublicAPI(scope
, action
))
321 throw ForbiddenHTTPError();
324 APIController
*controller
= nullptr;
326 controller
= session()->getAPIController(scope
);
329 if (scope
== u
"auth")
330 controller
= m_authController
;
332 throw NotFoundHTTPError();
335 // Filter HTTP methods
336 const auto allowedMethodIter
= m_allowedMethod
.find({scope
, action
});
337 if (allowedMethodIter
== m_allowedMethod
.end())
339 // by default allow both GET, POST methods
340 if ((m_request
.method
!= Http::METHOD_GET
) && (m_request
.method
!= Http::METHOD_POST
))
341 throw MethodNotAllowedHTTPError();
345 if (*allowedMethodIter
!= m_request
.method
)
346 throw MethodNotAllowedHTTPError();
350 for (const Http::UploadedFile
&torrent
: request().files
)
351 data
[torrent
.filename
] = torrent
.data
;
355 const APIResult result
= controller
->run(action
, m_params
, data
);
356 switch (result
.data
.userType())
358 case QMetaType::QJsonDocument
:
359 print(result
.data
.toJsonDocument().toJson(QJsonDocument::Compact
), Http::CONTENT_TYPE_JSON
);
361 case QMetaType::QByteArray
:
363 const auto resultData
= result
.data
.toByteArray();
364 print(resultData
, (!result
.mimeType
.isEmpty() ? result
.mimeType
: Http::CONTENT_TYPE_TXT
));
365 if (!result
.filename
.isEmpty())
367 setHeader({u
"Content-Disposition"_s
, u
"attachment; filename=\"%1\""_s
.arg(result
.filename
)});
371 case QMetaType::QString
:
373 print(result
.data
.toString(), Http::CONTENT_TYPE_TXT
);
377 catch (const APIError
&error
)
379 // re-throw as HTTPError
380 switch (error
.type())
382 case APIErrorType::AccessDenied
:
383 throw ForbiddenHTTPError(error
.message());
384 case APIErrorType::BadData
:
385 throw UnsupportedMediaTypeHTTPError(error
.message());
386 case APIErrorType::BadParams
:
387 throw BadRequestHTTPError(error
.message());
388 case APIErrorType::Conflict
:
389 throw ConflictHTTPError(error
.message());
390 case APIErrorType::NotFound
:
391 throw NotFoundHTTPError(error
.message());
398 void WebApplication::configure()
400 const auto *pref
= Preferences::instance();
402 const bool isAltUIUsed
= pref
->isAltWebUIEnabled();
403 const Path rootFolder
= (!isAltUIUsed
? Path(WWW_FOLDER
) : pref
->getWebUIRootFolder());
404 if ((isAltUIUsed
!= m_isAltUIUsed
) || (rootFolder
!= m_rootFolder
))
406 m_isAltUIUsed
= isAltUIUsed
;
407 m_rootFolder
= rootFolder
;
408 m_translatedFiles
.clear();
410 LogMsg(tr("Using built-in WebUI."));
412 LogMsg(tr("Using custom WebUI. Location: \"%1\".").arg(m_rootFolder
.toString()));
415 const QString newLocale
= pref
->getLocale();
416 if (m_currentLocale
!= newLocale
)
418 m_currentLocale
= newLocale
;
419 m_translatedFiles
.clear();
421 m_translationFileLoaded
= m_translator
.load((m_rootFolder
/ Path(u
"translations/webui_"_s
) + newLocale
).data());
422 if (m_translationFileLoaded
)
424 LogMsg(tr("WebUI translation for selected locale (%1) has been successfully loaded.")
429 LogMsg(tr("Couldn't load WebUI translation for selected locale (%1).").arg(newLocale
), Log::WARNING
);
433 m_isLocalAuthEnabled
= pref
->isWebUILocalAuthEnabled();
434 m_isAuthSubnetWhitelistEnabled
= pref
->isWebUIAuthSubnetWhitelistEnabled();
435 m_authSubnetWhitelist
= pref
->getWebUIAuthSubnetWhitelist();
436 m_sessionTimeout
= pref
->getWebUISessionTimeout();
438 m_domainList
= pref
->getServerDomains().split(u
';', Qt::SkipEmptyParts
);
439 std::for_each(m_domainList
.begin(), m_domainList
.end(), [](QString
&entry
) { entry
= entry
.trimmed(); });
441 m_isCSRFProtectionEnabled
= pref
->isWebUICSRFProtectionEnabled();
442 m_isSecureCookieEnabled
= pref
->isWebUISecureCookieEnabled();
443 m_isHostHeaderValidationEnabled
= pref
->isWebUIHostHeaderValidationEnabled();
444 m_isHttpsEnabled
= pref
->isWebUIHttpsEnabled();
446 m_prebuiltHeaders
.clear();
447 m_prebuiltHeaders
.push_back({Http::HEADER_X_XSS_PROTECTION
, u
"1; mode=block"_s
});
448 m_prebuiltHeaders
.push_back({Http::HEADER_X_CONTENT_TYPE_OPTIONS
, u
"nosniff"_s
});
452 m_prebuiltHeaders
.push_back({Http::HEADER_CROSS_ORIGIN_OPENER_POLICY
, u
"same-origin"_s
});
453 m_prebuiltHeaders
.push_back({Http::HEADER_REFERRER_POLICY
, u
"same-origin"_s
});
456 const bool isClickjackingProtectionEnabled
= pref
->isWebUIClickjackingProtectionEnabled();
457 if (isClickjackingProtectionEnabled
)
458 m_prebuiltHeaders
.push_back({Http::HEADER_X_FRAME_OPTIONS
, u
"SAMEORIGIN"_s
});
460 const QString contentSecurityPolicy
=
463 : u
"default-src 'self'; style-src 'self' 'unsafe-inline'; img-src 'self' data:; script-src 'self' 'unsafe-inline'; object-src 'none'; form-action 'self';"_s
)
464 + (isClickjackingProtectionEnabled
? u
" frame-ancestors 'self';"_s
: QString())
465 + (m_isHttpsEnabled
? u
" upgrade-insecure-requests;"_s
: QString());
466 if (!contentSecurityPolicy
.isEmpty())
467 m_prebuiltHeaders
.push_back({Http::HEADER_CONTENT_SECURITY_POLICY
, contentSecurityPolicy
});
469 if (pref
->isWebUICustomHTTPHeadersEnabled())
471 const QString customHeaders
= pref
->getWebUICustomHTTPHeaders();
472 const QList
<QStringView
> customHeaderLines
= QStringView(customHeaders
).trimmed().split(u
'\n', Qt::SkipEmptyParts
);
474 for (const QStringView line
: customHeaderLines
)
476 const int idx
= line
.indexOf(u
':');
479 // require separator `:` to be present even if `value` field can be empty
480 LogMsg(tr("Missing ':' separator in WebUI custom HTTP header: \"%1\"").arg(line
.toString()), Log::WARNING
);
484 const QString header
= line
.left(idx
).trimmed().toString();
485 const QString value
= line
.mid(idx
+ 1).trimmed().toString();
486 m_prebuiltHeaders
.push_back({header
, value
});
490 m_isReverseProxySupportEnabled
= pref
->isWebUIReverseProxySupportEnabled();
491 if (m_isReverseProxySupportEnabled
)
493 const QStringList proxyList
= pref
->getWebUITrustedReverseProxiesList().split(u
';', Qt::SkipEmptyParts
);
495 m_trustedReverseProxyList
.clear();
496 m_trustedReverseProxyList
.reserve(proxyList
.size());
498 for (QString proxy
: proxyList
)
500 if (!proxy
.contains(u
'/'))
502 const QAbstractSocket::NetworkLayerProtocol protocol
= QHostAddress(proxy
).protocol();
503 if (protocol
== QAbstractSocket::IPv4Protocol
)
505 proxy
.append(u
"/32");
507 else if (protocol
== QAbstractSocket::IPv6Protocol
)
509 proxy
.append(u
"/128");
513 const std::optional
<Utils::Net::Subnet
> subnet
= Utils::Net::parseSubnet(proxy
);
515 m_trustedReverseProxyList
.push_back(subnet
.value());
518 if (m_trustedReverseProxyList
.isEmpty())
519 m_isReverseProxySupportEnabled
= false;
523 void WebApplication::declarePublicAPI(const QString
&apiPath
)
525 m_publicAPIs
<< apiPath
;
528 void WebApplication::sendFile(const Path
&path
)
530 const QDateTime lastModified
= Utils::Fs::lastModified(path
);
532 // find translated file in cache
535 if (const auto it
= m_translatedFiles
.constFind(path
);
536 (it
!= m_translatedFiles
.constEnd()) && (lastModified
<= it
->lastModified
))
538 print(it
->data
, it
->mimeType
);
539 setHeader({Http::HEADER_CACHE_CONTROL
, getCachingInterval(it
->mimeType
)});
544 const auto readResult
= Utils::IO::readFile(path
, MAX_ALLOWED_FILESIZE
);
547 const QString message
= tr("Web server error. %1").arg(readResult
.error().message
);
549 switch (readResult
.error().status
)
551 case Utils::IO::ReadError::NotExist
:
552 qDebug("%s", qUtf8Printable(message
));
553 // don't write log messages here to avoid exhausting the disk space
554 throw NotFoundHTTPError();
556 case Utils::IO::ReadError::ExceedSize
:
557 qWarning("%s", qUtf8Printable(message
));
558 LogMsg(message
, Log::WARNING
);
559 throw InternalServerErrorHTTPError(readResult
.error().message
);
561 case Utils::IO::ReadError::Failed
:
562 case Utils::IO::ReadError::SizeMismatch
:
563 LogMsg(message
, Log::WARNING
);
564 throw InternalServerErrorHTTPError(readResult
.error().message
);
567 throw InternalServerErrorHTTPError(tr("Web server error. Unknown error."));
570 QByteArray data
= readResult
.value();
571 const QMimeType mimeType
= QMimeDatabase().mimeTypeForFileNameAndData(path
.data(), data
);
572 const bool isTranslatable
= !m_isAltUIUsed
&& mimeType
.inherits(u
"text/plain"_s
);
576 auto dataStr
= QString::fromUtf8(data
);
577 // Translate the file
578 translateDocument(dataStr
);
580 // Add the language options
581 if (path
== (m_rootFolder
/ Path(PRIVATE_FOLDER
) / Path(u
"views/preferences.html"_s
)))
582 dataStr
.replace(u
"${LANGUAGE_OPTIONS}"_s
, createLanguagesOptionsHtml());
584 data
= dataStr
.toUtf8();
585 m_translatedFiles
[path
] = {data
, mimeType
.name(), lastModified
}; // caching translated file
588 print(data
, mimeType
.name());
589 setHeader({Http::HEADER_CACHE_CONTROL
, getCachingInterval(mimeType
.name())});
592 Http::Response
WebApplication::processRequest(const Http::Request
&request
, const Http::Environment
&env
)
594 m_currentSession
= nullptr;
599 if (m_request
.method
== Http::METHOD_GET
)
601 for (auto iter
= m_request
.query
.cbegin(); iter
!= m_request
.query
.cend(); ++iter
)
602 m_params
[iter
.key()] = QString::fromUtf8(iter
.value());
606 m_params
= m_request
.posts
;
614 // block suspicious requests
615 if ((m_isCSRFProtectionEnabled
&& isCrossSiteRequest(m_request
))
616 || (m_isHostHeaderValidationEnabled
&& !validateHostHeader(m_domainList
)))
618 throw UnauthorizedHTTPError();
621 // reverse proxy resolve client address
622 m_clientAddress
= resolveClientAddress();
627 catch (const HTTPError
&error
)
629 status(error
.statusCode(), error
.statusText());
630 print((!error
.message().isEmpty() ? error
.message() : error
.statusText()), Http::CONTENT_TYPE_TXT
);
633 for (const Http::Header
&prebuiltHeader
: asConst(m_prebuiltHeaders
))
634 setHeader(prebuiltHeader
);
639 QString
WebApplication::clientId() const
641 return m_clientAddress
.toString();
644 void WebApplication::sessionInitialize()
646 Q_ASSERT(!m_currentSession
);
648 const QString sessionId
{parseCookie(m_request
.headers
.value(u
"cookie"_s
)).value(m_sessionCookieName
)};
650 // TODO: Additional session check
652 if (!sessionId
.isEmpty())
654 m_currentSession
= m_sessions
.value(sessionId
);
655 if (m_currentSession
)
657 if (m_currentSession
->hasExpired(m_sessionTimeout
))
659 // session is outdated - removing it
660 delete m_sessions
.take(sessionId
);
661 m_currentSession
= nullptr;
665 m_currentSession
->updateTimestamp();
670 qDebug() << Q_FUNC_INFO
<< "session does not exist!";
674 if (!m_currentSession
&& !isAuthNeeded())
678 QString
WebApplication::generateSid() const
684 const quint32 tmp
[] =
685 {Utils::Random::rand(), Utils::Random::rand(), Utils::Random::rand()
686 , Utils::Random::rand(), Utils::Random::rand(), Utils::Random::rand()};
687 sid
= QString::fromLatin1(QByteArray::fromRawData(reinterpret_cast<const char *>(tmp
), sizeof(tmp
)).toBase64());
689 while (m_sessions
.contains(sid
));
694 bool WebApplication::isAuthNeeded()
696 if (!m_isLocalAuthEnabled
&& Utils::Net::isLoopbackAddress(m_clientAddress
))
698 if (m_isAuthSubnetWhitelistEnabled
&& Utils::Net::isIPInSubnets(m_clientAddress
, m_authSubnetWhitelist
))
703 bool WebApplication::isPublicAPI(const QString
&scope
, const QString
&action
) const
705 return m_publicAPIs
.contains(u
"%1/%2"_s
.arg(scope
, action
));
708 void WebApplication::sessionStart()
710 Q_ASSERT(!m_currentSession
);
712 // remove outdated sessions
713 Algorithm::removeIf(m_sessions
, [this](const QString
&, const WebSession
*session
)
715 if (session
->hasExpired(m_sessionTimeout
))
724 m_currentSession
= new WebSession(generateSid(), app());
725 m_sessions
[m_currentSession
->id()] = m_currentSession
;
727 m_currentSession
->registerAPIController
<AppController
>(u
"app"_s
);
728 m_currentSession
->registerAPIController
<LogController
>(u
"log"_s
);
729 m_currentSession
->registerAPIController
<RSSController
>(u
"rss"_s
);
730 m_currentSession
->registerAPIController
<SearchController
>(u
"search"_s
);
731 m_currentSession
->registerAPIController
<TorrentsController
>(u
"torrents"_s
);
732 m_currentSession
->registerAPIController
<TransferController
>(u
"transfer"_s
);
734 auto *syncController
= m_currentSession
->registerAPIController
<SyncController
>(u
"sync"_s
);
735 syncController
->updateFreeDiskSpace(m_freeDiskSpaceChecker
->lastResult());
736 connect(m_freeDiskSpaceChecker
, &FreeDiskSpaceChecker::checked
, syncController
, &SyncController::updateFreeDiskSpace
);
738 QNetworkCookie cookie
{m_sessionCookieName
.toLatin1(), m_currentSession
->id().toUtf8()};
739 cookie
.setHttpOnly(true);
740 cookie
.setSecure(m_isSecureCookieEnabled
&& m_isHttpsEnabled
);
741 cookie
.setPath(u
"/"_s
);
742 QByteArray cookieRawForm
= cookie
.toRawForm();
743 if (m_isCSRFProtectionEnabled
)
744 cookieRawForm
.append("; SameSite=Strict");
745 else if (cookie
.isSecure())
746 cookieRawForm
.append("; SameSite=None");
747 setHeader({Http::HEADER_SET_COOKIE
, QString::fromLatin1(cookieRawForm
)});
750 void WebApplication::sessionEnd()
752 Q_ASSERT(m_currentSession
);
754 QNetworkCookie cookie
{m_sessionCookieName
.toLatin1()};
755 cookie
.setPath(u
"/"_s
);
756 cookie
.setExpirationDate(QDateTime::currentDateTime().addDays(-1));
758 delete m_sessions
.take(m_currentSession
->id());
759 m_currentSession
= nullptr;
761 setHeader({Http::HEADER_SET_COOKIE
, QString::fromLatin1(cookie
.toRawForm())});
764 bool WebApplication::isCrossSiteRequest(const Http::Request
&request
) const
766 // https://www.owasp.org/index.php/Cross-Site_Request_Forgery_(CSRF)_Prevention_Cheat_Sheet#Verifying_Same_Origin_with_Standard_Headers
768 const auto isSameOrigin
= [](const QUrl
&left
, const QUrl
&right
) -> bool
770 // [rfc6454] 5. Comparing Origins
771 return ((left
.port() == right
.port())
772 // && (left.scheme() == right.scheme()) // not present in this context
773 && (left
.host() == right
.host()));
776 const QString targetOrigin
= request
.headers
.value(Http::HEADER_X_FORWARDED_HOST
, request
.headers
.value(Http::HEADER_HOST
));
777 const QString originValue
= request
.headers
.value(Http::HEADER_ORIGIN
);
778 const QString refererValue
= request
.headers
.value(Http::HEADER_REFERER
);
780 if (originValue
.isEmpty() && refererValue
.isEmpty())
782 // owasp.org recommends to block this request, but doing so will inevitably lead Web API users to spoof headers
783 // so lets be permissive here
787 // sent with CORS requests, as well as with POST requests
788 if (!originValue
.isEmpty())
790 const bool isInvalid
= !isSameOrigin(urlFromHostHeader(targetOrigin
), originValue
);
793 LogMsg(tr("WebUI: Origin header & Target origin mismatch! Source IP: '%1'. Origin header: '%2'. Target origin: '%3'")
794 .arg(m_env
.clientAddress
.toString(), originValue
, targetOrigin
)
800 if (!refererValue
.isEmpty())
802 const bool isInvalid
= !isSameOrigin(urlFromHostHeader(targetOrigin
), refererValue
);
805 LogMsg(tr("WebUI: Referer header & Target origin mismatch! Source IP: '%1'. Referer header: '%2'. Target origin: '%3'")
806 .arg(m_env
.clientAddress
.toString(), refererValue
, targetOrigin
)
815 bool WebApplication::validateHostHeader(const QStringList
&domains
) const
817 const QUrl hostHeader
= urlFromHostHeader(m_request
.headers
[Http::HEADER_HOST
]);
818 const QString requestHost
= hostHeader
.host();
820 // (if present) try matching host header's port with local port
821 const int requestPort
= hostHeader
.port();
822 if ((requestPort
!= -1) && (m_env
.localPort
!= requestPort
))
824 LogMsg(tr("WebUI: Invalid Host header, port mismatch. Request source IP: '%1'. Server port: '%2'. Received Host header: '%3'")
825 .arg(m_env
.clientAddress
.toString()).arg(m_env
.localPort
)
826 .arg(m_request
.headers
[Http::HEADER_HOST
])
831 // try matching host header with local address
832 const bool sameAddr
= m_env
.localAddress
.isEqual(QHostAddress(requestHost
));
837 // try matching host header with domain list
838 for (const auto &domain
: domains
)
840 const QRegularExpression domainRegex
{Utils::String::wildcardToRegexPattern(domain
), QRegularExpression::CaseInsensitiveOption
};
841 if (requestHost
.contains(domainRegex
))
845 LogMsg(tr("WebUI: Invalid Host header. Request source IP: '%1'. Received Host header: '%2'")
846 .arg(m_env
.clientAddress
.toString(), m_request
.headers
[Http::HEADER_HOST
])
851 QHostAddress
WebApplication::resolveClientAddress() const
853 if (!m_isReverseProxySupportEnabled
)
854 return m_env
.clientAddress
;
856 // Only reverse proxy can overwrite client address
857 if (!Utils::Net::isIPInSubnets(m_env
.clientAddress
, m_trustedReverseProxyList
))
858 return m_env
.clientAddress
;
860 const QString forwardedFor
= m_request
.headers
.value(Http::HEADER_X_FORWARDED_FOR
);
862 if (!forwardedFor
.isEmpty())
864 // client address is the 1st global IP in X-Forwarded-For or, if none available, the 1st IP in the list
865 const QStringList remoteIpList
= forwardedFor
.split(u
',', Qt::SkipEmptyParts
);
867 if (!remoteIpList
.isEmpty())
869 QHostAddress clientAddress
;
871 for (const QString
&remoteIp
: remoteIpList
)
873 if (clientAddress
.setAddress(remoteIp
) && clientAddress
.isGlobal())
874 return clientAddress
;
877 if (clientAddress
.setAddress(remoteIpList
[0]))
878 return clientAddress
;
882 return m_env
.clientAddress
;
887 WebSession::WebSession(const QString
&sid
, IApplication
*app
)
888 : ApplicationComponent(app
)
894 QString
WebSession::id() const
899 bool WebSession::hasExpired(const qint64 seconds
) const
903 return m_timer
.hasExpired(seconds
* 1000);
906 void WebSession::updateTimestamp()
911 APIController
*WebSession::getAPIController(const QString
&scope
) const
913 return m_apiControllers
.value(scope
);