3 * MediaWiki\Session entry point
5 * This program is free software; you can redistribute it and/or modify
6 * it under the terms of the GNU General Public License as published by
7 * the Free Software Foundation; either version 2 of the License, or
8 * (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 along
16 * with this program; if not, write to the Free Software Foundation, Inc.,
17 * 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
18 * http://www.gnu.org/copyleft/gpl.html
24 namespace MediaWiki\Session
;
26 use InvalidArgumentException
;
28 use MediaWiki\Config\Config
;
29 use MediaWiki\Context\RequestContext
;
30 use MediaWiki\HookContainer\HookContainer
;
31 use MediaWiki\HookContainer\HookRunner
;
32 use MediaWiki\MainConfigNames
;
33 use MediaWiki\MediaWikiServices
;
34 use MediaWiki\Request\FauxRequest
;
35 use MediaWiki\Request\WebRequest
;
36 use MediaWiki\User\User
;
37 use MediaWiki\User\UserNameUtils
;
39 use Psr\Log\LoggerInterface
;
41 use Wikimedia\ObjectCache\BagOStuff
;
42 use Wikimedia\ObjectCache\CachedBagOStuff
;
45 * This serves as the entry point to the MediaWiki session handling system.
47 * Most methods here are for internal use by session handling code. Other callers
48 * should only use getGlobalSession and the methods of SessionManagerInterface;
49 * the rest of the functionality is exposed via MediaWiki\Session\Session methods.
51 * To provide custom session handling, implement a MediaWiki\Session\SessionProvider.
53 * @anchor SessionManager-storage-expectations
55 * ## Storage expectations
57 * The SessionManager should be configured with a very fast storage system that is
58 * optimized for holding key-value pairs. It expects:
60 * - Low latencies. Session data is read or written to during nearly all web requests from
61 * people that have contributed to or otherwise engaged with the site, including those not
62 * logged in with a registered account.
64 * - Locally writable data. The data must be writable from both primary and secondary
67 * - Locally latest reads. Writes must by default be immediately consistent within
68 * the local data centre, and visible to other reads from web servers in that data centre.
70 * - Replication. The data must be eventually consistent across all data centres. Writes
71 * are either synced to all remote data centres, or locally overwritten by another write
74 * The SessionManager uses `set()` and `delete()` for write operations, which should be
75 * synchronous in the local data centre, and replicate asynchronously to any others.
79 * @see https://www.mediawiki.org/wiki/Manual:SessionManager_and_AuthManager
81 class SessionManager
implements SessionManagerInterface
{
82 private static ?SessionManager
$instance = null;
83 private static ?Session
$globalSession = null;
84 private static ?WebRequest
$globalSessionRequest = null;
86 private LoggerInterface
$logger;
87 private HookContainer
$hookContainer;
88 private HookRunner
$hookRunner;
89 private Config
$config;
90 private UserNameUtils
$userNameUtils;
91 private CachedBagOStuff
$store;
93 /** @var SessionProvider[] */
94 private $sessionProviders = null;
97 private $varyCookies = null;
100 private $varyHeaders = null;
102 /** @var SessionBackend[] */
103 private $allSessionBackends = [];
105 /** @var SessionId[] */
106 private $allSessionIds = [];
109 private $preventUsers = [];
112 * Get the global SessionManager
115 public static function singleton() {
116 if ( self
::$instance === null ) {
117 self
::$instance = new self();
119 return self
::$instance;
123 * If PHP's session_id() has been set, returns that session. Otherwise
124 * returns the session for RequestContext::getMain()->getRequest().
126 public static function getGlobalSession(): Session
{
127 if ( !PHPSessionHandler
::isEnabled() ) {
133 $request = RequestContext
::getMain()->getRequest();
135 !self
::$globalSession // No global session is set up yet
136 || self
::$globalSessionRequest !== $request // The global WebRequest changed
137 ||
( $id !== '' && self
::$globalSession->getId() !== $id ) // Someone messed with session_id()
139 self
::$globalSessionRequest = $request;
141 // session_id() wasn't used, so fetch the Session from the WebRequest.
142 // We use $request->getSession() instead of $singleton->getSessionForRequest()
143 // because doing the latter would require a public
144 // "$request->getSessionId()" method that would confuse end
145 // users by returning SessionId|null where they'd expect it to
146 // be short for $request->getSession()->getId(), and would
147 // wind up being a duplicate of the code in
148 // $request->getSession() anyway.
149 self
::$globalSession = $request->getSession();
151 // Someone used session_id(), so we need to follow suit.
152 // Note this overwrites whatever session might already be
153 // associated with $request with the one for $id.
154 self
::$globalSession = self
::singleton()->getSessionById( $id, true, $request )
155 ?
: $request->getSession();
158 return self
::$globalSession;
162 * @param array $options
163 * - config: Config to fetch configuration from. Defaults to the default 'main' config.
164 * - logger: LoggerInterface to use for logging. Defaults to the 'session' channel.
165 * - store: BagOStuff to store session data in.
167 public function __construct( $options = [] ) {
168 $services = MediaWikiServices
::getInstance();
170 $this->config
= $options['config'] ??
$services->getMainConfig();
171 $this->setLogger( $options['logger'] ?? \MediaWiki\Logger\LoggerFactory
::getInstance( 'session' ) );
172 $this->setHookContainer( $options['hookContainer'] ??
$services->getHookContainer() );
174 $store = $options['store'] ??
$services->getObjectCacheFactory()
175 ->getInstance( $this->config
->get( MainConfigNames
::SessionCacheType
) );
176 $this->logger
->debug( 'SessionManager using store ' . get_class( $store ) );
177 $this->store
= $store instanceof CachedBagOStuff ?
$store : new CachedBagOStuff( $store );
179 $this->userNameUtils
= $services->getUserNameUtils();
181 register_shutdown_function( [ $this, 'shutdown' ] );
184 public function setLogger( LoggerInterface
$logger ) {
185 $this->logger
= $logger;
190 * @param HookContainer $hookContainer
192 public function setHookContainer( HookContainer
$hookContainer ) {
193 $this->hookContainer
= $hookContainer;
194 $this->hookRunner
= new HookRunner( $hookContainer );
197 public function getSessionForRequest( WebRequest
$request ) {
198 $info = $this->getSessionInfoForRequest( $request );
201 $session = $this->getInitialSession( $request );
203 $session = $this->getSessionFromInfo( $info, $request );
208 public function getSessionById( $id, $create = false, ?WebRequest
$request = null ) {
209 if ( !self
::validateSessionId( $id ) ) {
210 throw new InvalidArgumentException( 'Invalid session ID' );
213 $request = new FauxRequest
;
217 $info = new SessionInfo( SessionInfo
::MIN_PRIORITY
, [ 'id' => $id, 'idIsSafe' => true ] );
219 // If we already have the backend loaded, use it directly
220 if ( isset( $this->allSessionBackends
[$id] ) ) {
221 return $this->getSessionFromInfo( $info, $request );
224 // Test if the session is in storage, and if so try to load it.
225 $key = $this->store
->makeKey( 'MWSession', $id );
226 if ( is_array( $this->store
->get( $key ) ) ) {
227 $create = false; // If loading fails, don't bother creating because it probably will fail too.
228 if ( $this->loadSessionInfoFromStore( $info, $request ) ) {
229 $session = $this->getSessionFromInfo( $info, $request );
233 if ( $create && $session === null ) {
235 $session = $this->getEmptySessionInternal( $request, $id );
236 } catch ( \Exception
$ex ) {
237 $this->logger
->error( 'Failed to create empty session: {exception}',
239 'method' => __METHOD__
,
249 public function getEmptySession( ?WebRequest
$request = null ) {
250 return $this->getEmptySessionInternal( $request );
254 * @see SessionManagerInterface::getEmptySession
255 * @param WebRequest|null $request
256 * @param string|null $id ID to force on the new session
259 private function getEmptySessionInternal( ?WebRequest
$request = null, $id = null ) {
260 if ( $id !== null ) {
261 if ( !self
::validateSessionId( $id ) ) {
262 throw new InvalidArgumentException( 'Invalid session ID' );
265 $key = $this->store
->makeKey( 'MWSession', $id );
266 if ( is_array( $this->store
->get( $key ) ) ) {
267 throw new InvalidArgumentException( 'Session ID already exists' );
271 $request = new FauxRequest
;
275 foreach ( $this->getProviders() as $provider ) {
276 $info = $provider->newSessionInfo( $id );
280 if ( $info->getProvider() !== $provider ) {
281 throw new \
UnexpectedValueException(
282 "$provider returned an empty session info for a different provider: $info"
285 if ( $id !== null && $info->getId() !== $id ) {
286 throw new \
UnexpectedValueException(
287 "$provider returned empty session info with a wrong id: " .
288 $info->getId() . ' != ' . $id
291 if ( !$info->isIdSafe() ) {
292 throw new \
UnexpectedValueException(
293 "$provider returned empty session info with id flagged unsafe"
296 $compare = $infos ? SessionInfo
::compare( $infos[0], $info ) : -1;
297 if ( $compare > 0 ) {
300 if ( $compare === 0 ) {
307 // Make sure there's exactly one
308 if ( count( $infos ) > 1 ) {
309 throw new \
UnexpectedValueException(
310 'Multiple empty sessions tied for top priority: ' . implode( ', ', $infos )
312 } elseif ( count( $infos ) < 1 ) {
313 throw new \
UnexpectedValueException( 'No provider could provide an empty session!' );
316 // @phan-suppress-next-line PhanTypePossiblyInvalidDimOffset False positive
317 return $this->getSessionFromInfo( $infos[0], $request );
321 * Create a new session. Populate it with a default secret token, to avoid
322 * a session replication race on a subsequent edit/save cycle (e.g. in
323 * a multi-dc setup, ref https://phabricator.wikimedia.org/T279664#8139533).
325 * @param WebRequest|null $request Corresponding request. Any existing
326 * session associated with this WebRequest object will be overwritten.
329 private function getInitialSession( ?WebRequest
$request = null ) {
330 $session = $this->getEmptySession( $request );
331 $session->getToken();
335 public function invalidateSessionsForUser( User
$user ) {
337 $user->saveSettings();
339 foreach ( $this->getProviders() as $provider ) {
340 $provider->invalidateSessionsForUser( $user );
345 * @return array<string,null>
347 public function getVaryHeaders() {
348 // @codeCoverageIgnoreStart
349 if ( defined( 'MW_NO_SESSION' ) && MW_NO_SESSION
!== 'warn' ) {
352 // @codeCoverageIgnoreEnd
353 if ( $this->varyHeaders
=== null ) {
355 foreach ( $this->getProviders() as $provider ) {
356 foreach ( $provider->getVaryHeaders() as $header => $_ ) {
357 $headers[$header] = null;
360 $this->varyHeaders
= $headers;
362 return $this->varyHeaders
;
365 public function getVaryCookies() {
366 // @codeCoverageIgnoreStart
367 if ( defined( 'MW_NO_SESSION' ) && MW_NO_SESSION
!== 'warn' ) {
370 // @codeCoverageIgnoreEnd
371 if ( $this->varyCookies
=== null ) {
373 foreach ( $this->getProviders() as $provider ) {
374 $cookies = array_merge( $cookies, $provider->getVaryCookies() );
376 $this->varyCookies
= array_values( array_unique( $cookies ) );
378 return $this->varyCookies
;
382 * Validate a session ID
386 public static function validateSessionId( $id ) {
387 return is_string( $id ) && preg_match( '/^[a-zA-Z0-9_-]{32,}$/', $id );
390 /***************************************************************************/
391 // region Internal methods
392 /** @name Internal methods */
395 * Prevent future sessions for the user
397 * The intention is that the named account will never again be usable for
398 * normal login (i.e. there is no way to undo the prevention of access).
400 * @internal For use from \MediaWiki\User\User::newSystemUser only
401 * @param string $username
403 public function preventSessionsForUser( $username ) {
404 $this->preventUsers
[$username] = true;
406 // Instruct the session providers to kill any other sessions too.
407 foreach ( $this->getProviders() as $provider ) {
408 $provider->preventSessionsForUser( $username );
413 * Test if a user is prevented
414 * @internal For use from SessionBackend only
415 * @param string $username
418 public function isUserSessionPrevented( $username ) {
419 return !empty( $this->preventUsers
[$username] );
423 * Get the available SessionProviders
424 * @return SessionProvider[]
426 protected function getProviders() {
427 if ( $this->sessionProviders
=== null ) {
428 $this->sessionProviders
= [];
429 $objectFactory = MediaWikiServices
::getInstance()->getObjectFactory();
430 foreach ( $this->config
->get( MainConfigNames
::SessionProviders
) as $spec ) {
431 /** @var SessionProvider $provider */
432 $provider = $objectFactory->createObject( $spec );
437 $this->hookContainer
,
440 if ( isset( $this->sessionProviders
[(string)$provider] ) ) {
441 // @phan-suppress-next-line PhanTypeSuspiciousStringExpression
442 throw new \
UnexpectedValueException( "Duplicate provider name \"$provider\"" );
444 $this->sessionProviders
[(string)$provider] = $provider;
447 return $this->sessionProviders
;
451 * Get a session provider by name
453 * Generally, this will only be used by internal implementation of some
454 * special session-providing mechanism. General purpose code, if it needs
455 * to access a SessionProvider at all, will use Session::getProvider().
457 * @param string $name
458 * @return SessionProvider|null
460 public function getProvider( $name ) {
461 $providers = $this->getProviders();
462 return $providers[$name] ??
null;
466 * Save all active sessions on shutdown
467 * @internal For internal use with register_shutdown_function()
469 public function shutdown() {
470 if ( $this->allSessionBackends
) {
471 $this->logger
->debug( 'Saving all sessions on shutdown' );
472 if ( session_id() !== '' ) {
473 // @codeCoverageIgnoreStart
474 session_write_close();
476 // @codeCoverageIgnoreEnd
477 foreach ( $this->allSessionBackends
as $backend ) {
478 $backend->shutdown();
484 * Fetch the SessionInfo(s) for a request
485 * @param WebRequest $request
486 * @return SessionInfo|null
488 private function getSessionInfoForRequest( WebRequest
$request ) {
489 // Call all providers to fetch "the" session
491 foreach ( $this->getProviders() as $provider ) {
492 $info = $provider->provideSessionInfo( $request );
496 if ( $info->getProvider() !== $provider ) {
497 throw new \
UnexpectedValueException(
498 "$provider returned session info for a different provider: $info"
504 // Sort the SessionInfos. Then find the first one that can be
505 // successfully loaded, and then all the ones after it with the same
507 usort( $infos, [ SessionInfo
::class, 'compare' ] );
510 $info = array_pop( $infos );
511 if ( $this->loadSessionInfoFromStore( $info, $request ) ) {
514 /** @var SessionInfo $info */
515 $info = array_pop( $infos );
516 if ( SessionInfo
::compare( $retInfos[0], $info ) ) {
517 // We hit a lower priority, stop checking.
520 if ( $this->loadSessionInfoFromStore( $info, $request ) ) {
521 // This is going to error out below, but we want to
522 // provide a complete list.
525 // Session load failed, so unpersist it from this request
526 $this->logUnpersist( $info, $request );
527 $info->getProvider()->unpersistSession( $request );
531 // Session load failed, so unpersist it from this request
532 $this->logUnpersist( $info, $request );
533 $info->getProvider()->unpersistSession( $request );
537 if ( count( $retInfos ) > 1 ) {
538 throw new SessionOverflowException(
540 'Multiple sessions for this request tied for top priority: ' . implode( ', ', $retInfos )
544 return $retInfos[0] ??
null;
548 * Load and verify the session info against the store
550 * @param SessionInfo &$info Will likely be replaced with an updated SessionInfo instance
551 * @param WebRequest $request
552 * @return bool Whether the session info matches the stored data (if any)
554 private function loadSessionInfoFromStore( SessionInfo
&$info, WebRequest
$request ) {
555 $key = $this->store
->makeKey( 'MWSession', $info->getId() );
556 $blob = $this->store
->get( $key );
558 // If we got data from the store and the SessionInfo says to force use,
559 // "fail" means to delete the data from the store and retry. Otherwise,
560 // "fail" is just return false.
561 if ( $info->forceUse() && $blob !== false ) {
562 $failHandler = function () use ( $key, &$info, $request ) {
563 $this->store
->delete( $key );
564 return $this->loadSessionInfoFromStore( $info, $request );
567 $failHandler = static function () {
574 if ( $blob !== false ) {
575 // Double check: blob must be an array, if it's saved at all
576 if ( !is_array( $blob ) ) {
577 $this->logger
->warning( 'Session "{session}": Bad data', [
578 'session' => $info->__toString(),
580 $this->store
->delete( $key );
581 return $failHandler();
584 // Double check: blob has data and metadata arrays
585 if ( !isset( $blob['data'] ) ||
!is_array( $blob['data'] ) ||
586 !isset( $blob['metadata'] ) ||
!is_array( $blob['metadata'] )
588 $this->logger
->warning( 'Session "{session}": Bad data structure', [
589 'session' => $info->__toString(),
591 $this->store
->delete( $key );
592 return $failHandler();
595 $data = $blob['data'];
596 $metadata = $blob['metadata'];
598 // Double check: metadata must be an array and must contain certain
599 // keys, if it's saved at all
600 if ( !array_key_exists( 'userId', $metadata ) ||
601 !array_key_exists( 'userName', $metadata ) ||
602 !array_key_exists( 'userToken', $metadata ) ||
603 !array_key_exists( 'provider', $metadata )
605 $this->logger
->warning( 'Session "{session}": Bad metadata', [
606 'session' => $info->__toString(),
608 $this->store
->delete( $key );
609 return $failHandler();
612 // First, load the provider from metadata, or validate it against the metadata.
613 $provider = $info->getProvider();
614 if ( $provider === null ) {
615 $newParams['provider'] = $provider = $this->getProvider( $metadata['provider'] );
617 $this->logger
->warning(
618 'Session "{session}": Unknown provider ' . $metadata['provider'],
620 'session' => $info->__toString(),
623 $this->store
->delete( $key );
624 return $failHandler();
626 } elseif ( $metadata['provider'] !== (string)$provider ) {
627 $this->logger
->warning( 'Session "{session}": Wrong provider ' .
628 $metadata['provider'] . ' !== ' . $provider,
630 'session' => $info->__toString(),
632 return $failHandler();
635 // Load provider metadata from metadata, or validate it against the metadata
636 $providerMetadata = $info->getProviderMetadata();
637 if ( isset( $metadata['providerMetadata'] ) ) {
638 if ( $providerMetadata === null ) {
639 $newParams['metadata'] = $metadata['providerMetadata'];
642 $newProviderMetadata = $provider->mergeMetadata(
643 $metadata['providerMetadata'], $providerMetadata
645 if ( $newProviderMetadata !== $providerMetadata ) {
646 $newParams['metadata'] = $newProviderMetadata;
648 } catch ( MetadataMergeException
$ex ) {
649 $this->logger
->warning(
650 'Session "{session}": Metadata merge failed: {exception}',
652 'session' => $info->__toString(),
654 ] +
$ex->getContext()
656 return $failHandler();
661 // Next, load the user from metadata, or validate it against the metadata.
662 $userInfo = $info->getUserInfo();
664 // For loading, id is preferred to name.
666 if ( $metadata['userId'] ) {
667 $userInfo = UserInfo
::newFromId( $metadata['userId'] );
668 } elseif ( $metadata['userName'] !== null ) { // Shouldn't happen, but just in case
669 $userInfo = UserInfo
::newFromName( $metadata['userName'] );
671 $userInfo = UserInfo
::newAnonymous();
673 } catch ( InvalidArgumentException
$ex ) {
674 $this->logger
->error( 'Session "{session}": {exception}', [
675 'session' => $info->__toString(),
678 return $failHandler();
680 $newParams['userInfo'] = $userInfo;
682 // User validation passes if user ID matches, or if there
683 // is no saved ID and the names match.
684 if ( $metadata['userId'] ) {
685 if ( $metadata['userId'] !== $userInfo->getId() ) {
686 // Maybe something like UserMerge changed the user ID. Or it's manual tampering.
687 $this->logger
->warning(
688 'Session "{session}": User ID mismatch, {uid_a} !== {uid_b}',
690 'session' => $info->__toString(),
691 'uid_a' => $metadata['userId'],
692 'uid_b' => $userInfo->getId(),
693 'uname_a' => $metadata['userName'] ??
'<null>',
694 'uname_b' => $userInfo->getName() ??
'<null>',
696 return $failHandler();
699 // If the user was renamed, probably best to fail here.
700 if ( $metadata['userName'] !== null &&
701 $userInfo->getName() !== $metadata['userName']
703 $this->logger
->warning(
704 'Session "{session}": User ID matched but name didn\'t (rename?), {uname_a} !== {uname_b}',
706 'session' => $info->__toString(),
707 'uname_a' => $metadata['userName'],
708 'uname_b' => $userInfo->getName(),
710 return $failHandler();
713 } elseif ( $metadata['userName'] !== null ) { // Shouldn't happen, but just in case
714 if ( $metadata['userName'] !== $userInfo->getName() ) {
715 $this->logger
->warning(
716 'Session "{session}": User name mismatch, {uname_a} !== {uname_b}',
718 'session' => $info->__toString(),
719 'uname_a' => $metadata['userName'],
720 'uname_b' => $userInfo->getName(),
722 return $failHandler();
724 } elseif ( !$userInfo->isAnon() ) {
725 // The metadata in the session store entry indicates this is an anonymous session,
726 // but the request metadata (e.g. the username cookie) says otherwise. Maybe the
727 // user logged out but unsetting the cookies failed?
728 $this->logger
->warning(
729 'Session "{session}": the session store entry is for an anonymous user, '
730 . 'but the session metadata indicates a non-anonynmous user',
732 'session' => $info->__toString(),
734 return $failHandler();
738 // And if we have a token in the metadata, it must match the loaded/provided user.
739 // A mismatch probably means the session was invalidated.
740 if ( $metadata['userToken'] !== null &&
741 $userInfo->getToken() !== $metadata['userToken']
743 $this->logger
->warning( 'Session "{session}": User token mismatch', [
744 'session' => $info->__toString(),
746 return $failHandler();
748 if ( !$userInfo->isVerified() ) {
749 $newParams['userInfo'] = $userInfo->verified();
752 if ( !empty( $metadata['remember'] ) && !$info->wasRemembered() ) {
753 $newParams['remembered'] = true;
755 if ( !empty( $metadata['forceHTTPS'] ) && !$info->forceHTTPS() ) {
756 $newParams['forceHTTPS'] = true;
758 if ( !empty( $metadata['persisted'] ) && !$info->wasPersisted() ) {
759 $newParams['persisted'] = true;
762 if ( !$info->isIdSafe() ) {
763 $newParams['idIsSafe'] = true;
766 // No metadata, so we can't load the provider if one wasn't given.
767 if ( $info->getProvider() === null ) {
768 $this->logger
->warning(
769 'Session "{session}": Null provider and no metadata',
771 'session' => $info->__toString(),
773 return $failHandler();
776 // If no user was provided and no metadata, it must be anon.
777 if ( !$info->getUserInfo() ) {
778 if ( $info->getProvider()->canChangeUser() ) {
779 $newParams['userInfo'] = UserInfo
::newAnonymous();
781 // This is a session provider bug - providers with canChangeUser() === false
782 // should never return an anonymous SessionInfo.
784 'Session "{session}": No user provided and provider cannot set user',
786 'session' => $info->__toString(),
788 return $failHandler();
790 } elseif ( !$info->getUserInfo()->isVerified() ) {
791 // The session was not found in the session store, and the request contains no
792 // information beyond the session ID that could be used to verify it.
793 // Probably just a session timeout.
795 'Session "{session}": Unverified user provided and no metadata to auth it',
797 'session' => $info->__toString(),
799 return $failHandler();
805 if ( !$info->getProvider()->persistsSessionId() && !$info->isIdSafe() ) {
806 // The ID doesn't come from the user, so it should be safe
807 // (and if not, nothing we can do about it anyway)
808 $newParams['idIsSafe'] = true;
812 // Construct the replacement SessionInfo, if necessary
814 $newParams['copyFrom'] = $info;
815 $info = new SessionInfo( $info->getPriority(), $newParams );
818 // Allow the provider to check the loaded SessionInfo
819 $providerMetadata = $info->getProviderMetadata();
820 if ( !$info->getProvider()->refreshSessionInfo( $info, $request, $providerMetadata ) ) {
821 return $failHandler();
823 if ( $providerMetadata !== $info->getProviderMetadata() ) {
824 $info = new SessionInfo( $info->getPriority(), [
825 'metadata' => $providerMetadata,
830 // Give hooks a chance to abort. Combined with the SessionMetadata
831 // hook, this can allow for tying a session to an IP address or the
833 $reason = 'Hook aborted';
834 if ( !$this->hookRunner
->onSessionCheckInfo(
835 $reason, $info, $request, $metadata, $data )
837 $this->logger
->warning( 'Session "{session}": ' . $reason, [
838 'session' => $info->__toString(),
840 return $failHandler();
847 * Create a Session corresponding to the passed SessionInfo
848 * @internal For use by a SessionProvider that needs to specially create its
849 * own Session. Most session providers won't need this.
850 * @param SessionInfo $info
851 * @param WebRequest $request
854 public function getSessionFromInfo( SessionInfo
$info, WebRequest
$request ) {
855 // @codeCoverageIgnoreStart
856 if ( defined( 'MW_NO_SESSION' ) ) {
857 $ep = defined( 'MW_ENTRY_POINT' ) ? MW_ENTRY_POINT
: 'this';
859 if ( MW_NO_SESSION
=== 'warn' ) {
860 // Undocumented safety case for converting existing entry points
861 $this->logger
->error( 'Sessions are supposed to be disabled for this entry point', [
862 'exception' => new \
BadMethodCallException( "Sessions are disabled for $ep entry point" ),
865 throw new \
BadMethodCallException( "Sessions are disabled for $ep entry point" );
868 // @codeCoverageIgnoreEnd
870 $id = $info->getId();
872 if ( !isset( $this->allSessionBackends
[$id] ) ) {
873 if ( !isset( $this->allSessionIds
[$id] ) ) {
874 $this->allSessionIds
[$id] = new SessionId( $id );
876 $backend = new SessionBackend(
877 $this->allSessionIds
[$id],
881 $this->hookContainer
,
882 $this->config
->get( MainConfigNames
::ObjectCacheSessionExpiry
)
884 $this->allSessionBackends
[$id] = $backend;
885 $delay = $backend->delaySave();
887 $backend = $this->allSessionBackends
[$id];
888 $delay = $backend->delaySave();
889 if ( $info->wasPersisted() ) {
892 if ( $info->wasRemembered() ) {
893 $backend->setRememberUser( true );
897 $request->setSessionId( $backend->getSessionId() );
898 $session = $backend->getSession( $request );
900 if ( !$info->isIdSafe() ) {
904 \Wikimedia\ScopedCallback
::consume( $delay );
909 * Deregister a SessionBackend
910 * @internal For use from \MediaWiki\Session\SessionBackend only
911 * @param SessionBackend $backend
913 public function deregisterSessionBackend( SessionBackend
$backend ) {
914 $id = $backend->getId();
915 if ( !isset( $this->allSessionBackends
[$id] ) ||
!isset( $this->allSessionIds
[$id] ) ||
916 $this->allSessionBackends
[$id] !== $backend ||
917 $this->allSessionIds
[$id] !== $backend->getSessionId()
919 throw new InvalidArgumentException( 'Backend was not registered with this SessionManager' );
922 unset( $this->allSessionBackends
[$id] );
923 // Explicitly do not unset $this->allSessionIds[$id]
927 * Change a SessionBackend's ID
928 * @internal For use from \MediaWiki\Session\SessionBackend only
929 * @param SessionBackend $backend
931 public function changeBackendId( SessionBackend
$backend ) {
932 $sessionId = $backend->getSessionId();
933 $oldId = (string)$sessionId;
934 if ( !isset( $this->allSessionBackends
[$oldId] ) ||
!isset( $this->allSessionIds
[$oldId] ) ||
935 $this->allSessionBackends
[$oldId] !== $backend ||
936 $this->allSessionIds
[$oldId] !== $sessionId
938 throw new InvalidArgumentException( 'Backend was not registered with this SessionManager' );
941 $newId = $this->generateSessionId();
943 unset( $this->allSessionBackends
[$oldId], $this->allSessionIds
[$oldId] );
944 $sessionId->setId( $newId );
945 $this->allSessionBackends
[$newId] = $backend;
946 $this->allSessionIds
[$newId] = $sessionId;
950 * Generate a new random session ID
953 public function generateSessionId() {
954 $id = \Wikimedia\base_convert
( \MWCryptRand
::generateHex( 40 ), 16, 32, 32 );
955 // Cache non-existence to avoid a later fetch
956 $key = $this->store
->makeKey( 'MWSession', $id );
957 $this->store
->set( $key, false, 0, BagOStuff
::WRITE_CACHE_ONLY
);
962 * Call setters on a PHPSessionHandler
963 * @internal Use PhpSessionHandler::install()
964 * @param PHPSessionHandler $handler
966 public function setupPHPSessionHandler( PHPSessionHandler
$handler ) {
967 $handler->setManager( $this, $this->store
, $this->logger
);
971 * Reset the internal caching for unit testing
972 * @note Unit tests only
975 public static function resetCache() {
976 if ( !defined( 'MW_PHPUNIT_TEST' ) && !defined( 'MW_PARSER_TEST' ) ) {
977 // @codeCoverageIgnoreStart
978 throw new LogicException( __METHOD__
. ' may only be called from unit tests!' );
979 // @codeCoverageIgnoreEnd
982 self
::$globalSession = null;
983 self
::$globalSessionRequest = null;
986 private function logUnpersist( SessionInfo
$info, WebRequest
$request ) {
988 'id' => $info->getId(),
989 'provider' => get_class( $info->getProvider() ),
991 'supposedUser' => $info->getUserInfo() ?
$info->getUserInfo()->getName() : null,
992 'clientip' => $request->getIP(),
993 'userAgent' => $request->getHeader( 'user-agent' ),
995 if ( $info->getUserInfo() ) {
996 if ( !$info->getUserInfo()->isAnon() ) {
997 $logData['user'] = $info->getUserInfo()->getName();
999 $logData['userVerified'] = $info->getUserInfo()->isVerified();
1001 $this->logger
->info( 'Failed to load session, unpersisting', $logData );
1005 * If the same session is suddenly used from a different IP, that's potentially due
1006 * to a session leak, so log it. In the vast majority of cases it is a false positive
1007 * due to a user switching connections, but we are interested in an audit track where
1008 * we can look up a specific username, so a noisy log is fine.
1009 * Also log changes to the mwuser cookie, an analytics cookie set by mediawiki.user.js
1010 * which should be a little less noisy.
1011 * @private For use in Setup.php only
1012 * @param Session|null $session For testing only
1014 public function logPotentialSessionLeakage( ?Session
$session = null ) {
1015 $proxyLookup = MediaWikiServices
::getInstance()->getProxyLookup();
1016 $session = $session ?
: self
::getGlobalSession();
1017 $suspiciousIpExpiry = $this->config
->get( MainConfigNames
::SuspiciousIpExpiry
);
1019 if ( $suspiciousIpExpiry === false
1020 // We only care about logged-in users.
1021 ||
!$session->isPersistent() ||
$session->getUser()->isAnon()
1022 // We only care about cookie-based sessions.
1023 ||
!( $session->getProvider() instanceof CookieSessionProvider
)
1028 $ip = $session->getRequest()->getIP();
1029 } catch ( MWException
$e ) {
1032 if ( $ip === '127.0.0.1' ||
$proxyLookup->isConfiguredProxy( $ip ) ) {
1035 $mwuser = $session->getRequest()->getCookie( 'mwuser-sessionId' );
1036 $now = (int)\MediaWiki\Utils\MWTimestamp
::now( TS_UNIX
);
1038 // Record (and possibly log) that the IP is using the current session.
1039 // Don't touch the stored data unless we are changing the IP or re-adding an expired one.
1040 // This is slightly inaccurate (when an existing IP is seen again, the expiry is not
1041 // extended) but that shouldn't make much difference and limits the session write frequency.
1042 $data = $session->get( 'SessionManager-logPotentialSessionLeakage', [] )
1043 +
[ 'ip' => null, 'mwuser' => null, 'timestamp' => 0 ];
1044 // Ignore old IP records; users change networks over time. mwuser is a session cookie and the
1045 // SessionManager session id is also a session cookie so there shouldn't be any problem there.
1047 ( $now - $data['timestamp'] > $suspiciousIpExpiry )
1049 $data['ip'] = $data['timestamp'] = null;
1052 if ( $data['ip'] !== $ip ||
$data['mwuser'] !== $mwuser ) {
1053 $session->set( 'SessionManager-logPotentialSessionLeakage',
1054 [ 'ip' => $ip, 'mwuser' => $mwuser, 'timestamp' => $now ] );
1057 $ipChanged = ( $data['ip'] && $data['ip'] !== $ip );
1058 $mwuserChanged = ( $data['mwuser'] && $data['mwuser'] !== $mwuser );
1059 $logLevel = $message = null;
1061 // IPs change all the time. mwuser is a session cookie that's only set when missing,
1062 // so it should only change when the browser session ends which ends the SessionManager
1063 // session as well. Unless we are dealing with a very weird client, such as a bot that
1064 //manipulates cookies and can run Javascript, it should not change.
1065 // IP and mwuser changing at the same time would be *very* suspicious.
1067 $logLevel = LogLevel
::INFO
;
1068 $message = 'IP change within the same session';
1070 'oldIp' => $data['ip'],
1071 'oldIpRecorded' => $data['timestamp'],
1074 if ( $mwuserChanged ) {
1075 $logLevel = LogLevel
::NOTICE
;
1076 $message = 'mwuser change within the same session';
1078 'oldMwuser' => $data['mwuser'],
1079 'newMwuser' => $mwuser,
1082 if ( $ipChanged && $mwuserChanged ) {
1083 $logLevel = LogLevel
::WARNING
;
1084 $message = 'IP and mwuser change within the same session';
1088 'session' => $session->getId(),
1089 'user' => $session->getUser()->getName(),
1091 'userAgent' => $session->getRequest()->getHeader( 'user-agent' ),
1093 $logger = \MediaWiki\Logger\LoggerFactory
::getInstance( 'session-ip' );
1094 // @phan-suppress-next-line PhanTypeMismatchArgumentNullable message is set when used here
1095 $logger->log( $logLevel, $message, $logData );
1099 // endregion -- end of Internal methods