💻 Week 02 - Webscrapping script

2023-2024/24 Autumn Term

Author

Dr. Ghita Berrada, Garima Chaudhary

Published

11 October 2023

Below is the script that was showcased during the week 2 class. You can try it out by yourselves on Nuvolos or Google Colab.

Click on the button below to download the source file (.ipynb notebook) that was used to create this page, if you ever want to try the demo for yourselves:

Note

This script was modified to factor in the changes in the Wikipedia page schema (it’s a dynamic, not static page!).

Python libraries imports

In this step, you import all the Python libraries you need to execute the code that follows. Some libraries (e.g re, the library that deals with regular expressions i.e string pattern matching, or datetime, the library for date and time manipulation or requests, the library designed to send HTTP requests and used in webscrapping) are part of the Python Standard Library (see here for the list of packages included in the standard library in Python 3.10) but some (most notably pandas, the library for dataframe manipulation and one of the main libraries in use in data science, and BeautifulSoup, the library used for webscrapping) are not and need to be installed (using a pip install or a conda install command) before you import them, otherwise you would get an error at import time.

#Necessary python libraries import (before import step, the installation of library is required in python environment)

import requests   #library for webscrapping
from bs4 import BeautifulSoup, Tag   #library for webscrapping
import pandas as pd   #basic library
import re   #library for regex (word matching)
import datetime   #library to use DateTime method
import spacy

# Load the English model
nlp = spacy.load("en_core_web_sm")

Sending an HTTP GET request to Wikipedia

This step is about sending a request for data from the Wikipedia page you are interested in i.e the current events page. If your request is successful, you get a response code 200. If not, you get an error code, e.g 404 (Page not found).

# URL of the webpage with the ongoing events
url = "https://en.wikipedia.org/wiki/Portal:Current_events"

# Send an HTTP GET request to the URL
response = requests.get(url)
print("response:", response)
response: <Response [403]>

What is happening? The requests library sends a bare-bones request that looks suspicious to the Wikipedia page (it looks as if it was generated by a bot). So Wikipedia blocks the request.

How can we solve this?

When you visit a website with Chrome, Safari, or Firefox, your browser automatically sends extra information about itself. For example, it might say: “I am Chrome version 119 running on macOS.”

This information is called the “User-Agent”.

Many websites check the User-Agent to decide whether to trust the request. If no User-Agent is provided (like when using Python’s requests by default), the site may think you are a bot and block you (with an error like 403 Forbidden). So we’ll be setting a User-Agent to circumvent this problem.

# Step 1: Choose the web page we want to access
# In this case, it's Wikipedia's "Current events" portal.
url = "https://en.wikipedia.org/wiki/Portal:Current_events"

# Step 2: Add headers so the website accepts our request
#
# When you visit a website with Chrome, Safari, or Firefox,
# your browser automatically sends extra information about itself.
# For example, it might say: 
#   "I am Chrome version 119 running on macOS."
#
# This information is called the "User-Agent".
#
# Many websites check the User-Agent to decide whether
# to trust the request. If no User-Agent is provided
# (like when using Python's 'requests' by default),
# the site may think you are a bot and block you (with an error like 403 Forbidden).
#
# To avoid this, we set a User-Agent string that looks like
# a real web browser. This way, the website "thinks"
# we are visiting normally, just like a person using Chrome.
headers = {
    "User-Agent": "Mozilla/5.0 (Macintosh; Intel Mac OS X 10_15_7) "
                  "AppleWebKit/537.36 (KHTML, like Gecko) "
                  "Chrome/119.0.0.0 Safari/537.36"
}

# Step 3: Send the request to the website
# This asks the server to send us the page's HTML code.
response = requests.get(url, headers=headers)

# Step 4: Print the response object
# This shows the HTTP status code (e.g., 200 = OK, 403 = Forbidden).
# For now, we only care that it returns <Response [200]>,
# which means the request worked.
print(response)
<Response [200]>

Scrapping the ongoing events column for content

# Check if the request worked (status code 200 means OK)
if response.status_code == 200:
    # Parse the HTML content of the page with BeautifulSoup
    soup = BeautifulSoup(response.content, "html.parser")

    # This will hold all scraped events as dictionaries
    events = []

    # Each day on the page is inside a <div> with class="current-events-main"
    for day_block in soup.find_all("div", class_="current-events-main"):
        
        # Get the date of the events
        # Some blocks have a <span class="bday"> with the date in YYYY-MM-DD format
        bday = day_block.select_one("span.bday")
        if bday:
            date_iso = bday.get_text(strip=True)  # e.g. "2025-09-27"
        else:
            # If not found, fall back to attributes like aria-label or id
            date_iso = day_block.get("aria-label") or day_block.get("id") or ""

        # The main content (headlines + descriptions) is inside
        # <div class="current-events-content">
        content = day_block.find(class_="current-events-content")
        if content is None:
            continue  # skip if nothing found

        # Go through all direct children of this content block
        for child in content.children:
            # We only care about tags (<ul>, <div>, etc.), not text or whitespace
            if not isinstance(child, Tag):
                continue

            # The events for each category are listed inside <ul> elements
            if child.name == "ul":
                # Loop through each <li> (one event per <li>)
                for li in child.find_all("li", recursive=False):

                    # ----- HEADLINE -----
                    # Try to take the first <a> tag inside the <li> as the headline
                    headline = ""
                    for c in li.contents:
                        if isinstance(c, Tag) and c.name == "a":
                            headline = c.get_text(strip=True)
                            break
                    # If no <a> found, fall back to bold text <b>
                    if not headline:
                        btag = li.find("b")
                        if btag:
                            headline = btag.get_text(strip=True)

                    # ----- DESCRIPTION -----
                    # Some events have extra details in a nested <ul>
                    nested_ul = li.find("ul")
                    if nested_ul:
                        # Combine all nested <li> items into one string
                        desc_parts = [
                            x.get_text(" ", strip=True) for x in nested_ul.find_all("li")
                        ]
                        description = " ".join(desc_parts).strip()
                    else:
                        # Otherwise, just take the full text of the <li>
                        full_text = li.get_text(" ", strip=True)
                        # Remove the headline part from the description if it repeats
                        if headline and full_text.startswith(headline):
                            description = full_text[len(headline):].strip(" \u2014-:–—,.()")
                        else:
                            description = full_text

                    # Save this event in our list
                    events.append({
                        "date": date_iso,
                        "headline": headline,
                        "description": description
                    })

    # Convert the list of dictionaries into a Pandas DataFrame (like a table)
    df = pd.DataFrame(events, columns=["date", "headline", "description"])

    # Print a quick summary
    print(f"Extracted {len(df)} events")
    print(df.head(15))  # show first 15 rows

else:
    # If the page couldn’t be reached, print the error code
    print(f"HTTP request failed with status code {response.status_code}.")
Extracted 114 events
          date                                           headline  \
0   2025-09-28                        Russian invasion of Ukraine   
1   2025-09-28          Anti-corruption campaign under Xi Jinping   
2   2025-09-28                Mass shootings in the United States   
3   2025-09-28               2025 Moldovan parliamentary election   
4   2025-09-28      2025 FIVB Men's Volleyball World Championship   
5   2025-09-27                                           Gaza war   
6   2025-09-27                  2025 Cambodian–Thai border crisis   
7   2025-09-27  2025 deployment of federal forces in the Unite...   
8   2025-09-27                   Insurgency in Khyber Pakhtunkhwa   
9   2025-09-27                                    Economy of Iraq   
10  2025-09-27                             2025 Karur crowd crush   
11  2025-09-27                                            Panjgur   
12  2025-09-27                                     flash flooding   
13  2025-09-27                Mass shootings in the United States   
14  2025-09-27               2025 Gabonese parliamentary election   

                                          description  
0   Russian strikes against Ukrainian infrastructu...  
1   Former Chinese agriculture minister Tang Renji...  
2   Two people are killed and at least seven other...  
3   Moldovans vote to elect the 101 seats of the p...  
4   In volleyball, Italy defeat Bulgaria 31 to wi...  
5   2025 Gaza City offensive At least 91 Palestini...  
6   Cambodian and Thai forces reportedly exchange ...  
7   U.S. president Donald Trump orders the deploym...  
8   The Pakistan Armed Forces kill 17 Taliban mili...  
9   Iraq resumes oil exports from the Kurdistan Re...  
10  At least 39 people are killed, including ten c...  
11  Eight people are killed after a bus collides h...  
12  At least four people are killed when torrentia...  
13  2025 Southport shooting At least three people ...  
14  Gabonese citizens vote to elect members of the...

The code in the small chunk below simply displays the content of the Wikipedia page that you are scrapping i.e the content that you obtain from this line of code soup = BeautifulSoup(response.content, 'html.parser')

print(soup) # Displays the content of the scrapped Wikipedia page (HTML format)
<!DOCTYPE html>

<html class="client-nojs vector-feature-language-in-header-enabled vector-feature-language-in-main-page-header-disabled vector-feature-page-tools-pinned-disabled vector-feature-toc-pinned-clientpref-1 vector-feature-main-menu-pinned-disabled vector-feature-limited-width-clientpref-1 vector-feature-limited-width-content-enabled vector-feature-custom-font-size-clientpref--excluded vector-feature-appearance-pinned-clientpref-1 vector-feature-night-mode-enabled skin-theme-clientpref-day vector-sticky-header-enabled vector-toc-not-available" dir="ltr" lang="en">
<head>
<meta charset="utf-8"/>
<title>Portal:Current events - Wikipedia</title>
<script>(function(){var className="client-js vector-feature-language-in-header-enabled vector-feature-language-in-main-page-header-disabled vector-feature-page-tools-pinned-disabled vector-feature-toc-pinned-clientpref-1 vector-feature-main-menu-pinned-disabled vector-feature-limited-width-clientpref-1 vector-feature-limited-width-content-enabled vector-feature-custom-font-size-clientpref--excluded vector-feature-appearance-pinned-clientpref-1 vector-feature-night-mode-enabled skin-theme-clientpref-day vector-sticky-header-enabled vector-toc-not-available";var cookie=document.cookie.match(/(?:^|; )enwikimwclientpreferences=([^;]+)/);if(cookie){cookie[1].split('%2C').forEach(function(pref){className=className.replace(new RegExp('(^| )'+pref.replace(/-clientpref-\w+$|[^\w-]+/g,'')+'-clientpref-\\w+( |$)'),'$1'+pref+'$2');});}document.documentElement.className=className;}());RLCONF={"wgBreakFrames":false,"wgSeparatorTransformTable":["",""],"wgDigitTransformTable":["",""],"wgDefaultDateFormat":"dmy","wgMonthNames":["","January","February","March","April","May","June","July","August","September","October","November","December"],"wgRequestId":"41785bcc-e8dc-4b1b-9527-c6f02e8eb8e3","wgCanonicalNamespace":"Portal","wgCanonicalSpecialPageName":false,"wgNamespaceNumber":100,"wgPageName":"Portal:Current_events","wgTitle":"Current events","wgCurRevisionId":1234748158,"wgRevisionId":1234748158,"wgArticleId":5776237,"wgIsArticle":true,"wgIsRedirect":false,"wgAction":"view","wgUserName":null,"wgUserGroups":["*"],"wgCategories":["Wikipedia pages protected against vandalism","Portals with triaged subpages from October 2020","All portals with triaged subpages","Portals with no named maintainer","All portals","2025 by day","Current events portal","2025","Current events","WikiProject Current events","History portals"],"wgPageViewLanguage":"en","wgPageContentLanguage":"en","wgPageContentModel":"wikitext","wgRelevantPageName":"Portal:Current_events","wgRelevantArticleId":5776237,"wgIsProbablyEditable":false,"wgRelevantPageIsProbablyEditable":false,"wgRestrictionEdit":["sysop"],"wgRestrictionMove":["sysop"],"wgNoticeProject":"wikipedia","wgFlaggedRevsParams":{"tags":{"status":{"levels":1}}},"wgMediaViewerOnClick":true,"wgMediaViewerEnabledByDefault":true,"wgPopupsFlags":0,"wgVisualEditor":{"pageLanguageCode":"en","pageLanguageDir":"ltr","pageVariantFallbacks":"en"},"wgMFDisplayWikibaseDescriptions":{"search":true,"watchlist":true,"tagline":false,"nearby":true},"wgWMESchemaEditAttemptStepOversample":false,"wgWMEPageLength":1000,"wgMetricsPlatformUserExperiments":{"active_experiments":[],"overrides":[],"enrolled":[],"assigned":[],"subject_ids":[],"sampling_units":[]},"wgEditSubmitButtonLabelPublish":true,"wgULSPosition":"interlanguage","wgULSisCompactLinksEnabled":false,"wgVector2022LanguageInHeader":true,"wgULSisLanguageSelectorEmpty":false,"wgWikibaseItemId":"Q4597488","wgCheckUserClientHintsHeadersJsApi":["brands","architecture","bitness","fullVersionList","mobile","model","platform","platformVersion"],"GEHomepageSuggestedEditsEnableTopics":true,"wgGESuggestedEditsTaskTypes":{"taskTypes":["copyedit","link-recommendation"],"unavailableTaskTypes":[]},"wgGETopicsMatchModeEnabled":false,"wgGELevelingUpEnabledForUser":false};
RLSTATE={"ext.globalCssJs.user.styles":"ready","site.styles":"ready","user.styles":"ready","ext.globalCssJs.user":"ready","user":"ready","user.options":"loading","ext.wikimediamessages.styles":"ready","skins.vector.search.codex.styles":"ready","skins.vector.styles":"ready","skins.vector.icons":"ready","jquery.makeCollapsible.styles":"ready","ext.visualEditor.desktopArticleTarget.noscript":"ready","ext.uls.interlanguage":"ready","wikibase.client.init":"ready"};RLPAGEMODULES=["ext.xLab","site","mediawiki.page.ready","jquery.makeCollapsible","skins.vector.js","ext.centralNotice.geoIP","ext.centralNotice.startUp","ext.gadget.ReferenceTooltips","ext.gadget.switcher","ext.urlShortener.toolbar","ext.centralauth.centralautologin","mmv.bootstrap","ext.popups","ext.visualEditor.desktopArticleTarget.init","ext.visualEditor.targetLoader","ext.echo.centralauth","ext.eventLogging","ext.wikimediaEvents","ext.navigationTiming","ext.uls.interface","ext.cx.eventlogging.campaigns","wikibase.client.vector-2022","ext.checkUser.clientHints"];</script>
<script>(RLQ=window.RLQ||[]).push(function(){mw.loader.impl(function(){return["user.options@12s5i",function($,jQuery,require,module){mw.user.tokens.set({"patrolToken":"+\\","watchToken":"+\\","csrfToken":"+\\"});
}];});});</script>
<link href="/w/load.php?lang=en&amp;modules=ext.uls.interlanguage%7Cext.visualEditor.desktopArticleTarget.noscript%7Cext.wikimediamessages.styles%7Cjquery.makeCollapsible.styles%7Cskins.vector.icons%2Cstyles%7Cskins.vector.search.codex.styles%7Cwikibase.client.init&amp;only=styles&amp;skin=vector-2022" rel="stylesheet"/>
<script async="" src="/w/load.php?lang=en&amp;modules=startup&amp;only=scripts&amp;raw=1&amp;skin=vector-2022"></script>
<meta content="" name="ResourceLoaderDynamicStyles"/>
<link href="/w/load.php?lang=en&amp;modules=site.styles&amp;only=styles&amp;skin=vector-2022" rel="stylesheet"/>
<meta content="MediaWiki 1.45.0-wmf.20" name="generator"/>
<meta content="origin" name="referrer"/>
<meta content="origin-when-cross-origin" name="referrer"/>
<meta content="max-image-preview:standard" name="robots"/>
<meta content="telephone=no" name="format-detection"/>
<meta content="width=1120" name="viewport"/>
<meta content="Portal:Current events - Wikipedia" property="og:title"/>
<meta content="website" property="og:type"/>
<link href="//upload.wikimedia.org" rel="preconnect"/>
<link href="//en.m.wikipedia.org/wiki/Portal:Current_events" media="only screen and (max-width: 640px)" rel="alternate"/>
<link href="/static/apple-touch/wikipedia.png" rel="apple-touch-icon"/>
<link href="/static/favicon/wikipedia.ico" rel="icon"/>
<link href="/w/rest.php/v1/search" rel="search" title="Wikipedia (en)" type="application/opensearchdescription+xml"/>
<link href="//en.wikipedia.org/w/api.php?action=rsd" rel="EditURI" type="application/rsd+xml"/>
<link href="https://en.wikipedia.org/wiki/Portal:Current_events" rel="canonical"/>
<link href="https://creativecommons.org/licenses/by-sa/4.0/deed.en" rel="license"/>
<link href="/w/index.php?title=Special:RecentChanges&amp;feed=atom" rel="alternate" title="Wikipedia Atom feed" type="application/atom+xml"/>
<link href="//meta.wikimedia.org" rel="dns-prefetch">
<link href="auth.wikimedia.org" rel="dns-prefetch"/>
</link></head>
<body class="skin--responsive skin-vector skin-vector-search-vue mediawiki ltr sitedir-ltr mw-hide-empty-elt ns-100 ns-subject page-Portal_Current_events rootpage-Portal_Current_events skin-vector-2022 action-view"><a class="mw-jump-link" href="#bodyContent">Jump to content</a>
<div class="vector-header-container">
<header class="vector-header mw-header no-font-mode-scale">
<div class="vector-header-start">
<nav aria-label="Site" class="vector-main-menu-landmark">
<div class="vector-dropdown vector-main-menu-dropdown vector-button-flush-left vector-button-flush-right" id="vector-main-menu-dropdown" title="Main menu">
<input aria-haspopup="true" aria-label="Main menu" class="vector-dropdown-checkbox" data-event-name="ui.dropdown-vector-main-menu-dropdown" id="vector-main-menu-dropdown-checkbox" role="button" type="checkbox"/>
<label aria-hidden="true" class="vector-dropdown-label cdx-button cdx-button--fake-button cdx-button--fake-button--enabled cdx-button--weight-quiet cdx-button--icon-only" for="vector-main-menu-dropdown-checkbox" id="vector-main-menu-dropdown-label"><span class="vector-icon mw-ui-icon-menu mw-ui-icon-wikimedia-menu"></span>
<span class="vector-dropdown-label-text">Main menu</span>
</label>
<div class="vector-dropdown-content">
<div class="vector-unpinned-container" id="vector-main-menu-unpinned-container">
<div class="vector-main-menu vector-pinnable-element" id="vector-main-menu">
<div class="vector-pinnable-header vector-main-menu-pinnable-header vector-pinnable-header-unpinned" data-feature-name="main-menu-pinned" data-pinnable-element-id="vector-main-menu" data-pinned-container-id="vector-main-menu-pinned-container" data-unpinned-container-id="vector-main-menu-unpinned-container">
<div class="vector-pinnable-header-label">Main menu</div>
<button class="vector-pinnable-header-toggle-button vector-pinnable-header-pin-button" data-event-name="pinnable-header.vector-main-menu.pin">move to sidebar</button>
<button class="vector-pinnable-header-toggle-button vector-pinnable-header-unpin-button" data-event-name="pinnable-header.vector-main-menu.unpin">hide</button>
</div>
<div class="vector-menu mw-portlet mw-portlet-navigation" id="p-navigation">
<div class="vector-menu-heading">
        Navigation
    </div>
<div class="vector-menu-content">
<ul class="vector-menu-content-list">
<li class="mw-list-item" id="n-mainpage-description"><a accesskey="z" href="/wiki/Main_Page" title="Visit the main page [z]"><span>Main page</span></a></li><li class="mw-list-item" id="n-contents"><a href="/wiki/Wikipedia:Contents" title="Guides to browsing Wikipedia"><span>Contents</span></a></li><li class="mw-list-item" id="n-currentevents"><a href="/wiki/Portal:Current_events" title="Articles related to current events"><span>Current events</span></a></li><li class="mw-list-item" id="n-randompage"><a accesskey="x" href="/wiki/Special:Random" title="Visit a randomly selected article [x]"><span>Random article</span></a></li><li class="mw-list-item" id="n-aboutsite"><a href="/wiki/Wikipedia:About" title="Learn about Wikipedia and how it works"><span>About Wikipedia</span></a></li><li class="mw-list-item" id="n-contactpage"><a href="//en.wikipedia.org/wiki/Wikipedia:Contact_us" title="How to contact Wikipedia"><span>Contact us</span></a></li>
</ul>
</div>
</div>
<div class="vector-menu mw-portlet mw-portlet-interaction" id="p-interaction">
<div class="vector-menu-heading">
        Contribute
    </div>
<div class="vector-menu-content">
<ul class="vector-menu-content-list">
<li class="mw-list-item" id="n-help"><a href="/wiki/Help:Contents" title="Guidance on how to use and edit Wikipedia"><span>Help</span></a></li><li class="mw-list-item" id="n-introduction"><a href="/wiki/Help:Introduction" title="Learn how to edit Wikipedia"><span>Learn to edit</span></a></li><li class="mw-list-item" id="n-portal"><a href="/wiki/Wikipedia:Community_portal" title="The hub for editors"><span>Community portal</span></a></li><li class="mw-list-item" id="n-recentchanges"><a accesskey="r" href="/wiki/Special:RecentChanges" title="A list of recent changes to Wikipedia [r]"><span>Recent changes</span></a></li><li class="mw-list-item" id="n-upload"><a href="/wiki/Wikipedia:File_upload_wizard" title="Add images or other media for use on Wikipedia"><span>Upload file</span></a></li><li class="mw-list-item" id="n-specialpages"><a href="/wiki/Special:SpecialPages"><span>Special pages</span></a></li>
</ul>
</div>
</div>
</div>
</div>
</div>
</div>
</nav>
<a class="mw-logo" href="/wiki/Main_Page">
<img alt="" aria-hidden="true" class="mw-logo-icon" height="50" src="/static/images/icons/wikipedia.png" width="50"/>
<span class="mw-logo-container skin-invert">
<img alt="Wikipedia" class="mw-logo-wordmark" src="/static/images/mobile/copyright/wikipedia-wordmark-en.svg" style="width: 7.5em; height: 1.125em;"/>
<img alt="The Free Encyclopedia" class="mw-logo-tagline" height="13" src="/static/images/mobile/copyright/wikipedia-tagline-en.svg" style="width: 7.3125em; height: 0.8125em;" width="117"/>
</span>
</a>
</div>
<div class="vector-header-end">
<div class="vector-search-box-vue vector-search-box-collapses vector-search-box-show-thumbnail vector-search-box-auto-expand-width vector-search-box" id="p-search" role="search">
<a accesskey="f" class="cdx-button cdx-button--fake-button cdx-button--fake-button--enabled cdx-button--weight-quiet cdx-button--icon-only search-toggle" href="/wiki/Special:Search" title="Search Wikipedia [f]"><span class="vector-icon mw-ui-icon-search mw-ui-icon-wikimedia-search"></span>
<span>Search</span>
</a>
<div class="vector-typeahead-search-container">
<div class="cdx-typeahead-search cdx-typeahead-search--show-thumbnail cdx-typeahead-search--auto-expand-width">
<form action="/w/index.php" class="cdx-search-input cdx-search-input--has-end-button" id="searchform">
<div class="cdx-search-input__input-wrapper" data-search-loc="header-moved" id="simpleSearch">
<div class="cdx-text-input cdx-text-input--has-start-icon">
<input accesskey="f" aria-label="Search Wikipedia" autocapitalize="sentences" autocomplete="off" class="cdx-text-input__input mw-searchInput" id="searchInput" name="search" placeholder="Search Wikipedia" spellcheck="false" title="Search Wikipedia [f]" type="search"/>
<span class="cdx-text-input__icon cdx-text-input__start-icon"></span>
</div>
<input name="title" type="hidden" value="Special:Search"/>
</div>
<button class="cdx-button cdx-search-input__end-button">Search</button>
</form>
</div>
</div>
</div>
<nav aria-label="Personal tools" class="vector-user-links vector-user-links-wide">
<div class="vector-user-links-main">
<div class="vector-menu mw-portlet emptyPortlet" id="p-vector-user-menu-preferences">
<div class="vector-menu-content">
<ul class="vector-menu-content-list">
</ul>
</div>
</div>
<div class="vector-menu mw-portlet emptyPortlet" id="p-vector-user-menu-userpage">
<div class="vector-menu-content">
<ul class="vector-menu-content-list">
</ul>
</div>
</div>
<nav aria-label="Appearance" class="vector-appearance-landmark">
<div class="vector-dropdown" id="vector-appearance-dropdown" title="Change the appearance of the page's font size, width, and color">
<input aria-haspopup="true" aria-label="Appearance" class="vector-dropdown-checkbox" data-event-name="ui.dropdown-vector-appearance-dropdown" id="vector-appearance-dropdown-checkbox" role="button" type="checkbox"/>
<label aria-hidden="true" class="vector-dropdown-label cdx-button cdx-button--fake-button cdx-button--fake-button--enabled cdx-button--weight-quiet cdx-button--icon-only" for="vector-appearance-dropdown-checkbox" id="vector-appearance-dropdown-label"><span class="vector-icon mw-ui-icon-appearance mw-ui-icon-wikimedia-appearance"></span>
<span class="vector-dropdown-label-text">Appearance</span>
</label>
<div class="vector-dropdown-content">
<div class="vector-unpinned-container" id="vector-appearance-unpinned-container">
</div>
</div>
</div>
</nav>
<div class="vector-menu mw-portlet emptyPortlet" id="p-vector-user-menu-notifications">
<div class="vector-menu-content">
<ul class="vector-menu-content-list">
</ul>
</div>
</div>
<div class="vector-menu mw-portlet" id="p-vector-user-menu-overflow">
<div class="vector-menu-content">
<ul class="vector-menu-content-list">
<li class="user-links-collapsible-item mw-list-item user-links-collapsible-item" id="pt-sitesupport-2"><a class="" data-mw="interface" href="https://donate.wikimedia.org/?wmf_source=donate&amp;wmf_medium=sidebar&amp;wmf_campaign=en.wikipedia.org&amp;uselang=en"><span>Donate</span></a>
</li>
<li class="user-links-collapsible-item mw-list-item user-links-collapsible-item" id="pt-createaccount-2"><a class="" data-mw="interface" href="/w/index.php?title=Special:CreateAccount&amp;returnto=Portal%3ACurrent+events" title="You are encouraged to create an account and log in; however, it is not mandatory"><span>Create account</span></a>
</li>
<li class="user-links-collapsible-item mw-list-item user-links-collapsible-item" id="pt-login-2"><a accesskey="o" class="" data-mw="interface" href="/w/index.php?title=Special:UserLogin&amp;returnto=Portal%3ACurrent+events" title="You're encouraged to log in; however, it's not mandatory. [o]"><span>Log in</span></a>
</li>
</ul>
</div>
</div>
</div>
<div class="vector-dropdown vector-user-menu vector-button-flush-right vector-user-menu-logged-out" id="vector-user-links-dropdown" title="Log in and more options">
<input aria-haspopup="true" aria-label="Personal tools" class="vector-dropdown-checkbox" data-event-name="ui.dropdown-vector-user-links-dropdown" id="vector-user-links-dropdown-checkbox" role="button" type="checkbox"/>
<label aria-hidden="true" class="vector-dropdown-label cdx-button cdx-button--fake-button cdx-button--fake-button--enabled cdx-button--weight-quiet cdx-button--icon-only" for="vector-user-links-dropdown-checkbox" id="vector-user-links-dropdown-label"><span class="vector-icon mw-ui-icon-ellipsis mw-ui-icon-wikimedia-ellipsis"></span>
<span class="vector-dropdown-label-text">Personal tools</span>
</label>
<div class="vector-dropdown-content">
<div class="vector-menu mw-portlet mw-portlet-personal user-links-collapsible-item" id="p-personal" title="User menu">
<div class="vector-menu-content">
<ul class="vector-menu-content-list">
<li class="user-links-collapsible-item mw-list-item" id="pt-sitesupport"><a href="https://donate.wikimedia.org/?wmf_source=donate&amp;wmf_medium=sidebar&amp;wmf_campaign=en.wikipedia.org&amp;uselang=en"><span>Donate</span></a></li><li class="user-links-collapsible-item mw-list-item" id="pt-createaccount"><a href="/w/index.php?title=Special:CreateAccount&amp;returnto=Portal%3ACurrent+events" title="You are encouraged to create an account and log in; however, it is not mandatory"><span class="vector-icon mw-ui-icon-userAdd mw-ui-icon-wikimedia-userAdd"></span> <span>Create account</span></a></li><li class="user-links-collapsible-item mw-list-item" id="pt-login"><a accesskey="o" href="/w/index.php?title=Special:UserLogin&amp;returnto=Portal%3ACurrent+events" title="You're encouraged to log in; however, it's not mandatory. [o]"><span class="vector-icon mw-ui-icon-logIn mw-ui-icon-wikimedia-logIn"></span> <span>Log in</span></a></li>
</ul>
</div>
</div>
<div class="vector-menu mw-portlet mw-portlet-user-menu-anon-editor" id="p-user-menu-anon-editor">
<div class="vector-menu-heading">
        Pages for logged out editors <a aria-label="Learn more about editing" href="/wiki/Help:Introduction"><span>learn more</span></a>
</div>
<div class="vector-menu-content">
<ul class="vector-menu-content-list">
<li class="mw-list-item" id="pt-anoncontribs"><a accesskey="y" href="/wiki/Special:MyContributions" title="A list of edits made from this IP address [y]"><span>Contributions</span></a></li><li class="mw-list-item" id="pt-anontalk"><a accesskey="n" href="/wiki/Special:MyTalk" title="Discussion about edits from this IP address [n]"><span>Talk</span></a></li>
</ul>
</div>
</div>
</div>
</div>
</nav>
</div>
</header>
</div>
<div class="mw-page-container">
<div class="mw-page-container-inner">
<div class="vector-sitenotice-container">
<div id="siteNotice"><!-- CentralNotice --></div>
</div>
<div class="vector-column-start">
<div class="vector-main-menu-container">
<div id="mw-navigation">
<nav aria-label="Site" class="vector-main-menu-landmark" id="mw-panel">
<div class="vector-pinned-container" id="vector-main-menu-pinned-container">
</div>
</nav>
</div>
</div>
</div>
<div class="mw-content-container">
<main class="mw-body" id="content">
<header class="mw-body-header vector-page-titlebar no-font-mode-scale">
<h1 class="firstHeading mw-first-heading" id="firstHeading"><span class="mw-page-title-namespace">Portal</span><span class="mw-page-title-separator">:</span><span class="mw-page-title-main">Current events</span></h1>
<div class="vector-dropdown mw-portlet mw-portlet-lang" id="p-lang-btn">
<input aria-haspopup="true" aria-label="Go to an article in another language. Available in 118 languages" class="vector-dropdown-checkbox mw-interlanguage-selector" data-event-name="ui.dropdown-p-lang-btn" id="p-lang-btn-checkbox" role="button" type="checkbox"/>
<label aria-hidden="true" class="vector-dropdown-label cdx-button cdx-button--fake-button cdx-button--fake-button--enabled cdx-button--weight-quiet cdx-button--action-progressive mw-portlet-lang-heading-118" for="p-lang-btn-checkbox" id="p-lang-btn-label"><span class="vector-icon mw-ui-icon-language-progressive mw-ui-icon-wikimedia-language-progressive"></span>
<span class="vector-dropdown-label-text">118 languages</span>
</label>
<div class="vector-dropdown-content">
<div class="vector-menu-content">
<ul class="vector-menu-content-list">
<li class="interlanguage-link interwiki-ang mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Ænglisc" data-language-local-name="Old English" data-title="Wikipǣdia:Geong gelimp" href="https://ang.wikipedia.org/wiki/Wikip%C7%A3dia:Geong_gelimp" hreflang="ang" lang="ang" title="Wikipǣdia:Geong gelimp – Old English"><span>Ænglisc</span></a></li><li class="interlanguage-link interwiki-ar mw-list-item"><a class="interlanguage-link-target" data-language-autonym="العربية" data-language-local-name="Arabic" data-title="بوابة:أحداث جارية" href="https://ar.wikipedia.org/wiki/%D8%A8%D9%88%D8%A7%D8%A8%D8%A9:%D8%A3%D8%AD%D8%AF%D8%A7%D8%AB_%D8%AC%D8%A7%D8%B1%D9%8A%D8%A9" hreflang="ar" lang="ar" title="بوابة:أحداث جارية – Arabic"><span>العربية</span></a></li><li class="interlanguage-link interwiki-as mw-list-item"><a class="interlanguage-link-target" data-language-autonym="অসমীয়া" data-language-local-name="Assamese" data-title="ৱিকিচ'ৰা:শেহতীয়া ঘটনাৱলী" href="https://as.wikipedia.org/wiki/%E0%A7%B1%E0%A6%BF%E0%A6%95%E0%A6%BF%E0%A6%9A%27%E0%A7%B0%E0%A6%BE:%E0%A6%B6%E0%A7%87%E0%A6%B9%E0%A6%A4%E0%A7%80%E0%A6%AF%E0%A6%BC%E0%A6%BE_%E0%A6%98%E0%A6%9F%E0%A6%A8%E0%A6%BE%E0%A7%B1%E0%A6%B2%E0%A7%80" hreflang="as" lang="as" title="ৱিকিচ'ৰা:শেহতীয়া ঘটনাৱলী – Assamese"><span>অসমীয়া</span></a></li><li class="interlanguage-link interwiki-awa mw-list-item"><a class="interlanguage-link-target" data-language-autonym="अवधी" data-language-local-name="Awadhi" data-title="मोहार:हाल कय घटना" href="https://awa.wikipedia.org/wiki/%E0%A4%AE%E0%A5%8B%E0%A4%B9%E0%A4%BE%E0%A4%B0:%E0%A4%B9%E0%A4%BE%E0%A4%B2_%E0%A4%95%E0%A4%AF_%E0%A4%98%E0%A4%9F%E0%A4%A8%E0%A4%BE" hreflang="awa" lang="awa" title="मोहार:हाल कय घटना – Awadhi"><span>अवधी</span></a></li><li class="interlanguage-link interwiki-av mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Авар" data-language-local-name="Avaric" data-title="Википедия:Гьанжесел лъугьа-бахъинал" href="https://av.wikipedia.org/wiki/%D0%92%D0%B8%D0%BA%D0%B8%D0%BF%D0%B5%D0%B4%D0%B8%D1%8F:%D0%93%D1%8C%D0%B0%D0%BD%D0%B6%D0%B5%D1%81%D0%B5%D0%BB_%D0%BB%D1%8A%D1%83%D0%B3%D1%8C%D0%B0-%D0%B1%D0%B0%D1%85%D1%8A%D0%B8%D0%BD%D0%B0%D0%BB" hreflang="av" lang="av" title="Википедия:Гьанжесел лъугьа-бахъинал – Avaric"><span>Авар</span></a></li><li class="interlanguage-link interwiki-azb mw-list-item"><a class="interlanguage-link-target" data-language-autonym="تۆرکجه" data-language-local-name="South Azerbaijani" data-title="پوْرتال:ایندیکی حادیثه‌لر" href="https://azb.wikipedia.org/wiki/%D9%BE%D9%88%D9%92%D8%B1%D8%AA%D8%A7%D9%84:%D8%A7%DB%8C%D9%86%D8%AF%DB%8C%DA%A9%DB%8C_%D8%AD%D8%A7%D8%AF%DB%8C%D8%AB%D9%87%E2%80%8C%D9%84%D8%B1" hreflang="azb" lang="azb" title="پوْرتال:ایندیکی حادیثه‌لر – South Azerbaijani"><span>تۆرکجه</span></a></li><li class="interlanguage-link interwiki-bjn mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Banjar" data-language-local-name="Banjar" data-title="Lawang:Garamaan" href="https://bjn.wikipedia.org/wiki/Lawang:Garamaan" hreflang="bjn" lang="bjn" title="Lawang:Garamaan – Banjar"><span>Banjar</span></a></li><li class="interlanguage-link interwiki-zh-min-nan mw-list-item"><a class="interlanguage-link-target" data-language-autonym="閩南語 / Bân-lâm-gí" data-language-local-name="Minnan" data-title="Portal:Sin-bûn sū-kiāⁿ" href="https://zh-min-nan.wikipedia.org/wiki/Portal:Sin-b%C3%BBn_s%C5%AB-ki%C4%81%E2%81%BF" hreflang="nan" lang="nan" title="Portal:Sin-bûn sū-kiāⁿ – Minnan"><span>閩南語 / Bân-lâm-</span></a></li><li class="interlanguage-link interwiki-ba mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Башҡортса" data-language-local-name="Bashkir" data-title="Портал:Ағымдағы ваҡиғалар/Башвики наградалары" href="https://ba.wikipedia.org/wiki/%D0%9F%D0%BE%D1%80%D1%82%D0%B0%D0%BB:%D0%90%D2%93%D1%8B%D0%BC%D0%B4%D0%B0%D2%93%D1%8B_%D0%B2%D0%B0%D2%A1%D0%B8%D2%93%D0%B0%D0%BB%D0%B0%D1%80/%D0%91%D0%B0%D1%88%D0%B2%D0%B8%D0%BA%D0%B8_%D0%BD%D0%B0%D0%B3%D1%80%D0%B0%D0%B4%D0%B0%D0%BB%D0%B0%D1%80%D1%8B" hreflang="ba" lang="ba" title="Портал:Ағымдағы ваҡиғалар/Башвики наградалары – Bashkir"><span>Башҡортса</span></a></li><li class="interlanguage-link interwiki-be mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Беларуская" data-language-local-name="Belarusian" data-title="Партал:Актуальныя падзеі" href="https://be.wikipedia.org/wiki/%D0%9F%D0%B0%D1%80%D1%82%D0%B0%D0%BB:%D0%90%D0%BA%D1%82%D1%83%D0%B0%D0%BB%D1%8C%D0%BD%D1%8B%D1%8F_%D0%BF%D0%B0%D0%B4%D0%B7%D0%B5%D1%96" hreflang="be" lang="be" title="Партал:Актуальныя падзеі – Belarusian"><span>Беларуская</span></a></li><li class="interlanguage-link interwiki-bh mw-list-item"><a class="interlanguage-link-target" data-language-autonym="भोजपुरी" data-language-local-name="Bhojpuri" data-title="विकिपीडिया:हाल के घटना" href="https://bh.wikipedia.org/wiki/%E0%A4%B5%E0%A4%BF%E0%A4%95%E0%A4%BF%E0%A4%AA%E0%A5%80%E0%A4%A1%E0%A4%BF%E0%A4%AF%E0%A4%BE:%E0%A4%B9%E0%A4%BE%E0%A4%B2_%E0%A4%95%E0%A5%87_%E0%A4%98%E0%A4%9F%E0%A4%A8%E0%A4%BE" hreflang="bh" lang="bh" title="विकिपीडिया:हाल के घटना – Bhojpuri"><span>भोजपुरी</span></a></li><li class="interlanguage-link interwiki-bcl mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Bikol Central" data-language-local-name="Central Bikol" data-title="Wikipedia:Mga panyayari sa ngonyan" href="https://bcl.wikipedia.org/wiki/Wikipedia:Mga_panyayari_sa_ngonyan" hreflang="bcl" lang="bcl" title="Wikipedia:Mga panyayari sa ngonyan – Central Bikol"><span>Bikol Central</span></a></li><li class="interlanguage-link interwiki-ca mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Català" data-language-local-name="Catalan" data-title="Viquipèdia:Actualitat" href="https://ca.wikipedia.org/wiki/Viquip%C3%A8dia:Actualitat" hreflang="ca" lang="ca" title="Viquipèdia:Actualitat – Catalan"><span>Català</span></a></li><li class="interlanguage-link interwiki-cv mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Чӑвашла" data-language-local-name="Chuvash" data-title="Википеди:Хыпарсем" href="https://cv.wikipedia.org/wiki/%D0%92%D0%B8%D0%BA%D0%B8%D0%BF%D0%B5%D0%B4%D0%B8:%D0%A5%D1%8B%D0%BF%D0%B0%D1%80%D1%81%D0%B5%D0%BC" hreflang="cv" lang="cv" title="Википеди:Хыпарсем – Chuvash"><span>Чӑвашла</span></a></li><li class="interlanguage-link interwiki-ceb mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Cebuano" data-language-local-name="Cebuano" data-title="Wikipedia:Mga panghitabo" href="https://ceb.wikipedia.org/wiki/Wikipedia:Mga_panghitabo" hreflang="ceb" lang="ceb" title="Wikipedia:Mga panghitabo – Cebuano"><span>Cebuano</span></a></li><li class="interlanguage-link interwiki-cs mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Čeština" data-language-local-name="Czech" data-title="Portál:Aktuality" href="https://cs.wikipedia.org/wiki/Port%C3%A1l:Aktuality" hreflang="cs" lang="cs" title="Portál:Aktuality – Czech"><span>Čeština</span></a></li><li class="interlanguage-link interwiki-tum mw-list-item"><a class="interlanguage-link-target" data-language-autonym="ChiTumbuka" data-language-local-name="Tumbuka" data-title="Portal:Current events" href="https://tum.wikipedia.org/wiki/Portal:Current_events" hreflang="tum" lang="tum" title="Portal:Current events – Tumbuka"><span>ChiTumbuka</span></a></li><li class="interlanguage-link interwiki-dag mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Dagbanli" data-language-local-name="Dagbani" data-title="Wikipedia:Pumpɔŋɔ na yɛla" href="https://dag.wikipedia.org/wiki/Wikipedia:Pump%C9%94%C5%8B%C9%94_na_y%C9%9Bla" hreflang="dag" lang="dag" title="Wikipedia:Pumpɔŋɔ na yɛla – Dagbani"><span>Dagbanli</span></a></li><li class="interlanguage-link interwiki-da mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Dansk" data-language-local-name="Danish" data-title="Wikipedia:Aktuelle begivenheder" href="https://da.wikipedia.org/wiki/Wikipedia:Aktuelle_begivenheder" hreflang="da" lang="da" title="Wikipedia:Aktuelle begivenheder – Danish"><span>Dansk</span></a></li><li class="interlanguage-link interwiki-de mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Deutsch" data-language-local-name="German" data-title="Wikipedia:Laufende Ereignisse" href="https://de.wikipedia.org/wiki/Wikipedia:Laufende_Ereignisse" hreflang="de" lang="de" title="Wikipedia:Laufende Ereignisse – German"><span>Deutsch</span></a></li><li class="interlanguage-link interwiki-dv mw-list-item"><a class="interlanguage-link-target" data-language-autonym="ދިވެހިބަސް" data-language-local-name="Divehi" data-title="ނެރު:މިހާރު ހިނގަމުންދާ" href="https://dv.wikipedia.org/wiki/%DE%82%DE%AC%DE%83%DE%AA:%DE%89%DE%A8%DE%80%DE%A7%DE%83%DE%AA_%DE%80%DE%A8%DE%82%DE%8E%DE%A6%DE%89%DE%AA%DE%82%DE%B0%DE%8B%DE%A7" hreflang="dv" lang="dv" title="ނެރު:މިހާރު ހިނގަމުންދާ – Divehi"><span>ދިވެހިބަސް</span></a></li><li class="interlanguage-link interwiki-dty mw-list-item"><a class="interlanguage-link-target" data-language-autonym="डोटेली" data-language-local-name="Doteli" data-title="विकिपिडिया:आजभोलका घटना" href="https://dty.wikipedia.org/wiki/%E0%A4%B5%E0%A4%BF%E0%A4%95%E0%A4%BF%E0%A4%AA%E0%A4%BF%E0%A4%A1%E0%A4%BF%E0%A4%AF%E0%A4%BE:%E0%A4%86%E0%A4%9C%E0%A4%AD%E0%A5%8B%E0%A4%B2%E0%A4%95%E0%A4%BE_%E0%A4%98%E0%A4%9F%E0%A4%A8%E0%A4%BE" hreflang="dty" lang="dty" title="विकिपिडिया:आजभोलका घटना – Doteli"><span>डोटेली</span></a></li><li class="interlanguage-link interwiki-el mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Ελληνικά" data-language-local-name="Greek" data-title="Πύλη:Τρέχοντα γεγονότα" href="https://el.wikipedia.org/wiki/%CE%A0%CF%8D%CE%BB%CE%B7:%CE%A4%CF%81%CE%AD%CF%87%CE%BF%CE%BD%CF%84%CE%B1_%CE%B3%CE%B5%CE%B3%CE%BF%CE%BD%CF%8C%CF%84%CE%B1" hreflang="el" lang="el" title="Πύλη:Τρέχοντα γεγονότα – Greek"><span>Ελληνικά</span></a></li><li class="interlanguage-link interwiki-myv mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Эрзянь" data-language-local-name="Erzya" data-title="Портал:Текущие события" href="https://myv.wikipedia.org/wiki/%D0%9F%D0%BE%D1%80%D1%82%D0%B0%D0%BB:%D0%A2%D0%B5%D0%BA%D1%83%D1%89%D0%B8%D0%B5_%D1%81%D0%BE%D0%B1%D1%8B%D1%82%D0%B8%D1%8F" hreflang="myv" lang="myv" title="Портал:Текущие события – Erzya"><span>Эрзянь</span></a></li><li class="interlanguage-link interwiki-es mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Español" data-language-local-name="Spanish" data-title="Portal:Actualidad" href="https://es.wikipedia.org/wiki/Portal:Actualidad" hreflang="es" lang="es" title="Portal:Actualidad – Spanish"><span>Español</span></a></li><li class="interlanguage-link interwiki-eo mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Esperanto" data-language-local-name="Esperanto" data-title="Vikipedio:Aktualaĵoj" href="https://eo.wikipedia.org/wiki/Vikipedio:Aktuala%C4%B5oj" hreflang="eo" lang="eo" title="Vikipedio:Aktualaĵoj – Esperanto"><span>Esperanto</span></a></li><li class="interlanguage-link interwiki-ext mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Estremeñu" data-language-local-name="Extremaduran" data-title="Proyeutu:La troji las notícias" href="https://ext.wikipedia.org/wiki/Proyeutu:La_troji_las_not%C3%ADcias" hreflang="ext" lang="ext" title="Proyeutu:La troji las notícias – Extremaduran"><span>Estremeñu</span></a></li><li class="interlanguage-link interwiki-eu mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Euskara" data-language-local-name="Basque" data-title="Wikipedia:Albisteak" href="https://eu.wikipedia.org/wiki/Wikipedia:Albisteak" hreflang="eu" lang="eu" title="Wikipedia:Albisteak – Basque"><span>Euskara</span></a></li><li class="interlanguage-link interwiki-ee mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Eʋegbe" data-language-local-name="Ewe" data-title="Portal:Nusiwo le dzɔdzɔm" href="https://ee.wikipedia.org/wiki/Portal:Nusiwo_le_dz%C9%94dz%C9%94m" hreflang="ee" lang="ee" title="Portal:Nusiwo le dzɔdzɔm – Ewe"><span>Eʋegbe</span></a></li><li class="interlanguage-link interwiki-fa mw-list-item"><a class="interlanguage-link-target" data-language-autonym="فارسی" data-language-local-name="Persian" data-title="درگاه:رویدادهای کنونی" href="https://fa.wikipedia.org/wiki/%D8%AF%D8%B1%DA%AF%D8%A7%D9%87:%D8%B1%D9%88%DB%8C%D8%AF%D8%A7%D8%AF%D9%87%D8%A7%DB%8C_%DA%A9%D9%86%D9%88%D9%86%DB%8C" hreflang="fa" lang="fa" title="درگاه:رویدادهای کنونی – Persian"><span>فارسی</span></a></li><li class="interlanguage-link interwiki-fo mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Føroyskt" data-language-local-name="Faroese" data-title="Wikipedia:Aktuellar hendingar" href="https://fo.wikipedia.org/wiki/Wikipedia:Aktuellar_hendingar" hreflang="fo" lang="fo" title="Wikipedia:Aktuellar hendingar – Faroese"><span>Føroyskt</span></a></li><li class="interlanguage-link interwiki-fr mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Français" data-language-local-name="French" data-title="Portail:Actualité" href="https://fr.wikipedia.org/wiki/Portail:Actualit%C3%A9" hreflang="fr" lang="fr" title="Portail:Actualité – French"><span>Français</span></a></li><li class="interlanguage-link interwiki-ga mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Gaeilge" data-language-local-name="Irish" data-title="Vicipéid:Cúrsaí reatha" href="https://ga.wikipedia.org/wiki/Vicip%C3%A9id:C%C3%BArsa%C3%AD_reatha" hreflang="ga" lang="ga" title="Vicipéid:Cúrsaí reatha – Irish"><span>Gaeilge</span></a></li><li class="interlanguage-link interwiki-gv mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Gaelg" data-language-local-name="Manx" data-title="Wikipedia:Cooishyn y laa" href="https://gv.wikipedia.org/wiki/Wikipedia:Cooishyn_y_laa" hreflang="gv" lang="gv" title="Wikipedia:Cooishyn y laa – Manx"><span>Gaelg</span></a></li><li class="interlanguage-link interwiki-gan mw-list-item"><a class="interlanguage-link-target" data-language-autonym="贛語" data-language-local-name="Gan" data-title="Wikipedia:新出嗰事" href="https://gan.wikipedia.org/wiki/Wikipedia:%E6%96%B0%E5%87%BA%E5%97%B0%E4%BA%8B" hreflang="gan" lang="gan" title="Wikipedia:新出嗰事 – Gan"><span>贛語</span></a></li><li class="interlanguage-link interwiki-glk mw-list-item"><a class="interlanguage-link-target" data-language-autonym="گیلکی" data-language-local-name="Gilaki" data-title="Wikipedia:هسأ تفاقؤن" href="https://glk.wikipedia.org/wiki/Wikipedia:%D9%87%D8%B3%D8%A3_%D8%AA%D9%81%D8%A7%D9%82%D8%A4%D9%86" hreflang="glk" lang="glk" title="Wikipedia:هسأ تفاقؤن – Gilaki"><span>گیلکی</span></a></li><li class="interlanguage-link interwiki-gu mw-list-item"><a class="interlanguage-link-target" data-language-autonym="ગુજરાતી" data-language-local-name="Gujarati" data-title="વિકિપીડિયા:વર્તમાન ઘટનાઓ" href="https://gu.wikipedia.org/wiki/%E0%AA%B5%E0%AA%BF%E0%AA%95%E0%AA%BF%E0%AA%AA%E0%AB%80%E0%AA%A1%E0%AA%BF%E0%AA%AF%E0%AA%BE:%E0%AA%B5%E0%AA%B0%E0%AB%8D%E0%AA%A4%E0%AA%AE%E0%AA%BE%E0%AA%A8_%E0%AA%98%E0%AA%9F%E0%AA%A8%E0%AA%BE%E0%AA%93" hreflang="gu" lang="gu" title="વિકિપીડિયા:વર્તમાન ઘટનાઓ – Gujarati"><span>ગુજરાતી</span></a></li><li class="interlanguage-link interwiki-hak mw-list-item"><a class="interlanguage-link-target" data-language-autonym="客家語 / Hak-kâ-ngî" data-language-local-name="Hakka Chinese" data-title="Wikipedia:新聞動態" href="https://hak.wikipedia.org/wiki/Wikipedia:%E6%96%B0%E8%81%9E%E5%8B%95%E6%85%8B" hreflang="hak" lang="hak" title="Wikipedia:新聞動態 – Hakka Chinese"><span>客家語 / Hak--ngî</span></a></li><li class="interlanguage-link interwiki-ko mw-list-item"><a class="interlanguage-link-target" data-language-autonym="한국어" data-language-local-name="Korean" data-title="포털:요즘 화제" href="https://ko.wikipedia.org/wiki/%ED%8F%AC%ED%84%B8:%EC%9A%94%EC%A6%98_%ED%99%94%EC%A0%9C" hreflang="ko" lang="ko" title="포털:요즘 화제 – Korean"><span>한국어</span></a></li><li class="interlanguage-link interwiki-hy mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Հայերեն" data-language-local-name="Armenian" data-title="Վիքիպեդիա:Նորություններ" href="https://hy.wikipedia.org/wiki/%D5%8E%D5%AB%D6%84%D5%AB%D5%BA%D5%A5%D5%A4%D5%AB%D5%A1:%D5%86%D5%B8%D6%80%D5%B8%D6%82%D5%A9%D5%B5%D5%B8%D6%82%D5%B6%D5%B6%D5%A5%D6%80" hreflang="hy" lang="hy" title="Վիքիպեդիա:Նորություններ – Armenian"><span>Հայերեն</span></a></li><li class="interlanguage-link interwiki-hi mw-list-item"><a class="interlanguage-link-target" data-language-autonym="हिन्दी" data-language-local-name="Hindi" data-title="प्रवेशद्वार:हाल की घटनाएँ" href="https://hi.wikipedia.org/wiki/%E0%A4%AA%E0%A5%8D%E0%A4%B0%E0%A4%B5%E0%A5%87%E0%A4%B6%E0%A4%A6%E0%A5%8D%E0%A4%B5%E0%A4%BE%E0%A4%B0:%E0%A4%B9%E0%A4%BE%E0%A4%B2_%E0%A4%95%E0%A5%80_%E0%A4%98%E0%A4%9F%E0%A4%A8%E0%A4%BE%E0%A4%8F%E0%A4%81" hreflang="hi" lang="hi" title="प्रवेशद्वार:हाल की घटनाएँ – Hindi"><span>हिन्दी</span></a></li><li class="interlanguage-link interwiki-hr mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Hrvatski" data-language-local-name="Croatian" data-title="Wikipedija:Novosti" href="https://hr.wikipedia.org/wiki/Wikipedija:Novosti" hreflang="hr" lang="hr" title="Wikipedija:Novosti – Croatian"><span>Hrvatski</span></a></li><li class="interlanguage-link interwiki-id mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Bahasa Indonesia" data-language-local-name="Indonesian" data-title="Portal:Peristiwa terkini" href="https://id.wikipedia.org/wiki/Portal:Peristiwa_terkini" hreflang="id" lang="id" title="Portal:Peristiwa terkini – Indonesian"><span>Bahasa Indonesia</span></a></li><li class="interlanguage-link interwiki-ia mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Interlingua" data-language-local-name="Interlingua" data-title="Wikipedia:Actualitates" href="https://ia.wikipedia.org/wiki/Wikipedia:Actualitates" hreflang="ia" lang="ia" title="Wikipedia:Actualitates – Interlingua"><span>Interlingua</span></a></li><li class="interlanguage-link interwiki-os mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Ирон" data-language-local-name="Ossetic" data-title="Википеди:Ног хабæрттæ" href="https://os.wikipedia.org/wiki/%D0%92%D0%B8%D0%BA%D0%B8%D0%BF%D0%B5%D0%B4%D0%B8:%D0%9D%D0%BE%D0%B3_%D1%85%D0%B0%D0%B1%C3%A6%D1%80%D1%82%D1%82%C3%A6" hreflang="os" lang="os" title="Википеди:Ног хабæрттæ – Ossetic"><span>Ирон</span></a></li><li class="interlanguage-link interwiki-zu mw-list-item"><a class="interlanguage-link-target" data-language-autonym="IsiZulu" data-language-local-name="Zulu" data-title="Wikipedia:Izehlakalo ezimanje" href="https://zu.wikipedia.org/wiki/Wikipedia:Izehlakalo_ezimanje" hreflang="zu" lang="zu" title="Wikipedia:Izehlakalo ezimanje – Zulu"><span>IsiZulu</span></a></li><li class="interlanguage-link interwiki-is mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Íslenska" data-language-local-name="Icelandic" data-title="Wikipedia:Í fréttum..." href="https://is.wikipedia.org/wiki/Wikipedia:%C3%8D_fr%C3%A9ttum..." hreflang="is" lang="is" title="Wikipedia:Í fréttum... – Icelandic"><span>Íslenska</span></a></li><li class="interlanguage-link interwiki-pam mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Kapampangan" data-language-local-name="Pampanga" data-title="Portal:Ngeni" href="https://pam.wikipedia.org/wiki/Portal:Ngeni" hreflang="pam" lang="pam" title="Portal:Ngeni – Pampanga"><span>Kapampangan</span></a></li><li class="interlanguage-link interwiki-ka mw-list-item"><a class="interlanguage-link-target" data-language-autonym="ქართული" data-language-local-name="Georgian" data-title="პორტალი:ახალი ამბები" href="https://ka.wikipedia.org/wiki/%E1%83%9E%E1%83%9D%E1%83%A0%E1%83%A2%E1%83%90%E1%83%9A%E1%83%98:%E1%83%90%E1%83%AE%E1%83%90%E1%83%9A%E1%83%98_%E1%83%90%E1%83%9B%E1%83%91%E1%83%94%E1%83%91%E1%83%98" hreflang="ka" lang="ka" title="პორტალი:ახალი ამბები – Georgian"><span>ქართული</span></a></li><li class="interlanguage-link interwiki-ks mw-list-item"><a class="interlanguage-link-target" data-language-autonym="کٲشُر" data-language-local-name="Kashmiri" data-title="وِکیٖپیٖڈیا:موجوٗد کالِک واقعات" href="https://ks.wikipedia.org/wiki/%D9%88%D9%90%DA%A9%DB%8C%D9%96%D9%BE%DB%8C%D9%96%DA%88%DB%8C%D8%A7:%D9%85%D9%88%D8%AC%D9%88%D9%97%D8%AF_%DA%A9%D8%A7%D9%84%D9%90%DA%A9_%D9%88%D8%A7%D9%82%D8%B9%D8%A7%D8%AA" hreflang="ks" lang="ks" title="وِکیٖپیٖڈیا:موجوٗد کالِک واقعات – Kashmiri"><span>کٲشُر</span></a></li><li class="interlanguage-link interwiki-kk mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Қазақша" data-language-local-name="Kazakh" data-title="Портал:Ағымдағы оқиғалар" href="https://kk.wikipedia.org/wiki/%D0%9F%D0%BE%D1%80%D1%82%D0%B0%D0%BB:%D0%90%D2%93%D1%8B%D0%BC%D0%B4%D0%B0%D2%93%D1%8B_%D0%BE%D2%9B%D0%B8%D2%93%D0%B0%D0%BB%D0%B0%D1%80" hreflang="kk" lang="kk" title="Портал:Ағымдағы оқиғалар – Kazakh"><span>Қазақша</span></a></li><li class="interlanguage-link interwiki-ku mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Kurdî" data-language-local-name="Kurdish" data-title="Portal:Bûyerên rojane" href="https://ku.wikipedia.org/wiki/Portal:B%C3%BByer%C3%AAn_rojane" hreflang="ku" lang="ku" title="Portal:Bûyerên rojane – Kurdish"><span>Kurdî</span></a></li><li class="interlanguage-link interwiki-lad mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Ladino" data-language-local-name="Ladino" data-title="Vikipedya:Novedades" href="https://lad.wikipedia.org/wiki/Vikipedya:Novedades" hreflang="lad" lang="lad" title="Vikipedya:Novedades – Ladino"><span>Ladino</span></a></li><li class="interlanguage-link interwiki-la mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Latina" data-language-local-name="Latin" data-title="Vicipaedia:Nuntii" href="https://la.wikipedia.org/wiki/Vicipaedia:Nuntii" hreflang="la" lang="la" title="Vicipaedia:Nuntii – Latin"><span>Latina</span></a></li><li class="interlanguage-link interwiki-lb mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Lëtzebuergesch" data-language-local-name="Luxembourgish" data-title="Wikipedia:Aktualitéit" href="https://lb.wikipedia.org/wiki/Wikipedia:Aktualit%C3%A9it" hreflang="lb" lang="lb" title="Wikipedia:Aktualitéit – Luxembourgish"><span>Lëtzebuergesch</span></a></li><li class="interlanguage-link interwiki-lt mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Lietuvių" data-language-local-name="Lithuanian" data-title="Vikiprojektas:Naujienos" href="https://lt.wikipedia.org/wiki/Vikiprojektas:Naujienos" hreflang="lt" lang="lt" title="Vikiprojektas:Naujienos – Lithuanian"><span>Lietuvių</span></a></li><li class="interlanguage-link interwiki-nia mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Li Niha" data-language-local-name="Nias" data-title="Wikipedia:Sawena alua" href="https://nia.wikipedia.org/wiki/Wikipedia:Sawena_alua" hreflang="nia" lang="nia" title="Wikipedia:Sawena alua – Nias"><span>Li Niha</span></a></li><li class="interlanguage-link interwiki-li mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Limburgs" data-language-local-name="Limburgish" data-title="In 't nuujs" href="https://li.wikipedia.org/wiki/In_%27t_nuujs" hreflang="li" lang="li" title="In 't nuujs – Limburgish"><span>Limburgs</span></a></li><li class="interlanguage-link interwiki-hu mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Magyar" data-language-local-name="Hungarian" data-title="Wikipédia:Események" href="https://hu.wikipedia.org/wiki/Wikip%C3%A9dia:Esem%C3%A9nyek" hreflang="hu" lang="hu" title="Wikipédia:Események – Hungarian"><span>Magyar</span></a></li><li class="interlanguage-link interwiki-mai mw-list-item"><a class="interlanguage-link-target" data-language-autonym="मैथिली" data-language-local-name="Maithili" data-title="विकिपिडिया:आइ-काल्हिक घटनासभ" href="https://mai.wikipedia.org/wiki/%E0%A4%B5%E0%A4%BF%E0%A4%95%E0%A4%BF%E0%A4%AA%E0%A4%BF%E0%A4%A1%E0%A4%BF%E0%A4%AF%E0%A4%BE:%E0%A4%86%E0%A4%87-%E0%A4%95%E0%A4%BE%E0%A4%B2%E0%A5%8D%E0%A4%B9%E0%A4%BF%E0%A4%95_%E0%A4%98%E0%A4%9F%E0%A4%A8%E0%A4%BE%E0%A4%B8%E0%A4%AD" hreflang="mai" lang="mai" title="विकिपिडिया:आइ-काल्हिक घटनासभ – Maithili"><span>मैथिली</span></a></li><li class="interlanguage-link interwiki-ml mw-list-item"><a class="interlanguage-link-target" data-language-autonym="മലയാളം" data-language-local-name="Malayalam" data-title="കവാടം:സമകാലികം" href="https://ml.wikipedia.org/wiki/%E0%B4%95%E0%B4%B5%E0%B4%BE%E0%B4%9F%E0%B4%82:%E0%B4%B8%E0%B4%AE%E0%B4%95%E0%B4%BE%E0%B4%B2%E0%B4%BF%E0%B4%95%E0%B4%82" hreflang="ml" lang="ml" title="കവാടം:സമകാലികം – Malayalam"><span>മലയാളം</span></a></li><li class="interlanguage-link interwiki-mr mw-list-item"><a class="interlanguage-link-target" data-language-autonym="मराठी" data-language-local-name="Marathi" data-title="विकिपीडिया:सद्य घटना विवरण" href="https://mr.wikipedia.org/wiki/%E0%A4%B5%E0%A4%BF%E0%A4%95%E0%A4%BF%E0%A4%AA%E0%A5%80%E0%A4%A1%E0%A4%BF%E0%A4%AF%E0%A4%BE:%E0%A4%B8%E0%A4%A6%E0%A5%8D%E0%A4%AF_%E0%A4%98%E0%A4%9F%E0%A4%A8%E0%A4%BE_%E0%A4%B5%E0%A4%BF%E0%A4%B5%E0%A4%B0%E0%A4%A3" hreflang="mr" lang="mr" title="विकिपीडिया:सद्य घटना विवरण – Marathi"><span>मराठी</span></a></li><li class="interlanguage-link interwiki-arz mw-list-item"><a class="interlanguage-link-target" data-language-autonym="مصرى" data-language-local-name="Egyptian Arabic" data-title="ويكيبيديا:احداث دلوقتى" href="https://arz.wikipedia.org/wiki/%D9%88%D9%8A%D9%83%D9%8A%D8%A8%D9%8A%D8%AF%D9%8A%D8%A7:%D8%A7%D8%AD%D8%AF%D8%A7%D8%AB_%D8%AF%D9%84%D9%88%D9%82%D8%AA%D9%89" hreflang="arz" lang="arz" title="ويكيبيديا:احداث دلوقتى – Egyptian Arabic"><span>مصرى</span></a></li><li class="interlanguage-link interwiki-mzn mw-list-item"><a class="interlanguage-link-target" data-language-autonym="مازِرونی" data-language-local-name="Mazanderani" data-title="پورتال:اسایی دکته‌ئون" href="https://mzn.wikipedia.org/wiki/%D9%BE%D9%88%D8%B1%D8%AA%D8%A7%D9%84:%D8%A7%D8%B3%D8%A7%DB%8C%DB%8C_%D8%AF%DA%A9%D8%AA%D9%87%E2%80%8C%D8%A6%D9%88%D9%86" hreflang="mzn" lang="mzn" title="پورتال:اسایی دکته‌ئون – Mazanderani"><span>مازِرونی</span></a></li><li class="interlanguage-link interwiki-ms mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Bahasa Melayu" data-language-local-name="Malay" data-title="Gerbang:Hal semasa" href="https://ms.wikipedia.org/wiki/Gerbang:Hal_semasa" hreflang="ms" lang="ms" title="Gerbang:Hal semasa – Malay"><span>Bahasa Melayu</span></a></li><li class="interlanguage-link interwiki-min mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Minangkabau" data-language-local-name="Minangkabau" data-title="Portal:Kajadian kini ko" href="https://min.wikipedia.org/wiki/Portal:Kajadian_kini_ko" hreflang="min" lang="min" title="Portal:Kajadian kini ko – Minangkabau"><span>Minangkabau</span></a></li><li class="interlanguage-link interwiki-mn mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Монгол" data-language-local-name="Mongolian" data-title="Википедиа:Мэдээний сан" href="https://mn.wikipedia.org/wiki/%D0%92%D0%B8%D0%BA%D0%B8%D0%BF%D0%B5%D0%B4%D0%B8%D0%B0:%D0%9C%D1%8D%D0%B4%D1%8D%D1%8D%D0%BD%D0%B8%D0%B9_%D1%81%D0%B0%D0%BD" hreflang="mn" lang="mn" title="Википедиа:Мэдээний сан – Mongolian"><span>Монгол</span></a></li><li class="interlanguage-link interwiki-my mw-list-item"><a class="interlanguage-link-target" data-language-autonym="မြန်မာဘာသာ" data-language-local-name="Burmese" data-title="မုခ်ဝ:လက်ရှိဖြစ်ရပ်များ" href="https://my.wikipedia.org/wiki/%E1%80%99%E1%80%AF%E1%80%81%E1%80%BA%E1%80%9D:%E1%80%9C%E1%80%80%E1%80%BA%E1%80%9B%E1%80%BE%E1%80%AD%E1%80%96%E1%80%BC%E1%80%85%E1%80%BA%E1%80%9B%E1%80%95%E1%80%BA%E1%80%99%E1%80%BB%E1%80%AC%E1%80%B8" hreflang="my" lang="my" title="မုခ်ဝ:လက်ရှိဖြစ်ရပ်များ – Burmese"><span>မြန်မာဘာသာ</span></a></li><li class="interlanguage-link interwiki-nah mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Nāhuatl" data-language-local-name="Nahuatl" data-title="Huiquipedia:Tlen panotikah" href="https://nah.wikipedia.org/wiki/Huiquipedia:Tlen_panotikah" hreflang="nah" lang="nah" title="Huiquipedia:Tlen panotikah – Nahuatl"><span>Nāhuatl</span></a></li><li class="interlanguage-link interwiki-nl mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Nederlands" data-language-local-name="Dutch" data-title="Portaal:In het nieuws" href="https://nl.wikipedia.org/wiki/Portaal:In_het_nieuws" hreflang="nl" lang="nl" title="Portaal:In het nieuws – Dutch"><span>Nederlands</span></a></li><li class="interlanguage-link interwiki-ne mw-list-item"><a class="interlanguage-link-target" data-language-autonym="नेपाली" data-language-local-name="Nepali" data-title="विकिपिडिया:वर्तमानका घटनाहरू" href="https://ne.wikipedia.org/wiki/%E0%A4%B5%E0%A4%BF%E0%A4%95%E0%A4%BF%E0%A4%AA%E0%A4%BF%E0%A4%A1%E0%A4%BF%E0%A4%AF%E0%A4%BE:%E0%A4%B5%E0%A4%B0%E0%A5%8D%E0%A4%A4%E0%A4%AE%E0%A4%BE%E0%A4%A8%E0%A4%95%E0%A4%BE_%E0%A4%98%E0%A4%9F%E0%A4%A8%E0%A4%BE%E0%A4%B9%E0%A4%B0%E0%A5%82" hreflang="ne" lang="ne" title="विकिपिडिया:वर्तमानका घटनाहरू – Nepali"><span>नेपाली</span></a></li><li class="interlanguage-link interwiki-new mw-list-item"><a class="interlanguage-link-target" data-language-autonym="नेपाल भाषा" data-language-local-name="Newari" data-title="विकिपिडिया:हलिम बुखँ (ग्रेगोरियन पात्रो)" href="https://new.wikipedia.org/wiki/%E0%A4%B5%E0%A4%BF%E0%A4%95%E0%A4%BF%E0%A4%AA%E0%A4%BF%E0%A4%A1%E0%A4%BF%E0%A4%AF%E0%A4%BE:%E0%A4%B9%E0%A4%B2%E0%A4%BF%E0%A4%AE_%E0%A4%AC%E0%A5%81%E0%A4%96%E0%A4%81_(%E0%A4%97%E0%A5%8D%E0%A4%B0%E0%A5%87%E0%A4%97%E0%A5%8B%E0%A4%B0%E0%A4%BF%E0%A4%AF%E0%A4%A8_%E0%A4%AA%E0%A4%BE%E0%A4%A4%E0%A5%8D%E0%A4%B0%E0%A5%8B)" hreflang="new" lang="new" title="विकिपिडिया:हलिम बुखँ (ग्रेगोरियन पात्रो) – Newari"><span>नेपाल भाषा</span></a></li><li class="interlanguage-link interwiki-ja mw-list-item"><a class="interlanguage-link-target" data-language-autonym="日本語" data-language-local-name="Japanese" data-title="Portal:最近の出来事" href="https://ja.wikipedia.org/wiki/Portal:%E6%9C%80%E8%BF%91%E3%81%AE%E5%87%BA%E6%9D%A5%E4%BA%8B" hreflang="ja" lang="ja" title="Portal:最近の出来事 – Japanese"><span>日本語</span></a></li><li class="interlanguage-link interwiki-nap mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Napulitano" data-language-local-name="Neapolitan" data-title="Wikipedia:Nnove d''o Munno, d''a Campania e 'a ll'Italia" href="https://nap.wikipedia.org/wiki/Wikipedia:Nnove_d%27%27o_Munno,_d%27%27a_Campania_e_%27a_ll%27Italia" hreflang="nap" lang="nap" title="Wikipedia:Nnove d''o Munno, d''a Campania e 'a ll'Italia – Neapolitan"><span>Napulitano</span></a></li><li class="interlanguage-link interwiki-ce mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Нохчийн" data-language-local-name="Chechen" data-title="Ков:Карара хилларш" href="https://ce.wikipedia.org/wiki/%D0%9A%D0%BE%D0%B2:%D0%9A%D0%B0%D1%80%D0%B0%D1%80%D0%B0_%D1%85%D0%B8%D0%BB%D0%BB%D0%B0%D1%80%D1%88" hreflang="ce" lang="ce" title="Ков:Карара хилларш – Chechen"><span>Нохчийн</span></a></li><li class="interlanguage-link interwiki-oc mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Occitan" data-language-local-name="Occitan" data-title="Portal:Actualitats e eveniments" href="https://oc.wikipedia.org/wiki/Portal:Actualitats_e_eveniments" hreflang="oc" lang="oc" title="Portal:Actualitats e eveniments – Occitan"><span>Occitan</span></a></li><li class="interlanguage-link interwiki-uz mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Oʻzbekcha / ўзбекча" data-language-local-name="Uzbek" data-title="Portal:Joriy hodisalar" href="https://uz.wikipedia.org/wiki/Portal:Joriy_hodisalar" hreflang="uz" lang="uz" title="Portal:Joriy hodisalar – Uzbek"><span>Oʻzbekcha / ўзбекча</span></a></li><li class="interlanguage-link interwiki-pa mw-list-item"><a class="interlanguage-link-target" data-language-autonym="ਪੰਜਾਬੀ" data-language-local-name="Punjabi" data-title="ਵਿਕੀਪੀਡੀਆ:ਹਾਲ ਦੀਆਂ ਘਟਨਾਵਾਂ" href="https://pa.wikipedia.org/wiki/%E0%A8%B5%E0%A8%BF%E0%A8%95%E0%A9%80%E0%A8%AA%E0%A9%80%E0%A8%A1%E0%A9%80%E0%A8%86:%E0%A8%B9%E0%A8%BE%E0%A8%B2_%E0%A8%A6%E0%A9%80%E0%A8%86%E0%A8%82_%E0%A8%98%E0%A8%9F%E0%A8%A8%E0%A8%BE%E0%A8%B5%E0%A8%BE%E0%A8%82" hreflang="pa" lang="pa" title="ਵਿਕੀਪੀਡੀਆ:ਹਾਲ ਦੀਆਂ ਘਟਨਾਵਾਂ – Punjabi"><span>ਪੰਜਾਬੀ</span></a></li><li class="interlanguage-link interwiki-pnb mw-list-item"><a class="interlanguage-link-target" data-language-autonym="پنجابی" data-language-local-name="Western Punjabi" data-title="بوآ:اج کل دے واقعے" href="https://pnb.wikipedia.org/wiki/%D8%A8%D9%88%D8%A2:%D8%A7%D8%AC_%DA%A9%D9%84_%D8%AF%DB%92_%D9%88%D8%A7%D9%82%D8%B9%DB%92" hreflang="pnb" lang="pnb" title="بوآ:اج کل دے واقعے – Western Punjabi"><span>پنجابی</span></a></li><li class="interlanguage-link interwiki-ps mw-list-item"><a class="interlanguage-link-target" data-language-autonym="پښتو" data-language-local-name="Pashto" data-title="ويکيپېډيا:تازه پېښې" href="https://ps.wikipedia.org/wiki/%D9%88%D9%8A%DA%A9%D9%8A%D9%BE%DB%90%DA%89%D9%8A%D8%A7:%D8%AA%D8%A7%D8%B2%D9%87_%D9%BE%DB%90%DA%9A%DB%90" hreflang="ps" lang="ps" title="ويکيپېډيا:تازه پېښې – Pashto"><span>پښتو</span></a></li><li class="interlanguage-link interwiki-pms mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Piemontèis" data-language-local-name="Piedmontese" data-title="Wikipedia:Neuve" href="https://pms.wikipedia.org/wiki/Wikipedia:Neuve" hreflang="pms" lang="pms" title="Wikipedia:Neuve – Piedmontese"><span>Piemontèis</span></a></li><li class="interlanguage-link interwiki-pl mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Polski" data-language-local-name="Polish" data-title="Portal:Aktualności" href="https://pl.wikipedia.org/wiki/Portal:Aktualno%C5%9Bci" hreflang="pl" lang="pl" title="Portal:Aktualności – Polish"><span>Polski</span></a></li><li class="interlanguage-link interwiki-pt mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Português" data-language-local-name="Portuguese" data-title="Portal:Eventos atuais" href="https://pt.wikipedia.org/wiki/Portal:Eventos_atuais" hreflang="pt" lang="pt" title="Portal:Eventos atuais – Portuguese"><span>Português</span></a></li><li class="interlanguage-link interwiki-kaa mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Qaraqalpaqsha" data-language-local-name="Kara-Kalpak" data-title="Wikipedia:Házirgi hádiyseler" href="https://kaa.wikipedia.org/wiki/Wikipedia:H%C3%A1zirgi_h%C3%A1diyseler" hreflang="kaa" lang="kaa" title="Wikipedia:Házirgi hádiyseler – Kara-Kalpak"><span>Qaraqalpaqsha</span></a></li><li class="interlanguage-link interwiki-ro mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Română" data-language-local-name="Romanian" data-title="Portal:Actualități" href="https://ro.wikipedia.org/wiki/Portal:Actualit%C4%83%C8%9Bi" hreflang="ro" lang="ro" title="Portal:Actualități – Romanian"><span>Română</span></a></li><li class="interlanguage-link interwiki-rue mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Русиньскый" data-language-local-name="Rusyn" data-title="Вікіпедія:Актуалны подїї" href="https://rue.wikipedia.org/wiki/%D0%92%D1%96%D0%BA%D1%96%D0%BF%D0%B5%D0%B4%D1%96%D1%8F:%D0%90%D0%BA%D1%82%D1%83%D0%B0%D0%BB%D0%BD%D1%8B_%D0%BF%D0%BE%D0%B4%D1%97%D1%97" hreflang="rue" lang="rue" title="Вікіпедія:Актуалны подїї – Rusyn"><span>Русиньскый</span></a></li><li class="interlanguage-link interwiki-ru mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Русский" data-language-local-name="Russian" data-title="Портал:Текущие события" href="https://ru.wikipedia.org/wiki/%D0%9F%D0%BE%D1%80%D1%82%D0%B0%D0%BB:%D0%A2%D0%B5%D0%BA%D1%83%D1%89%D0%B8%D0%B5_%D1%81%D0%BE%D0%B1%D1%8B%D1%82%D0%B8%D1%8F" hreflang="ru" lang="ru" title="Портал:Текущие события – Russian"><span>Русский</span></a></li><li class="interlanguage-link interwiki-sco mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Scots" data-language-local-name="Scots" data-title="Portal:Current events" href="https://sco.wikipedia.org/wiki/Portal:Current_events" hreflang="sco" lang="sco" title="Portal:Current events – Scots"><span>Scots</span></a></li><li class="interlanguage-link interwiki-scn mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Sicilianu" data-language-local-name="Sicilian" data-title="Archiviu:Nutizzi" href="https://scn.wikipedia.org/wiki/Archiviu:Nutizzi" hreflang="scn" lang="scn" title="Archiviu:Nutizzi – Sicilian"><span>Sicilianu</span></a></li><li class="interlanguage-link interwiki-si mw-list-item"><a class="interlanguage-link-target" data-language-autonym="සිංහල" data-language-local-name="Sinhala" data-title="විකිපීඩියා:කාලීන සිදුවීම්" href="https://si.wikipedia.org/wiki/%E0%B7%80%E0%B7%92%E0%B6%9A%E0%B7%92%E0%B6%B4%E0%B7%93%E0%B6%A9%E0%B7%92%E0%B6%BA%E0%B7%8F:%E0%B6%9A%E0%B7%8F%E0%B6%BD%E0%B7%93%E0%B6%B1_%E0%B7%83%E0%B7%92%E0%B6%AF%E0%B7%94%E0%B7%80%E0%B7%93%E0%B6%B8%E0%B7%8A" hreflang="si" lang="si" title="විකිපීඩියා:කාලීන සිදුවීම් – Sinhala"><span>සිංහල</span></a></li><li class="interlanguage-link interwiki-sd mw-list-item"><a class="interlanguage-link-target" data-language-autonym="سنڌي" data-language-local-name="Sindhi" data-title="باب:ھاڻوڪا واقعا" href="https://sd.wikipedia.org/wiki/%D8%A8%D8%A7%D8%A8:%DA%BE%D8%A7%DA%BB%D9%88%DA%AA%D8%A7_%D9%88%D8%A7%D9%82%D8%B9%D8%A7" hreflang="sd" lang="sd" title="باب:ھاڻوڪا واقعا – Sindhi"><span>سنڌي</span></a></li><li class="interlanguage-link interwiki-sl mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Slovenščina" data-language-local-name="Slovenian" data-title="Portal:V novicah" href="https://sl.wikipedia.org/wiki/Portal:V_novicah" hreflang="sl" lang="sl" title="Portal:V novicah – Slovenian"><span>Slovenščina</span></a></li><li class="interlanguage-link interwiki-so mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Soomaaliga" data-language-local-name="Somali" data-title="Portal:Dhacdooyinka Hadda" href="https://so.wikipedia.org/wiki/Portal:Dhacdooyinka_Hadda" hreflang="so" lang="so" title="Portal:Dhacdooyinka Hadda – Somali"><span>Soomaaliga</span></a></li><li class="interlanguage-link interwiki-ckb mw-list-item"><a class="interlanguage-link-target" data-language-autonym="کوردی" data-language-local-name="Central Kurdish" data-title="دەروازە:ڕووداوە بەردەوامەکان" href="https://ckb.wikipedia.org/wiki/%D8%AF%DB%95%D8%B1%D9%88%D8%A7%D8%B2%DB%95:%DA%95%D9%88%D9%88%D8%AF%D8%A7%D9%88%DB%95_%D8%A8%DB%95%D8%B1%D8%AF%DB%95%D9%88%D8%A7%D9%85%DB%95%DA%A9%D8%A7%D9%86" hreflang="ckb" lang="ckb" title="دەروازە:ڕووداوە بەردەوامەکان – Central Kurdish"><span>کوردی</span></a></li><li class="interlanguage-link interwiki-sr mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Српски / srpski" data-language-local-name="Serbian" data-title="Портал:Догађаји" href="https://sr.wikipedia.org/wiki/%D0%9F%D0%BE%D1%80%D1%82%D0%B0%D0%BB:%D0%94%D0%BE%D0%B3%D0%B0%D1%92%D0%B0%D1%98%D0%B8" hreflang="sr" lang="sr" title="Портал:Догађаји – Serbian"><span>Српски / srpski</span></a></li><li class="interlanguage-link interwiki-su mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Sunda" data-language-local-name="Sundanese" data-title="Portal:Keur lumangsung" href="https://su.wikipedia.org/wiki/Portal:Keur_lumangsung" hreflang="su" lang="su" title="Portal:Keur lumangsung – Sundanese"><span>Sunda</span></a></li><li class="interlanguage-link interwiki-fi mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Suomi" data-language-local-name="Finnish" data-title="Wikipedia:Uutisarkisto" href="https://fi.wikipedia.org/wiki/Wikipedia:Uutisarkisto" hreflang="fi" lang="fi" title="Wikipedia:Uutisarkisto – Finnish"><span>Suomi</span></a></li><li class="interlanguage-link interwiki-sv mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Svenska" data-language-local-name="Swedish" data-title="Portal:Aktuella händelser" href="https://sv.wikipedia.org/wiki/Portal:Aktuella_h%C3%A4ndelser" hreflang="sv" lang="sv" title="Portal:Aktuella händelser – Swedish"><span>Svenska</span></a></li><li class="interlanguage-link interwiki-tl mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Tagalog" data-language-local-name="Tagalog" data-title="Wikipedia:Kasalukuyang pangyayari" href="https://tl.wikipedia.org/wiki/Wikipedia:Kasalukuyang_pangyayari" hreflang="tl" lang="tl" title="Wikipedia:Kasalukuyang pangyayari – Tagalog"><span>Tagalog</span></a></li><li class="interlanguage-link interwiki-ta mw-list-item"><a class="interlanguage-link-target" data-language-autonym="தமிழ்" data-language-local-name="Tamil" data-title="விக்கிப்பீடியா:நடப்பு நிகழ்வுகள்" href="https://ta.wikipedia.org/wiki/%E0%AE%B5%E0%AE%BF%E0%AE%95%E0%AF%8D%E0%AE%95%E0%AE%BF%E0%AE%AA%E0%AF%8D%E0%AE%AA%E0%AF%80%E0%AE%9F%E0%AE%BF%E0%AE%AF%E0%AE%BE:%E0%AE%A8%E0%AE%9F%E0%AE%AA%E0%AF%8D%E0%AE%AA%E0%AF%81_%E0%AE%A8%E0%AE%BF%E0%AE%95%E0%AE%B4%E0%AF%8D%E0%AE%B5%E0%AF%81%E0%AE%95%E0%AE%B3%E0%AF%8D" hreflang="ta" lang="ta" title="விக்கிப்பீடியா:நடப்பு நிகழ்வுகள் – Tamil"><span>தமிழ்</span></a></li><li class="interlanguage-link interwiki-tt mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Татарча / tatarça" data-language-local-name="Tatar" data-title="Портал:Хәзерге вакыйгалар" href="https://tt.wikipedia.org/wiki/%D0%9F%D0%BE%D1%80%D1%82%D0%B0%D0%BB:%D0%A5%D3%99%D0%B7%D0%B5%D1%80%D0%B3%D0%B5_%D0%B2%D0%B0%D0%BA%D1%8B%D0%B9%D0%B3%D0%B0%D0%BB%D0%B0%D1%80" hreflang="tt" lang="tt" title="Портал:Хәзерге вакыйгалар – Tatar"><span>Татарча / tatarça</span></a></li><li class="interlanguage-link interwiki-th mw-list-item"><a class="interlanguage-link-target" data-language-autonym="ไทย" data-language-local-name="Thai" data-title="สถานีย่อย:เหตุการณ์ปัจจุบัน" href="https://th.wikipedia.org/wiki/%E0%B8%AA%E0%B8%96%E0%B8%B2%E0%B8%99%E0%B8%B5%E0%B8%A2%E0%B9%88%E0%B8%AD%E0%B8%A2:%E0%B9%80%E0%B8%AB%E0%B8%95%E0%B8%B8%E0%B8%81%E0%B8%B2%E0%B8%A3%E0%B8%93%E0%B9%8C%E0%B8%9B%E0%B8%B1%E0%B8%88%E0%B8%88%E0%B8%B8%E0%B8%9A%E0%B8%B1%E0%B8%99" hreflang="th" lang="th" title="สถานีย่อย:เหตุการณ์ปัจจุบัน – Thai"><span>ไทย</span></a></li><li class="interlanguage-link interwiki-tg mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Тоҷикӣ" data-language-local-name="Tajik" data-title="Портал:Рӯйдодҳои кунунӣ" href="https://tg.wikipedia.org/wiki/%D0%9F%D0%BE%D1%80%D1%82%D0%B0%D0%BB:%D0%A0%D3%AF%D0%B9%D0%B4%D0%BE%D0%B4%D2%B3%D0%BE%D0%B8_%D0%BA%D1%83%D0%BD%D1%83%D0%BD%D3%A3" hreflang="tg" lang="tg" title="Портал:Рӯйдодҳои кунунӣ – Tajik"><span>Тоҷикӣ</span></a></li><li class="interlanguage-link interwiki-chr mw-list-item"><a class="interlanguage-link-target" data-language-autonym="ᏣᎳᎩ" data-language-local-name="Cherokee" data-title="Wikipedia:Current events" href="https://chr.wikipedia.org/wiki/Wikipedia:Current_events" hreflang="chr" lang="chr" title="Wikipedia:Current events – Cherokee"><span>ᏣᎳᎩ</span></a></li><li class="interlanguage-link interwiki-kcg mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Tyap" data-language-local-name="Tyap" data-title="A̱na̱nwuai:Naat mbwuot mi̱ di̱ yong huni" href="https://kcg.wikipedia.org/wiki/A%CC%B1na%CC%B1nwuai:Naat_mbwuot_mi%CC%B1_di%CC%B1_yong_huni" hreflang="kcg" lang="kcg" title="A̱na̱nwuai:Naat mbwuot mi̱ di̱ yong huni – Tyap"><span>Tyap</span></a></li><li class="interlanguage-link interwiki-uk mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Українська" data-language-local-name="Ukrainian" data-title="Портал:Поточні події" href="https://uk.wikipedia.org/wiki/%D0%9F%D0%BE%D1%80%D1%82%D0%B0%D0%BB:%D0%9F%D0%BE%D1%82%D0%BE%D1%87%D0%BD%D1%96_%D0%BF%D0%BE%D0%B4%D1%96%D1%97" hreflang="uk" lang="uk" title="Портал:Поточні події – Ukrainian"><span>Українська</span></a></li><li class="interlanguage-link interwiki-ur mw-list-item"><a class="interlanguage-link-target" data-language-autonym="اردو" data-language-local-name="Urdu" data-title="باب:حالیہ واقعات" href="https://ur.wikipedia.org/wiki/%D8%A8%D8%A7%D8%A8:%D8%AD%D8%A7%D9%84%DB%8C%DB%81_%D9%88%D8%A7%D9%82%D8%B9%D8%A7%D8%AA" hreflang="ur" lang="ur" title="باب:حالیہ واقعات – Urdu"><span>اردو</span></a></li><li class="interlanguage-link interwiki-vep mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Vepsän kel’" data-language-local-name="Veps" data-title="Vikipedii:Nügüdläižed tegod" href="https://vep.wikipedia.org/wiki/Vikipedii:N%C3%BCg%C3%BCdl%C3%A4i%C5%BEed_tegod" hreflang="vep" lang="vep" title="Vikipedii:Nügüdläižed tegod – Veps"><span>Vepsän kel’</span></a></li><li class="interlanguage-link interwiki-vi mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Tiếng Việt" data-language-local-name="Vietnamese" data-title="Cổng thông tin:Thời sự" href="https://vi.wikipedia.org/wiki/C%E1%BB%95ng_th%C3%B4ng_tin:Th%E1%BB%9Di_s%E1%BB%B1" hreflang="vi" lang="vi" title="Cổng thông tin:Thời sự – Vietnamese"><span>Tiếng Việt</span></a></li><li class="interlanguage-link interwiki-vo mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Volapük" data-language-local-name="Volapük" data-title="Vükiped:Jenots nuik" href="https://vo.wikipedia.org/wiki/V%C3%BCkiped:Jenots_nuik" hreflang="vo" lang="vo" title="Vükiped:Jenots nuik – Volapük"><span>Volapük</span></a></li><li class="interlanguage-link interwiki-wa mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Walon" data-language-local-name="Walloon" data-title="Wikipedia:Wikinoveles" href="https://wa.wikipedia.org/wiki/Wikipedia:Wikinoveles" hreflang="wa" lang="wa" title="Wikipedia:Wikinoveles – Walloon"><span>Walon</span></a></li><li class="interlanguage-link interwiki-zh-classical mw-list-item"><a class="interlanguage-link-target" data-language-autonym="文言" data-language-local-name="Literary Chinese" data-title="維基大典:世事" href="https://zh-classical.wikipedia.org/wiki/%E7%B6%AD%E5%9F%BA%E5%A4%A7%E5%85%B8:%E4%B8%96%E4%BA%8B" hreflang="lzh" lang="lzh" title="維基大典:世事 – Literary Chinese"><span>文言</span></a></li><li class="interlanguage-link interwiki-wuu mw-list-item"><a class="interlanguage-link-target" data-language-autonym="吴语" data-language-local-name="Wu" data-title="Wikipedia:近段辰光个事体" href="https://wuu.wikipedia.org/wiki/Wikipedia:%E8%BF%91%E6%AE%B5%E8%BE%B0%E5%85%89%E4%B8%AA%E4%BA%8B%E4%BD%93" hreflang="wuu" lang="wuu" title="Wikipedia:近段辰光个事体 – Wu"><span>吴语</span></a></li><li class="interlanguage-link interwiki-yi mw-list-item"><a class="interlanguage-link-target" data-language-autonym="ייִדיש" data-language-local-name="Yiddish" data-title="פארטאל:אקטועלע געשעענישן" href="https://yi.wikipedia.org/wiki/%D7%A4%D7%90%D7%A8%D7%98%D7%90%D7%9C:%D7%90%D7%A7%D7%98%D7%95%D7%A2%D7%9C%D7%A2_%D7%92%D7%A2%D7%A9%D7%A2%D7%A2%D7%A0%D7%99%D7%A9%D7%9F" hreflang="yi" lang="yi" title="פארטאל:אקטועלע געשעענישן – Yiddish"><span>ייִדיש</span></a></li><li class="interlanguage-link interwiki-yo mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Yorùbá" data-language-local-name="Yoruba" data-title="Èbúté:Àwọn ìṣẹ̀lẹ̀ ìwòyí" href="https://yo.wikipedia.org/wiki/%C3%88b%C3%BAt%C3%A9:%C3%80w%E1%BB%8Dn_%C3%AC%E1%B9%A3%E1%BA%B9%CC%80l%E1%BA%B9%CC%80_%C3%ACw%C3%B2y%C3%AD" hreflang="yo" lang="yo" title="Èbúté:Àwọn ìṣẹ̀lẹ̀ ìwòyí – Yoruba"><span>Yorùbá</span></a></li><li class="interlanguage-link interwiki-zh-yue mw-list-item"><a class="interlanguage-link-target" data-language-autonym="粵語" data-language-local-name="Cantonese" data-title="Portal:時人時事" href="https://zh-yue.wikipedia.org/wiki/Portal:%E6%99%82%E4%BA%BA%E6%99%82%E4%BA%8B" hreflang="yue" lang="yue" title="Portal:時人時事 – Cantonese"><span>粵語</span></a></li><li class="interlanguage-link interwiki-zea mw-list-item"><a class="interlanguage-link-target" data-language-autonym="Zeêuws" data-language-local-name="Zeelandic" data-title="Wikipedia:In 't nieuws" href="https://zea.wikipedia.org/wiki/Wikipedia:In_%27t_nieuws" hreflang="zea" lang="zea" title="Wikipedia:In 't nieuws – Zeelandic"><span>Zeêuws</span></a></li><li class="interlanguage-link interwiki-zh mw-list-item"><a class="interlanguage-link-target" data-language-autonym="中文" data-language-local-name="Chinese" data-title="Portal:新聞動態" href="https://zh.wikipedia.org/wiki/Portal:%E6%96%B0%E8%81%9E%E5%8B%95%E6%85%8B" hreflang="zh" lang="zh" title="Portal:新聞動態 – Chinese"><span>中文</span></a></li>
</ul>
<div class="after-portlet after-portlet-lang"><span class="wb-langlinks-edit wb-langlinks-link"><a class="wbc-editpage" href="https://www.wikidata.org/wiki/Special:EntityPage/Q4597488#sitelinks-wikipedia" title="Edit interlanguage links">Edit links</a></span></div>
</div>
</div>
</div>
</header>
<div class="vector-page-toolbar vector-feature-custom-font-size-clientpref--excluded">
<div class="vector-page-toolbar-container">
<div id="left-navigation">
<nav aria-label="Namespaces">
<div class="vector-menu vector-menu-tabs mw-portlet mw-portlet-associated-pages" id="p-associated-pages">
<div class="vector-menu-content">
<ul class="vector-menu-content-list">
<li class="selected vector-tab-noicon mw-list-item" id="ca-nstab-portal"><a accesskey="c" href="/wiki/Portal:Current_events" title="View the subject page [c]"><span>Portal</span></a></li><li class="vector-tab-noicon mw-list-item" id="ca-talk"><a accesskey="t" href="/wiki/Portal_talk:Current_events" rel="discussion" title="Discuss improvements to the content page [t]"><span>Talk</span></a></li>
</ul>
</div>
</div>
<div class="vector-dropdown emptyPortlet" id="vector-variants-dropdown">
<input aria-haspopup="true" aria-label="Change language variant" class="vector-dropdown-checkbox" data-event-name="ui.dropdown-vector-variants-dropdown" id="vector-variants-dropdown-checkbox" role="button" type="checkbox"/>
<label aria-hidden="true" class="vector-dropdown-label cdx-button cdx-button--fake-button cdx-button--fake-button--enabled cdx-button--weight-quiet" for="vector-variants-dropdown-checkbox" id="vector-variants-dropdown-label"><span class="vector-dropdown-label-text">English</span>
</label>
<div class="vector-dropdown-content">
<div class="vector-menu mw-portlet mw-portlet-variants emptyPortlet" id="p-variants">
<div class="vector-menu-content">
<ul class="vector-menu-content-list">
</ul>
</div>
</div>
</div>
</div>
</nav>
</div>
<div class="vector-collapsible" id="right-navigation">
<nav aria-label="Views">
<div class="vector-menu vector-menu-tabs mw-portlet mw-portlet-views" id="p-views">
<div class="vector-menu-content">
<ul class="vector-menu-content-list">
<li class="selected vector-tab-noicon mw-list-item" id="ca-view"><a href="/wiki/Portal:Current_events"><span>Read</span></a></li><li class="vector-tab-noicon mw-list-item" id="ca-viewsource"><a accesskey="e" href="/w/index.php?title=Portal:Current_events&amp;action=edit" title="This page is protected.
You can view its source [e]"><span>View source</span></a></li><li class="vector-tab-noicon mw-list-item" id="ca-history"><a accesskey="h" href="/w/index.php?title=Portal:Current_events&amp;action=history" title="Past revisions of this page [h]"><span>View history</span></a></li>
</ul>
</div>
</div>
</nav>
<nav aria-label="Page tools" class="vector-page-tools-landmark">
<div class="vector-dropdown vector-page-tools-dropdown" id="vector-page-tools-dropdown">
<input aria-haspopup="true" aria-label="Tools" class="vector-dropdown-checkbox" data-event-name="ui.dropdown-vector-page-tools-dropdown" id="vector-page-tools-dropdown-checkbox" role="button" type="checkbox"/>
<label aria-hidden="true" class="vector-dropdown-label cdx-button cdx-button--fake-button cdx-button--fake-button--enabled cdx-button--weight-quiet" for="vector-page-tools-dropdown-checkbox" id="vector-page-tools-dropdown-label"><span class="vector-dropdown-label-text">Tools</span>
</label>
<div class="vector-dropdown-content">
<div class="vector-unpinned-container" id="vector-page-tools-unpinned-container">
<div class="vector-page-tools vector-pinnable-element" id="vector-page-tools">
<div class="vector-pinnable-header vector-page-tools-pinnable-header vector-pinnable-header-unpinned" data-feature-name="page-tools-pinned" data-pinnable-element-id="vector-page-tools" data-pinned-container-id="vector-page-tools-pinned-container" data-unpinned-container-id="vector-page-tools-unpinned-container">
<div class="vector-pinnable-header-label">Tools</div>
<button class="vector-pinnable-header-toggle-button vector-pinnable-header-pin-button" data-event-name="pinnable-header.vector-page-tools.pin">move to sidebar</button>
<button class="vector-pinnable-header-toggle-button vector-pinnable-header-unpin-button" data-event-name="pinnable-header.vector-page-tools.unpin">hide</button>
</div>
<div class="vector-menu mw-portlet mw-portlet-cactions emptyPortlet vector-has-collapsible-items" id="p-cactions" title="More options">
<div class="vector-menu-heading">
        Actions
    </div>
<div class="vector-menu-content">
<ul class="vector-menu-content-list">
<li class="selected vector-more-collapsible-item mw-list-item" id="ca-more-view"><a href="/wiki/Portal:Current_events"><span>Read</span></a></li><li class="vector-more-collapsible-item mw-list-item" id="ca-more-viewsource"><a href="/w/index.php?title=Portal:Current_events&amp;action=edit"><span>View source</span></a></li><li class="vector-more-collapsible-item mw-list-item" id="ca-more-history"><a href="/w/index.php?title=Portal:Current_events&amp;action=history"><span>View history</span></a></li>
</ul>
</div>
</div>
<div class="vector-menu mw-portlet mw-portlet-tb" id="p-tb">
<div class="vector-menu-heading">
        General
    </div>
<div class="vector-menu-content">
<ul class="vector-menu-content-list">
<li class="mw-list-item" id="t-whatlinkshere"><a accesskey="j" href="/wiki/Special:WhatLinksHere/Portal:Current_events" title="List of all English Wikipedia pages containing links to this page [j]"><span>What links here</span></a></li><li class="mw-list-item" id="t-recentchangeslinked"><a accesskey="k" href="/wiki/Special:RecentChangesLinked/Portal:Current_events" rel="nofollow" title="Recent changes in pages linked from this page [k]"><span>Related changes</span></a></li><li class="mw-list-item" id="t-upload"><a accesskey="u" href="//en.wikipedia.org/wiki/Wikipedia:File_Upload_Wizard" title="Upload files [u]"><span>Upload file</span></a></li><li class="mw-list-item" id="t-permalink"><a href="/w/index.php?title=Portal:Current_events&amp;oldid=1234748158" title="Permanent link to this revision of this page"><span>Permanent link</span></a></li><li class="mw-list-item" id="t-info"><a href="/w/index.php?title=Portal:Current_events&amp;action=info" title="More information about this page"><span>Page information</span></a></li><li class="mw-list-item" id="t-urlshortener"><a href="/w/index.php?title=Special:UrlShortener&amp;url=https%3A%2F%2Fen.wikipedia.org%2Fwiki%2FPortal%3ACurrent_events"><span>Get shortened URL</span></a></li><li class="mw-list-item" id="t-urlshortener-qrcode"><a href="/w/index.php?title=Special:QrCode&amp;url=https%3A%2F%2Fen.wikipedia.org%2Fwiki%2FPortal%3ACurrent_events"><span>Download QR code</span></a></li>
</ul>
</div>
</div>
<div class="vector-menu mw-portlet mw-portlet-coll-print_export" id="p-coll-print_export">
<div class="vector-menu-heading">
        Print/export
    </div>
<div class="vector-menu-content">
<ul class="vector-menu-content-list">
<li class="mw-list-item" id="coll-download-as-rl"><a href="/w/index.php?title=Special:DownloadAsPdf&amp;page=Portal%3ACurrent_events&amp;action=show-download-screen" title="Download this page as a PDF file"><span>Download as PDF</span></a></li><li class="mw-list-item" id="t-print"><a accesskey="p" href="/w/index.php?title=Portal:Current_events&amp;printable=yes" title="Printable version of this page [p]"><span>Printable version</span></a></li>
</ul>
</div>
</div>
<div class="vector-menu mw-portlet mw-portlet-wikibase-otherprojects" id="p-wikibase-otherprojects">
<div class="vector-menu-heading">
        In other projects
    </div>
<div class="vector-menu-content">
<ul class="vector-menu-content-list">
<li class="wb-otherproject-link wb-otherproject-wikibase-dataitem mw-list-item" id="t-wikibase"><a accesskey="g" href="https://www.wikidata.org/wiki/Special:EntityPage/Q4597488" title="Structured data on this page hosted by Wikidata [g]"><span>Wikidata item</span></a></li>
</ul>
</div>
</div>
</div>
</div>
</div>
</div>
</nav>
</div>
</div>
</div>
<div class="vector-column-end no-font-mode-scale">
<div class="vector-sticky-pinned-container">
<nav aria-label="Page tools" class="vector-page-tools-landmark">
<div class="vector-pinned-container" id="vector-page-tools-pinned-container">
</div>
</nav>
<nav aria-label="Appearance" class="vector-appearance-landmark">
<div class="vector-pinned-container" id="vector-appearance-pinned-container">
<div class="vector-appearance vector-pinnable-element" id="vector-appearance">
<div class="vector-pinnable-header vector-appearance-pinnable-header vector-pinnable-header-pinned" data-feature-name="appearance-pinned" data-pinnable-element-id="vector-appearance" data-pinned-container-id="vector-appearance-pinned-container" data-unpinned-container-id="vector-appearance-unpinned-container">
<div class="vector-pinnable-header-label">Appearance</div>
<button class="vector-pinnable-header-toggle-button vector-pinnable-header-pin-button" data-event-name="pinnable-header.vector-appearance.pin">move to sidebar</button>
<button class="vector-pinnable-header-toggle-button vector-pinnable-header-unpin-button" data-event-name="pinnable-header.vector-appearance.unpin">hide</button>
</div>
</div>
</div>
</nav>
</div>
</div>
<div aria-labelledby="firstHeading" class="vector-body" data-mw-ve-target-container="" id="bodyContent">
<div class="vector-body-before-content">
<div class="mw-indicators">
<div class="mw-indicator" id="mw-indicator-instructions"><div class="mw-parser-output"><span class="noprint" id="coordinates"><a href="/wiki/Portal:Current_events/Edit_instructions" title="Portal:Current events/Edit instructions">Edit instructions</a></span></div></div>
<div class="mw-indicator" id="mw-indicator-pp-default"><div class="mw-parser-output"><span typeof="mw:File"><a href="/wiki/Wikipedia:Protection_policy#full" title="This page is protected due to vandalism"><img alt="Page protected" class="mw-file-element" data-file-height="512" data-file-width="512" decoding="async" height="20" src="//upload.wikimedia.org/wikipedia/en/thumb/4/44/Full-protection-shackle.svg/20px-Full-protection-shackle.svg.png" srcset="//upload.wikimedia.org/wikipedia/en/thumb/4/44/Full-protection-shackle.svg/40px-Full-protection-shackle.svg.png 1.5x" width="20"/></a></span></div></div>
</div>
<div class="noprint" id="siteSub">From Wikipedia, the free encyclopedia</div>
</div>
<div id="contentSub"><div id="mw-content-subtitle"></div></div>
<div class="mw-body-content" id="mw-content-text"><div class="mw-content-ltr mw-parser-output" dir="ltr" lang="en"><style data-mw-deduplicate="TemplateStyles:r1214882031">.mw-parser-output .p-current-events-main{display:flex;flex-flow:row wrap;margin:0 -5px}.mw-parser-output .p-current-events-events{flex:100 1 200px;margin:0 5px}.mw-parser-output .p-current-events-calside{flex:1 100 250px;margin:0 5px}html.skin-theme-clientpref-night .mw-parser-output .p-current-events *:not(a){background:transparent!important;color:inherit!important}@media(prefers-color-scheme:dark){html.skin-theme-clientpref-os .mw-parser-output .p-current-events *:not(a){background:transparent!important;color:inherit!important}}</style><div class="p-current-events"><div class="portal-maintenance-status" style="display:none;">
<style data-mw-deduplicate="TemplateStyles:r1308393816">.mw-parser-output .ombox{margin:4px 0;border-collapse:collapse;border:1px solid #a2a9b1;background-color:var(--background-color-neutral-subtle,#f8f9fa);box-sizing:border-box;color:var(--color-base,#202122)}.mw-parser-output .ombox.mbox-small{font-size:88%;line-height:1.25em}.mw-parser-output .ombox-speedy{border:2px solid #b32424;background-color:#fee7e6}.mw-parser-output .ombox-delete{border:2px solid #b32424}.mw-parser-output .ombox-content{border:1px solid #f28500}.mw-parser-output .ombox-style{border:1px solid #fc3}.mw-parser-output .ombox-move{border:1px solid #9932cc}.mw-parser-output .ombox-protection{border:2px solid #a2a9b1}.mw-parser-output .ombox .mbox-text{border:none;padding:0.25em 0.9em;width:100%}.mw-parser-output .ombox .mbox-image{border:none;padding:2px 0 2px 0.9em;text-align:center}.mw-parser-output .ombox .mbox-imageright{border:none;padding:2px 0.9em 2px 0;text-align:center}.mw-parser-output .ombox .mbox-empty-cell{border:none;padding:0;width:1px}.mw-parser-output .mbox-invalid-type{text-align:center}@media(min-width:720px){.mw-parser-output .ombox{margin:4px 10%}.mw-parser-output .ombox.mbox-small{clear:right;float:right;margin:4px 0 4px 1em;width:238px}}body.skin--responsive .mw-parser-output table.ombox img{max-width:none!important}@media screen{html.skin-theme-clientpref-night .mw-parser-output .ombox-speedy{background-color:#310402}}@media screen and (prefers-color-scheme:dark){html.skin-theme-clientpref-os .mw-parser-output .ombox-speedy{background-color:#310402}}</style><table class="plainlinks ombox ombox-notice" role="presentation"><tbody><tr><td class="mbox-image"><span typeof="mw:File"><a class="mw-file-description" href="/wiki/File:Darkgreen_flag_waving.svg"><img class="mw-file-element" data-file-height="268" data-file-width="249" decoding="async" height="32" src="//upload.wikimedia.org/wikipedia/commons/thumb/d/d1/Darkgreen_flag_waving.svg/40px-Darkgreen_flag_waving.svg.png" srcset="//upload.wikimedia.org/wikipedia/commons/thumb/d/d1/Darkgreen_flag_waving.svg/60px-Darkgreen_flag_waving.svg.png 1.5x" width="30"/></a></span></td><td class="mbox-text"><span style="font-size:108%;"><b>Portal maintenance status:</b></span> <small>(October 2020)</small>
<ul><li>This portal's <a href="/wiki/Special:PrefixIndex/Portal:Current_events/" title="Special:PrefixIndex/Portal:Current events/">subpages</a> <b>have been checked</b> by an editor, and are needed.</li></ul>
<span style="font-size:90%;">Please <a class="mw-redirect" href="/wiki/Wikipedia:CAREFUL" title="Wikipedia:CAREFUL">take care</a> when editing, especially if using <a class="mw-redirect" href="/wiki/Wikipedia:ASSISTED" title="Wikipedia:ASSISTED">automated editing software</a>. Learn how to <a href="/wiki/Template:Portal_maintenance_status#How_to_update_the_maintenance_information_for_a_portal" title="Template:Portal maintenance status">update the maintenance information here</a>.</span></td></tr></tbody></table></div>
<style data-mw-deduplicate="TemplateStyles:r888483065">.mw-parser-output .portal-column-left{float:left;width:50%}.mw-parser-output .portal-column-right{float:right;width:49%}.mw-parser-output .portal-column-left-wide{float:left;width:60%}.mw-parser-output .portal-column-right-narrow{float:right;width:39%}.mw-parser-output .portal-column-left-extra-wide{float:left;width:70%}.mw-parser-output .portal-column-right-extra-narrow{float:right;width:29%}@media only screen and (max-width:800px){.mw-parser-output .portal-column-left,.mw-parser-output .portal-column-right,.mw-parser-output .portal-column-left-wide,.mw-parser-output .portal-column-right-narrow,.mw-parser-output .portal-column-left-extra-wide,.mw-parser-output .portal-column-right-extra-narrow{float:inherit;width:inherit}}</style><div class="shortdescription nomobile noexcerpt noprint searchaux" style="display:none">Wikipedia portal for content related to Current events</div>
<div class="shortdescription nomobile noexcerpt noprint searchaux" style="display:none">Wikimedia portal</div>
<style data-mw-deduplicate="TemplateStyles:r1208306225">.mw-parser-output .p-current-events-news-browser{display:flex;font-size:98%;box-sizing:border-box;margin-bottom:0.5em;border:1px solid #cedff2;padding:7px;background-color:#f5faff;color:#333;align-items:center}.mw-parser-output .p-current-events-news-browser img{min-width:32px}.mw-parser-output .p-current-events-news-browser ul{text-align:center;flex:1}@media all and (min-width:360px){.mw-parser-output .p-current-events-news-browser ul a{white-space:nowrap}}</style><style data-mw-deduplicate="TemplateStyles:r1129693374">.mw-parser-output .hlist dl,.mw-parser-output .hlist ol,.mw-parser-output .hlist ul{margin:0;padding:0}.mw-parser-output .hlist dd,.mw-parser-output .hlist dt,.mw-parser-output .hlist li{margin:0;display:inline}.mw-parser-output .hlist.inline,.mw-parser-output .hlist.inline dl,.mw-parser-output .hlist.inline ol,.mw-parser-output .hlist.inline ul,.mw-parser-output .hlist dl dl,.mw-parser-output .hlist dl ol,.mw-parser-output .hlist dl ul,.mw-parser-output .hlist ol dl,.mw-parser-output .hlist ol ol,.mw-parser-output .hlist ol ul,.mw-parser-output .hlist ul dl,.mw-parser-output .hlist ul ol,.mw-parser-output .hlist ul ul{display:inline}.mw-parser-output .hlist .mw-empty-li{display:none}.mw-parser-output .hlist dt::after{content:": "}.mw-parser-output .hlist dd::after,.mw-parser-output .hlist li::after{content:" · ";font-weight:bold}.mw-parser-output .hlist dd:last-child::after,.mw-parser-output .hlist dt:last-child::after,.mw-parser-output .hlist li:last-child::after{content:none}.mw-parser-output .hlist dd dd:first-child::before,.mw-parser-output .hlist dd dt:first-child::before,.mw-parser-output .hlist dd li:first-child::before,.mw-parser-output .hlist dt dd:first-child::before,.mw-parser-output .hlist dt dt:first-child::before,.mw-parser-output .hlist dt li:first-child::before,.mw-parser-output .hlist li dd:first-child::before,.mw-parser-output .hlist li dt:first-child::before,.mw-parser-output .hlist li li:first-child::before{content:" (";font-weight:normal}.mw-parser-output .hlist dd dd:last-child::after,.mw-parser-output .hlist dd dt:last-child::after,.mw-parser-output .hlist dd li:last-child::after,.mw-parser-output .hlist dt dd:last-child::after,.mw-parser-output .hlist dt dt:last-child::after,.mw-parser-output .hlist dt li:last-child::after,.mw-parser-output .hlist li dd:last-child::after,.mw-parser-output .hlist li dt:last-child::after,.mw-parser-output .hlist li li:last-child::after{content:")";font-weight:normal}.mw-parser-output .hlist ol{counter-reset:listitem}.mw-parser-output .hlist ol>li{counter-increment:listitem}.mw-parser-output .hlist ol>li::before{content:" "counter(listitem)"\a0 "}.mw-parser-output .hlist dd ol>li:first-child::before,.mw-parser-output .hlist dt ol>li:first-child::before,.mw-parser-output .hlist li ol>li:first-child::before{content:" ("counter(listitem)"\a0 "}</style><div class="hlist p-current-events-news-browser noprint">
<div><span typeof="mw:File"><a class="mw-file-description" href="/wiki/File:Ambox_globe_Americas.svg"><img alt="Globe icon" class="mw-file-element" data-file-height="512" data-file-width="512" decoding="async" height="32" src="//upload.wikimedia.org/wikipedia/commons/thumb/9/99/Ambox_globe_Americas.svg/40px-Ambox_globe_Americas.svg.png" srcset="//upload.wikimedia.org/wikipedia/commons/thumb/9/99/Ambox_globe_Americas.svg/60px-Ambox_globe_Americas.svg.png 1.5x, //upload.wikimedia.org/wikipedia/commons/thumb/9/99/Ambox_globe_Americas.svg/120px-Ambox_globe_Americas.svg.png 2x" width="32"/></a></span></div>
<ul><li><a class="mw-selflink selflink">Worldwide current events</a></li>
<li><a href="/wiki/Portal:Current_events/Sports" title="Portal:Current events/Sports">Sports events</a></li>
<li><a href="/wiki/Deaths_in_2025" title="Deaths in 2025">Recent deaths</a></li>
<li><a href="/wiki/Wikipedia:Top_25_Report" title="Wikipedia:Top 25 Report">Entry views by week list</a></li>
<li><a class="external text" href="https://pageviews.wmcloud.org/topviews/?project=en.wikipedia.org&amp;platform=all-access&amp;date=yesterday&amp;excludes=" rel="nofollow">Today's most viewed articles</a></li></ul>
</div>
<div class="shortdescription nomobile noexcerpt noprint searchaux" style="display:none">Wikimedia portal</div>
<style data-mw-deduplicate="TemplateStyles:r1301778751">.mw-parser-output .p-current-events-headlines{margin-bottom:0.5em;border:1px solid #cedff2;padding:0.4em;background-color:#f5faff;color:#333}.mw-parser-output .p-current-events-headlines h2{display:block;margin:-0.1em -0.1em 0.4em;border:none;padding:0.3em;background-color:#cedff2;font-size:12pt;line-height:inherit;font-family:inherit;font-weight:bold;color:inherit}.mw-parser-output .p-current-events-headlines .mw-heading2{margin:0;border:none;padding:0;line-height:inherit;font-family:inherit;font-weight:bold;color:inherit}.mw-parser-output .p-current-events-headlines::after{clear:both;content:"";display:table}</style>
<div aria-labelledby="Topics_in_the_news" class="p-current-events-headlines" role="region"><div class="mw-heading mw-heading2"><h2 id="Topics_in_the_news">Topics in the news</h2></div><style data-mw-deduplicate="TemplateStyles:r1053378754">.mw-parser-output .itn-img{float:right;margin-left:0.5em;margin-top:0.2em}</style><div class="itn-img" role="figure">
<div class="thumbinner mp-thumb" style="background: transparent; color: inherit; border: none; padding: 0; max-width: 121px;">
<span typeof="mw:File"><a class="mw-file-description" href="/wiki/File:Arthur_Peter_Mutharika_2014_(cropped).jpg" title="Peter Mutharika in 2014"><img alt="Peter Mutharika in 2014" class="mw-file-element" data-file-height="538" data-file-width="403" decoding="async" height="162" src="//upload.wikimedia.org/wikipedia/commons/thumb/1/16/Arthur_Peter_Mutharika_2014_%28cropped%29.jpg/250px-Arthur_Peter_Mutharika_2014_%28cropped%29.jpg" width="121"/></a></span><div class="thumbcaption" style="padding: 0.25em 0; word-wrap: break-word; text-align: left;">Peter Mutharika</div></div>
</div>
<ul><li><a href="/wiki/Peter_Mutharika" title="Peter Mutharika">Peter Mutharika</a> <i>(pictured)</i> <b><a href="/wiki/2025_Malawian_general_election" title="2025 Malawian general election">is elected</a></b> <a href="/wiki/President_of_Malawi" title="President of Malawi">President of Malawi</a>.</li>
<li><b><a href="/wiki/Typhoon_Ragasa" title="Typhoon Ragasa">Typhoon Ragasa</a></b> leaves at least 28 people dead in Taiwan and the Philippines.</li>
<li>In an effort led by France, several Western states <b><a href="/wiki/International_recognition_of_Palestine" title="International recognition of Palestine">recognize Palestinian statehood</a></b>.</li>
<li>Saudi Arabia and Pakistan <b><a href="/wiki/Strategic_Mutual_Defence_Agreement" title="Strategic Mutual Defence Agreement">sign an agreement</a></b> to defend each other against attacks.</li>
<li>American actor and filmmaker <b><a href="/wiki/Robert_Redford" title="Robert Redford">Robert Redford</a></b> dies at the <span class="nowrap">age of 89</span>.</li></ul>
<div class="itn-footer" style="margin-top: 0.5em;">
<div><b>Ongoing</b>: <link href="mw-data:TemplateStyles:r1129693374" rel="mw-deduplicated-inline-style"><div class="hlist inline">
<ul><li><a href="/wiki/Gaza_war" title="Gaza war">Gaza war</a> (<a href="/wiki/Timeline_of_the_Gaza_war_(20_August_2025_%E2%80%93_present)" title="Timeline of the Gaza war (20 August 2025 – present)">timeline</a> · <a href="/wiki/Gaza_genocide" title="Gaza genocide">genocide</a>)</li>
<li><a href="/wiki/Russo-Ukrainian_war_(2022%E2%80%93present)" title="Russo-Ukrainian war (2022–present)">Russo-Ukrainian war</a>
<ul><li><a href="/wiki/Timeline_of_the_Russo-Ukrainian_war_(1_September_2025_%E2%80%93_present)" title="Timeline of the Russo-Ukrainian war (1 September 2025 – present)">timeline</a></li></ul></li>
<li><a href="/wiki/Sudanese_civil_war_(2023%E2%80%93present)" title="Sudanese civil war (2023–present)">Sudanese civil war</a>
<ul><li><a href="/wiki/Timeline_of_the_Sudanese_civil_war_(2025)" title="Timeline of the Sudanese civil war (2025)">timeline</a></li></ul></li></ul></div></link></div>
<div><b><a href="/wiki/Deaths_in_2025" title="Deaths in 2025">Recent deaths</a></b>: <link href="mw-data:TemplateStyles:r1129693374" rel="mw-deduplicated-inline-style"><div class="hlist inline">
<ul><li><a href="/wiki/Bobby_Grier_(American_football_executive)" title="Bobby Grier (American football executive)">Bobby Grier</a></li>
<li><a href="/wiki/Roland_Pidoux" title="Roland Pidoux">Roland Pidoux</a></li>
<li><a href="/wiki/Abdi_Baleta" title="Abdi Baleta">Abdi Baleta</a></li>
<li><a href="/wiki/Julio_Frade" title="Julio Frade">Julio Frade</a></li>
<li><a href="/wiki/Matt_Beard" title="Matt Beard">Matt Beard</a></li>
<li><a href="/wiki/JD_Twitch" title="JD Twitch">JD Twitch</a></li></ul></div></link></div></div>
<link href="mw-data:TemplateStyles:r1129693374" rel="mw-deduplicated-inline-style"><div class="hlist itn-footer noprint" style="text-align:right;">
<ul><li><b><a class="mw-selflink selflink">More current events</a></b></li>
<li><b><a href="/wiki/Wikipedia:In_the_news/Candidates" title="Wikipedia:In the news/Candidates">Nominate an article</a></b></li></ul>
</div>
</link></div>
<div class="p-current-events-main">
<div class="p-current-events-events">
<style data-mw-deduplicate="TemplateStyles:r1305593205">.mw-parser-output .current-events-main{margin:0.5em 0;padding:0.3em;background-color:var(--background-color-base,#fff);color:inherit;border:1px #cef2e0 solid}.mw-parser-output .current-events-heading{background-color:#cef2e0;color:inherit;font-weight:bold}@media screen{html.skin-theme-clientpref-night .mw-parser-output .current-events-heading{background-color:#0b281a}}@media screen and (prefers-color-scheme:dark){html.skin-theme-clientpref-os .mw-parser-output .current-events-heading{background-color:#0b281a}}.mw-parser-output .current-events-title{padding:0.4em}.mw-parser-output .current-events-navbar{list-style:none;margin:0;font-size:small}.mw-parser-output .current-events-navbar li{display:inline-block;padding:0 0.4em}.mw-parser-output .current-events-content{padding:0 0.3em}.mw-parser-output .current-events-content-heading{margin-top:0.3em;font-weight:bold}.mw-parser-output .current-events-more{border-width:2px;font-size:10pt;font-weight:bold;padding:0.3em 0.6em}.mw-parser-output .current-events-nav{margin:auto;text-align:center;line-height:1.2}.mw-parser-output .current-events-nav a{display:inline-block;margin:0.5em;padding:0.5em;background-color:var(--background-color-neutral,#eaecf0)}.mw-parser-output .current-events-nav a>div{font-weight:bold}@media all and (min-width:480px){.mw-parser-output .current-events-heading{align-items:center;display:flex}.mw-parser-output .current-events-title{flex:1}.mw-parser-output .current-events-navbar{flex:0 auto;text-align:right;white-space:nowrap}.mw-parser-output .current-events-nav{max-width:22em}.mw-parser-output .current-events-nav a{width:9em}}</style><div class="current-events">
<div aria-label="September 28" class="current-events-main vevent" id="2025_September_28" role="region">
<div class="current-events-heading plainlinks">
<div class="current-events-title" role="heading"><span class="summary">September 282025<span style="display: none;"> (<span class="bday dtstart published updated itvstart">2025-09-28</span>)</span> (Sunday)</span>
</div>
<ul class="current-events-navbar editlink noprint"><li><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/2025_September_28&amp;action=edit&amp;editintro=Portal:Current_events/Edit_instructions">edit</a></li><li><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/2025_September_28&amp;action=history">history</a></li><li><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/2025_September_28&amp;action=watch">watch</a></li>
</ul>
</div>
<div class="current-events-content description">
<p><b>Armed conflicts and attacks</b>
</p>
<ul><li><a class="mw-redirect" href="/wiki/Russian_invasion_of_Ukraine" title="Russian invasion of Ukraine">Russian invasion of Ukraine</a>
<ul><li><a href="/wiki/Russian_strikes_against_Ukrainian_infrastructure_(2022%E2%80%93present)" title="Russian strikes against Ukrainian infrastructure (2022–present)">Russian strikes against Ukrainian infrastructure</a>
<ul><li><a href="/wiki/Russian_Armed_Forces" title="Russian Armed Forces">Russian forces</a> launch more than 600 <a href="/wiki/Drone_warfare" title="Drone warfare">drones</a> and dozens of <a href="/wiki/Cruise_missile" title="Cruise missile">cruise missiles</a> at <a href="/wiki/Ukraine" title="Ukraine">Ukraine</a>, killing at least four people and injuring 70 others. <a class="external text" href="https://www.bbc.co.uk/news/articles/c75qeqr5905o" rel="nofollow">(BBC News)</a></li></ul></li></ul></li></ul>
<p><b>Law and crime</b>
</p>
<ul><li><a href="/wiki/Anti-corruption_campaign_under_Xi_Jinping" title="Anti-corruption campaign under Xi Jinping">Anti-corruption campaign under Xi Jinping</a>
<ul><li>Former <a href="/wiki/China" title="China">Chinese</a> <a href="/wiki/Minister_of_Agriculture_and_Rural_Affairs" title="Minister of Agriculture and Rural Affairs">agriculture minister</a> <a href="/wiki/Tang_Renjian" title="Tang Renjian">Tang Renjian</a> is <a href="/wiki/Capital_punishment_in_China" title="Capital punishment in China">sentenced to death</a> with a <a href="/wiki/Death_sentence_with_reprieve" title="Death sentence with reprieve">two-year reprieve</a> for <a href="/wiki/Corruption_in_China" title="Corruption in China">accepting bribes</a> worth more than <a href="/wiki/Renminbi" title="Renminbi">¥</a>268 million (<a href="/wiki/United_States_dollar" title="United States dollar">US$</a>37.6 million) between 2007 and 2024. <a class="external text" href="https://www.reuters.com/world/china/chinas-former-minister-agriculture-sentenced-death-with-reprieve-bribery-case-2025-09-28/" rel="nofollow">(Reuters)</a></li></ul></li>
<li><a href="/wiki/Mass_shootings_in_the_United_States" title="Mass shootings in the United States">Mass shootings in the United States</a>
<ul><li>Two people are killed and at least seven others are injured in a <a href="/wiki/Mass_shooting" title="Mass shooting">mass shooting</a> at a <a href="/wiki/Casino" title="Casino">casino</a> on the <a href="/wiki/Kickapoo_Traditional_Tribe_of_Texas" title="Kickapoo Traditional Tribe of Texas">Kickapoo</a> reservation in <a href="/wiki/Texas" title="Texas">Texas</a>, <a href="/wiki/United_States" title="United States">United States</a>. The suspect initially flees the scene before being taken into custody. <a class="external text" href="https://news4sanantonio.com/news/local/one-dead-at-least-six-injured-in-shooting-at-lucky-eagle-casino" rel="nofollow">(WOAI-TV)</a> <a class="external text" href="https://www.ksat.com/news/local/2025/09/28/2-killed-several-injured-in-shooting-at-kickapoo-lucky-eagle-casino-maverick-county-judge-says/" rel="nofollow">(KSAT-TV)</a></li>
<li>One person is killed, ten people are injured and others are missing in a mass shooting and <a href="/wiki/Arson" title="Arson">arson</a> attack on a <a class="mw-redirect" href="/wiki/Mormon" title="Mormon">Mormon</a> church in <a href="/wiki/Grand_Blanc,_Michigan" title="Grand Blanc, Michigan">Grand Blanc</a>, <a href="/wiki/Michigan" title="Michigan">Michigan</a>, United States. The perpetrator is killed in a <a href="/wiki/Shootout" title="Shootout">shootout</a> with police. <a class="external text" href="https://bnonews.com/index.php/2025/09/shooting-with-multiple-victims-at-mormon-church-in-grand-blanc-michigan/" rel="nofollow">(BNO News)</a></li></ul></li></ul>
<p><b>Politics and elections</b>
</p>
<ul><li><a href="/wiki/2025_Moldovan_parliamentary_election" title="2025 Moldovan parliamentary election">2025 Moldovan parliamentary election</a>
<ul><li><a href="/wiki/Moldovans" title="Moldovans">Moldovans</a> vote to elect the 101 seats of the <a href="/wiki/Parliament_of_Moldova" title="Parliament of Moldova">parliament</a>. <a class="external text" href="https://apnews.com/article/moldova-election-parliament-russia-hybrid-war-8a3ae659c1d8bf8499ac130e8054fb35" rel="nofollow">(AP)</a></li></ul></li></ul>
<p><b>Sports</b>
</p>
<ul><li><a href="/wiki/2025_FIVB_Men%27s_Volleyball_World_Championship" title="2025 FIVB Men's Volleyball World Championship">2025 FIVB Men's Volleyball World Championship</a>
<ul><li>In volleyball, <a href="/wiki/Italy_men%27s_national_volleyball_team" title="Italy men's national volleyball team">Italy</a> defeat <a href="/wiki/Bulgaria_men%27s_national_volleyball_team" title="Bulgaria men's national volleyball team">Bulgaria</a> 3–1 to win the 2025 <a href="/wiki/FIVB_Men%27s_Volleyball_World_Championship" title="FIVB Men's Volleyball World Championship">FIVB Men's Volleyball World Championship</a>. <a class="external text" href="https://www.gmanetwork.com/news/sports/volleyball/960588/italy-silences-bulgaria-to-clinch-back-to-back-fivb-men-s-world-championship-titles/story/" rel="nofollow">(GMA Integrated News)</a> <a class="external text" href="https://www.rappler.com/sports/volleyball/match-results-italy-bulgaria-fivb-men-world-championship-final-september-28-2025/" rel="nofollow">(Rappler)</a></li></ul></li></ul></div></div></div>
<link href="mw-data:TemplateStyles:r1305593205" rel="mw-deduplicated-inline-style"><div class="current-events">
<div aria-label="September 27" class="current-events-main vevent" id="2025_September_27" role="region">
<div class="current-events-heading plainlinks">
<div class="current-events-title" role="heading"><span class="summary">September 272025<span style="display: none;"> (<span class="bday dtstart published updated itvstart">2025-09-27</span>)</span> (Saturday)</span>
</div>
<ul class="current-events-navbar editlink noprint"><li><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/2025_September_27&amp;action=edit&amp;editintro=Portal:Current_events/Edit_instructions">edit</a></li><li><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/2025_September_27&amp;action=history">history</a></li><li><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/2025_September_27&amp;action=watch">watch</a></li>
</ul>
</div>
<div class="current-events-content description">
<p><b>Armed conflicts and attacks</b>
</p>
<ul><li><a href="/wiki/Gaza_war" title="Gaza war">Gaza war</a>
<ul><li><a href="/wiki/2025_Gaza_City_offensive" title="2025 Gaza City offensive">2025 Gaza City offensive</a>
<ul><li>At least 91 <a href="/wiki/Palestinians" title="Palestinians">Palestinians</a> are killed in <a href="/wiki/Israel_Defense_Forces" title="Israel Defense Forces">Israeli</a> attacks across the <a href="/wiki/Gaza_Strip" title="Gaza Strip">Gaza Strip</a>. <a class="external text" href="https://www.aljazeera.com/news/liveblog/2025/9/27/live-israel-launches-series-of-early-attacks-on-palestinians-in-gaza" rel="nofollow">(Al Jazeera)</a></li></ul></li></ul></li>
<li><a href="/wiki/2025_Cambodian%E2%80%93Thai_border_crisis" title="2025 Cambodian–Thai border crisis">2025 Cambodian–Thai border crisis</a>
<ul><li><a href="/wiki/Royal_Cambodian_Armed_Forces" title="Royal Cambodian Armed Forces">Cambodian</a> and <a href="/wiki/Royal_Thai_Armed_Forces" title="Royal Thai Armed Forces">Thai forces</a> reportedly exchange fire across their countries' <a href="/wiki/Cambodia%E2%80%93Thailand_border" title="Cambodia–Thailand border">shared border</a> despite a <a href="/wiki/Ceasefire" title="Ceasefire">ceasefire</a> agreement in place since August. <a class="external text" href="https://www.nationthailand.com/news/general/40056006" rel="nofollow">(Nation Thailand)</a></li></ul></li>
<li><a href="/wiki/2025_deployment_of_federal_forces_in_the_United_States" title="2025 deployment of federal forces in the United States">2025 deployment of federal forces in the United States</a>
<ul><li><a class="mw-redirect" href="/wiki/U.S." title="U.S.">U.S.</a> <a href="/wiki/President_of_the_United_States" title="President of the United States">president</a> <a href="/wiki/Donald_Trump" title="Donald Trump">Donald Trump</a> orders the deployment of <a href="/wiki/United_States_Armed_Forces" title="United States Armed Forces">troops</a> to <a href="/wiki/Portland,_Oregon" title="Portland, Oregon">Portland, Oregon</a>, saying he has directed <a href="/wiki/United_States_Secretary_of_Defense" title="United States Secretary of Defense">defense secretary</a> <a href="/wiki/Pete_Hegseth" title="Pete Hegseth">Pete Hegseth</a> to secure the "war-ravaged" city. <a class="external text" href="https://www.bbc.co.uk/news/articles/cddmn6ge6e2o" rel="nofollow">(BBC News)</a></li></ul></li>
<li><a href="/wiki/Insurgency_in_Khyber_Pakhtunkhwa" title="Insurgency in Khyber Pakhtunkhwa">Insurgency in Khyber Pakhtunkhwa</a>
<ul><li>The <a href="/wiki/Pakistan_Armed_Forces" title="Pakistan Armed Forces">Pakistan Armed Forces</a> kill 17 <a href="/wiki/Pakistani_Taliban" title="Pakistani Taliban">Taliban</a> militants and recover weapons and ammunition in an overnight <a href="/wiki/Military_operation" title="Military operation">operation</a> in <a href="/wiki/Lakki_Marwat_District" title="Lakki Marwat District">Lakki Marwat District</a>, <a href="/wiki/Khyber_Pakhtunkhwa" title="Khyber Pakhtunkhwa">Khyber Pakhtunkhwa</a>, <a href="/wiki/Pakistan" title="Pakistan">Pakistan</a>. <a class="external text" href="https://tribune.com.pk/story/2569281/security-forces-kill-17-terrorists-in-lakki-marwat-ibo-ispr" rel="nofollow">(<i>The Express Tribune</i>)</a></li></ul></li></ul>
<p><b>Business and economy</b>
</p>
<ul><li><a href="/wiki/Economy_of_Iraq" title="Economy of Iraq">Economy of Iraq</a>, <a href="/wiki/Economy_of_Kurdistan_Region" title="Economy of Kurdistan Region">Economy of Kurdistan Region</a>
<ul><li><a href="/wiki/Iraq" title="Iraq">Iraq</a> resumes <a href="/wiki/Petroleum_industry_in_Iraq" title="Petroleum industry in Iraq">oil exports</a> from the <a href="/wiki/Kurdistan_Region" title="Kurdistan Region">Kurdistan Region</a> through <a href="/wiki/Turkey" title="Turkey">Turkey</a>'s <a href="/wiki/Ceyhan" title="Ceyhan">Ceyhan</a> port, ending a suspension imposed in early 2023 due to an <a href="/wiki/International_Chamber_of_Commerce" title="International Chamber of Commerce">International Chamber of Commerce</a> arbitration ruling against independent Kurdish exports. <a class="external text" href="https://apnews.com/article/iraq-oil-exports-resume-kurdistan-263c440d9a320949ebfe5d437087c8d5" rel="nofollow">(AP)</a></li></ul></li></ul>
<p><b>Disasters and accidents</b>
</p>
<ul><li><a href="/wiki/2025_Karur_crowd_crush" title="2025 Karur crowd crush">2025 Karur crowd crush</a>
<ul><li>At least 39 people are killed, including ten children, and 83 others are injured in a <a class="mw-redirect" href="/wiki/Crowd_crush" title="Crowd crush">crowd crush</a> at actor-politician <a href="/wiki/Vijay_(actor)" title="Vijay (actor)">Vijay</a>'s rally in Velusamypuram, <a href="/wiki/Tamil_Nadu" title="Tamil Nadu">Tamil Nadu</a>, <a href="/wiki/India" title="India">India</a>. <a class="external text" href="https://www.thehindu.com/news/national/tamil-nadu/tvk-vijay-rally-karur-updates-on-september-27-2025/article70102676.ece" rel="nofollow">(<i>The Hindu</i>)</a> <a class="external text" href="https://www.hindustantimes.com/india-news/massive-tragedy-in-tamil-nadu-as-31-dead-at-vijays-karur-rally-in-stampede-like-crush-latest-updates-101758989763650.html" rel="nofollow">(<i>Hindustan Times</i>)</a></li></ul></li>
<li>Eight people are killed after a bus collides head-on with a vehicle carrying oil in <a href="/wiki/Panjgur" title="Panjgur">Panjgur</a>, <a href="/wiki/Balochistan,_Pakistan" title="Balochistan, Pakistan">Balochistan</a>, Pakistan. <a class="external text" href="https://tribune.com.pk/story/2569275/eight-killed-as-bus-collides-with-iranian-oil-vehicle-in-panjgur" rel="nofollow">(<i>The Express Tribune</i>)</a></li>
<li>At least four people are killed when torrential rain causes <a href="/wiki/Flash_flood" title="Flash flood">flash flooding</a> across <a href="/wiki/Arizona" title="Arizona">Arizona</a>, United States. <a class="external text" href="https://timesofindia.indiatimes.com/world/us/arizona-floods-at-least-four-dead-in-torrential-rains-rescue-efforts-underway/articleshow/124189941.cms" rel="nofollow">(<i>The Times of India</i>)</a></li></ul>
<p><b>Law and crime</b>
</p>
<ul><li><a href="/wiki/Mass_shootings_in_the_United_States" title="Mass shootings in the United States">Mass shootings in the United States</a>
<ul><li><a href="/wiki/2025_Southport_shooting" title="2025 Southport shooting">2025 Southport shooting</a>
<ul><li>At least three people are killed and eight others are injured in a <a href="/wiki/Mass_shooting" title="Mass shooting">mass shooting</a> when a gunman on a <a href="/wiki/Boat" title="Boat">boat</a> opens fire at a restaurant at the Southport Yacht Basin in <a href="/wiki/Southport,_North_Carolina" title="Southport, North Carolina">Southport</a>, <a href="/wiki/North_Carolina" title="North Carolina">North Carolina</a>, United States. <a class="external text" href="https://bnonews.com/index.php/2025/09/gunman-on-boat-opens-fire-at-restaurant-in-southport-north-carolina/" rel="nofollow">(BNO News)</a></li></ul></li></ul></li></ul>
<p><b>Politics and elections</b>
</p>
<ul><li><a href="/wiki/2025_Gabonese_parliamentary_election" title="2025 Gabonese parliamentary election">2025 Gabonese parliamentary election</a>
<ul><li><a href="/wiki/Gabon" title="Gabon">Gabonese</a> citizens vote to elect members of the <a href="/wiki/National_Assembly_of_Gabon" title="National Assembly of Gabon">National Assembly</a> alongside municipal elections. A <a href="/wiki/Two-round_system" title="Two-round system">second round</a> will be held on 11 October for constituencies where no candidate has a majority. <a class="external text" href="https://apnews.com/article/election-gabon-oil-africa-military-junta-97f5c3d8a931d14102f563f718963834" rel="nofollow">(AP)</a></li></ul></li>
<li><a href="/wiki/2025_Seychellois_general_election" title="2025 Seychellois general election">2025 Seychellois general election</a>
<ul><li><a href="/wiki/Seychelles" title="Seychelles">Seychellois</a> vote to elect a <a class="mw-redirect" href="/wiki/President_of_Seychelles" title="President of Seychelles">president</a> and members of the <a href="/wiki/National_Assembly_(Seychelles)" title="National Assembly (Seychelles)">National Assembly</a>. A <a href="/wiki/Two-round_system" title="Two-round system">second round</a> will be held after no presidential candidate received a majority of the vote, with <a href="/wiki/United_Seychelles" title="United Seychelles">United Seychelles</a> candidate <a href="/wiki/Patrick_Herminie" title="Patrick Herminie">Patrick Herminie</a> receiving 48.8% of the vote over the incumbent <a href="/wiki/Wavel_Ramkalawan" title="Wavel Ramkalawan">Wavel Ramkalawan</a>'s 46.4%. <a class="external text" href="https://apnews.com/article/seychelles-election-rerun-vote-presidential-election-ef1a2fa39707b0272e753dd9df64aa6a" rel="nofollow">(AP)</a></li></ul></li></ul>
<p><b>Sports</b>
</p>
<ul><li><a href="/wiki/2025_AFL_Grand_Final" title="2025 AFL Grand Final">2025 AFL Grand Final</a>
<ul><li>In <a href="/wiki/Australian_rules_football" title="Australian rules football">Australian rules football</a>, the <a href="/wiki/Brisbane_Lions" title="Brisbane Lions">Brisbane Lions</a> defeat the <a href="/wiki/Geelong_Football_Club" title="Geelong Football Club">Geelong Cats</a> to win the 2025 <a href="/wiki/Australian_Football_League" title="Australian Football League">Australian Football League</a> by 47 points, winning their second consecutive premiership and fifth overall. <a class="external text" href="https://www.theage.com.au/sport/afl/roar-elation-brisbane-lions-go-back-to-back-to-win-2025-premiership-20250927-p5myc6.html" rel="nofollow">(<i>The Age</i>)</a> <a class="external text" href="https://www.afl.com.au/news/1431050/brisbane-lions-blitz-over-geelong-cats-in-2025-grand-final-seals-back-to-back-flags" rel="nofollow">(AFL)</a></li></ul></li>
<li><a href="/wiki/2025_Women%27s_Rugby_World_Cup" title="2025 Women's Rugby World Cup">2025 Women's Rugby World Cup</a>
<ul><li><a href="/wiki/England_women%27s_national_rugby_union_team" title="England women's national rugby union team">England</a> defeats <a href="/wiki/Canada_women%27s_national_rugby_union_team" title="Canada women's national rugby union team">Canada</a> in the <a href="/wiki/2025_Women%27s_Rugby_World_Cup_final" title="2025 Women's Rugby World Cup final">final</a> of the 2025 <a href="/wiki/Women%27s_Rugby_World_Cup" title="Women's Rugby World Cup">Women's Rugby World Cup</a>. <a class="external text" href="https://www.bbc.com/sport/rugby-union/articles/czjvgj81y2mo" rel="nofollow">(BBC News)</a></li></ul></li>
<li>In <a href="/wiki/Flag_football" title="Flag football">flag football</a>, the Italian men's and <a href="/wiki/Great_Britain_women%27s_national_flag_football_team" title="Great Britain women's national flag football team">British women's</a> national teams win their respective <a href="/wiki/IFAF_European_Flag_Football_Championship" title="IFAF European Flag Football Championship">IFAF European Flag Football Championship</a> titles in <a href="/wiki/Paris" title="Paris">Paris</a>, <a href="/wiki/France" title="France">France</a>. <a class="external text" href="https://euroflag2025.com/en/live-scores/" rel="nofollow">(EuroFlag)</a> <a class="external text" href="https://www.americanfootball.sport/2025/09/27/euro-flag-finals-men/" rel="nofollow">(IFAF)</a></li></ul></div></div></div>
<link href="mw-data:TemplateStyles:r1305593205" rel="mw-deduplicated-inline-style"><div class="current-events">
<div aria-label="September 26" class="current-events-main vevent" id="2025_September_26" role="region">
<div class="current-events-heading plainlinks">
<div class="current-events-title" role="heading"><span class="summary">September 262025<span style="display: none;"> (<span class="bday dtstart published updated itvstart">2025-09-26</span>)</span> (Friday)</span>
</div>
<ul class="current-events-navbar editlink noprint"><li><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/2025_September_26&amp;action=edit&amp;editintro=Portal:Current_events/Edit_instructions">edit</a></li><li><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/2025_September_26&amp;action=history">history</a></li><li><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/2025_September_26&amp;action=watch">watch</a></li>
</ul>
</div>
<div class="current-events-content description">
<p><b>Armed conflicts and attacks</b>
</p>
<ul><li><a href="/wiki/Gaza_war" title="Gaza war">Gaza war</a>
<ul><li><a href="/wiki/2025_Gaza_City_offensive" title="2025 Gaza City offensive">2025 Gaza City offensive</a>
<ul><li>At least 60 <a href="/wiki/Palestinians" title="Palestinians">Palestinians</a> are killed in <a href="/wiki/Israel_Defense_Forces" title="Israel Defense Forces">Israeli</a> attacks across the <a href="/wiki/Gaza_Strip" title="Gaza Strip">Gaza Strip</a>. <a class="external text" href="https://www.aljazeera.com/news/liveblog/2025/9/26/live-israel-kills-at-least-10-palestinians-as-gaza-attacks-resume" rel="nofollow">(Al Jazeera)</a></li>
<li><a href="/wiki/M%C3%A9decins_Sans_Fronti%C3%A8res" title="Médecins Sans Frontières">Médecins Sans Frontières</a> suspends its activities in <a href="/wiki/Gaza_City" title="Gaza City">Gaza City</a> citing security concerns due to the Israeli offensive. <a class="external text" href="https://www.msf.org/msf-forced-suspend-activities-amid-israeli-offensive-gaza-city" rel="nofollow">(MSF)</a></li></ul></li></ul></li></ul>
<p><b>Disasters and accidents</b>
</p>
<ul><li><a href="/wiki/2025_Pacific_typhoon_season" title="2025 Pacific typhoon season">2025 Pacific typhoon season</a>
<ul><li>Ten people are confirmed killed as <a href="/wiki/Typhoon_Bualoi_(2025)" title="Typhoon Bualoi (2025)">Typhoon Bualoi</a> makes landfall in <a href="/wiki/Visayas" title="Visayas">Visayas</a> and southern <a href="/wiki/Luzon" title="Luzon">Luzon</a> in the <a href="/wiki/Philippines" title="Philippines">Philippines</a> since yesterday. <a class="external text" href="https://newsinfo.inquirer.net/2116095/7-fatalities-reported-in-biliran-bringing-opong-death-toll-to-10" rel="nofollow">(<i>Philippine Daily Inquirer</i>)</a> <a class="external text" href="https://www.reuters.com/business/environment/least-three-dead-tropical-storm-bualoi-sweeps-through-philippines-2025-09-26/" rel="nofollow">(Reuters)</a></li></ul></li>
<li>At least 100 people are feared dead following the collapse of a <a href="/wiki/Gold_mining" title="Gold mining">gold</a> <a href="/wiki/Mining_industry_of_Nigeria" title="Mining industry of Nigeria">mining</a> pit in <a href="/wiki/Zamfara_State" title="Zamfara State">Zamfara State</a>, <a href="/wiki/Nigeria" title="Nigeria">Nigeria</a>. <a class="external text" href="https://www.reuters.com/world/africa/least-100-feared-dead-northwest-nigeria-gold-mine-collapse-locals-say-2025-09-26/" rel="nofollow">(Reuters)</a></li>
<li>At least 14 people are killed when a minibus collides with two trucks in the southern <a class="mw-redirect" href="/wiki/Peruvian_Andes" title="Peruvian Andes">Peruvian Andes</a>, <a href="/wiki/Peru" title="Peru">Peru</a>. <a class="external text" href="https://apnews.com/video/bus-crash-in-peru-kills-at-least-14-people-8c0011a90f514ad9ada7de1a4f11b4be" rel="nofollow">(AP)</a></li>
<li>Eleven people are killed and 33 are injured when a <a class="mw-redirect" href="/wiki/Building_collapse" title="Building collapse">building collapses</a> following a fire in <a href="/wiki/Nile_Delta" title="Nile Delta">Nile Delta</a>, <a href="/wiki/Egypt" title="Egypt">Egypt</a>. <a class="external text" href="https://apnews.com/article/fire-textile-dye-business-gharbia-nile-delta-firefighters-2806f2c58e632ee2b933791bce1e5010" rel="nofollow">(AP)</a></li>
<li>At least eleven people are killed and three others are injured after a truck crashes in <a href="/wiki/Dera_Ismail_Khan" title="Dera Ismail Khan">Dera Ismail Khan</a>, <a href="/wiki/Khyber_Pakhtunkhwa" title="Khyber Pakhtunkhwa">Khyber Pakhtunkhwa</a>, <a href="/wiki/Pakistan" title="Pakistan">Pakistan</a>. <a class="external text" href="https://www.dawn.com/news/1944745/at-least-11-dead-3-wounded-as-truck-crashes-in-kps-di-khan-rescue-1122" rel="nofollow">(<i>Dawn</i>)</a></li>
<li>Six people are killed and six others are injured when a roof collapses at a steel plant in <a href="/wiki/Raipur" title="Raipur">Raipur</a>, <a href="/wiki/Chhattisgarh" title="Chhattisgarh">Chhattisgarh</a>, <a href="/wiki/India" title="India">India</a>. <a class="external text" href="https://www.ndtv.com/india-news/6-dead-6-injured-as-roof-of-structure-in-chhattisgarh-steel-plant-collapses-cops-9350709" rel="nofollow">(NDTV)</a></li></ul>
<p><b>International relations</b>
</p>
<ul><li><a href="/wiki/Colombia%E2%80%93United_States_relations" title="Colombia–United States relations">Colombia–United States relations</a>
<ul><li>The <a href="/wiki/United_States" title="United States">United States</a> revokes <a href="/wiki/Colombia" title="Colombia">Colombian</a> <a href="/wiki/President_of_Colombia" title="President of Colombia">president</a> <a href="/wiki/Gustavo_Petro" title="Gustavo Petro">Gustavo Petro</a>'s <a href="/wiki/Visa_policy_of_the_United_States" title="Visa policy of the United States">visa</a> following his participation in a <a class="mw-redirect" href="/wiki/Pro-Palestinian" title="Pro-Palestinian">pro-Palestinian</a> demonstration in <a href="/wiki/New_York_City" title="New York City">New York</a> and his remarks urging <a class="mw-redirect" href="/wiki/U.S._soldiers" title="U.S. soldiers">U.S. soldiers</a> to disobey <a href="/wiki/President_of_the_United_States" title="President of the United States">President</a> <a href="/wiki/Donald_Trump" title="Donald Trump">Donald Trump</a>'s orders. <a class="external text" href="https://www.reuters.com/world/us/colombian-president-petro-accuses-us-violating-international-law-after-visa-2025-09-27/" rel="nofollow">(Reuters)</a></li></ul></li></ul>
<p><b>Law and crime</b>
</p>
<ul><li><a href="/wiki/1991_Austin_yogurt_shop_murders" title="1991 Austin yogurt shop murders">1991 Austin yogurt shop murders</a>
<ul><li>Deceased <a href="/wiki/Serial_killer" title="Serial killer">serial killer</a> <a href="/wiki/Robert_Eugene_Brashers" title="Robert Eugene Brashers">Robert Eugene Brashers</a> is identified as the <a href="/wiki/Prime_suspect" title="Prime suspect">prime suspect</a> in the quadruple homicide at an <a href="/wiki/I_Can%27t_Believe_It%27s_Yogurt!" title="I Can't Believe It's Yogurt!">I Can't Believe It's Yogurt!</a> shop in <a href="/wiki/Austin,_Texas" title="Austin, Texas">Austin</a>, <a href="/wiki/Texas" title="Texas">Texas</a>, <a href="/wiki/United_States" title="United States">United States</a>. <a class="external text" href="https://www.cbsnews.com/news/suspect-identified-in-infamous-texas-yogurt-shop-murder-case-48-hours/" rel="nofollow">(CBS News)</a></li></ul></li>
<li><a href="/wiki/2025_Danish_drone_incidents" title="2025 Danish drone incidents">2025 Danish drone incidents</a>
<ul><li><a href="/wiki/Air_Base_Karup" title="Air Base Karup">Air Base Karup</a> in <a href="/wiki/Central_Denmark_Region" title="Central Denmark Region">Central Denmark Region</a>, <a href="/wiki/Denmark" title="Denmark">Denmark</a>, is closed due to a <a href="/wiki/Drone_warfare" title="Drone warfare">drone</a> sighting above the <a href="/wiki/Military_base" title="Military base">military base</a>. <a href="/wiki/Cabinet_of_Denmark" title="Cabinet of Denmark">Danish authorities</a> describe the incident as part of an ongoing "<a href="/wiki/Hybrid_warfare" title="Hybrid warfare">hybrid attack</a>". <a class="external text" href="https://www.bbc.com/news/articles/c3rvzdq93yro" rel="nofollow">(BBC News)</a></li></ul></li>
<li><a href="/wiki/2025_Department_of_Justice_counterinvestigation_into_Russian_interference_in_the_2016_election" title="2025 Department of Justice counterinvestigation into Russian interference in the 2016 election">2025 Department of Justice counterinvestigation into Russian interference in the 2016 election</a>
<ul><li>Former United States <a class="mw-redirect" href="/wiki/FBI" title="FBI">FBI</a> director <a href="/wiki/James_Comey" title="James Comey">James Comey</a> is <a href="/wiki/James_Comey#Federal_indictment" title="James Comey">indicted</a> by a federal <a href="/wiki/Grand_juries_in_the_United_States" title="Grand juries in the United States">grand jury</a> on two charges in a prosecution led by <a href="/wiki/Lindsey_Halligan" title="Lindsey Halligan">Lindsey Halligan</a>, the <a href="/wiki/United_States_Attorney" title="United States Attorney">U.S. attorney</a> for the <a href="/wiki/United_States_District_Court_for_the_Eastern_District_of_Virginia" title="United States District Court for the Eastern District of Virginia">Eastern District of Virginia</a>. <a class="external text" href="https://www.bbc.com/news/articles/cy50ggv35zpo" rel="nofollow">(BBC News)</a></li></ul></li>
<li><a href="/wiki/Corruption_in_Lebanon" title="Corruption in Lebanon">Corruption in Lebanon</a>
<ul><li><a href="/wiki/Lebanon" title="Lebanon">Lebanese</a> authorities release former <a href="/wiki/Banque_du_Liban" title="Banque du Liban">central bank</a> governor <a href="/wiki/Riad_Salameh" title="Riad Salameh">Riad Salameh</a> after he posts <a href="/wiki/Bail" title="Bail">bail</a> of <a href="/wiki/United_States_dollar" title="United States dollar">US$</a>14 million and <a href="/wiki/Lebanese_pound" title="Lebanese pound">LL</a> 5 billion ($55,866) while facing ongoing charges of alleged <a href="/wiki/Financial_crime" title="Financial crime">financial crimes</a>. <a class="external text" href="https://www.reuters.com/world/middle-east/lebanon-release-former-central-bank-governor-salameh-bail-2025-09-26/" rel="nofollow">(Reuters)</a></li></ul></li>
<li><a href="/wiki/LGBTQ_rights_in_Slovakia" title="LGBTQ rights in Slovakia">LGBTQ rights in Slovakia</a>
<ul><li><a href="/wiki/Slovakia" title="Slovakia">Slovakia</a> passes a <a href="/wiki/Constitution_of_Slovakia" title="Constitution of Slovakia">constitutional</a> <a href="/wiki/Constitution_of_Slovakia#Amendments" title="Constitution of Slovakia">amendment</a> stating there are only <a href="/wiki/Gender_binary" title="Gender binary">two genders</a>. Only <a class="mw-redirect" href="/wiki/Married_couple" title="Married couple">married couples</a> have the right to <a class="mw-redirect" href="/wiki/Adopt" title="Adopt">adopt</a>, which <i><a href="/wiki/De_facto" title="De facto">de facto</a></i> prevents <a class="mw-redirect" href="/wiki/Same-sex_couple" title="Same-sex couple">same-sex couples</a> from adopting, while also banning <a href="/wiki/Surrogacy" title="Surrogacy">surrogacy</a>. <a class="external text" href="https://www.politico.eu/article/slovakia-two-gender-constitution-male-female/" rel="nofollow">(Politico)</a></li></ul></li></ul>
<p><b>Politics and elections</b>
</p>
<ul><li><a href="/wiki/2025_Moldovan_parliamentary_election" title="2025 Moldovan parliamentary election">2025 Moldovan parliamentary election</a>
<ul><li><a href="/wiki/Moldova" title="Moldova">Moldova</a>'s <a href="/wiki/Central_Electoral_Commission_of_Moldova" title="Central Electoral Commission of Moldova">electoral commission</a> removes the <a href="/wiki/Greater_Moldova_Party" title="Greater Moldova Party">Greater Moldova</a> and <a href="/wiki/Heart_of_Moldova_Party" title="Heart of Moldova Party">Heart of Moldova</a> <a href="/wiki/List_of_political_parties_in_Moldova" title="List of political parties in Moldova">parties</a> from the ballot ahead of Sunday's election, citing alleged illegal financing and foreign funding. <a class="external text" href="https://www.reuters.com/world/moldova-bans-another-pro-russian-party-sundays-vote-2025-09-27/" rel="nofollow">(Reuters)</a></li></ul></li></ul>
<p><b>Sports</b>
</p>
<ul><li>The members of the <a href="/wiki/International_Paralympic_Committee" title="International Paralympic Committee">International Paralympic Committee</a> vote not to maintain sanctions against the <a href="/wiki/Belarus" title="Belarus">Belarusian</a> and <a href="/wiki/Russian_Paralympic_Committee" title="Russian Paralympic Committee">Russian Paralympic Committee</a>. <a class="external text" href="https://www.paralympic.org/news/ipc-members-vote-not-maintain-npc-belarus-and-npc-russia-s-partial-suspensions" rel="nofollow">(IPC)</a></li></ul></div></div></div>
<link href="mw-data:TemplateStyles:r1305593205" rel="mw-deduplicated-inline-style"><div class="current-events">
<div aria-label="September 25" class="current-events-main vevent" id="2025_September_25" role="region">
<div class="current-events-heading plainlinks">
<div class="current-events-title" role="heading"><span class="summary">September 252025<span style="display: none;"> (<span class="bday dtstart published updated itvstart">2025-09-25</span>)</span> (Thursday)</span>
</div>
<ul class="current-events-navbar editlink noprint"><li><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/2025_September_25&amp;action=edit&amp;editintro=Portal:Current_events/Edit_instructions">edit</a></li><li><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/2025_September_25&amp;action=history">history</a></li><li><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/2025_September_25&amp;action=watch">watch</a></li>
</ul>
</div>
<div class="current-events-content description">
<p><b>Armed conflicts and attacks</b>
</p>
<ul><li><a class="mw-redirect" href="/wiki/Middle_Eastern_crisis_(2023-present)" title="Middle Eastern crisis (2023-present)">Middle Eastern crisis</a>
<ul><li><a href="/wiki/Gaza_war" title="Gaza war">Gaza war</a>
<ul><li><a class="mw-redirect" href="/wiki/Israeli_blockade_of_the_Gaza_Strip" title="Israeli blockade of the Gaza Strip">Israeli blockade of the Gaza Strip</a>
<ul><li>The <a href="/wiki/Italian_Navy" title="Italian Navy">Italian</a> and <a href="/wiki/Spanish_Navy" title="Spanish Navy">Spanish navies</a> deploy <a href="/wiki/Frigate" title="Frigate">frigates</a> to assist and protect the <a href="/wiki/Global_Sumud_Flotilla" title="Global Sumud Flotilla">Global Sumud Flotilla</a> on its way to attempt to break the <a class="mw-redirect" href="/wiki/Israeli_Defence_Forces" title="Israeli Defence Forces">Israeli</a> <a href="/wiki/Blockade" title="Blockade">blockade</a> of the <a href="/wiki/Gaza_Strip" title="Gaza Strip">Gaza Strip</a> after it was allegedly attacked by <a href="/wiki/Drone_warfare" title="Drone warfare">drones</a> off the coast of <a href="/wiki/Greece" title="Greece">Greece</a>. <a class="external text" href="https://apnews.com/article/israel-palestinians-gaza-flotilla-activists-5e7e0e22b2813f00a0b907fae84f9284" rel="nofollow">(AP)</a> <a class="external text" href="https://www.reuters.com/world/middle-east/italy-sends-second-navy-ship-escort-gaza-aid-flotilla-2025-09-25/" rel="nofollow">(Reuters)</a></li></ul></li>
<li><a href="/wiki/Israeli_bombing_of_the_Gaza_Strip" title="Israeli bombing of the Gaza Strip">Israeli bombing of the Gaza Strip</a>
<ul><li>At least 57 <a href="/wiki/Palestinians" title="Palestinians">Palestinians</a>, including 10 children and three women, are killed by <a href="/wiki/Israel" title="Israel">Israeli</a> airstrikes across the Gaza Strip. <a class="external text" href="https://apnews.com/article/israel-palestinians-hamas-war-news-unga-macron-09-25-2025-a92c883b97b73a2d81e064c9d12589f1" rel="nofollow">(AP)</a> <a class="external text" href="https://www.aljazeera.com/news/liveblog/2025/9/25/live-israel-bombs-family-home-in-gaza-with-children-among-11-killed" rel="nofollow">(Al Jazeera)</a></li></ul></li>
<li><a href="/wiki/Israeli_incursions_in_the_West_Bank_during_the_Gaza_war" title="Israeli incursions in the West Bank during the Gaza war">Israeli incursions in the West Bank during the Gaza war</a>
<ul><li>Two <a href="/wiki/Palestinian_Islamic_Jihad" title="Palestinian Islamic Jihad">Palestinian Islamic Jihad</a> militants are shot and killed by Israeli soldiers during the siege of a house in <a href="/wiki/Tammun" title="Tammun">Tammun</a> in the occupied <a href="/wiki/West_Bank" title="West Bank">West Bank</a>. <a class="external text" href="https://www.aljazeera.com/news/liveblog/2025/9/25/live-israel-bombs-family-home-in-gaza-with-children-among-11-killed?update=3981285" rel="nofollow">(Al Jazeera)</a></li></ul></li></ul></li>
<li><a href="/wiki/Red_Sea_crisis" title="Red Sea crisis">Red Sea crisis</a>
<ul><li><a href="/wiki/September_2025_Israeli_attacks_in_Yemen" title="September 2025 Israeli attacks in Yemen">September 2025 Israeli attacks in Yemen</a>
<ul><li>In response to a <a href="/wiki/Drone_warfare" title="Drone warfare">drone</a> attack the previous day that injured 50 <a href="/wiki/Israelis" title="Israelis">Israeli</a> civilians, the <a href="/wiki/Israeli_Air_Force" title="Israeli Air Force">Israeli Air Force</a> bombs <a href="/wiki/Houthis" title="Houthis">Houthi</a> targets in the <a href="/wiki/Yemen" title="Yemen">Yemeni</a> capital city of <a href="/wiki/Sanaa" title="Sanaa">Sanaa</a>. <a class="external text" href="https://www.al-monitor.com/originals/2025/09/israel-strikes-yemens-sanaa-day-after-eilat-drone-attack-houthi-run-tv-says" rel="nofollow">(Al Monitor)</a></li>
<li>The <a href="/wiki/Houthis" title="Houthis">Houthis</a> launch a <a href="/wiki/Ballistic_missile" title="Ballistic missile">ballistic missile</a> at <a class="mw-redirect" href="/wiki/Central_Israel" title="Central Israel">central Israel</a>, which is intercepted. <a class="external text" href="https://www.timesofisrael.com/liveblog_entry/idf-says-houthi-missile-intercepted-no-reports-of-injuries-or-damage/" rel="nofollow">(<i>The Times of Israel</i>)</a> <a class="external text" href="https://www.ynetnews.com/article/h17rszq2xx" rel="nofollow">(YNet)</a></li></ul></li></ul></li></ul></li></ul>
<p><b>Arts and culture</b>
</p>
<ul><li><a href="/wiki/Tattooing_in_South_Korea" title="Tattooing in South Korea">Tattooing in South Korea</a>
<ul><li><a href="/wiki/South_Korea" title="South Korea">South Korea</a>'s <a href="/wiki/National_Assembly_(South_Korea)" title="National Assembly (South Korea)">National Assembly</a> passes a <a href="/wiki/Law_of_South_Korea" title="Law of South Korea">law</a> legalizing <a href="/wiki/Tattoo_artist" title="Tattoo artist">tattoo artistry</a> by licensed non-medical professionals for the first time since a 1992 <a href="/wiki/Supreme_Court_of_Korea" title="Supreme Court of Korea">court</a> ruling restricted <a href="/wiki/Medical_tattoo" title="Medical tattoo">the practice to doctors</a>. <a class="external text" href="https://www.bbc.com/news/articles/cp8jz0vrrp4o" rel="nofollow">(BBC News)</a></li></ul></li></ul>
<p><b>Business and economy</b>
</p>
<ul><li><a href="/wiki/China%E2%80%93United_States_relations" title="China–United States relations">China–United States relations</a>, <a href="/wiki/China%E2%80%93United_States_trade_war" title="China–United States trade war">China–United States trade war</a>
<ul><li><a href="/wiki/China" title="China">China</a> lists six <a href="/wiki/United_States" title="United States">American</a> companies on its <a class="mw-redirect" href="/wiki/Unreliable_Entities_List" title="Unreliable Entities List">Unreliable Entities List</a>, including several in the <a href="/wiki/Unmanned_underwater_vehicle" title="Unmanned underwater vehicle">underwater drone</a> and <a href="/wiki/Space_industry" title="Space industry">satellite</a> sectors. <a class="external text" href="https://apnews.com/article/china-us-trade-sanctions-a76e4e0890e126dd77d56dc4b17dddbe" rel="nofollow">(AP)</a></li></ul></li>
<li><a href="/wiki/Ethiopia%E2%80%93Russia_relations" title="Ethiopia–Russia relations">Ethiopia–Russia relations</a>
<ul><li><a href="/wiki/Ethiopia" title="Ethiopia">Ethiopia</a> and <a href="/wiki/Russia" title="Russia">Russia</a> sign an agreement on the construction of a nuclear power plant for <a href="/wiki/Ethiopian_Electric_Power" title="Ethiopian Electric Power">Ethiopian Electric Power</a> by <a href="/wiki/Rosatom" title="Rosatom">Rosatom</a>. <a class="external text" href="https://www.aa.com.tr/en/world/russia-ethiopia-sign-action-plan-on-nuclear-power-project/3699303" rel="nofollow">(Anadolu Agency)</a></li></ul></li></ul>
<p><b>Disasters and accidents</b>
</p>
<ul><li>Six people are killed after a bus collides with a truck head-on in <a href="/wiki/Sundergarh" title="Sundergarh">Sundergarh</a>, <a href="/wiki/Odisha" title="Odisha">Odisha</a>, <a href="/wiki/India" title="India">India</a>. <a class="external text" href="https://www.thehansindia.com/news/national/six-die-in-bus-truck-crash-in-sundargarh-1009674" rel="nofollow">(<i>The Hans India</i>)</a></li>
<li>Decomposed bodies of five suspected <a href="/wiki/Mediterranean_Sea_migrant_smuggling" title="Mediterranean Sea migrant smuggling">migrants</a> are discovered in the <a href="/wiki/Great_Sand_Sea" title="Great Sand Sea">Great Sand Sea</a> south of <a href="/wiki/Tobruk" title="Tobruk">Tobruk</a>, <a href="/wiki/Libya" title="Libya">Libya</a>. <a class="external text" href="https://apnews.com/article/libya-migrant-desert-death-remains-1279b00dc52a0dc509e3c78b03af942b" rel="nofollow">(AP)</a></li></ul>
<p><b>International relations</b>
</p>
<ul><li><a href="/wiki/Foreign_relations_of_the_Netherlands" title="Foreign relations of the Netherlands">Foreign relations of the Netherlands</a>, <a href="/wiki/Foreign_relations_of_Uganda" title="Foreign relations of Uganda">Foreign relations of Uganda</a>
<ul><li>The <a href="/wiki/Netherlands" title="Netherlands">Netherlands</a> and <a href="/wiki/Uganda" title="Uganda">Uganda</a> sign an agreement to establish a pilot <a class="mw-redirect" href="/wiki/Transit_hub" title="Transit hub">transit hub</a> in Uganda for rejected <a href="/wiki/Asylum_seeker" title="Asylum seeker">asylum seekers</a> from nearby countries who cannot be directly returned from the Netherlands. <a class="external text" href="https://www.reuters.com/world/africa/netherlands-uganda-sign-letter-intent-return-hub-deal-rejected-asylum-seekers-2025-09-25/" rel="nofollow">(Reuters)</a></li></ul></li>
<li><a href="/wiki/France%E2%80%93Iran_relations" title="France–Iran relations">France–Iran relations</a>
<ul><li><a href="/wiki/France" title="France">France</a> withdraws its case at the <a href="/wiki/International_Court_of_Justice" title="International Court of Justice">International Court of Justice</a> accusing <a href="/wiki/Iran" title="Iran">Iran</a> of denying <a class="mw-redirect" href="/wiki/Consular_protection" title="Consular protection">consular protection</a> to two <a href="/wiki/French_people" title="French people">French citizens</a> <a href="/wiki/List_of_foreign_nationals_detained_in_Iran" title="List of foreign nationals detained in Iran">detained</a> at <a href="/wiki/Evin_Prison" title="Evin Prison">Evin Prison</a> in <a href="/wiki/Tehran" title="Tehran">Tehran</a> for more than three years. <a class="external text" href="https://www.reuters.com/world/middle-east/france-drops-world-court-case-against-iran-over-detained-citizens-2025-09-25/" rel="nofollow">(Reuters)</a></li></ul></li>
<li><a href="/wiki/France%E2%80%93Mali_relations" title="France–Mali relations">France–Mali relations</a>, <a href="/wiki/French_military_withdrawal_from_West_Africa_(2022%E2%80%93present)" title="French military withdrawal from West Africa (2022–present)">French military withdrawal from West Africa</a>
<ul><li>The <a href="/wiki/Mali" title="Mali">Malian</a> <a class="mw-redirect" href="/wiki/Government_of_Mali" title="Government of Mali">junta</a> declares an end to joint <a href="/wiki/Counterterrorism" title="Counterterrorism">counterterrorism</a> operations with the <a class="mw-redirect" href="/wiki/French_military" title="French military">French military</a> and expels five <a class="mw-redirect" href="/wiki/Diplomatic_missions_of_France" title="Diplomatic missions of France">French embassy</a> workers from the country, declaring them <i><a href="/wiki/Persona_non_grata" title="Persona non grata">personae non gratae</a></i>. <a class="external text" href="https://apnews.com/article/mali-france-intelligence-services-diplomacy-embassy-d5540b8380dc37eb40699cbf61f66ec0" rel="nofollow">(AP)</a></li></ul></li>
<li><a href="/wiki/Israel%E2%80%93Slovenia_relations" title="Israel–Slovenia relations">Israel–Slovenia relations</a>, <a href="/wiki/International_Criminal_Court_arrest_warrants_for_Israeli_leaders" title="International Criminal Court arrest warrants for Israeli leaders">International Criminal Court arrest warrants for Israeli leaders</a>
<ul><li>The <a href="/wiki/Slovenia" title="Slovenia">Slovenian</a> <a href="/wiki/Government_of_Slovenia" title="Government of Slovenia">government</a> formally bans <a href="/wiki/Israel" title="Israel">Israeli</a> <a href="/wiki/Prime_Minister_of_Israel" title="Prime Minister of Israel">prime minister</a> <a href="/wiki/Benjamin_Netanyahu" title="Benjamin Netanyahu">Benjamin Netanyahu</a> from entering the country, linking the ban to the <a href="/wiki/International_Criminal_Court" title="International Criminal Court">International Criminal Court</a> <a href="/wiki/Arrest_warrant" title="Arrest warrant">arrest warrant</a> out for Netanyahu. <a class="external text" href="https://apnews.com/article/slovenia-israel-travel-ban-benjamin-32f77e2f2657fbfd82af7a2b632f2cc0" rel="nofollow">(AP)</a></li></ul></li>
<li><a href="/wiki/Moldova%E2%80%93Poland_relations" title="Moldova–Poland relations">Moldova–Poland relations</a>
<ul><li><a href="/wiki/Poland" title="Poland">Poland</a> bars <a href="/wiki/Moldovans" title="Moldovans">Moldovan</a> politician <a href="/wiki/Irina_Vlah" title="Irina Vlah">Irina Vlah</a> from entering its territory for five years for allegedly assisting <a href="/wiki/Russia" title="Russia">Russian</a> interference in <a href="/wiki/Moldova" title="Moldova">Moldova</a>'s upcoming <a href="/wiki/2025_Moldovan_parliamentary_election" title="2025 Moldovan parliamentary election">parliamentary election</a>. <a class="external text" href="https://www.reuters.com/world/poland-bans-pro-russian-moldovan-politician-irina-vlah-territory-2025-09-25/" rel="nofollow">(Reuters)</a></li></ul></li></ul>
<p><b>Law and crime</b>
</p>
<ul><li><a href="/wiki/2025_Malagasy_protests" title="2025 Malagasy protests">2025 Malagasy protests</a>
<ul><li>Unrest erupts in <a href="/wiki/Antananarivo" title="Antananarivo">Antananarivo</a>, <a href="/wiki/Madagascar" title="Madagascar">Madagascar</a>, following power and water cuts in the capital city. <a href="/wiki/Law_enforcement_in_Madagascar" title="Law enforcement in Madagascar">Security forces</a> impose an evening <a href="/wiki/Curfew" title="Curfew">curfew</a>. <a class="external text" href="https://apnews.com/article/madagascar-protests-curfew-electricity-water-0225f744e674220649fc5a0520cdfcfd" rel="nofollow">(AP)</a></li></ul></li>
<li><a href="/wiki/Alleged_Libyan_financing_in_the_2007_French_presidential_election" title="Alleged Libyan financing in the 2007 French presidential election">Alleged Libyan financing in the 2007 French presidential election</a>
<ul><li>Former <a href="/wiki/France" title="France">French</a> <a href="/wiki/President_of_France" title="President of France">president</a> <a href="/wiki/Nicolas_Sarkozy" title="Nicolas Sarkozy">Nicolas Sarkozy</a> is sentenced to 5 years in prison for criminal association, becoming the first former French president to be sentenced to prison. His former <a href="/wiki/Minister_of_the_Interior_(France)" title="Minister of the Interior (France)">interior ministers</a> <a href="/wiki/Brice_Hortefeux" title="Brice Hortefeux">Brice Hortefeux</a> and <a href="/wiki/Claude_Gu%C3%A9ant" title="Claude Guéant">Claude Guéant</a> are sentenced to two years in prison and six years of house arrest respectively, convertible due to Guéant's health issues. <a class="external text" href="https://www.bbc.com/news/articles/cp98kepmj9lo" rel="nofollow">(BBC News)</a> <a class="external text" href="https://www.france24.com/en/live-news/20250925-france-s-sarkozy-set-to-learn-fate-in-libya-case" rel="nofollow">(France 24)</a></li></ul></li>
<li><a href="/wiki/Ecuadorian_security_crisis" title="Ecuadorian security crisis">Ecuadorian security crisis</a>
<ul><li>At least 17 people are killed in a <a href="/wiki/Prison_riot" title="Prison riot">prison riot</a> in <a href="/wiki/Esmeraldas,_Ecuador" title="Esmeraldas, Ecuador">Esmeraldas</a>, <a href="/wiki/Ecuador" title="Ecuador">Ecuador</a>. <a class="external text" href="https://www.reuters.com/world/americas/ecuador-prison-riot-leaves-least-17-dead-2025-09-25/" rel="nofollow">(Reuters)</a></li></ul></li>
<li><a href="/wiki/Flood_control_projects_controversy_in_the_Philippines" title="Flood control projects controversy in the Philippines">Flood control projects controversy in the Philippines</a>
<ul><li>The <a class="mw-redirect" href="/wiki/Philippine" title="Philippine">Philippine</a> <a href="/wiki/Department_of_Justice_(Philippines)" title="Department of Justice (Philippines)">Department of Justice</a> and the <a href="/wiki/National_Bureau_of_Investigation_(Philippines)" title="National Bureau of Investigation (Philippines)">National Bureau of Investigation</a> file criminal <a href="/wiki/Graft_(politics)" title="Graft (politics)">graft</a> and <a class="mw-redirect" href="/wiki/Malversation" title="Malversation">malversation</a> charges against <a href="/wiki/Senate_of_the_Philippines" title="Senate of the Philippines">Senator</a> <a class="mw-redirect" href="/wiki/Chiz_Escudero" title="Chiz Escudero">Chiz Escudero</a>, former senator <a href="/wiki/Nancy_Binay" title="Nancy Binay">Nancy Binay</a>, and former <a href="/wiki/Speaker_of_the_House_of_Representatives_of_the_Philippines" title="Speaker of the House of Representatives of the Philippines">house speaker</a> <a href="/wiki/Martin_Romualdez" title="Martin Romualdez">Martin Romualdez</a> in connection with investigations into alleged <a href="/wiki/Corruption_in_the_Philippines" title="Corruption in the Philippines">corruption</a> in <a class="mw-redirect" href="/wiki/Flood_control" title="Flood control">flood control</a> projects. <a class="external text" href="https://www.philstar.com/headlines/2025/09/25/2475386/nbi-seeks-malversation-raps-escudero-binay-romualdez" rel="nofollow">(<i>The Philippine Star</i>)</a></li></ul></li>
<li>Two teenagers are killed and three others are injured and hospitalized in a <a href="/wiki/School_shooting" title="School shooting">school shooting</a> in <a href="/wiki/Sobral,_Cear%C3%A1" title="Sobral, Ceará">Sobral</a>, <a href="/wiki/Cear%C3%A1" title="Ceará">Ceará</a>, <a href="/wiki/Brazil" title="Brazil">Brazil</a>. <a class="external text" href="https://www.france24.com/en/live-news/20250925-two-teens-killed-in-shooting-at-brazil-school" rel="nofollow">(AFP via France 24)</a> <a class="external text" href="https://apnews.com/article/brazil-school-fatal-shooting-ceara-sobral-49424502f7b84fc7ceba27ef93e5754a" rel="nofollow">(AP)</a></li></ul>
<p><b>Politics and elections</b>
</p>
<ul><li><a href="/wiki/Lithuania" title="Lithuania">Lithuania</a>'s <a href="/wiki/Seimas" title="Seimas">parliament</a> votes 80–42 to approve a <a href="/wiki/Coalition_government" title="Coalition government">coalition government</a> led by the <a href="/wiki/Social_Democratic_Party_of_Lithuania" title="Social Democratic Party of Lithuania">Social Democratic Party</a>, installing <a href="/wiki/Inga_Ruginien%C4%97" title="Inga Ruginienė">Inga Ruginienė</a> as the new <a href="/wiki/Prime_Minister_of_Lithuania" title="Prime Minister of Lithuania">prime minister</a>. <a class="external text" href="https://www.straitstimes.com/world/europe/lithuania-appoints-pro-ukraine-government" rel="nofollow">(AFP via <i>The Straits Times</i>)</a></li></ul>
<p><b>Sports</b>
</p>
<ul><li><a href="/wiki/Brazil" title="Brazil">Brazilian</a> professional <a href="/wiki/Skateboarding" title="Skateboarding">skateboarder</a> <a href="/wiki/Sandro_Dias" title="Sandro Dias">Sandro Dias</a> breaks the records for the highest <a href="/wiki/Dropping_in" title="Dropping in">drop in</a> ever and fastest speed reached (103 <a class="mw-redirect" href="/wiki/Kilometers_per_hour" title="Kilometers per hour">km/h</a>) on a standard <a href="/wiki/Skateboard" title="Skateboard">skateboard</a> after skating down a government building in <a href="/wiki/Porto_Alegre" title="Porto Alegre">Porto Alegre</a>, <a href="/wiki/Rio_Grande_do_Sul" title="Rio Grande do Sul">Rio Grande do Sul</a>, Brazil, at 70 meters-high. <a class="external text" href="https://www.youtube.com/live/bZHZNsqNLzk?si=vDXH_DjhJqHK6Wol" rel="nofollow">(Red Bull)</a> <a class="external text" href="https://www.skateboarding.com/news/sandro-dias-breaks-2-world-records-on-the-worlds-biggest-ramp" rel="nofollow">(<i>Transworld Skateboarding</i>)</a> <a class="external text" href="https://local12.com/news/nation-world/centro-administrativo-fernando-ferrari-red-bull-sandro-dias-pro-skateboarder-sets-2-world-records-with-daring-stunt-hits-64-mph-on-descent-prada-possibility-dream-sports-tony-hawk-pro-tagging-cincinnati-seventy-meter-drop-stunt-dangerous-human-interest" rel="nofollow">(AFP/CBS Newspath via WKRC)</a></li></ul></div></div></div>
<link href="mw-data:TemplateStyles:r1305593205" rel="mw-deduplicated-inline-style"><div class="current-events">
<div aria-label="September 24" class="current-events-main vevent" id="2025_September_24" role="region">
<div class="current-events-heading plainlinks">
<div class="current-events-title" role="heading"><span class="summary">September 242025<span style="display: none;"> (<span class="bday dtstart published updated itvstart">2025-09-24</span>)</span> (Wednesday)</span>
</div>
<ul class="current-events-navbar editlink noprint"><li><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/2025_September_24&amp;action=edit&amp;editintro=Portal:Current_events/Edit_instructions">edit</a></li><li><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/2025_September_24&amp;action=history">history</a></li><li><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/2025_September_24&amp;action=watch">watch</a></li>
</ul>
</div>
<div class="current-events-content description">
<p><b>Armed conflicts and attacks</b>
</p>
<ul><li><a href="/wiki/Middle_Eastern_crisis_(2023%E2%80%93present)" title="Middle Eastern crisis (2023–present)">Middle Eastern crisis (2023–present)</a>
<ul><li><a href="/wiki/Gaza_war" title="Gaza war">Gaza war</a>
<ul><li><a href="/wiki/Israeli_bombing_of_the_Gaza_Strip" title="Israeli bombing of the Gaza Strip">Israeli bombing of the Gaza Strip</a>
<ul><li>At least 85 <a href="/wiki/Palestinians" title="Palestinians">Palestinians</a> are killed by <a href="/wiki/Israel_Defense_Forces" title="Israel Defense Forces">Israeli</a> attacks in the <a href="/wiki/Gaza_Strip" title="Gaza Strip">Gaza Strip</a>. <a class="external text" href="https://www.aljazeera.com/news/liveblog/2025/9/24/live-israel-kills-dozens-of-palestinians-in-attacks-on-war-devastated-gaza" rel="nofollow">(Al Jazeera)</a></li></ul></li></ul></li>
<li><a href="/wiki/Red_Sea_crisis" title="Red Sea crisis">Red Sea crisis</a>
<ul><li>Twenty-two <a href="/wiki/Israelis" title="Israelis">Israelis</a> are injured, including two seriously, after a <a href="/wiki/Drone_warfare" title="Drone warfare">drone</a> launched by the <a href="/wiki/Yemen" title="Yemen">Yemen</a>-based <a href="/wiki/Houthis" title="Houthis">Houthis</a> strikes <a href="/wiki/Eilat" title="Eilat">Eilat</a> in <a href="/wiki/Southern_District_(Israel)" title="Southern District (Israel)">southern Israel</a>. <a class="external text" href="https://www.cnn.com/2025/09/24/world/yemen-drone-attack-eilat-intl-latam" rel="nofollow">(CNN)</a></li></ul></li></ul></li>
<li><a href="/wiki/Insurgency_in_Khyber_Pakhtunkhwa" title="Insurgency in Khyber Pakhtunkhwa">Insurgency in Khyber Pakhtunkhwa</a>
<ul><li><a href="/wiki/Afghanistan%E2%80%93Pakistan_border_skirmishes" title="Afghanistan–Pakistan border skirmishes">Afghanistan–Pakistan border skirmishes</a>
<ul><li>Thirteen <a href="/wiki/Pakistani_Taliban" title="Pakistani Taliban">Pakistani Taliban</a> fighters are killed after a raid by <a href="/wiki/Pakistan_Armed_Forces" title="Pakistan Armed Forces">security forces</a> at a hideout in <a href="/wiki/Dera_Ismail_Khan" title="Dera Ismail Khan">Dera Ismail Khan</a>, <a href="/wiki/Khyber_Pakhtunkhwa" title="Khyber Pakhtunkhwa">Khyber Pakhtunkhwa</a>, <a href="/wiki/Pakistan" title="Pakistan">Pakistan</a>, near the <a href="/wiki/Durand_Line" title="Durand Line">Durand Line</a>. <a class="external text" href="https://apnews.com/article/pakistan-security-raid-killed-pakistani-taliban-northwest-a75ecb146d5ecc406e5c42deaaa852fb" rel="nofollow">(AP)</a></li></ul></li></ul></li></ul>
<p><b>Disasters and accidents</b>
</p>
<ul><li><a href="/wiki/2025_Pacific_typhoon_season" title="2025 Pacific typhoon season">2025 Pacific typhoon season</a>
<ul><li><a href="/wiki/Typhoon_Ragasa" title="Typhoon Ragasa">Typhoon Ragasa</a>
<ul><li><a href="/wiki/Philippines" title="Philippines">Filipino</a> authorities conclude a <a href="/wiki/Search_and_rescue" title="Search and rescue">search and rescue</a> operation for the 13-man crew of fishing boat <i>FB Jobhenz</i>, which <a href="/wiki/Capsizing" title="Capsizing">capsized</a> in <a href="/wiki/Santa_Ana,_Cagayan" title="Santa Ana, Cagayan">Santa Ana, Cagayan</a>, Philippines, on Monday. Six crew members are rescued, with the remaining seven confirmed to have died. <a class="external text" href="https://mb.com.ph/2025/09/24/7-dead-from-capsized-fishing-boat" rel="nofollow">(<i>Manila Bulletin</i>)</a></li>
<li>The <a href="/wiki/Hong_Kong_Observatory" title="Hong Kong Observatory">Hong Kong Observatory</a> issues its highest <a href="/wiki/Hong_Kong_tropical_cyclone_warning_signals" title="Hong Kong tropical cyclone warning signals">typhoon warning</a>, Signal No. 10, in the morning before downgrading it to Signal No. 8 at 4 pm. <a class="external text" href="https://www.aljazeera.com/news/2025/9/24/super-typhoon-ragasa-kills-14-in-taiwan" rel="nofollow">(Al Jazeera)</a> <a class="external text" href="https://macaonews.org/news/city/super-typhoon-ragasa-macau-impact/" rel="nofollow">(Macao News)</a></li></ul></li></ul></li>
<li><a href="/wiki/2025_Bangkok_road_collapse" title="2025 Bangkok road collapse">2025 Bangkok road collapse</a>
<ul><li>A section of road collapses into an estimated 50 m (160 ft)-deep <a href="/wiki/Sinkhole" title="Sinkhole">sinkhole</a> in front of <a href="/wiki/Vajira_Hospital" title="Vajira Hospital">Vajira Hospital</a> in <a href="/wiki/Bangkok" title="Bangkok">Bangkok</a>, <a href="/wiki/Thailand" title="Thailand">Thailand</a>, prompting road closures and <a href="/wiki/Emergency_evacuation" title="Emergency evacuation">evacuations</a> of nearby buildings. No injuries and deaths are reported. <a class="external text" href="https://www.scmp.com/week-asia/health-environment/article/3326618/massive-sinkhole-swallows-cars-pedestrian-crossing-near-bangkok-hospital" rel="nofollow">(<i>South China Morning Post</i>)</a> <a class="external text" href="https://www.straitstimes.com/asia/se-asia/road-collapses-near-bangkoks-chao-phraya-river-no-injuries-reported-so-far" rel="nofollow">(<i>The Straits Times</i>)</a></li></ul></li>
<li>All 23 <a href="/wiki/Mineral_industry_of_Colombia" title="Mineral industry of Colombia">miners</a> trapped for two days in a <a href="/wiki/Mining_accident" title="Mining accident">collapsed</a> <a href="/wiki/Gold_mining" title="Gold mining">gold</a> <a class="mw-redirect" href="/wiki/Mine_shaft" title="Mine shaft">mine shaft</a> in <a href="/wiki/Segovia,_Antioquia" title="Segovia, Antioquia">Segovia</a>, <a href="/wiki/Antioquia_Department" title="Antioquia Department">Antioquia</a>, <a href="/wiki/Colombia" title="Colombia">Colombia</a>, are rescued alive after receiving food, water, and oxygen through pipelines during the operation. <a class="external text" href="https://gbcode.rthk.hk/TuniS/news.rthk.hk/rthk/en/component/k2/1824590-20250925.htm?spTabChangeable=0" rel="nofollow">(AFP via RTHK)</a></li>
<li><a href="/wiki/Costa_Rica" title="Costa Rica">Costa Rica</a> closes its <a href="/wiki/Airspace" title="Airspace">airspace</a> for at least five hours after a <a href="/wiki/Power_outage" title="Power outage">power outage</a> disables <a href="/wiki/Radar" title="Radar">radar</a> systems and disrupts hundreds of flights, before reopening after systems were restored. <a class="external text" href="https://www.reuters.com/world/americas/costa-rica-closes-airspace-temporarily-suspends-flights-after-power-malfunction-2025-09-24/" rel="nofollow">(Reuters)</a></li></ul>
<p><b>International relations</b>
</p>
<ul><li><a href="/wiki/2025_Allenby_Bridge_shooting" title="2025 Allenby Bridge shooting">2025 Allenby Bridge shooting</a>, <a href="/wiki/Israel%E2%80%93Jordan_relations" title="Israel–Jordan relations">Israel–Jordan relations</a>
<ul><li><a href="/wiki/Israel" title="Israel">Israel</a> indefinitely closes the <a href="/wiki/Allenby_Bridge" title="Allenby Bridge">Allenby Bridge</a> between <a href="/wiki/Jordan" title="Jordan">Jordan</a> and the <a href="/wiki/West_Bank" title="West Bank">West Bank</a> days after reopening it following a shooting that killed two <a class="mw-redirect" href="/wiki/Israel_Defence_Forces" title="Israel Defence Forces">Israeli soldiers</a>. <a class="external text" href="https://www.reuters.com/world/middle-east/israel-close-allenby-crossing-wednesday-until-further-notice-palestinian-border-2025-09-23/" rel="nofollow">(Reuters)</a></li></ul></li>
<li><a href="/wiki/Africa%E2%80%93United_States_relations" title="Africa–United States relations">Africa–United States relations</a>
<ul><li><a href="/wiki/Lesotho" title="Lesotho">Mosotho</a> <a href="/wiki/Commerce_minister" title="Commerce minister">commerce minister</a> announces the <a href="/wiki/United_States" title="United States">United States</a>'s plan to extend the <a href="/wiki/African_Growth_and_Opportunity_Act" title="African Growth and Opportunity Act">African Growth and Opportunity Act</a> by one year following negotiations in <a href="/wiki/Washington,_D.C." title="Washington, D.C.">Washington, D.C.</a> <a class="external text" href="https://www.reuters.com/world/africa/lesotho-says-us-plans-extend-africa-trade-deal-by-year-2025-09-24/" rel="nofollow">(Reuters)</a></li></ul></li>
<li><a href="/wiki/Belarus%E2%80%93Poland_relations" title="Belarus–Poland relations">Belarus–Poland relations</a>
<ul><li><a href="/wiki/Poland" title="Poland">Poland</a> reopens <a href="/wiki/Belarus%E2%80%93Poland_border" title="Belarus–Poland border">its border with Belarus</a> after closing them during <a href="/wiki/Russia" title="Russia">Russia</a>-led <a href="/wiki/Zapad_2025" title="Zapad 2025">military exercises</a>, citing reduced security risks and economic considerations. <a class="external text" href="https://www.reuters.com/world/poland-reopen-border-crossings-with-belarus-pm-says-2025-09-23/" rel="nofollow">(Reuters)</a></li></ul></li>
<li><a href="/wiki/France%E2%80%93United_Kingdom_relations" title="France–United Kingdom relations">France–United Kingdom relations</a>, <a href="/wiki/English_Channel_illegal_migrant_crossings_(2018%E2%80%93present)" title="English Channel illegal migrant crossings (2018–present)">English Channel illegal migrant crossings</a>
<ul><li>A family of three becomes the first group sent to the <a href="/wiki/United_Kingdom" title="United Kingdom">United Kingdom</a> from <a href="/wiki/France" title="France">France</a> under the <a href="/wiki/United_Kingdom%E2%80%93France_one_in,_one_out_plan" title="United Kingdom–France one in, one out plan">one in, one out policy</a> that returns unauthorized <a href="/wiki/English_Channel" title="English Channel">Channel</a> arrivals to France in exchange for vetted <a href="/wiki/Asylum_seeker" title="Asylum seeker">asylum-seekers</a>. <a class="external text" href="https://apnews.com/article/britain-france-migrants-small-boats-31b08e97fe22be4bf46fd3722f100343" rel="nofollow">(AP)</a></li></ul></li>
<li><a href="/wiki/General_debate_of_the_eightieth_session_of_the_United_Nations_General_Assembly" title="General debate of the eightieth session of the United Nations General Assembly">General debate of the eightieth session of the United Nations General Assembly</a>
<ul><li><a href="/wiki/Syria" title="Syria">Syrian</a> <a href="/wiki/President_of_Syria" title="President of Syria">president</a> <a href="/wiki/Ahmed_al-Sharaa" title="Ahmed al-Sharaa">Ahmed al-Sharaa</a> becomes the first Syrian leader to address the <a href="/wiki/United_Nations_General_Assembly" title="United Nations General Assembly">United Nations General Assembly</a> since <a href="/wiki/Nureddin_al-Atassi" title="Nureddin al-Atassi">Nureddin al-Atassi</a> in 1967. <a class="external text" href="https://apnews.com/article/syria-united-nations-unga-c0471a2f7faece79fe15793fb0466501" rel="nofollow">(AP)</a> <a class="external text" href="https://www.bbc.com/news/videos/cjw7yy5l37no" rel="nofollow">(BBC News)</a></li></ul></li>
<li><a href="/wiki/Syria%E2%80%93Ukraine_relations" title="Syria–Ukraine relations">Syria–Ukraine relations</a>
<ul><li>Syria and <a href="/wiki/Ukraine" title="Ukraine">Ukraine</a> restore diplomatic relations as Presidents Ahmed al-Sharaa and <a href="/wiki/Volodymyr_Zelenskyy" title="Volodymyr Zelenskyy">Volodymyr Zelenskyy</a> meet on the sidelines of the <a href="/wiki/Eightieth_session_of_the_United_Nations_General_Assembly" title="Eightieth session of the United Nations General Assembly">eightieth session of the United Nations General Assembly</a>, following Ukraine's 2022 break in ties with Syria when the <a href="/wiki/Presidency_of_Bashar_al-Assad" title="Presidency of Bashar al-Assad">Assad regime</a> recognized <a href="/wiki/Russian-occupied_territories_of_Ukraine" title="Russian-occupied territories of Ukraine">Russian-occupied territories</a>. <a class="external text" href="https://www.reuters.com/world/europe/ukraine-restores-diplomatic-ties-with-syria-zelenskiy-says-2025-09-24/" rel="nofollow">(Reuters)</a></li></ul></li></ul>
<p><b>Law and crime</b>
</p>
<ul><li><a href="/wiki/2025_Dallas_ICE_facility_shooting" title="2025 Dallas ICE facility shooting">2025 Dallas ICE facility shooting</a>
<ul><li>A person is killed and two others are injured in a shooting at a <a href="/wiki/United_States_Immigration_and_Customs_Enforcement" title="United States Immigration and Customs Enforcement">United States Immigration and Customs Enforcement</a> facility in <a href="/wiki/Dallas" title="Dallas">Dallas</a>, <a href="/wiki/Texas" title="Texas">Texas</a>, <a href="/wiki/United_States" title="United States">United States</a>. The shooter is found dead on a nearby rooftop. <a class="external text" href="https://www.abc.net.au/news/2025-09-25/-targeted-shooting-at-dallas-immigration-centre/105815636" rel="nofollow">(ABC News Australia)</a> <a class="external text" href="https://edition.cnn.com/us/live-news/ice-facility-dallas-shooting-09-24-25" rel="nofollow">(CNN)</a></li></ul></li>
<li><a href="/wiki/Ladakh_protests" title="Ladakh protests">Ladakh protests</a>
<ul><li>At least four people are killed and more than 60 others are injured as protests held by <a href="/wiki/Political_demonstration" title="Political demonstration">demonstrators</a> demanding statehood and the inclusion of <a href="/wiki/Ladakh" title="Ladakh">Ladakh</a> under the <a href="/wiki/Sixth_Schedule_to_the_Constitution_of_India" title="Sixth Schedule to the Constitution of India">Sixth Schedule to the Constitution of India</a> turn violent in Ladakh, <a href="/wiki/India" title="India">India</a>. The local <a href="/wiki/Bharatiya_Janata_Party" title="Bharatiya Janata Party">Bharatiya Janata Party</a> office and a vehicle are set on fire in an <a href="/wiki/Arson" title="Arson">arson</a> attack. <a class="external text" href="https://www.indiatoday.in/india/story/protests-demanding-statehood-for-ladakh-turn-violent-bjp-office-vehicle-torched-2792622-2025-09-24" rel="nofollow">(<i>India Today</i>)</a></li></ul></li></ul>
<p><b>Politics and elections</b>
</p>
<ul><li><a href="/wiki/2025_Malawian_general_election" title="2025 Malawian general election">2025 Malawian general election</a>
<ul><li>Former <a href="/wiki/Malawi" title="Malawi">Malawian</a> <a href="/wiki/President_of_Malawi" title="President of Malawi">president</a> <a href="/wiki/Peter_Mutharika" title="Peter Mutharika">Peter Mutharika</a> is declared the winner of the presidential election, winning 57% of votes against the incumbent <a href="/wiki/Lazarus_Chakwera" title="Lazarus Chakwera">Lazarus Chakwera</a>, who received 33%. <a class="external text" href="https://www.bbc.com/news/live/cp3wdzdwzlkt" rel="nofollow">(BBC News)</a></li></ul></li></ul></div></div></div>
<link href="mw-data:TemplateStyles:r1305593205" rel="mw-deduplicated-inline-style"><div class="current-events">
<div aria-label="September 23" class="current-events-main vevent" id="2025_September_23" role="region">
<div class="current-events-heading plainlinks">
<div class="current-events-title" role="heading"><span class="summary">September 232025<span style="display: none;"> (<span class="bday dtstart published updated itvstart">2025-09-23</span>)</span> (Tuesday)</span>
</div>
<ul class="current-events-navbar editlink noprint"><li><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/2025_September_23&amp;action=edit&amp;editintro=Portal:Current_events/Edit_instructions">edit</a></li><li><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/2025_September_23&amp;action=history">history</a></li><li><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/2025_September_23&amp;action=watch">watch</a></li>
</ul>
</div>
<div class="current-events-content description">
<p><b>Armed conflicts and attacks</b>
</p>
<ul><li><a class="mw-redirect" href="/wiki/Russian_invasion_of_Ukraine" title="Russian invasion of Ukraine">Russian invasion of Ukraine</a>
<ul><li><a class="mw-redirect" href="/wiki/War_crimes_in_the_Russian_invasion_of_Ukraine" title="War crimes in the Russian invasion of Ukraine">War crimes in the Russian invasion of Ukraine</a>
<ul><li>The <a href="/wiki/United_Nations" title="United Nations">United Nations</a> reports that <a href="/wiki/Russia" title="Russia">Russian</a> authorities subject <a href="/wiki/Civilian_internee" title="Civilian internee">civilian detainees</a> in <a href="/wiki/Russian-occupied_territories_of_Ukraine" title="Russian-occupied territories of Ukraine">occupied Ukrainian territories</a> to widespread torture, including <a href="/wiki/Wartime_sexual_violence" title="Wartime sexual violence">sexual violence</a>, while also documenting cases of ill-treatment of detainees held by <a href="/wiki/Ukraine" title="Ukraine">Ukrainian</a> authorities. <a class="external text" href="https://www.channelnewsasia.com/world/un-slams-systematic-russian-torture-ukraine-civilians-5364106" rel="nofollow">(AFP via CNA)</a></li></ul></li></ul></li></ul>
<p><b>Arts and culture</b>
</p>
<ul><li><a href="/wiki/Mexico%E2%80%93United_States_relations" title="Mexico–United States relations">Mexico–United States relations</a>
<ul><li>The <a href="/wiki/United_States" title="United States">United States</a> <a href="/wiki/Federal_Bureau_of_Investigation" title="Federal Bureau of Investigation">Federal Bureau of Investigation</a> <a href="/wiki/Repatriation_(cultural_property)" title="Repatriation (cultural property)">repatriates</a> a centuries-old <a href="/wiki/Spanish_colonization_of_the_Americas" title="Spanish colonization of the Americas">Spanish colonial</a> map depicting the <a href="/wiki/Camino_Real_de_Tierra_Adentro" title="Camino Real de Tierra Adentro">Camino Real de Tierra Adentro</a> to <a href="/wiki/Mexico" title="Mexico">Mexico</a>'s <a href="/wiki/Secretariat_of_Culture" title="Secretariat of Culture">Secretariat of Culture</a> after being recovered in <a href="/wiki/Santa_Fe,_New_Mexico" title="Santa Fe, New Mexico">Santa Fe</a>, <a href="/wiki/New_Mexico" title="New Mexico">New Mexico</a>. <a class="external text" href="https://apnews.com/article/spanish-colonial-map-mexico-history-b13db985c97a3a3f11285d94008bd22c" rel="nofollow">(AP)</a></li></ul></li></ul>
<p><b>Business and economy</b>
</p>
<ul><li><a href="/wiki/Economy_of_New_Zealand" title="Economy of New Zealand">Economy of New Zealand</a>
<ul><li><a href="/wiki/New_Zealand" title="New Zealand">New Zealand</a> introduces two new <a href="/wiki/New_Zealand_permanent_residency" title="New Zealand permanent residency">residency pathways</a> for <a href="/wiki/Skilled_worker" title="Skilled worker">skilled workers</a> and tradespeople to address labor shortages. <a class="external text" href="https://www.reuters.com/world/asia-pacific/new-zealand-loosens-path-residency-some-migrants-2025-09-22/" rel="nofollow">(Reuters)</a></li></ul></li>
<li><a href="/wiki/Amazon_(company)" title="Amazon (company)">Amazon</a> announces that it will close all 19 of its <a href="/wiki/Amazon_Fresh" title="Amazon Fresh">Amazon Fresh</a> stores in the <a href="/wiki/United_Kingdom" title="United Kingdom">United Kingdom</a> after "a thorough evaluation of its business operations". <a class="external text" href="https://www.bbc.co.uk/news/articles/cx2xnkkn9ywo" rel="nofollow">(BBC News)</a></li></ul>
<p><b>Disasters and accidents</b>
</p>
<ul><li><a href="/wiki/2025_Pacific_typhoon_season" title="2025 Pacific typhoon season">2025 Pacific typhoon season</a>
<ul><li><a href="/wiki/Typhoon_Ragasa" title="Typhoon Ragasa">Typhoon Ragasa</a>
<ul><li>At least 14 people are killed and 124 others are missing after a <a href="/wiki/Landslide_dam" title="Landslide dam">barrier lake</a> in <a href="/wiki/Hualien_County" title="Hualien County">Hualien County</a>, <a href="/wiki/Taiwan" title="Taiwan">Taiwan</a>, bursts during Ragasa, causing widespread flooding. <a class="external text" href="https://www.theguardian.com/world/2025/sep/24/super-typhoon-ragasa-update-path-hong-kong-taiwan-china" rel="nofollow">(AFP via <i>The Guardian</i>)</a></li>
<li><a href="/wiki/Hong_Kong_International_Airport" title="Hong Kong International Airport">Hong Kong International Airport</a> suspends all passenger flights for 36 hours as Ragasa approaches. <a class="external text" href="https://www.bloomberg.com/news/articles/2025-09-22/hong-kong-airport-weighs-36-hour-closure-as-super-typhoon-nears" rel="nofollow">(Bloomberg News)</a> <a class="external text" href="https://www.channelnewsasia.com/east-asia/hong-kong-airport-shut-36-hours-typhoon-ragasa-sia-singapore-airlines-5361291" rel="nofollow">(CNA)</a></li></ul></li></ul></li>
<li><a href="/wiki/September_2025_Kolkata_cloudburst" title="September 2025 Kolkata cloudburst">September 2025 Kolkata cloudburst</a>
<ul><li>At least 12 people are killed during <a href="/wiki/Flash_flood" title="Flash flood">flash flooding</a> in <a href="/wiki/Kolkata" title="Kolkata">Kolkata</a>, <a href="/wiki/West_Bengal" title="West Bengal">West Bengal</a>, <a href="/wiki/India" title="India">India</a>. <a class="external text" href="https://www.reuters.com/business/environment/least-12-dead-record-rain-floods-indias-kolkata-2025-09-24/" rel="nofollow">(Reuters)</a></li></ul></li>
<li><a href="/wiki/2025_Aquidauana_Cessna_175_crash" title="2025 Aquidauana Cessna 175 crash">2025 Aquidauana Cessna 175 crash</a>
<ul><li>Four people, including <a href="/wiki/Chinese_people" title="Chinese people">Chinese</a> architect <a href="/wiki/Kongjian_Yu" title="Kongjian Yu">Kongjian Yu</a>, are killed when a <a class="mw-redirect" href="/wiki/Cessna_175_Skylark" title="Cessna 175 Skylark">Cessna 175 Skylark</a> aircraft crashes in <a href="/wiki/Aquidauana" title="Aquidauana">Aquidauana</a>, <a href="/wiki/Mato_Grosso_do_Sul" title="Mato Grosso do Sul">Mato Grosso do Sul</a>, <a href="/wiki/Brazil" title="Brazil">Brazil</a>. <a class="external text" href="https://www.campograndenews.com.br/cidades/interior/aviao-de-pequeno-porte-cai-em-fazenda-no-pantanal-de-ms" rel="nofollow">(Campo Grande News)</a> <a class="external text" href="https://g1.globo.com/ms/mato-grosso-do-sul/noticia/2025/09/24/vitimas-do-acidente-de-aviao-no-pantanal-no-ms.ghtml" rel="nofollow">(G1)</a> <a class="external text" href="https://www.reuters.com/world/china/chinese-architect-kongjian-yu-dies-plane-crash-brazil-local-media-reports-2025-09-24/" rel="nofollow">(Reuters)</a></li></ul></li></ul>
<p><b>International relations</b>
</p>
<ul><li><a href="/wiki/Deportation_in_the_second_Trump_administration" title="Deportation in the second Trump administration">Deportation in the second Trump administration</a>, <a href="/wiki/Foreign_relations_of_Ghana" title="Foreign relations of Ghana">Foreign relations of Ghana</a>
<ul><li>Eleven <a href="/wiki/West_Africa" title="West Africa">West African</a> migrants deported from the <a href="/wiki/United_States" title="United States">United States</a> to <a href="/wiki/Ghana" title="Ghana">Ghana</a> are subsequently sent to their home countries despite ongoing legal proceedings and concerns about potential persecution. <a class="external text" href="https://apnews.com/article/ghana-us-west-african-migrants-deported-0e8ff2aa79ba5ae87888853c223d99a4" rel="nofollow">(AP)</a></li></ul></li>
<li><a href="/wiki/Indonesia%E2%80%93European_Union_relations" title="Indonesia–European Union relations">Indonesia–European Union relations</a>
<ul><li><a href="/wiki/Indonesia" title="Indonesia">Indonesia</a> and the <a href="/wiki/European_Union" title="European Union">European Union</a> sign a <a href="/wiki/Free_trade_agreement" title="Free trade agreement">free trade agreement</a> in <a href="/wiki/Bali" title="Bali">Bali</a> after over nine years of negotiations that will remove <a href="/wiki/Tariff" title="Tariff">tariffs</a> on bilateral trade while also opening investments in other sectors. <a class="external text" href="https://www.dw.com/en/eu-indonesia-agree-on-free-trade-deal/a-74103321" rel="nofollow">(DW)</a></li></ul></li>
<li><a href="/wiki/Violations_of_non-combatant_airspaces_during_the_Russian_invasion_of_Ukraine" title="Violations of non-combatant airspaces during the Russian invasion of Ukraine">Violations of non-combatant airspaces during the Russian invasion of Ukraine</a>
<ul><li><a href="/wiki/Lithuania" title="Lithuania">Lithuania</a>'s <a href="/wiki/Seimas" title="Seimas">parliament</a> authorizes <a href="/wiki/Lithuanian_Armed_Forces" title="Lithuanian Armed Forces">its military</a> to shoot down any unauthorized drones in its <a href="/wiki/Airspace" title="Airspace">airspace</a> following recent <a href="/wiki/Russia" title="Russia">Russian</a> drones entering the country. Previously, only drones deemed armed or posing an imminent threat to critical state assets could be targeted. <a class="external text" href="https://www.reuters.com/business/aerospace-defense/lithuania-authorises-army-shoot-down-drones-violating-its-airspace-2025-09-23/" rel="nofollow">(Reuters)</a></li></ul></li>
<li><a href="/wiki/China" title="China">China</a> announces it will no longer claim <a href="/wiki/General_Agreement_on_Tariffs_and_Trade#Special_and_differential_treatment" title="General Agreement on Tariffs and Trade">special and differential treatment</a> benefits under current and future <a href="/wiki/World_Trade_Organization" title="World Trade Organization">World Trade Organization</a> agreements. <a class="external text" href="https://www.reuters.com/world/china/china-forego-special-differential-treatment-future-wto-negotiations-2025-09-23/" rel="nofollow">(Reuters)</a></li></ul>
<p><b>Law and crime</b>
</p>
<ul><li><a href="/wiki/2025_British_anti-immigration_protests" title="2025 British anti-immigration protests">2025 British anti-immigration protests</a>
<ul><li>An <a href="/wiki/England_and_Wales" title="England and Wales">English</a> <a href="/wiki/Magistrates%27_court_(England_and_Wales)" title="Magistrates' court (England and Wales)">magistrates' court</a> sentences an <a href="/wiki/Ethiopians_in_the_United_Kingdom" title="Ethiopians in the United Kingdom">Ethiopian</a> <a href="/wiki/Asylum_seeker" title="Asylum seeker">asylum-seeker</a> to 12 months in prison for <a class="mw-redirect" href="/wiki/Sexually_assaulting" title="Sexually assaulting">sexually assaulting</a> a woman and a 14-year-old girl, an incident that triggered nationwide protests over <a href="/wiki/Modern_immigration_to_the_United_Kingdom" title="Modern immigration to the United Kingdom">migration policies</a> and the housing of asylum-seekers in hotels. <a class="external text" href="https://apnews.com/article/uk-asylum-seeker-sentenced-kebatu-epping-2e7ad640c15b74fcb65c159b4fc110ee" rel="nofollow">(AP)</a></li></ul></li>
<li><a href="/wiki/Flood_control_projects_controversy_in_the_Philippines" title="Flood control projects controversy in the Philippines">Flood control projects controversy in the Philippines</a>
<ul><li>The <a class="mw-redirect" href="/wiki/Philippine" title="Philippine">Philippine</a> <a href="/wiki/Department_of_Justice_(Philippines)" title="Department of Justice (Philippines)">Department of Justice</a> and the <a href="/wiki/National_Bureau_of_Investigation_(Philippines)" title="National Bureau of Investigation (Philippines)">National Bureau of Investigation</a> file criminal <a href="/wiki/Graft_(politics)" title="Graft (politics)">graft</a> and <a class="mw-redirect" href="/wiki/Malversation" title="Malversation">malversation</a> charges against <a href="/wiki/Senate_of_the_Philippines" title="Senate of the Philippines">senators</a> <a href="/wiki/Jinggoy_Estrada" title="Jinggoy Estrada">Jinggoy Estrada</a> and <a href="/wiki/Joel_Villanueva" title="Joel Villanueva">Joel Villanueva</a>, <a href="/wiki/House_of_Representatives_of_the_Philippines" title="House of Representatives of the Philippines">representative</a> <a href="/wiki/Zaldy_Co" title="Zaldy Co">Zaldy Co</a>, former representative <a href="/wiki/Mitch_Cajayon-Uy" title="Mitch Cajayon-Uy">Mitch Cajayon-Uy</a>, and two former <a href="/wiki/Department_of_Public_Works_and_Highways" title="Department of Public Works and Highways">public works</a> officials in connection with investigations into alleged <a href="/wiki/Corruption_in_the_Philippines" title="Corruption in the Philippines">corruption</a> in <a class="mw-redirect" href="/wiki/Flood_control" title="Flood control">flood control</a> projects with the <a href="/wiki/Anti%E2%80%93Money_Laundering_Council" title="Anti–Money Laundering Council">Anti–Money Laundering Council</a> <a href="/wiki/Asset_freezing" title="Asset freezing">freezing their assets</a>. <a class="external text" href="https://gulfnews.com/world/asia/philippines/philippines-asset-freeze-of-senators-estrada-villanueva-rep-co-other-officials-ordered-freeze-of-romualdezs-asset-sought-1.500272428" rel="nofollow">(<i>Gulf News</i>)</a> <a class="external text" href="https://www.rappler.com/philippines/video-nbi-complaint-estrada-villanueva-co-cajayon-uy/" rel="nofollow">(Rappler)</a></li></ul></li>
<li><a href="/wiki/Jaguar_Land_Rover_cyberattack" title="Jaguar Land Rover cyberattack">Jaguar Land Rover cyberattack</a>
<ul><li><a href="/wiki/Automotive_industry_in_the_United_Kingdom" title="Automotive industry in the United Kingdom">British</a> <a href="/wiki/Multinational_corporation" title="Multinational corporation">multinational</a> <a href="/wiki/Automotive_industry" title="Automotive industry">car-maker</a> <a href="/wiki/Jaguar_Land_Rover" title="Jaguar Land Rover">Jaguar Land Rover</a> announces the pause in vehicle production due to a <a href="/wiki/Cyberattack" title="Cyberattack">cyberattack</a> is to be extended until 1 October. <a class="external text" href="https://www.irishtimes.com/business/2025/09/23/jaguar-land-rover-cyberattack-shutdown-to-hit-four-weeks/" rel="nofollow">(<i>The Irish Times</i>)</a></li></ul></li>
<li><a href="/wiki/Italy" title="Italy">Italy</a>'s <a href="/wiki/Guardia_di_Finanza" title="Guardia di Finanza">Guardia di Finanza</a> arrests five people and seizes <a href="/wiki/Euro" title="Euro">€</a>17 million (<a href="/wiki/United_States_dollar" title="United States dollar">US$</a>20 million) while dismantling a <a href="/wiki/Syria" title="Syria">Syrian</a>-led network that <a href="/wiki/Money_laundering" title="Money laundering">laundered</a> <a href="/wiki/Illegal_drug_trade" title="Illegal drug trade">drug-trafficking</a> proceeds in <a href="/wiki/France" title="France">France</a> and Italy by <a href="/wiki/Gold_as_an_investment" title="Gold as an investment">converting cash into gold</a>, in an investigation coordinated with the <a href="/wiki/National_Gendarmerie" title="National Gendarmerie">National Gendarmerie</a>, <a href="/wiki/Eurojust" title="Eurojust">Eurojust</a>, and <a href="/wiki/Europol" title="Europol">Europol</a>. <a class="external text" href="https://www.reuters.com/world/italy-dismantles-syrian-network-accused-turning-drug-cash-into-gold-2025-09-23/" rel="nofollow">(Reuters)</a></li>
<li><a href="/wiki/Singapore" title="Singapore">Singapore</a>-based <a href="/wiki/Shipping_line" title="Shipping line">shipping line</a> <a href="/wiki/X-Press_Feeders" title="X-Press Feeders">X-Press Feeders</a> refuses to pay the US$1 billion in <a href="/wiki/Damages" title="Damages">damages</a> ordered by <a href="/wiki/Sri_Lanka" title="Sri Lanka">Sri Lanka</a>'s <a href="/wiki/Supreme_Court_of_Sri_Lanka" title="Supreme Court of Sri Lanka">Supreme Court</a> over <a href="/wiki/Pollution" title="Pollution">pollution</a> caused by the 2021 sinking of the <i><a href="/wiki/X-Press_Pearl" title="X-Press Pearl">X-Press Pearl</a></i>, arguing the ruling violates <a href="/wiki/Convention_on_Limitation_of_Liability_for_Maritime_Claims" title="Convention on Limitation of Liability for Maritime Claims">international maritime liability conventions</a>. <a class="external text" href="https://www.france24.com/en/live-news/20250922-singapore-firm-rejects-1bn-sri-lankan-pollution-damages" rel="nofollow">(AFP via France 24)</a></li>
<li><a href="/wiki/Trinidad_and_Tobago" title="Trinidad and Tobago">Trinidad and Tobago</a>'s <a href="/wiki/Supreme_Court_of_Judicature_(Trinidad_and_Tobago)" title="Supreme Court of Judicature (Trinidad and Tobago)">high court</a> blocks the <a href="/wiki/Extradition" title="Extradition">extradition</a> of former <a href="/wiki/FIFA" title="FIFA">FIFA</a> vice president <a href="/wiki/Jack_Warner_(football_executive)" title="Jack Warner (football executive)">Jack Warner</a> to the <a href="/wiki/United_States" title="United States">United States</a>, ruling that proceedings were invalid without a formal extradition treaty. <a class="external text" href="https://apnews.com/article/jack-warner-trinidad-us-extradition-court-judge-623782c790957808f438186f10edbd50" rel="nofollow">(AP)</a></li>
<li><a href="/wiki/Unification_Church" title="Unification Church">Unification Church</a> leader <a href="/wiki/Hak_Ja_Han" title="Hak Ja Han">Hak Ja Han</a> is arrested in <a href="/wiki/Seoul" title="Seoul">Seoul</a>, <a href="/wiki/South_Korea" title="South Korea">South Korea</a>, as prosecutors investigate allegations that the church bribed former <a href="/wiki/First_Lady_of_South_Korea" title="First Lady of South Korea">first lady</a> <a href="/wiki/Kim_Keon_Hee" title="Kim Keon Hee">Kim Keon Hee</a> and <a href="/wiki/National_Assembly_(South_Korea)" title="National Assembly (South Korea)">lawmaker</a> <a href="/wiki/Kweon_Seong-dong" title="Kweon Seong-dong">Kweon Seong-dong</a>, both of whom face separate <a href="/wiki/Corruption_in_South_Korea" title="Corruption in South Korea">corruption</a> charges. <a class="external text" href="https://apnews.com/article/arrest-warrant-unification-church-hak-ja-han-a94265a743ff76f860f1b5df9f6bed3f" rel="nofollow">(AP)</a></li></ul>
<p><b>Politics and elections</b>
</p>
<ul><li><a href="/wiki/Gaza_war_protests" title="Gaza war protests">Gaza war protests</a>
<ul><li><a class="mw-redirect" href="/wiki/September_2025_Italian_general_strike_for_Gaza" title="September 2025 Italian general strike for Gaza">September 2025 Italian general strike for Gaza</a>
<ul><li>Thousands of people across <a href="/wiki/Italy" title="Italy">Italy</a> hold rallies and a <a href="/wiki/General_strike" title="General strike">general strike</a> to protest against the <a href="/wiki/Israeli_occupation_of_the_Gaza_Strip" title="Israeli occupation of the Gaza Strip">Israeli occupation</a> of the <a href="/wiki/Gaza_Strip" title="Gaza Strip">Gaza Strip</a> and recent <a href="/wiki/2025_Gaza_City_offensive" title="2025 Gaza City offensive">ground offensive</a> into <a href="/wiki/Gaza_City" title="Gaza City">Gaza City</a>. <a class="mw-redirect" href="/wiki/Dock_worker" title="Dock worker">Dock workers</a> at ports in <a href="/wiki/Genoa" title="Genoa">Genoa</a>, <a href="/wiki/Livorno" title="Livorno">Livorno</a>, <a href="/wiki/Trieste" title="Trieste">Trieste</a>, and <a href="/wiki/Venice" title="Venice">Venice</a> hold strikes, while protesters clash with <a href="/wiki/Law_enforcement_in_Italy" title="Law enforcement in Italy">police</a> in <a href="/wiki/Milan" title="Milan">Milan</a> and 20,000 people march in <a href="/wiki/Rome" title="Rome">Rome</a>. <a class="external text" href="https://www.dw.com/en/italy-thousands-join-pro-palestinian-protests-strikes/a-74100712" rel="nofollow">(DW)</a> <a class="external text" href="https://www.lemonde.fr/en/international/article/2025/09/23/in-italy-tens-of-thousands-stage-protests-in-solidarity-with-gaza_6745649_4.html" rel="nofollow">(<i>Le Monde</i>)</a></li></ul></li></ul></li>
<li><a href="/wiki/2025_Malawian_general_election" title="2025 Malawian general election">2025 Malawian general election</a>
<ul><li>Former <a href="/wiki/Malawi" title="Malawi">Malawian</a> <a href="/wiki/President_of_Malawi" title="President of Malawi">president</a> <a href="/wiki/Peter_Mutharika" title="Peter Mutharika">Peter Mutharika</a> is projected to win the 2025 presidential election with more than 56% of the vote, according to unofficial tallies, while official results from the <a href="/wiki/Malawi_Electoral_Commission" title="Malawi Electoral Commission">electoral commission</a> show him leading incumbent <a href="/wiki/Lazarus_Chakwera" title="Lazarus Chakwera">Lazarus Chakwera</a>. <a class="external text" href="https://www.reuters.com/world/africa/malawis-times-tv-projects-ex-president-mutharika-will-win-presidential-election-2025-09-23/" rel="nofollow">(Reuters)</a></li></ul></li>
<li><a href="/wiki/2026_Ugandan_general_election" title="2026 Ugandan general election">2026 Ugandan general election</a>
<ul><li><a href="/wiki/Uganda" title="Uganda">Uganda</a>'s <a href="/wiki/Electoral_Commission_of_Uganda" title="Electoral Commission of Uganda">Electoral Commission</a> clears <a href="/wiki/President_of_Uganda" title="President of Uganda">President</a> <a href="/wiki/Yoweri_Museveni" title="Yoweri Museveni">Yoweri Museveni</a> to run for reelection in 2026, a move that could extend his rule to nearly 50 years. <a class="external text" href="https://www.reuters.com/world/africa/ugandas-museveni-cleared-seek-reelection-eyes-near-half-century-rule-2025-09-23/" rel="nofollow">(Reuters)</a></li></ul></li></ul>
<p><b>Science and technology</b>
</p>
<ul><li>Scientists in <a href="/wiki/Argentina" title="Argentina">Argentina</a> identify a new <a href="/wiki/Megaraptora" title="Megaraptora">megaraptoran</a> species, <i><a class="mw-redirect" href="/wiki/Joaquinraptor_casali" title="Joaquinraptor casali">Joaquinraptor casali</a></i>, from fossils in <a href="/wiki/Patagonia" title="Patagonia">Patagonia</a>, providing one of the most complete skeletons of its group. <a class="external text" href="https://apnews.com/article/new-dinosaur-megaraptoran-argentina-patagonia-4246f7559e4d7ee2dcde23dc2afcf0ad" rel="nofollow">(AP)</a></li></ul></div></div></div>
<link href="mw-data:TemplateStyles:r1305593205" rel="mw-deduplicated-inline-style"><div class="current-events">
<div aria-label="September 22" class="current-events-main vevent" id="2025_September_22" role="region">
<div class="current-events-heading plainlinks">
<div class="current-events-title" role="heading"><span class="summary">September 222025<span style="display: none;"> (<span class="bday dtstart published updated itvstart">2025-09-22</span>)</span> (Monday)</span>
</div>
<ul class="current-events-navbar editlink noprint"><li><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/2025_September_22&amp;action=edit&amp;editintro=Portal:Current_events/Edit_instructions">edit</a></li><li><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/2025_September_22&amp;action=history">history</a></li><li><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/2025_September_22&amp;action=watch">watch</a></li>
</ul>
</div>
<div class="current-events-content description">
<p><b>Armed conflicts and attacks</b>
</p>
<ul><li><a href="/wiki/Gaza_war" title="Gaza war">Gaza war</a>
<ul><li><a href="/wiki/2025_Gaza_City_offensive" title="2025 Gaza City offensive">2025 Gaza City offensive</a>
<ul><li>At least 37 <a href="/wiki/Palestinians" title="Palestinians">Palestinians</a> are killed from <a class="mw-redirect" href="/wiki/IDF" title="IDF">Israeli</a> attacks on the <a href="/wiki/Gaza_Strip" title="Gaza Strip">Gaza Strip</a>, including 30 in <a href="/wiki/Gaza_City" title="Gaza City">Gaza City</a>. <a class="external text" href="https://www.aljazeera.com/news/liveblog/2025/9/22/live-israel-keeps-pummeling-gaza-as-support-grows-for-palestinian-state" rel="nofollow">(Al Jazeera)</a></li></ul></li>
<li><a href="/wiki/Gaza_war_hostage_crisis" title="Gaza war hostage crisis">Gaza war hostage crisis</a>
<ul><li><a href="/wiki/Hamas" title="Hamas">Hamas</a> releases a video giving a sign of life for hostage Alon Ohel, who was kidnapped during the <a href="/wiki/October_7_attacks" title="October 7 attacks">October 7 attacks</a>. <a class="external text" href="https://www.timesofisrael.com/liveblog_entry/hamas-releases-propaganda-video-of-hostage-alon-ohel/" rel="nofollow">(<i>The Times of Israel</i>)</a> <a class="external text" href="https://www.ynetnews.com/article/hyzolcajgx" rel="nofollow">(YNet)</a></li></ul></li></ul></li>
<li><a class="mw-redirect" href="/wiki/Russian_invasion_of_Ukraine" title="Russian invasion of Ukraine">Russian invasion of Ukraine</a>
<ul><li><a href="/wiki/Zaporizhzhia_strikes_(2022%E2%80%93present)" title="Zaporizhzhia strikes (2022–present)">Zaporizhzhia strikes</a>, <a class="mw-redirect" href="/wiki/Attacks_on_civilians_in_the_Russian_invasion_of_Ukraine" title="Attacks on civilians in the Russian invasion of Ukraine">Attacks on civilians in the Russian invasion of Ukraine</a>
<ul><li><a href="/wiki/Russian_Armed_Forces" title="Russian Armed Forces">Russian forces</a> strike <a href="/wiki/Zaporizhzhia" title="Zaporizhzhia">Zaporizhzhia</a> with at least ten <a href="/wiki/Glide_bomb" title="Glide bomb">glide bombs</a>, killing three people and injuring two others. The overnight attack damages at least 15 <a href="/wiki/Apartment" title="Apartment">apartment</a> buildings and ten private homes in residential areas of the city. <a class="external text" href="https://www.reuters.com/world/europe/russian-attack-zaporizhzhia-kills-three-governor-says-2025-09-22/" rel="nofollow">(Reuters)</a></li></ul></li></ul></li>
<li><a href="/wiki/Insurgency_in_Khyber_Pakhtunkhwa" title="Insurgency in Khyber Pakhtunkhwa">Insurgency in Khyber Pakhtunkhwa</a>
<ul><li>A bomb explodes at a <a href="/wiki/Pakistani_Taliban" title="Pakistani Taliban">Pakistani Taliban</a> compound in the <a class="mw-redirect" href="/wiki/Tirah_Valley" title="Tirah Valley">Tirah Valley</a> in <a href="/wiki/Khyber_Pakhtunkhwa" title="Khyber Pakhtunkhwa">Khyber Pakhtunkhwa</a> during a raid, killing at least 24 people, including ten civilians and fourteen militants. <a class="external text" href="https://apnews.com/article/pakistan-explosion-stored-explosives-northwest-84d9838d6c3b7a6c3e0e07282406eaf8" rel="nofollow">(AP)</a> <a class="external text" href="https://www.dw.com/en/pakistan-more-than-20-killed-during-raid-in-border-region/a-74099053" rel="nofollow">(DW)</a></li></ul></li>
<li><a href="/wiki/Islamist_insurgency_in_Niger" title="Islamist insurgency in Niger">Islamist insurgency in Niger</a>
<ul><li>An <a href="/wiki/Airstrike" title="Airstrike">airstrike</a> near a market in Injar, <a href="/wiki/Tillab%C3%A9ri_Region" title="Tillabéri Region">Tillabéri Region</a>, <a href="/wiki/Niger" title="Niger">Niger</a>, kills at least 30 people. <a class="external text" href="https://www.reuters.com/world/africa/airstrike-kills-least-30-near-market-western-niger-sources-say-2025-09-26/" rel="nofollow">(Reuters)</a></li></ul></li></ul>
<p><b>Arts and culture</b>
</p>
<ul><li><a href="/wiki/Disciplinary_actions_for_commentary_on_the_assassination_of_Charlie_Kirk" title="Disciplinary actions for commentary on the assassination of Charlie Kirk">Disciplinary actions for commentary on the assassination of Charlie Kirk</a>
<ul><li><a href="/wiki/Suspension_of_Jimmy_Kimmel_Live!" title="Suspension of Jimmy Kimmel Live!">Suspension of <i>Jimmy Kimmel Live!</i></a>
<ul><li><a href="/wiki/American_Broadcasting_Company" title="American Broadcasting Company">ABC</a> parent company <a class="mw-redirect" href="/wiki/Disney" title="Disney">Disney</a> announces that <a href="/wiki/United_States" title="United States">American</a> <a href="/wiki/Late-night_talk_show" title="Late-night talk show">late-night talk show</a> <i><a href="/wiki/Jimmy_Kimmel_Live!" title="Jimmy Kimmel Live!">Jimmy Kimmel Live!</a></i> will begin airing again on Tuesday after it was "indefinitely suspended" last week following pressure from the <a href="/wiki/Second_presidency_of_Donald_Trump" title="Second presidency of Donald Trump">Trump administration</a> after host <a href="/wiki/Jimmy_Kimmel" title="Jimmy Kimmel">Jimmy Kimmel</a> commented on <a href="/wiki/Assassination_of_Charlie_Kirk" title="Assassination of Charlie Kirk">slain</a> <a class="mw-redirect" href="/wiki/Right-wing_politics_in_the_United_States" title="Right-wing politics in the United States">right-wing</a> political activist <a href="/wiki/Charlie_Kirk" title="Charlie Kirk">Charlie Kirk</a> and his fanbase. <a class="external text" href="https://www.npr.org/2025/09/22/nx-s1-5550330/jimmy-kimmel-back-suspended-disney-trump" rel="nofollow">(NPR)</a></li></ul></li></ul></li></ul>
<p><b>Business and economy</b>
</p>
<ul><li>Stocks in <a class="mw-redirect" href="/wiki/Kenvue_Inc." title="Kenvue Inc.">Kenvue Inc.</a> fall by 5% after the <a class="mw-redirect" href="/wiki/Second_Trump_administration" title="Second Trump administration">second Trump administration</a> issues statements citing <a class="mw-redirect" href="/wiki/Acetaminophen" title="Acetaminophen">acetaminophen</a> under their brand name <a href="/wiki/Tylenol_(brand)" title="Tylenol (brand)">Tylenol</a> as a <a class="mw-redirect" href="/wiki/Cause_of_autism" title="Cause of autism">cause of autism</a>. <a class="external text" href="https://finance.yahoo.com/news/tylenol-maker-kenvue-stock-lost-185855115.html" rel="nofollow">(Fortune)</a></li></ul>
<p><b>Disasters and accidents</b>
</p>
<ul><li><a href="/wiki/2024_European_heatwaves" title="2024 European heatwaves">2024 European heatwaves</a>
<ul><li><i><a href="/wiki/Nature_Medicine" title="Nature Medicine">Nature Medicine</a></i> publishes a report that <a href="/wiki/Europe" title="Europe">Europe</a> had over 62,700 <a href="/wiki/Heat_illness" title="Heat illness">heat-related deaths</a> in 2024, with women and elderly people representing the largest part of the death toll. <a class="external text" href="https://www.msn.com/en-ca/news/world/europe-had-over-62-700-heat-related-deaths-in-2024-report-finds/ar-AA1N4o9I?ocid=winp1taskbar&amp;cvid=68d1703b64bc43a4ba75984e71c87ab4&amp;ei=9" rel="nofollow">(MSN)</a></li></ul></li>
<li><a href="/wiki/2025_Pacific_typhoon_season" title="2025 Pacific typhoon season">2025 Pacific typhoon season</a>
<ul><li><a href="/wiki/Typhoon_Ragasa" title="Typhoon Ragasa">Typhoon Ragasa</a> makes landfall in <a href="/wiki/Luzon" title="Luzon">Luzon</a>, <a href="/wiki/Philippines" title="Philippines">Philippines</a>, killing at least three people and leaving six others missing, and triggering alerts and <a href="/wiki/Emergency_evacuation" title="Emergency evacuation">evacuation</a> orders in nearby <a href="/wiki/Hong_Kong" title="Hong Kong">Hong Kong</a> and southern <a href="/wiki/China" title="China">China</a>. <a class="external text" href="https://www.cnn.com/2025/09/22/asia/super-typhoon-ragasa-philippines-hong-kong-intl-hnk" rel="nofollow">(CNN)</a> <a class="external text" href="https://news.az/news/death-toll-from-super-typhoon-ragasa-in-philippines-climbs-to-3" rel="nofollow">(News.az)</a></li></ul></li>
<li>Twenty-five <a href="/wiki/Mineral_industry_of_Colombia" title="Mineral industry of Colombia">miners</a> are trapped about 80 metres (260 ft) underground after a <a class="mw-redirect" href="/wiki/Gold_mine" title="Gold mine">gold mine</a> collapses in <a href="/wiki/Segovia,_Antioquia" title="Segovia, Antioquia">Segovia</a>, <a href="/wiki/Antioquia_Department" title="Antioquia Department">Antioquia</a>, <a href="/wiki/Colombia" title="Colombia">Colombia</a>, with authorities confirming contact, stable health conditions, and ongoing rescue operations. <a class="external text" href="https://www.ctvnews.ca/world/article/colombia-rescuers-race-to-rescue-25-trapped-in-collapsed-gold-mine-owned-by-canadian-firm/" rel="nofollow">(AFP via CTV News)</a></li></ul>
<p><b>Health and environment</b>
</p>
<ul><li><a href="/wiki/2020%E2%80%932025_H5N1_outbreak" title="2020–2025 H5N1 outbreak">20202025 H5N1 outbreak</a>
<ul><li><a href="/wiki/Poland" title="Poland">Poland</a> reports an outbreak of highly pathogenic <a class="mw-redirect" href="/wiki/H5N1" title="H5N1">H5N1</a> <a href="/wiki/Avian_influenza" title="Avian influenza">avian influenza</a> on <a href="/wiki/Poultry_farming" title="Poultry farming">poultry farms</a> in <a href="/wiki/Susz" title="Susz">Susz</a>, <a href="/wiki/Warmian%E2%80%93Masurian_Voivodeship" title="Warmian–Masurian Voivodeship">Warmian–Masurian Voivodeship</a>, where around 4,000 birds have died. <a class="external text" href="https://www.reuters.com/business/healthcare-pharmaceuticals/poland-reports-bird-flu-outbreak-farms-north-woah-says-2025-09-22/" rel="nofollow">(Reuters)</a></li></ul></li>
<li><a href="/wiki/Causes_of_autism" title="Causes of autism">Causes of autism</a>
<ul><li><a class="mw-redirect" href="/wiki/U.S._president" title="U.S. president">U.S. president</a> <a href="/wiki/Donald_Trump" title="Donald Trump">Donald Trump</a> and <a href="/wiki/United_States_Secretary_of_Health_and_Human_Services" title="United States Secretary of Health and Human Services">health sectretary</a> <a href="/wiki/Robert_F._Kennedy_Jr." title="Robert F. Kennedy Jr.">Robert F. Kennedy Jr.</a> announce the <a class="mw-redirect" href="/wiki/U.S._Food_and_Drug_Administration" title="U.S. Food and Drug Administration">U.S. Food and Drug Administration</a> will advise doctors against recommending <a class="mw-redirect" href="/wiki/Acetaminophen" title="Acetaminophen">acetaminophen</a> to pregnant women, alleging a link between the drug and <a href="/wiki/Autism" title="Autism">autism</a>. <a class="external text" href="https://www.cnn.com/2025/09/22/health/trump-autism-announcement-cause-tylenol" rel="nofollow">(CNN)</a></li>
<li>The U.S. Food and Drug Administration approves <a class="mw-redirect" href="/wiki/Leucovorin" title="Leucovorin">leucovorin</a> for the treatment of <a href="/wiki/Cerebral_folate_deficiency" title="Cerebral folate deficiency">cerebral folate deficiency</a>, citing evidence that it can improve autistic features. <a class="external text" href="https://www.reuters.com/business/healthcare-pharmaceuticals/fda-approves-drug-that-trump-due-suggest-autism-treatment-2025-09-22/" rel="nofollow">(Reuters)</a></li></ul></li></ul>
<p><b>International relations</b>
</p>
<ul><li><a href="/wiki/International_recognition_of_Palestine" title="International recognition of Palestine">International recognition of Palestine</a>
<ul><li><a href="/wiki/Andorra" title="Andorra">Andorra</a>, <a href="/wiki/France" title="France">France</a>, <a href="/wiki/Luxembourg" title="Luxembourg">Luxembourg</a>, <a href="/wiki/Malta" title="Malta">Malta</a>, <a href="/wiki/Monaco" title="Monaco">Monaco</a>, and <a href="/wiki/San_Marino" title="San Marino">San Marino</a> formally recognize the <a class="mw-redirect" href="/wiki/State_of_Palestine" title="State of Palestine">State of Palestine</a> as a sovereign state with full rights. <a class="external text" href="https://www.reuters.com/world/live-france-formally-recognize-palestinian-state-two-state-solution-summit-2025-09-22/" rel="nofollow">(Reuters)</a> <a class="external text" href="https://www.cnn.com/world/live-news/israel-france-palestine-un-09-22-25#cmfvkmj4p0000356ob3dtalwh" rel="nofollow">(CNN)</a></li></ul></li>
<li><a href="/wiki/Israel%E2%80%93Singapore_relations" title="Israel–Singapore relations">Israel–Singapore relations</a>
<ul><li><a href="/wiki/Singapore" title="Singapore">Singapore</a> announces targeted sanctions on leaders of <a href="/wiki/Israel" title="Israel">Israeli</a> <a href="/wiki/Israeli_settlement" title="Israeli settlement">settler groups</a>, citing concerns over <a href="/wiki/Israeli_occupation_of_the_West_Bank" title="Israeli occupation of the West Bank">settlement expansion</a> in the <a class="mw-redirect" href="/wiki/Israeli_occupation" title="Israeli occupation">occupied</a> <a class="mw-redirect" href="/wiki/Palestinian_territories" title="Palestinian territories">Palestinian territories</a>. <a class="external text" href="https://www.reuters.com/world/asia-pacific/singapore-sanction-israeli-settler-leaders-supports-palestine-statehood-2025-09-22/" rel="nofollow">(Reuters)</a></li></ul></li>
<li><a href="/wiki/Burkina_Faso" title="Burkina Faso">Burkina Faso</a>, <a href="/wiki/Mali" title="Mali">Mali</a>, and <a href="/wiki/Niger" title="Niger">Niger</a>  (the <a href="/wiki/Alliance_of_Sahel_States" title="Alliance of Sahel States">Alliance of Sahel States</a>) announce their withdrawal from the <a href="/wiki/International_Criminal_Court" title="International Criminal Court">International Criminal Court</a>, citing its ineffectiveness. <a class="external text" href="https://www.france24.com/en/africa/20250922-niger-mali-and-burkina-faso-icc-withdrawal" rel="nofollow">(AFP via France 24)</a></li></ul>
<p><b>Law and crime</b>
</p>
<ul><li><a href="/wiki/Ecuadorian_conflict_(2024%E2%80%93present)" title="Ecuadorian conflict (2024–present)">Ecuadorian conflict</a>
<ul><li>Fourteen people are killed, including a guard, 14 others are injured and inmates escape during clashes between rival gangs at a jail in <a href="/wiki/Machala" title="Machala">Machala</a>, <a href="/wiki/El_Oro_Province" title="El Oro Province">El Oro Province</a>, <a href="/wiki/Ecuador" title="Ecuador">Ecuador</a>. <a class="external text" href="https://www.bbc.com/news/articles/c4gkwdzld23o" rel="nofollow">(BBC News)</a></li>
<li>About 1,000 protestors attack and destroy most of a police station along with vehicles and the houses of officers in <a href="/wiki/Otavalo_(city)" title="Otavalo (city)">Otavalo</a>, <a href="/wiki/Imbabura_Province" title="Imbabura Province">Imbabura Province</a>, Ecuador. Two people are injured. <a class="external text" href="https://apnews.com/article/protesta-violencia-policia-indigenas-ataque-incremento-precio-diesel-c9b984004de09876aaa2a1e29fb0ec9d" rel="nofollow">(AP)</a></li></ul></li>
<li><a href="/wiki/International_Criminal_Court_investigation_in_the_Philippines" title="International Criminal Court investigation in the Philippines">International Criminal Court investigation in the Philippines</a>
<ul><li>The <a href="/wiki/International_Criminal_Court" title="International Criminal Court">International Criminal Court</a> (ICC) charges former <a href="/wiki/President_of_the_Philippines" title="President of the Philippines">Philippine president</a> <a href="/wiki/Rodrigo_Duterte" title="Rodrigo Duterte">Rodrigo Duterte</a> with <a href="/wiki/Crimes_against_humanity" title="Crimes against humanity">crimes against humanity</a> for his alleged involvement in the killing of at least 76 people during his term as president and <a href="/wiki/Davao_City" title="Davao City">Davao City</a> <a href="/wiki/Mayor_of_Davao_City" title="Mayor of Davao City">mayor</a>. He was arrested in March under an ICC <a href="/wiki/Arrest_warrant" title="Arrest warrant">arrest warrant</a> and is currently held in a <a href="/wiki/Detention_(confinement)" title="Detention (confinement)">detention</a> facility in <a class="mw-redirect" href="/wiki/The_Netherlands" title="The Netherlands">the Netherlands</a>. <a class="external text" href="https://www.npr.org/2025/09/23/g-s1-90024/icc-charges-former-philippine-president-duterte-crimes-against-humanity" rel="nofollow">(NPR)</a> <a class="external text" href="https://www.bbc.com/news/articles/cg5e1v85lrdo" rel="nofollow">(BBC News)</a></li></ul></li>
<li><a href="/wiki/List_of_executive_orders_in_the_second_Trump_presidency" title="List of executive orders in the second Trump presidency">Executive orders in the second Trump presidency</a>
<ul><li><a href="/wiki/President_of_the_United_States" title="President of the United States">U.S. president</a> <a href="/wiki/Donald_Trump" title="Donald Trump">Donald Trump</a> signs an <a href="/wiki/Executive_order" title="Executive order">executive order</a> formally designating <a href="/wiki/Antifa_(United_States)" title="Antifa (United States)">Antifa</a> as a <a href="/wiki/List_of_designated_terrorist_groups" title="List of designated terrorist groups">terrorist organization</a>. <a class="external text" href="https://www.reuters.com/world/us/trump-signs-order-designating-antifa-terrorist-organization-2025-09-22/" rel="nofollow">(Reuters)</a></li></ul></li>
<li><a href="/wiki/Copenhagen_Airport" title="Copenhagen Airport">Copenhagen Airport</a> in <a href="/wiki/Denmark" title="Denmark">Denmark</a> and <a href="/wiki/Oslo_Airport,_Gardermoen" title="Oslo Airport, Gardermoen">Oslo Airport</a> in <a href="/wiki/Norway" title="Norway">Norway</a> are both closed and all flights are diverted after multiple "large drones" are sighted near the airports. It is unclear where the drones originated from or who is operating them. <a class="external text" href="https://www.bbc.co.uk/news/articles/cn4lj1yvgvgo" rel="nofollow">(BBC News)</a> <a class="external text" href="https://www.timesnownews.com/world/europe/copenhagen-oslo-airport-airspace-shut-after-drone-sighting-article-152876018" rel="nofollow">(Times Now)</a></li></ul>
<p><b>Politics and elections</b>
</p>
<ul><li><a href="/wiki/2025_Guinean_constitutional_referendum" title="2025 Guinean constitutional referendum">2025 Guinean constitutional referendum</a>
<ul><li>Provisional results show that over 90% of voters in <a href="/wiki/Guinea" title="Guinea">Guinea</a> approve a <a href="/wiki/Constitution_of_Guinea" title="Constitution of Guinea">constitutional</a> change that permits members of the <a href="/wiki/2021_Guinean_coup_d%27%C3%A9tat" title="2021 Guinean coup d'état">ruling junta</a> to seek the <a href="/wiki/List_of_presidents_of_Guinea" title="List of presidents of Guinea">presidency</a> and extend term limits, amid opposition boycotts and criticism that the process consolidates <a href="/wiki/Republic_of_Guinea_Armed_Forces" title="Republic of Guinea Armed Forces">military</a> power. <a class="external text" href="https://apnews.com/article/guinea-referendum-results-ff250763a11978489553a129e9653330" rel="nofollow">(AP)</a></li></ul></li>
<li><a href="/wiki/2025_Moldovan_parliamentary_election" title="2025 Moldovan parliamentary election">2025 Moldovan parliamentary election</a>
<ul><li><a href="/wiki/Moldova" title="Moldova">Moldovan</a> <a href="/wiki/Moldovan_Police" title="Moldovan Police">police</a> conduct 250 raids and detain 74 people as part of an investigation into an alleged <a href="/wiki/Russia" title="Russia">Russia</a>-supported plan to provoke unrest before the <a href="/wiki/Parliament_of_Moldova" title="Parliament of Moldova">parliamentary</a> election, with officials stating that suspects received training in <a href="/wiki/Serbia" title="Serbia">Serbia</a> while Russia denies involvement. <a class="external text" href="https://apnews.com/article/moldova-russia-arrests-plot-election-293ee902e878ce1efcca339759eb06d0" rel="nofollow">(AP)</a></li></ul></li>
<li><a href="/wiki/Human_rights_in_Egypt" title="Human rights in Egypt">Human rights in Egypt</a>
<ul><li><a href="/wiki/Egypt" title="Egypt">Egyptian</a> <a href="/wiki/President_of_Egypt" title="President of Egypt">president</a> <a href="/wiki/Abdel_Fattah_el-Sisi" title="Abdel Fattah el-Sisi">Abdel Fattah el-Sisi</a> grants a <a class="mw-redirect" href="/wiki/Presidential_pardon" title="Presidential pardon">presidential pardon</a> to activist <a href="/wiki/Alaa_Abd_El-Fattah" title="Alaa Abd El-Fattah">Alaa Abd El-Fattah</a> after he was detained in 2015 and re-arrested in 2019 for participating in <a href="/wiki/2019_Egyptian_protests" title="2019 Egyptian protests">unauthorized protests</a>. Abd el-Fattah was expected to be released in September 2024 after his 5-year <a href="/wiki/Sentence_(law)" title="Sentence (law)">sentence</a> ended but was continuously detained until now. <a class="external text" href="https://www.dw.com/en/egypt-pardons-jailed-activist-alaa-abd-el-fattah/a-74095862" rel="nofollow">(DW)</a> <a class="external text" href="https://www.reuters.com/world/africa/egypts-president-sisi-pardons-high-profile-egyptian-british-activist-alaa-abd-el-2025-09-22/" rel="nofollow">(Reuters)</a></li></ul></li>
<li><a href="/wiki/Costa_Rica" title="Costa Rica">Costa Rican</a> <a href="/wiki/President_of_Costa_Rica" title="President of Costa Rica">president</a> <a href="/wiki/Rodrigo_Chaves_Robles" title="Rodrigo Chaves Robles">Rodrigo Chaves Robles</a> survives a <a href="/wiki/Legislative_Assembly_of_Costa_Rica" title="Legislative Assembly of Costa Rica">congressional</a> vote to lift his <a href="/wiki/Absolute_immunity" title="Absolute immunity">immunity</a>, falling short of the required majority, after prosecutors accused him of <a href="/wiki/Abuse_of_power" title="Abuse of power">abuse of power</a> in a <a href="/wiki/Corruption_in_Costa_Rica" title="Corruption in Costa Rica">corruption</a> case. <a class="external text" href="https://www.bssnews.net/news/314516" rel="nofollow">(AFP/BSS)</a></li></ul>
<p><b>Sports</b>
</p>
<ul><li><a href="/wiki/2025_Ballon_d%27Or" title="2025 Ballon d'Or">2025 Ballon d'Or</a>
<ul><li>In <a href="/wiki/Association_football" title="Association football">association football</a>, <a href="/wiki/Football_in_France" title="Football in France">French</a> player <a href="/wiki/Ousmane_Demb%C3%A9l%C3%A9" title="Ousmane Dembélé">Ousmane Dembélé</a> and <a href="/wiki/Football_in_Spain" title="Football in Spain">Spanish</a> player <a href="/wiki/Aitana_Bonmat%C3%AD" title="Aitana Bonmatí">Aitana Bonmatí</a> are awarded their first <a href="/wiki/Ballon_d%27Or" title="Ballon d'Or">Ballon d'Or</a> and third consecutive <a href="/wiki/Ballon_d%27Or_F%C3%A9minin" title="Ballon d'Or Féminin">Ballon d'Or Féminin</a>, respectively. <a class="external text" href="https://www.thedailyjagran.com/sports/ousmane-dembele-wins-ballon-dor-2025-in-mens-category-aitana-bonmati-creates-history-with-third-successive-title-10268868" rel="nofollow">(<i>The Daily Jagran</i>)</a></li></ul></li>
<li><a href="/wiki/2025_CFL_season" title="2025 CFL season">2025 CFL season</a>
<ul><li><a href="/wiki/Canadian_Football_League" title="Canadian Football League">Canadian Football League</a> (CFL) commissioner <a href="/wiki/Stewart_Johnston" title="Stewart Johnston">Stewart Johnston</a> announces significant changes to the rules and playing field of the CFL, to take effect in starting in the 2026 and 2027 season, respectively. <a class="external text" href="https://www.tsn.ca/cfl/article/cfl-announces-changes-to-playing-surface-modified-rouge/" rel="nofollow">(TSN)</a></li></ul></li>
<li>In <a href="/wiki/Ski_mountaineering" title="Ski mountaineering">ski mountaineering</a>, <a href="/wiki/Polish_people" title="Polish people">Polish</a> climber <a href="/wiki/Andrzej_Bargiel" title="Andrzej Bargiel">Andrzej Bargiel</a> becomes <a href="/wiki/List_of_Mount_Everest_records" title="List of Mount Everest records">the first person</a> to complete a continuous <a href="/wiki/List_of_ski_descents_of_eight-thousanders" title="List of ski descents of eight-thousanders">ski descent</a> of <a href="/wiki/Mount_Everest" title="Mount Everest">Mount Everest</a> without <a class="mw-redirect" href="/wiki/Supplemental_oxygen" title="Supplemental oxygen">supplemental oxygen</a>. <a class="external text" href="https://www.cbsnews.com/news/first-climber-ski-everest-no-extra-oxygen-andrzej-bargiel/" rel="nofollow">(CBS News)</a></li></ul></div></div></div>
<div class="current-events-more current-events-main noprint"><a href="/wiki/Portal:Current_events/September_2025" title="Portal:Current events/September 2025">More September 2025 events...</a>
</div>
</link></link></link></link></link></link></div>
<div class="p-current-events-calside">
<style data-mw-deduplicate="TemplateStyles:r1209890462">.mw-parser-output .p-current-events-calendar{margin:0.7em 0;border:1px solid #cedff2;padding:0.5em;background-color:#f5faff;color:#333;font-size:75%;text-align:center}.mw-parser-output .p-current-events-calendar>div{padding:0.2em 0;background-color:#cedff2;color:#333}.mw-parser-output .p-current-events-calendar span[role="separator"]{margin:0 0.6em}</style><div class="p-current-events-calendar"><div><b>Time</b>: 17:54 <a href="/wiki/Coordinated_Universal_Time" title="Coordinated Universal Time">UTC</a><span role="separator">|</span><b>Day</b>: <a class="mw-redirect" href="/wiki/28_September" title="28 September">28 September</a><span class="noprint" role="separator"></span>
</div>
</div>
<style data-mw-deduplicate="TemplateStyles:r1053509144">.mw-parser-output .current-events-calendar{clear:right;max-width:350px;width:100%;margin:auto;padding:0.2em;font-size:88%;line-height:1.5;border-spacing:3px;border:1px solid #cedff2;text-align:center;background-color:#f5faff;color:black}.mw-parser-output .current-events-calendar tbody a{font-weight:bold;width:100%;display:inline-block}.mw-parser-output .current-events-calendar-archive{margin:8px 0 0 0}.mw-parser-output .current-events-calendar caption{font-weight:bold;background-color:#cedff2;line-height:1.6;padding:0.2em}.mw-parser-output .current-events-calendar caption span:first-child{float:left;width:calc(14% + 6px)}.mw-parser-output .current-events-calendar caption span:last-child{float:right;width:calc(14% + 6px)}.mw-parser-output .current-events-calendar th{width:14%}.mw-parser-output .current-events-calendar-footer td{padding-top:3px;padding-bottom:5px;text-align:right}.mw-parser-output .current-events-calendar-footer td a{font-weight:normal;width:initial}</style><table class="current-events-calendar"><caption><span class="noprint"><a href="/wiki/Portal:Current_events/August_2025" title="Portal:Current events/August 2025">◀</a></span><span><a href="/wiki/Portal:Current_events/September_2025" title="Portal:Current events/September 2025">September 2025</a></span><span class="noprint"><a href="/wiki/Portal:Current_events/October_2025" title="Portal:Current events/October 2025">▶</a></span></caption><tbody><tr><th>S</th><th>M</th><th>T</th><th>W</th><th>T</th><th>F</th><th>S</th></tr><tr><td></td><td>1</td><td>2</td><td>3</td><td>4</td><td>5</td><td>6</td></tr><tr><td>7</td><td>8</td><td>9</td><td>10</td><td>11</td><td>12</td><td>13</td></tr><tr><td>14</td><td>15</td><td>16</td><td>17</td><td>18</td><td>19</td><td>20</td></tr><tr><td>21</td><td><a href="#2025_September_22">22</a></td><td><a href="#2025_September_23">23</a></td><td><a href="#2025_September_24">24</a></td><td><a href="#2025_September_25">25</a></td><td><a href="#2025_September_26">26</a></td><td><a href="#2025_September_27">27</a></td></tr><tr><td><a href="#2025_September_28">28</a></td><td>29</td><td>30</td><td></td><td></td><td></td><td></td></tr><tr class="current-events-calendar-footer noprint"><td colspan="7"><a href="/wiki/Portal:Current_events/September_2025" title="Portal:Current events/September 2025">More September 2025 events...   </a></td></tr></tbody></table>
<div class="shortdescription nomobile noexcerpt noprint searchaux" style="display:none">Wikimedia portal</div>
<style data-mw-deduplicate="TemplateStyles:r1235901060">.mw-parser-output .current-events-sidebar-header{clear:both;margin:0.7em 0;border:1px solid #cedff2;padding:0.5em;background-color:#f8f9fa;color:#333;text-align:center;font-size:70%;font-style:italic}.mw-parser-output .current-events-sidebar{margin:1.1em 0;border:1px solid #cedff2;padding:0.4em;font-size:88%;background-color:#f5faff;color:#333}.mw-parser-output .current-events-sidebar::after{content:"";clear:both;display:table}.mw-parser-output .current-events-sidebar>div:not(.mw-collapsible-content){padding:0 0.4em;background-color:#cedff2;color:#333}.mw-parser-output .current-events-sidebar>div>.mw-heading2{line-height:inherit;font-family:inherit;font:inherit;border:inherit;padding-top:inherit;padding-bottom:inherit;margin:inherit;margin-top:inherit}.mw-parser-output .current-events-sidebar>div>div>h2{display:block;margin:0;border:none;padding:0;font-size:125%;line-height:inherit;font-family:inherit;font-weight:bold}.mw-parser-output .current-events-sidebar h3{font-size:inherit}.mw-parser-output .current-events-sidebar .editlink{font-size:85%;text-align:right}</style>
<div class="noprint" style="clear:both; margin:0.7em 0; border:1px solid #cedff2; padding:0.7em 0.5em; background-color: #f8f9fa; line-height:2; text-align:center; font-size:80%"><a href="/wiki/Wikipedia:How_the_Current_events_page_works" title="Wikipedia:How the Current events page works">About this page</a><a href="/wiki/Wikipedia:Wikipedia_Signpost" title="Wikipedia:Wikipedia Signpost">News about Wikipedia</a>
</div>
<div aria-labelledby="Ongoing_events" class="mw-collapsible current-events-sidebar" role="region" style="width:30em">
<div><div class="mw-heading mw-heading2"><h2 id="Ongoing_events">Ongoing events</h2></div></div>
<div class="mw-collapsible-content">
<dl><dd><div class="mw-heading mw-heading3"><h3 id="Disasters_and_humanitarian">Disasters and humanitarian</h3></div></dd></dl>
<ul><li><a href="/wiki/Gaza_genocide" title="Gaza genocide">Gaza genocide</a></li>
<li><a href="/wiki/Ukrainian_refugee_crisis" title="Ukrainian refugee crisis">Ukrainian refugee crisis</a></li>
<li><a href="/wiki/Crisis_in_Venezuela" title="Crisis in Venezuela">Venezuelan crisis</a></li></ul>
<dl><dd><div class="mw-heading mw-heading3"><h3 id="Economics">Economics</h3></div></dd></dl>
<ul><li><a href="/wiki/German_economic_crisis_(2022%E2%80%93present)" title="German economic crisis (2022–present)">German economic crisis</a></li>
<li><a href="/wiki/United_Kingdom_cost-of-living_crisis" title="United Kingdom cost-of-living crisis">United Kingdom cost-of-living crisis</a></li>
<li><a href="/wiki/Tariffs_in_the_second_Trump_administration" title="Tariffs in the second Trump administration">United States tariff policy</a></li></ul>
<dl><dd><ul><li><a href="/wiki/2025_United_States_trade_war_with_Canada_and_Mexico" title="2025 United States trade war with Canada and Mexico">United States–Canada–Mexico trade war</a></li>
<li><a href="/wiki/China%E2%80%93United_States_trade_war" title="China–United States trade war">United States–China trade war</a></li></ul></dd></dl>
<dl><dd><div class="mw-heading mw-heading3"><h3 id="Politics_and_diplomacy">Politics and diplomacy</h3></div></dd></dl>
<ul><li><a href="/wiki/2024%E2%80%932025_French_political_crisis" title="2024–2025 French political crisis">French political crisis</a></li>
<li><a href="/wiki/Gaza_war_hostage_crisis" title="Gaza war hostage crisis">Gaza war hostage crisis</a></li>
<li><a class="mw-redirect" href="/wiki/Peace_negotiations_in_the_Russian_invasion_of_Ukraine" title="Peace negotiations in the Russian invasion of Ukraine">Russia–Ukraine peace negotiations</a></li>
<li><a href="/wiki/Deportation_in_the_second_Trump_administration" title="Deportation in the second Trump administration">United States deportation efforts</a></li>
<li><a href="/wiki/2025_United_States%E2%80%93India_diplomatic_and_trade_crisis" title="2025 United States–India diplomatic and trade crisis">United States–India diplomatic and trade crisis</a></li></ul>
<dl><dd><div class="mw-heading mw-heading3"><h3 id="Protests_and_strikes">Protests and strikes</h3></div></dd></dl>
<ul><li><a href="/wiki/2025_British_anti-immigration_protests" title="2025 British anti-immigration protests">British anti-immigration protests</a></li>
<li><a href="/wiki/Gaza_war_protests" title="Gaza war protests">Gaza war protests</a></li>
<li><a href="/wiki/2024%E2%80%932025_Georgian_protests" title="2024–2025 Georgian protests">Georgian protests</a> and <a href="/wiki/2024%E2%80%932025_Georgian_political_crisis" title="2024–2025 Georgian political crisis">political crisis</a></li>
<li><a href="/wiki/2024%E2%80%93present_Serbian_anti-corruption_protests" title="2024–present Serbian anti-corruption protests">Serbian anti-corruption protests</a></li>
<li><a href="/wiki/2025_Thai_political_crisis" title="2025 Thai political crisis">Thai political crisis</a></li></ul>
<dl><dd><div class="mw-heading mw-heading3"><h3 id="Weather">Weather</h3></div></dd></dl>
<ul><li><a href="/wiki/2025_Pacific_typhoon_season" title="2025 Pacific typhoon season">Pacific typhoon season</a></li></ul>
<dl><dd><ul><li><a href="/wiki/Typhoon_Bualoi_(2025)" title="Typhoon Bualoi (2025)">Typhoon Bualoi</a></li></ul></dd></dl>
<div class="editlink noprint plainlinks"><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/Sidebar&amp;action=edit">edit section</a></div>
</div>
</div>
<div aria-labelledby="Elections_and_referenda" class="mw-collapsible current-events-sidebar" role="region" style="width:30em">
<div><div class="mw-heading mw-heading2"><h2 id="Elections_and_referendums"><a href="/wiki/2025_national_electoral_calendar" title="2025 national electoral calendar">Elections and referendums</a></h2></div></div>
<div class="mw-collapsible-content">
<dl><dd><div class="mw-heading mw-heading3"><h3 id="Recent">Recent</h3></div></dd></dl>
<ul><li><b>September</b></li></ul>
<dl><dd><ul><li>14: <i><b><a href="/wiki/Elections_in_Macau" title="Elections in Macau">Macau</a></b></i>, <i><a href="/wiki/2025_Macanese_legislative_election" title="2025 Macanese legislative election">Legislative Assembly</a></i></li>
<li>16: <b><a href="/wiki/Elections_in_Malawi" title="Elections in Malawi">Malawi</a></b>, <a href="/wiki/2025_Malawian_general_election" title="2025 Malawian general election">President, National Assembly</a></li>
<li>21: <b><a href="/wiki/Elections_in_Guinea" title="Elections in Guinea">Guinea</a></b>, <a href="/wiki/2025_Guinean_constitutional_referendum" title="2025 Guinean constitutional referendum">Constitutional referendum</a></li>
<li>27: <b><a href="/wiki/Elections_in_Gabon" title="Elections in Gabon">Gabon</a></b>, <a href="/wiki/2025_Gabonese_parliamentary_election" title="2025 Gabonese parliamentary election">National Assembly <span style="font-size:90%;">(1st round)</span></a></li>
<li>2527: <b><a href="/wiki/Elections_in_Seychelles" title="Elections in Seychelles">Seychelles</a></b>, <a href="/wiki/2025_Seychellois_general_election" title="2025 Seychellois general election">President <span style="font-size:90%;">(1st round)</span>, National Assembly</a></li></ul></dd>
<dd><div class="mw-heading mw-heading3"><h3 id="Upcoming">Upcoming</h3></div>
<ul><li>28: <b><a href="/wiki/Elections_in_Moldova" title="Elections in Moldova">Moldova</a></b>, <a href="/wiki/2025_Moldovan_parliamentary_election" title="2025 Moldovan parliamentary election">Parliament</a></li></ul></dd></dl>
<ul><li><b>October</b></li></ul>
<dl><dd><ul><li>34: <b><a class="mw-redirect" href="/wiki/Elections_in_Czech_Republic" title="Elections in Czech Republic">Czech Republic</a></b>, <a href="/wiki/2025_Czech_parliamentary_election" title="2025 Czech parliamentary election">Chamber of Deputies</a></li>
<li><span aria-hidden="true" style="visibility:hidden;color:transparent;">0</span>5: <b><a href="/wiki/Elections_in_Syria" title="Elections in Syria">Syria</a></b>, <a href="/wiki/2025_Syrian_parliamentary_election" title="2025 Syrian parliamentary election">People's Assembly <span style="font-size:90%;">(indirect)</span></a></li>
<li>9–11: <b><a href="/wiki/Elections_in_Seychelles" title="Elections in Seychelles">Seychelles</a></b>, <a href="/wiki/2025_Seychellois_general_election" title="2025 Seychellois general election">President <span style="font-size:90%;">(2nd round)</span></a></li>
<li>11: <b><a href="/wiki/Elections_in_Gabon" title="Elections in Gabon">Gabon</a></b>, <a href="/wiki/2025_Gabonese_parliamentary_election" title="2025 Gabonese parliamentary election">National Assembly <span style="font-size:90%;">(2nd round)</span></a></li>
<li>12: <b><a href="/wiki/Elections_in_Cameroon" title="Elections in Cameroon">Cameroon</a></b>, <a href="/wiki/2025_Cameroonian_presidential_election" title="2025 Cameroonian presidential election">President</a></li></ul></dd></dl>
<div class="editlink noprint plainlinks"><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/Sidebar&amp;action=edit">edit section</a></div>
</div>
</div>
<div aria-labelledby="Sport" class="mw-collapsible current-events-sidebar" role="region" style="width:30em">
<div><div class="mw-heading mw-heading2"><h2 id="Sports"><a href="/wiki/2025_in_sports" title="2025 in sports">Sports</a></h2></div></div>
<div class="mw-collapsible-content">
<ul><li>American football</li></ul>
<dl><dd><ul><li><a href="/wiki/2025_NFL_season" title="2025 NFL season">2025 NFL season</a></li>
<li><a href="/wiki/2025_NCAA_Division_I_FBS_football_season" title="2025 NCAA Division I FBS football season">2025 NCAA Division I FBS season</a></li></ul></dd></dl>
<ul><li><a href="/wiki/2025_in_association_football" title="2025 in association football">Association football</a></li></ul>
<dl><dd><ul><li><a href="/wiki/2025%E2%80%9326_UEFA_Champions_League" title="2025–26 UEFA Champions League">202526 UEFA Champions League</a></li>
<li><a href="/wiki/2025%E2%80%9326_UEFA_Europa_League" title="2025–26 UEFA Europa League">202526 UEFA Europa League</a></li>
<li><a href="/wiki/2025%E2%80%9326_UEFA_Conference_League" title="2025–26 UEFA Conference League">202526 UEFA Conference League</a></li>
<li><a href="/wiki/2025_Copa_Libertadores" title="2025 Copa Libertadores">2025 Copa Libertadores</a></li>
<li><a href="/wiki/2025%E2%80%9326_UEFA_Women%27s_Champions_League" title="2025–26 UEFA Women's Champions League">202526 UEFA Women's Champions League</a></li>
<li><a href="/wiki/2025%E2%80%9326_UEFA_Women%27s_Europa_Cup" title="2025–26 UEFA Women's Europa Cup">2025–26 UEFA Women's Europa Cup</a></li>
<li><a href="/wiki/2025%E2%80%9326_Premier_League" title="2025–26 Premier League">202526 Premier League</a></li>
<li><a href="/wiki/2025%E2%80%9326_La_Liga" title="2025–26 La Liga">202526 La Liga</a></li>
<li><a href="/wiki/2025%E2%80%9326_Bundesliga" title="2025–26 Bundesliga">202526 Bundesliga</a></li>
<li><a href="/wiki/2025%E2%80%9326_Serie_A" title="2025–26 Serie A">202526 Serie A</a></li>
<li><a href="/wiki/2025%E2%80%9326_Ligue_1" title="2025–26 Ligue 1">202526 Ligue 1</a></li>
<li><a href="/wiki/2025_Major_League_Soccer_season" title="2025 Major League Soccer season">2025 Major League Soccer season</a></li>
<li><a href="/wiki/2025_National_Women%27s_Soccer_League_season" title="2025 National Women's Soccer League season">2025 National Women's Soccer League season</a></li>
<li><a href="/wiki/2025%E2%80%9326_Women%27s_Super_League" title="2025–26 Women's Super League">2025–26 Women's Super League</a></li></ul></dd></dl>
<ul><li>Australian rules football</li></ul>
<dl><dd><ul><li><a href="/wiki/2025_AFL_Women%27s_season" title="2025 AFL Women's season">2025 AFL Women's season</a></li></ul></dd></dl>
<ul><li><a href="/wiki/2025_in_baseball" title="2025 in baseball">Baseball</a></li></ul>
<dl><dd><ul><li><a href="/wiki/2025_Major_League_Baseball_season" title="2025 Major League Baseball season">2025 MLB season</a></li>
<li><a href="/wiki/2025_Nippon_Professional_Baseball_season" title="2025 Nippon Professional Baseball season">2025 NPB season</a></li></ul></dd></dl>
<ul><li><a class="mw-redirect" href="/wiki/2025_in_basketball" title="2025 in basketball">Basketball</a></li></ul>
<dl><dd><ul><li><a href="/wiki/2025_WNBA_playoffs" title="2025 WNBA playoffs">2025 WNBA playoffs</a></li></ul></dd></dl>
<ul><li>Canadian football</li></ul>
<dl><dd><ul><li><a href="/wiki/2025_CFL_season" title="2025 CFL season">2025 CFL season</a></li></ul></dd></dl>
<ul><li><a href="/wiki/International_cricket_in_2025" title="International cricket in 2025">International cricket</a></li></ul>
<dl><dd><ul><li><a class="mw-redirect" href="/wiki/2025%E2%80%932027_ICC_World_Test_Championship" title="2025–2027 ICC World Test Championship">202527 ICC World Test Championship</a></li></ul></dd></dl>
<ul><li>Cycling</li></ul>
<dl><dd><ul><li><a href="/wiki/2025_UCI_World_Tour" title="2025 UCI World Tour">2025 UCI World Tour</a></li></ul></dd></dl>
<ul><li>Golf</li></ul>
<dl><dd><ul><li><a href="/wiki/2025_Ryder_Cup" title="2025 Ryder Cup">2025 Ryder Cup</a></li>
<li><a href="/wiki/2025_PGA_Tour" title="2025 PGA Tour">2025 PGA Tour</a></li>
<li><a href="/wiki/2025_LPGA_Tour" title="2025 LPGA Tour">2025 LPGA Tour</a></li></ul></dd></dl>
<ul><li>Motorsport</li></ul>
<dl><dd><ul><li><a href="/wiki/2025_Formula_One_World_Championship" title="2025 Formula One World Championship">2025 Formula One World Championship</a></li>
<li><a href="/wiki/2025_MotoGP_World_Championship" title="2025 MotoGP World Championship">2025 MotoGP World Championship</a></li>
<li><a href="/wiki/2025_World_Rally_Championship" title="2025 World Rally Championship">2025 World Rally Championship</a></li>
<li><a href="/wiki/2025_NASCAR_Cup_Series" title="2025 NASCAR Cup Series">2025 NASCAR Cup Series</a></li></ul></dd></dl>
<ul><li>Rugby league</li></ul>
<dl><dd><ul><li><a href="/wiki/2025_NRL_season" title="2025 NRL season">2025 NRL season</a></li>
<li><a href="/wiki/2025_Super_League_season" title="2025 Super League season">2025 Super League season</a></li></ul></dd></dl>
<ul><li>Rugby union</li></ul>
<dl><dd><ul><li><a href="/wiki/2025_Rugby_Championship" title="2025 Rugby Championship">2025 Rugby Championship</a></li></ul></dd></dl>
<ul><li><a href="/wiki/2025_in_tennis" title="2025 in tennis">Tennis</a></li></ul>
<dl><dd><ul><li><a href="/wiki/2025_ATP_Tour" title="2025 ATP Tour">2025 ATP Tour</a></li>
<li><a href="/wiki/2025_WTA_Tour" title="2025 WTA Tour">2025 WTA Tour</a></li></ul></dd></dl>
<ul><li>Volleyball</li></ul>
<dl><dd><ul><li><a href="/wiki/2025_FIVB_Men%27s_Volleyball_World_Championship" title="2025 FIVB Men's Volleyball World Championship">2025 FIVB Men's Volleyball World Championship</a></li></ul></dd></dl>
<div style="font-weight:bold">More details – <a href="/wiki/Portal:Current_events/Sports" title="Portal:Current events/Sports">current sports events</a></div>
<div class="editlink noprint plainlinks"><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/Sidebar&amp;action=edit">edit section</a></div>
</div>
</div>
<div aria-labelledby="Recent_deaths" class="mw-collapsible current-events-sidebar" role="region" style="width:30em">
<div><div class="mw-heading mw-heading2"><h2 id="Recent_deaths">Recent deaths</h2></div></div>
<div class="mw-collapsible-content">
<style data-mw-deduplicate="TemplateStyles:r1116690953">.mw-parser-output .gridlist ul{display:grid;grid-template-columns:repeat(2,1fr)}body:not(.skin-minerva) .mw-parser-output .gridlist ul{grid-column-gap:2.6em}body.skin-minerva .mw-parser-output .gridlist ul{grid-column-gap:2em}</style><div class="gridlist">
<dl><dd><div class="mw-heading mw-heading3"><h3 id="September0/0August"><span id="September0.2F0August"></span><a class="mw-redirect" href="/wiki/Deaths_in_September_2025" title="Deaths in September 2025">September</a><span aria-hidden="true" style="visibility:hidden;color:transparent;">0</span>/<span aria-hidden="true" style="visibility:hidden;color:transparent;">0</span><a href="/wiki/Deaths_in_August_2025" title="Deaths in August 2025">August</a></h3></div></dd></dl>
<ul><li>27: <a href="/wiki/Russell_M._Nelson" title="Russell M. Nelson">Russell M. Nelson</a></li>
<li>27: <a href="/wiki/Chang_Chun-hsiung" title="Chang Chun-hsiung">Chang Chun-hsiung</a></li>
<li>26: <a href="/wiki/Menzies_Campbell" title="Menzies Campbell">Menzies Campbell</a></li>
<li>25: <a href="/wiki/Robert_Barnett_(lawyer)" title="Robert Barnett (lawyer)">Robert Barnett</a></li>
<li>25: <a href="/wiki/Voddie_Baucham" title="Voddie Baucham">Voddie Baucham</a></li>
<li>25: <a href="/wiki/Assata_Shakur" title="Assata Shakur">Assata Shakur</a></li>
<li>24: <a href="/wiki/Sara_Jane_Moore" title="Sara Jane Moore">Sara Jane Moore</a></li>
<li>23: <a href="/wiki/Claudia_Cardinale" title="Claudia Cardinale">Claudia Cardinale</a></li>
<li>23: <a href="/wiki/Rudi_Johnson" title="Rudi Johnson">Rudi Johnson</a></li>
<li>23: <a href="/wiki/Abdulaziz_Al_Sheikh" title="Abdulaziz Al Sheikh">Abdulaziz Al Sheikh</a></li>
<li>23: <a href="/wiki/Danny_Thompson" title="Danny Thompson">Danny Thompson</a></li>
<li>22: <a href="/wiki/Dickie_Bird" title="Dickie Bird">Dickie Bird</a></li>
<li>21: <a href="/wiki/Bernie_Parent" title="Bernie Parent">Bernie Parent</a></li>
<li>21: <a href="/wiki/John_Stapleton_(English_journalist)" title="John Stapleton (English journalist)">John Stapleton</a></li>
<li>20: <a href="/wiki/Matt_Beard" title="Matt Beard">Matt Beard</a></li>
<li>19: <a href="/wiki/Sonny_Curtis" title="Sonny Curtis">Sonny Curtis</a></li>
<li>18: <a href="/wiki/Brett_James" title="Brett James">Brett James</a></li>
<li>18: <a href="/wiki/Diane_Martel" title="Diane Martel">Diane Martel</a></li>
<li>18: <a href="/wiki/Charles_Guthrie,_Baron_Guthrie_of_Craigiebank" title="Charles Guthrie, Baron Guthrie of Craigiebank">Charles Guthrie</a></li>
<li>18: <a href="/wiki/George_Smoot" title="George Smoot">George Smoot</a></li>
<li>17: <a href="/wiki/Roger_Climpson" title="Roger Climpson">Roger Climpson</a></li>
<li>16: <a href="/wiki/Tomas_Lindberg" title="Tomas Lindberg">Tomas Lindberg</a></li>
<li>16: <a href="/wiki/Robert_Redford" title="Robert Redford">Robert Redford</a></li>
<li>16: <a href="/wiki/Joseph_Urusemal" title="Joseph Urusemal">Joseph Urusemal</a></li>
<li>14: <a href="/wiki/Pat_Crowley" title="Pat Crowley">Pat Crowley</a></li>
<li>14: <a href="/wiki/Jim_Edgar" title="Jim Edgar">Jim Edgar</a></li>
<li>14: <a href="/wiki/Ricky_Hatton" title="Ricky Hatton">Ricky Hatton</a></li>
<li>14: <a href="/wiki/Beverly_Thomson" title="Beverly Thomson">Beverly Thomson</a></li>
<li>11: <a href="/wiki/Tiana_Mangakahia" title="Tiana Mangakahia">Tiana Mangakahia</a></li>
<li>11: <a href="/wiki/Yu_Menglong" title="Yu Menglong">Yu Menglong</a></li>
<li>10: <a class="mw-redirect" href="/wiki/Bobby_Hart_(songwriter)" title="Bobby Hart (songwriter)">Bobby Hart</a></li>
<li>10: <a href="/wiki/Charlie_Kirk" title="Charlie Kirk">Charlie Kirk</a></li>
<li><span aria-hidden="true" style="visibility:hidden;color:transparent;">0</span>9: <a href="/wiki/Polly_Holliday" title="Polly Holliday">Polly Holliday</a></li>
<li><span aria-hidden="true" style="visibility:hidden;color:transparent;">0</span>7: <a href="/wiki/John_Burton_(American_politician)" title="John Burton (American politician)">John Burton</a></li>
<li><span aria-hidden="true" style="visibility:hidden;color:transparent;">0</span>7: <a href="/wiki/Stuart_Craig" title="Stuart Craig">Stuart Craig</a></li>
<li><span aria-hidden="true" style="visibility:hidden;color:transparent;">0</span>7: <a href="/wiki/Edmund_Wickham_Lawrence" title="Edmund Wickham Lawrence">Edmund Lawrence</a></li>
<li><span aria-hidden="true" style="visibility:hidden;color:transparent;">0</span>6: <a href="/wiki/David_Baltimore" title="David Baltimore">David Baltimore</a></li>
<li><span aria-hidden="true" style="visibility:hidden;color:transparent;">0</span>6: <a href="/wiki/Rick_Davies" title="Rick Davies">Rick Davies</a></li>
<li><span aria-hidden="true" style="visibility:hidden;color:transparent;">0</span>6: <a href="/wiki/Christoph_von_Dohn%C3%A1nyi" title="Christoph von Dohnányi">Christoph von Dohnányi</a></li>
<li><span aria-hidden="true" style="visibility:hidden;color:transparent;">0</span>5: <a href="/wiki/Ken_Dryden" title="Ken Dryden">Ken Dryden</a></li>
<li><span aria-hidden="true" style="visibility:hidden;color:transparent;">0</span>5: <a href="/wiki/Davey_Johnson" title="Davey Johnson">Davey Johnson</a></li>
<li><span aria-hidden="true" style="visibility:hidden;color:transparent;">0</span>5: <a href="/wiki/Mark_Volman" title="Mark Volman">Mark Volman</a></li>
<li><span aria-hidden="true" style="visibility:hidden;color:transparent;">0</span>4: <span style="font-size:94%;"><a href="/wiki/Katharine,_Duchess_of_Kent" title="Katharine, Duchess of Kent">Katharine, Duchess of Kent</a></span></li>
<li><span aria-hidden="true" style="visibility:hidden;color:transparent;">0</span>4: <a href="/wiki/Joseph_McNeil" title="Joseph McNeil">Joseph McNeil</a></li>
<li><span aria-hidden="true" style="visibility:hidden;color:transparent;">0</span>4: <a href="/wiki/Giorgio_Armani" title="Giorgio Armani">Giorgio Armani</a></li>
<li><span aria-hidden="true" style="visibility:hidden;color:transparent;">0</span>2: <a href="/wiki/Patrick_Hemingway" title="Patrick Hemingway">Patrick Hemingway</a></li>
<li><span aria-hidden="true" style="visibility:hidden;color:transparent;">0</span>1: <a href="/wiki/Joe_Bugner" title="Joe Bugner">Joe Bugner</a></li>
<li><span aria-hidden="true" style="visibility:hidden;color:transparent;">0</span>1: <a href="/wiki/Graham_Greene_(actor)" title="Graham Greene (actor)">Graham Greene</a></li>
<li><span aria-hidden="true" style="visibility:hidden;color:transparent;">0</span>1: <a href="/wiki/George_Raveling" title="George Raveling">George Raveling</a></li>
<li>30: <a href="/wiki/Andriy_Parubiy" title="Andriy Parubiy">Andriy Parubiy</a></li>
<li>29: <a href="/wiki/Rodion_Shchedrin" title="Rodion Shchedrin">Rodion Shchedrin</a></li></ul>
</div>
<div class="editlink noprint plainlinks"><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/Sidebar&amp;action=edit">edit section</a></div>
</div>
</div>
<div aria-labelledby="Ongoing_conflicts" class="mw-collapsible current-events-sidebar" role="region" style="width:30em">
<div><div class="mw-heading mw-heading2"><h2 id="Ongoing_conflicts"><a href="/wiki/List_of_ongoing_armed_conflicts" title="List of ongoing armed conflicts">Ongoing conflicts</a></h2></div></div>
<div class="mw-collapsible-content">
<dl><dd><div class="mw-heading mw-heading3"><h3 id="Global">Global</h3></div></dd></dl>
<ul><li><a href="/wiki/War_against_the_Islamic_State" title="War against the Islamic State">War against the Islamic State</a></li></ul>
<dl><dd><div class="mw-heading mw-heading3"><h3 id="Africa">Africa</h3></div></dd></dl>
<ul><li>Cameroon</li></ul>
<dl><dd><ul><li><a href="/wiki/Anglophone_Crisis" title="Anglophone Crisis">Anglophone Crisis</a></li></ul></dd></dl>
<ul><li>Central African Republic</li></ul>
<dl><dd><ul><li><a href="/wiki/Central_African_Republic_Civil_War" title="Central African Republic Civil War">Civil war</a></li></ul></dd></dl>
<ul><li>Democratic Republic of the Congo</li></ul>
<dl><dd><ul><li><a href="/wiki/M23_campaign_(2022%E2%80%93present)" title="M23 campaign (2022–present)">M23 campaign</a></li></ul></dd></dl>
<ul><li><a href="/wiki/War_in_the_Sahel" title="War in the Sahel">Sahel</a></li></ul>
<style data-mw-deduplicate="TemplateStyles:r1184024115">.mw-parser-output .div-col{margin-top:0.3em;column-width:30em}.mw-parser-output .div-col-small{font-size:90%}.mw-parser-output .div-col-rules{column-rule:1px solid #aaa}.mw-parser-output .div-col dl,.mw-parser-output .div-col ol,.mw-parser-output .div-col ul{margin-top:0}.mw-parser-output .div-col li,.mw-parser-output .div-col dd{page-break-inside:avoid;break-inside:avoid-column}</style><div class="div-col" style="column-width: 8em;column-count:2">
<dl><dd><ul><li><a href="/wiki/Mali_War" title="Mali War">Mali War</a></li>
<li><a href="/wiki/Boko_Haram_insurgency" title="Boko Haram insurgency">Chad Basin</a></li></ul></dd></dl>
<ul><li><a href="/wiki/Islamist_insurgency_in_Burkina_Faso" title="Islamist insurgency in Burkina Faso">Burkina Faso</a></li>
<li><a href="/wiki/Islamist_insurgency_in_Niger" title="Islamist insurgency in Niger">Niger</a></li></ul>
</div>
<ul><li><a href="/wiki/Somali_Civil_War" title="Somali Civil War">Somalia</a></li></ul>
<dl><dd><ul><li><a href="/wiki/Somali_Civil_War_(2009%E2%80%93present)" title="Somali Civil War (2009–present)">Civil war</a></li></ul></dd></dl>
<ul><li>Sudan</li></ul>
<dl><dd><ul><li><a href="/wiki/Sudanese_civil_war_(2023%E2%80%93present)" title="Sudanese civil war (2023–present)">Civil war</a></li></ul></dd></dl>
<dl><dd><div class="mw-heading mw-heading3"><h3 id="Americas">Americas</h3></div></dd></dl>
<ul><li>Colombia</li></ul>
<dl><dd><ul><li><a href="/wiki/Colombian_conflict" title="Colombian conflict">Colombian conflict</a></li></ul></dd></dl>
<ul><li><a href="/wiki/Haitian_crisis_(2018%E2%80%93present)" title="Haitian crisis (2018–present)">Haiti</a></li></ul>
<dl><dd><ul><li><a class="mw-redirect" href="/wiki/Gang_war_in_Haiti" title="Gang war in Haiti">Gang war</a></li></ul></dd></dl>
<ul><li>Mexico</li></ul>
<dl><dd><ul><li><a href="/wiki/Mexican_drug_war" title="Mexican drug war">Mexican drug war</a></li></ul></dd></dl>
<dl><dd><div class="mw-heading mw-heading3"><h3 id="Asia−Pacific"><span id="Asia.E2.88.92Pacific"></span>Asia−Pacific</h3></div></dd></dl>
<ul><li><a href="/wiki/Cambodian%E2%80%93Thai_border_dispute" title="Cambodian–Thai border dispute">Cambodia and Thailand</a>
<ul><li><a href="/wiki/2025_Cambodian%E2%80%93Thai_border_crisis" title="2025 Cambodian–Thai border crisis">Cambodia–Thailand border conflict</a></li></ul></li>
<li>India</li></ul>
<dl><dd><ul><li><a href="/wiki/Naxalite%E2%80%93Maoist_insurgency" title="Naxalite–Maoist insurgency">Naxalite–Maoist insurgency</a></li></ul></dd></dl>
<ul><li><a href="/wiki/Myanmar_conflict" title="Myanmar conflict">Myanmar</a></li></ul>
<dl><dd><ul><li><a href="/wiki/Myanmar_civil_war_(2021%E2%80%93present)" title="Myanmar civil war (2021–present)">Civil war</a></li></ul></dd></dl>
<ul><li>Pakistan</li></ul>
<dl><dd><ul><li><a href="/wiki/Insurgency_in_Balochistan" title="Insurgency in Balochistan">Insurgency in Balochistan</a></li>
<li><a href="/wiki/Insurgency_in_Khyber_Pakhtunkhwa" title="Insurgency in Khyber Pakhtunkhwa">Insurgency in Khyber Pakhtunkhwa</a></li></ul></dd></dl>
<dl><dd><div class="mw-heading mw-heading3"><h3 id="Europe">Europe</h3></div></dd></dl>
<ul><li><a href="/wiki/Russo-Ukrainian_War" title="Russo-Ukrainian War">Russia and Ukraine</a></li></ul>
<dl><dd><ul><li><a class="mw-redirect" href="/wiki/Russian_invasion_of_Ukraine" title="Russian invasion of Ukraine">Russian invasion of Ukraine</a></li></ul></dd></dl>
<dl><dd><div class="mw-heading mw-heading3"><h3 id="Middle_East">Middle East</h3></div></dd></dl>
<ul><li><a href="/wiki/Middle_Eastern_crisis_(2023%E2%80%93present)" title="Middle Eastern crisis (2023–present)">Israel</a></li></ul>
<dl><dd><ul><li><a href="/wiki/Gaza_war" title="Gaza war">Gaza war</a></li></ul></dd></dl>
<ul><li><a href="/wiki/Syrian_civil_war" title="Syrian civil war">Syria</a></li></ul>
<link href="mw-data:TemplateStyles:r1184024115" rel="mw-deduplicated-inline-style"><div class="div-col" style="column-width: 8em;column-count:2">
<dl><dd><ul><li><a href="/wiki/Israeli_invasion_of_Syria_(2024%E2%80%93present)" title="Israeli invasion of Syria (2024–present)">Israeli invasion of Syria</a></li></ul></dd></dl>
<ul><li><a href="/wiki/Druze_insurgency_in_Southern_Syria_(2025%E2%80%93present)" title="Druze insurgency in Southern Syria (2025–present)">Druze insurgency</a></li></ul>
</div>
<ul><li><a href="/wiki/Yemeni_civil_war_(2014%E2%80%93present)" title="Yemeni civil war (2014–present)">Yemen</a></li></ul>
<dl><dd><ul><li><a href="/wiki/Red_Sea_crisis" title="Red Sea crisis">Red Sea crisis</a></li></ul></dd></dl>
<div style="font-weight:bold">See also – <a class="mw-redirect" href="/wiki/List_of_ongoing_proxy_wars" title="List of ongoing proxy wars">List of ongoing proxy wars</a></div>
<div class="editlink noprint plainlinks"><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/Sidebar&amp;action=edit">edit section</a></div>
</link></div>
</div>
<link href="mw-data:TemplateStyles:r1235901060" rel="mw-deduplicated-inline-style">
<div aria-labelledby="Ongoing_events" class="mw-collapsible current-events-sidebar" role="region">
<div>
<div class="mw-heading mw-heading2"><h2 id="2025_events_and_developments_by_topic">
<a href="/wiki/2025" title="2025">2025</a> events and developments by topic
</h2></div>
</div>
<div class="mw-collapsible-content">
<div>
<div class="mw-heading mw-heading3"><h3 id="Arts">
<i><b><a href="/wiki/2025_in_art" title="2025 in art">Arts</a></b></i>
</h3></div>
<link href="mw-data:TemplateStyles:r1129693374" rel="mw-deduplicated-inline-style"/><div class="hlist"><ul><li><a href="/wiki/2025_in_animation" title="2025 in animation">Animation</a> (<a href="/wiki/2025_in_anime" title="2025 in anime">Anime</a>)</li><li><a href="/wiki/2025_in_architecture" title="2025 in architecture">Architecture</a></li><li><a href="/wiki/2025_in_comics" title="2025 in comics">Comics</a></li><li><a href="/wiki/2025_in_film" title="2025 in film">Film</a> (<a href="/wiki/List_of_horror_films_of_2025" title="List of horror films of 2025">Horror</a>, <a class="new" href="/w/index.php?title=2025_in_science_fiction_film&amp;action=edit&amp;redlink=1" title="2025 in science fiction film (page does not exist)">Science fiction</a>)</li><li><a href="/wiki/2025_in_literature" title="2025 in literature">Literature</a> (<a href="/wiki/2025_in_poetry" title="2025 in poetry">Poetry</a>)</li><li><a href="/wiki/2025_in_music" title="2025 in music">Music</a> (<a href="/wiki/2025_in_classical_music" title="2025 in classical music">Classical</a>, <a href="/wiki/2025_in_country_music" title="2025 in country music">Country</a>, <a class="mw-redirect" href="/wiki/2025_in_hip_hop_music" title="2025 in hip hop music">Hip hop</a>, <a href="/wiki/2025_in_jazz" title="2025 in jazz">Jazz</a>, <a href="/wiki/2025_in_Latin_music" title="2025 in Latin music">Latin</a>, <a href="/wiki/2025_in_heavy_metal_music" title="2025 in heavy metal music">Metal</a>, <a href="/wiki/2025_in_rock_music" title="2025 in rock music">Rock</a>, <a href="/wiki/2025_in_British_music" title="2025 in British music">UK</a>, <a href="/wiki/2025_in_American_music" title="2025 in American music">US</a>, <a href="/wiki/2025_in_South_Korean_music" title="2025 in South Korean music">Korea</a>)</li><li><a href="/wiki/2025_in_radio" title="2025 in radio">Radio</a></li><li><a href="/wiki/2025_in_television" title="2025 in television">Television</a> (<a href="/wiki/2025_in_Australian_television" title="2025 in Australian television">Australia</a>, <a href="/wiki/2025_in_Canadian_television" title="2025 in Canadian television">Canada</a>, <a href="/wiki/2025_in_Irish_television" title="2025 in Irish television">Ireland</a>, <a href="/wiki/2025_in_British_television" title="2025 in British television">UK</a>, <a href="/wiki/2025_in_Scottish_television" title="2025 in Scottish television">Scotland</a>, <a href="/wiki/2025_in_American_television" title="2025 in American television">US</a>)</li><li><a href="/wiki/2025_in_video_games" title="2025 in video games">Video games</a></li></ul></div>
<div class="mw-heading mw-heading3"><h3 id="Politics_and_government">
<i><b><a class="mw-redirect" href="/wiki/2025_in_politics_and_government" title="2025 in politics and government">Politics and government</a></b></i>
</h3></div>
<link href="mw-data:TemplateStyles:r1129693374" rel="mw-deduplicated-inline-style"/><div class="hlist"><ul><li><a href="/wiki/List_of_elections_in_2025" title="List of elections in 2025">Elections</a></li><li><a class="mw-redirect" href="/wiki/List_of_state_leaders_in_2025" title="List of state leaders in 2025">International leaders</a></li><li><a class="mw-redirect" href="/wiki/List_of_sovereign_states_in_2025" title="List of sovereign states in 2025">Sovereign states</a></li><li><a href="/wiki/List_of_state_leaders_in_the_21st_century" title="List of state leaders in the 21st century">Sovereign state leaders</a></li><li><a href="/wiki/List_of_governors_of_dependent_territories_in_the_21st_century" title="List of governors of dependent territories in the 21st century">Territorial governors</a></li></ul></div>
<div class="mw-heading mw-heading3"><h3 id="Science_and_technology">
<i><b><a href="/wiki/2025_in_science" title="2025 in science">Science and technology</a></b></i>
</h3></div>
<link href="mw-data:TemplateStyles:r1129693374" rel="mw-deduplicated-inline-style"/><div class="hlist"><ul><li><a href="/wiki/2025_in_archaeology" title="2025 in archaeology">Archaeology</a></li><li><a href="/wiki/2025_in_biotechnology" title="2025 in biotechnology">Biotechnology</a></li><li><a class="mw-redirect" href="/wiki/2025_in_computing" title="2025 in computing">Computing</a></li><li><a href="/wiki/2025_in_paleontology" title="2025 in paleontology">Palaeontology</a></li><li><a class="mw-redirect" href="/wiki/2025_in_quantum_computing_and_communication" title="2025 in quantum computing and communication">Quantum computing and communication</a></li><li><a class="mw-redirect" href="/wiki/2025_in_senescence_research" title="2025 in senescence research">Senescence research</a></li><li><a href="/wiki/Template:2025_in_space" title="Template:2025 in space">Space/Astronomy</a></li><li><a href="/wiki/2025_in_spaceflight" title="2025 in spaceflight">Spaceflight</a></li><li><a class="mw-redirect" href="/wiki/2020s_in_sustainable_energy_research" title="2020s in sustainable energy research">Sustainable energy research</a></li></ul></div>
<div class="mw-heading mw-heading3"><h3 id="Environment_and_environmental_sciences">
<i><b><a href="/wiki/2025_in_the_environment" title="2025 in the environment">Environment and environmental sciences</a></b></i>
</h3></div>
<link href="mw-data:TemplateStyles:r1129693374" rel="mw-deduplicated-inline-style"/><div class="hlist"><ul><li><a href="/wiki/2025_in_climate_change" title="2025 in climate change">Climate change</a></li><li><a href="/wiki/Weather_of_2025#Timeline" title="Weather of 2025">Weather</a> (<a class="mw-redirect" href="/wiki/2025_heat_waves" title="2025 heat waves">Heat waves</a></li><li><a href="/wiki/Tornadoes_of_2025" title="Tornadoes of 2025">Tornadoes</a></li><li><a href="/wiki/Wildfires_in_2025" title="Wildfires in 2025">Wildfires</a>)</li></ul></div>
<div class="mw-heading mw-heading3"><h3 id="Transportation">
<i><b><a href="/wiki/Category:2025_in_transport" title="Category:2025 in transport">Transportation</a></b></i>
</h3></div>
<link href="mw-data:TemplateStyles:r1129693374" rel="mw-deduplicated-inline-style"/><div class="hlist"><ul><li><a href="/wiki/2025_in_aviation" title="2025 in aviation">Aviation</a></li><li><a href="/wiki/2025_in_rail_transport" title="2025 in rail transport">Rail transport</a></li><li><a href="/wiki/Timeline_of_transportation_technology#2020s" title="Timeline of transportation technology">Transportation technology</a></li></ul></div>
<style data-mw-deduplicate="TemplateStyles:r1256386598">.mw-parser-output .cot-header-mainspace{background:#F0F2F5;color:inherit}.mw-parser-output .cot-header-other{background:#CCFFCC;color:inherit}@media screen{html.skin-theme-clientpref-night .mw-parser-output .cot-header-mainspace{background:#14181F;color:inherit}html.skin-theme-clientpref-night .mw-parser-output .cot-header-other{background:#003500;color:inherit}}@media screen and (prefers-color-scheme:dark){html.skin-theme-clientpref-os .mw-parser-output .cot-header-mainspace{background:#14181F;color:inherit}html.skin-theme-clientpref-os .mw-parser-output .cot-header-other{background:#003500;color:inherit}}</style>
<div style="margin-left:0">
<table class="mw-collapsible mw-archivedtalk mw-collapsed" role="presentation" style="color:inherit; background: transparent; text-align: left; border: 0px solid Silver; margin: 0.2em auto auto; width:100%; clear: both; padding: 1px;">
<tbody><tr>
<th class="cot-header-other" style="background:#f5faff; font-size:87%; padding:0.2em 0.3em; text-align:left; color:#202122"><div style="font-size:115%;"><i><b><a href="/wiki/Category:2025_by_continent" title="Category:2025 by continent">By place</a></b></i></div>
</th></tr>
<tr>
<td style="color:inherit; border: solid 1px Silver; padding: 0.6em; background: var(--background-color-base, #fff);">
<link href="mw-data:TemplateStyles:r1129693374" rel="mw-deduplicated-inline-style"/><div class="hlist"><ul><li><a href="/wiki/2025_in_Afghanistan" title="2025 in Afghanistan">Afghanistan</a></li><li><a href="/wiki/2025_in_Albania" title="2025 in Albania">Albania</a></li><li><a href="/wiki/2025_in_Algeria" title="2025 in Algeria">Algeria</a></li><li><a href="/wiki/2025_in_Andorra" title="2025 in Andorra">Andorra</a></li><li><a href="/wiki/2025_in_Angola" title="2025 in Angola">Angola</a></li><li><a href="/wiki/2025_in_Antarctica" title="2025 in Antarctica">Antarctica</a></li><li><a href="/wiki/2025_in_Antigua_and_Barbuda" title="2025 in Antigua and Barbuda">Antigua and Barbuda</a></li><li><a href="/wiki/2025_in_Argentina" title="2025 in Argentina">Argentina</a></li><li><a href="/wiki/2025_in_Armenia" title="2025 in Armenia">Armenia</a></li><li><a href="/wiki/2025_in_Australia" title="2025 in Australia">Australia</a></li><li><a href="/wiki/2025_in_Austria" title="2025 in Austria">Austria</a></li><li><a href="/wiki/2025_in_Azerbaijan" title="2025 in Azerbaijan">Azerbaijan</a></li><li><a href="/wiki/2025_in_Bangladesh" title="2025 in Bangladesh">Bangladesh</a></li><li><a href="/wiki/2025_in_the_Bahamas" title="2025 in the Bahamas">The Bahamas</a></li><li><a href="/wiki/2025_in_Bahrain" title="2025 in Bahrain">Bahrain</a></li><li><a href="/wiki/2025_in_Barbados" title="2025 in Barbados">Barbados</a></li><li><a href="/wiki/2025_in_Belarus" title="2025 in Belarus">Belarus</a></li><li><a href="/wiki/2025_in_Belgium" title="2025 in Belgium">Belgium</a></li><li><a href="/wiki/2025_in_Belize" title="2025 in Belize">Belize</a></li><li><a href="/wiki/2025_in_Benin" title="2025 in Benin">Benin</a></li><li><a href="/wiki/2025_in_Bhutan" title="2025 in Bhutan">Bhutan</a></li><li><a href="/wiki/2025_in_Bolivia" title="2025 in Bolivia">Bolivia</a></li><li><a href="/wiki/2025_in_Bosnia_and_Herzegovina" title="2025 in Bosnia and Herzegovina">Bosnia and Herzegovina</a></li><li><a href="/wiki/2025_in_Botswana" title="2025 in Botswana">Botswana</a></li><li><a href="/wiki/2025_in_Brazil" title="2025 in Brazil">Brazil</a></li><li><a href="/wiki/2025_in_Brunei" title="2025 in Brunei">Brunei</a></li><li><a href="/wiki/2025_in_Bulgaria" title="2025 in Bulgaria">Bulgaria</a></li><li><a href="/wiki/2025_in_Burkina_Faso" title="2025 in Burkina Faso">Burkina Faso</a></li><li><a href="/wiki/2025_in_Burundi" title="2025 in Burundi">Burundi</a></li><li><a href="/wiki/2025_in_Cambodia" title="2025 in Cambodia">Cambodia</a></li><li><a href="/wiki/2025_in_Cameroon" title="2025 in Cameroon">Cameroon</a></li><li><a href="/wiki/2025_in_Canada" title="2025 in Canada">Canada</a></li><li><a href="/wiki/2025_in_Cape_Verde" title="2025 in Cape Verde">Cape Verde</a></li><li><a href="/wiki/2025_in_the_Central_African_Republic" title="2025 in the Central African Republic">Central African Republic</a></li><li><a href="/wiki/2025_in_Chad" title="2025 in Chad">Chad</a></li><li><a href="/wiki/2025_in_Chile" title="2025 in Chile">Chile</a></li><li><a href="/wiki/2025_in_China" title="2025 in China">China</a></li><li><a href="/wiki/2025_in_Colombia" title="2025 in Colombia">Colombia</a></li><li><a href="/wiki/2025_in_Costa_Rica" title="2025 in Costa Rica">Costa Rica</a></li><li><a href="/wiki/2025_in_the_Comoros" title="2025 in the Comoros">Comoros</a></li><li><a href="/wiki/2025_in_the_Republic_of_the_Congo" title="2025 in the Republic of the Congo">Congo</a></li><li><a href="/wiki/2025_in_the_Democratic_Republic_of_the_Congo" title="2025 in the Democratic Republic of the Congo">DR Congo</a></li><li><a href="/wiki/2025_in_Croatia" title="2025 in Croatia">Croatia</a></li><li><a href="/wiki/2025_in_Cuba" title="2025 in Cuba">Cuba</a></li><li><a href="/wiki/2025_in_Cyprus" title="2025 in Cyprus">Cyprus</a></li><li><a href="/wiki/2025_in_the_Czech_Republic" title="2025 in the Czech Republic">Czech Republic</a></li><li><a href="/wiki/2025_in_Denmark" title="2025 in Denmark">Denmark</a></li><li><a href="/wiki/2025_in_Djibouti" title="2025 in Djibouti">Djibouti</a></li><li><a href="/wiki/2025_in_Dominica" title="2025 in Dominica">Dominica</a></li><li><a href="/wiki/2025_in_the_Dominican_Republic" title="2025 in the Dominican Republic">Dominican Republic</a></li><li><a href="/wiki/2025_in_Ecuador" title="2025 in Ecuador">Ecuador</a></li><li><a href="/wiki/2025_in_Egypt" title="2025 in Egypt">Egypt</a></li><li><a href="/wiki/2025_in_El_Salvador" title="2025 in El Salvador">El Salvador</a></li><li><a href="/wiki/2025_in_Eritrea" title="2025 in Eritrea">Eritrea</a></li><li><a href="/wiki/2025_in_Estonia" title="2025 in Estonia">Estonia</a></li><li><a href="/wiki/2025_in_Ethiopia" title="2025 in Ethiopia">Ethiopia</a></li><li><a href="/wiki/2025_in_Eswatini" title="2025 in Eswatini">Eswatini</a></li><li><a href="/wiki/2025_in_Equatorial_Guinea" title="2025 in Equatorial Guinea">Equatorial Guinea</a></li><li><a href="/wiki/2025_in_Fiji" title="2025 in Fiji">Fiji</a></li><li><a href="/wiki/2025_in_Finland" title="2025 in Finland">Finland</a></li><li><a href="/wiki/2025_in_France" title="2025 in France">France</a></li><li><a href="/wiki/2025_in_Gabon" title="2025 in Gabon">Gabon</a></li><li><a href="/wiki/2025_in_the_Gambia" title="2025 in the Gambia">The Gambia</a></li><li><a href="/wiki/2025_in_Georgia_(country)" title="2025 in Georgia (country)">Georgia</a></li><li><a href="/wiki/2025_in_Germany" title="2025 in Germany">Germany</a></li><li><a href="/wiki/2025_in_Ghana" title="2025 in Ghana">Ghana</a></li><li><a href="/wiki/2025_in_Greece" title="2025 in Greece">Greece</a></li><li><a href="/wiki/2025_in_Grenada" title="2025 in Grenada">Grenada</a></li><li><a href="/wiki/2025_in_Guatemala" title="2025 in Guatemala">Guatemala</a></li><li><a href="/wiki/2025_in_Guinea" title="2025 in Guinea">Guinea</a></li><li><a href="/wiki/2025_in_Guinea-Bissau" title="2025 in Guinea-Bissau">Guinea-Bissau</a></li><li><a href="/wiki/2025_in_Guyana" title="2025 in Guyana">Guyana</a></li><li><a href="/wiki/2025_in_Haiti" title="2025 in Haiti">Haiti</a></li><li><a href="/wiki/2025_in_Honduras" title="2025 in Honduras">Honduras</a></li><li><a href="/wiki/2025_in_Hong_Kong" title="2025 in Hong Kong">Hong Kong</a></li><li><a href="/wiki/2025_in_Hungary" title="2025 in Hungary">Hungary</a></li><li><a href="/wiki/2025_in_Iceland" title="2025 in Iceland">Iceland</a></li><li><a href="/wiki/2025_in_India" title="2025 in India">India</a></li><li><a href="/wiki/2025_in_Indonesia" title="2025 in Indonesia">Indonesia</a></li><li><a href="/wiki/2025_in_Iran" title="2025 in Iran">Iran</a></li><li><a href="/wiki/2025_in_Iraq" title="2025 in Iraq">Iraq</a></li><li><a href="/wiki/2025_in_Ireland" title="2025 in Ireland">Ireland</a></li><li><a href="/wiki/2025_in_Israel" title="2025 in Israel">Israel</a></li><li><a href="/wiki/2025_in_Italy" title="2025 in Italy">Italy</a></li><li><a href="/wiki/2025_in_Ivory_Coast" title="2025 in Ivory Coast">Ivory Coast</a></li><li><a href="/wiki/2025_in_Jamaica" title="2025 in Jamaica">Jamaica</a></li><li><a href="/wiki/2025_in_Japan" title="2025 in Japan">Japan</a></li><li><a href="/wiki/2025_in_Jordan" title="2025 in Jordan">Jordan</a></li><li><a href="/wiki/2025_in_Kazakhstan" title="2025 in Kazakhstan">Kazakhstan</a></li><li><a href="/wiki/2025_in_Kenya" title="2025 in Kenya">Kenya</a></li><li><a href="/wiki/2025_in_Kiribati" title="2025 in Kiribati">Kiribati</a></li><li><a href="/wiki/2025_in_Kosovo" title="2025 in Kosovo">Kosovo</a></li><li><a href="/wiki/2025_in_Kuwait" title="2025 in Kuwait">Kuwait</a></li><li><a href="/wiki/2025_in_Kyrgyzstan" title="2025 in Kyrgyzstan">Kyrgyzstan</a></li><li><a href="/wiki/2025_in_Laos" title="2025 in Laos">Laos</a></li><li><a href="/wiki/2025_in_Latvia" title="2025 in Latvia">Latvia</a></li><li><a href="/wiki/2025_in_Lebanon" title="2025 in Lebanon">Lebanon</a></li><li><a href="/wiki/2025_in_Lesotho" title="2025 in Lesotho">Lesotho</a></li><li><a href="/wiki/2025_in_Liberia" title="2025 in Liberia">Liberia</a></li><li><a href="/wiki/2025_in_Liechtenstein" title="2025 in Liechtenstein"> Liechtenstein</a></li><li><a href="/wiki/2025_in_Libya" title="2025 in Libya">Libya</a></li><li><a href="/wiki/2025_in_Lithuania" title="2025 in Lithuania">Lithuania</a></li><li><a href="/wiki/2025_in_Luxembourg" title="2025 in Luxembourg">Luxembourg</a></li><li><a href="/wiki/2025_in_Macau" title="2025 in Macau">Macau</a></li><li><a href="/wiki/2025_in_Madagascar" title="2025 in Madagascar">Madagascar</a></li><li><a href="/wiki/2025_in_the_Marshall_Islands" title="2025 in the Marshall Islands">Marshall Islands</a></li><li><a href="/wiki/2025_in_Malawi" title="2025 in Malawi">Malawi</a></li><li><a href="/wiki/2025_in_Malaysia" title="2025 in Malaysia">Malaysia</a></li><li><a href="/wiki/2025_in_the_Maldives" title="2025 in the Maldives">Maldives</a></li><li><a href="/wiki/2025_in_Mali" title="2025 in Mali">Mali</a></li><li><a href="/wiki/2025_in_Malta" title="2025 in Malta">Malta</a></li><li><a href="/wiki/2025_in_Mauritania" title="2025 in Mauritania">Mauritania</a></li><li><a href="/wiki/2025_in_Mauritius" title="2025 in Mauritius">Mauritius</a></li><li><a href="/wiki/2025_in_Mexico" title="2025 in Mexico">Mexico</a></li><li><a href="/wiki/2025_in_the_Federated_States_of_Micronesia" title="2025 in the Federated States of Micronesia">Micronesia</a></li><li><a href="/wiki/2025_in_Moldova" title="2025 in Moldova">Moldova</a></li><li><a href="/wiki/2025_in_Monaco" title="2025 in Monaco">Monaco</a></li><li><a href="/wiki/2025_in_Mongolia" title="2025 in Mongolia">Mongolia</a></li><li><a href="/wiki/2025_in_Montenegro" title="2025 in Montenegro">Montenegro</a></li><li><a href="/wiki/2025_in_Morocco" title="2025 in Morocco">Morocco</a></li><li><a href="/wiki/2025_in_Mozambique" title="2025 in Mozambique">Mozambique</a></li><li><a href="/wiki/2025_in_Myanmar" title="2025 in Myanmar">Myanmar</a></li><li><a href="/wiki/2025_in_Nauru" title="2025 in Nauru">Nauru</a></li><li><a href="/wiki/2025_in_Namibia" title="2025 in Namibia">Namibia</a></li><li><a href="/wiki/2025_in_Nepal" title="2025 in Nepal">Nepal</a></li><li><a href="/wiki/2025_in_the_Netherlands" title="2025 in the Netherlands">Netherlands</a></li><li><a href="/wiki/2025_in_New_Zealand" title="2025 in New Zealand">New Zealand</a></li><li><a href="/wiki/2025_in_Nicaragua" title="2025 in Nicaragua">Nicaragua</a></li><li><a href="/wiki/2025_in_Niger" title="2025 in Niger">Niger</a></li><li><a href="/wiki/2025_in_Nigeria" title="2025 in Nigeria">Nigeria</a></li><li><a href="/wiki/2025_in_North_Korea" title="2025 in North Korea">North Korea</a></li><li><a href="/wiki/2025_in_North_Macedonia" title="2025 in North Macedonia">North Macedonia</a></li><li><a href="/wiki/2025_in_Norway" title="2025 in Norway">Norway</a></li><li><a href="/wiki/2025_in_Oman" title="2025 in Oman">Oman</a></li><li><a href="/wiki/2025_in_Pakistan" title="2025 in Pakistan">Pakistan</a></li><li><a href="/wiki/2025_in_Palau" title="2025 in Palau">Palau</a></li><li><a class="mw-redirect" href="/wiki/2025_in_the_State_of_Palestine" title="2025 in the State of Palestine">Palestine</a></li><li><a href="/wiki/2025_in_Panama" title="2025 in Panama">Panama</a></li><li><a href="/wiki/2025_in_Papua_New_Guinea" title="2025 in Papua New Guinea">Papua New Guinea</a></li><li><a href="/wiki/2025_in_Paraguay" title="2025 in Paraguay">Paraguay</a></li><li><a href="/wiki/2025_in_Peru" title="2025 in Peru">Peru</a></li><li><a href="/wiki/2025_in_the_Philippines" title="2025 in the Philippines">Philippines</a></li><li><a href="/wiki/2025_in_Poland" title="2025 in Poland">Poland</a></li><li><a href="/wiki/2025_in_Portugal" title="2025 in Portugal">Portugal</a></li><li><a href="/wiki/2025_in_Qatar" title="2025 in Qatar">Qatar</a></li><li><a href="/wiki/2025_in_Romania" title="2025 in Romania">Romania</a></li><li><a href="/wiki/2025_in_Russia" title="2025 in Russia">Russia</a></li><li><a href="/wiki/2025_in_Rwanda" title="2025 in Rwanda">Rwanda</a></li><li><a href="/wiki/2025_in_Saint_Kitts_and_Nevis" title="2025 in Saint Kitts and Nevis">Saint Kitts and Nevis</a></li><li><a href="/wiki/2025_in_Saint_Lucia" title="2025 in Saint Lucia">Saint Lucia</a></li><li><a href="/wiki/2025_in_Saint_Vincent_and_the_Grenadines" title="2025 in Saint Vincent and the Grenadines">Saint Vincent and the Grenadines</a></li><li><a href="/wiki/2025_in_Samoa" title="2025 in Samoa">Samoa</a></li><li><a href="/wiki/2025_in_San_Marino" title="2025 in San Marino">San Marino</a></li><li><a href="/wiki/2025_in_S%C3%A3o_Tom%C3%A9_and_Pr%C3%ADncipe" title="2025 in São Tomé and Príncipe">São Tomé and Príncipe</a></li><li><a href="/wiki/2025_in_Saudi_Arabia" title="2025 in Saudi Arabia">Saudi Arabia</a></li><li><a href="/wiki/2025_in_Senegal" title="2025 in Senegal">Senegal</a></li><li><a href="/wiki/2025_in_Serbia" title="2025 in Serbia">Serbia</a></li><li><a href="/wiki/2025_in_Seychelles" title="2025 in Seychelles">Seychelles</a></li><li><a href="/wiki/2025_in_Sierra_Leone" title="2025 in Sierra Leone">Sierra Leone</a></li><li><a href="/wiki/2025_in_Singapore" title="2025 in Singapore">Singapore</a></li><li><a href="/wiki/2025_in_Slovakia" title="2025 in Slovakia">Slovakia</a></li><li><a href="/wiki/2025_in_Slovenia" title="2025 in Slovenia">Slovenia</a></li><li><a href="/wiki/2025_in_Somalia" title="2025 in Somalia">Somalia</a></li><li><a href="/wiki/2025_in_South_Africa" title="2025 in South Africa">South Africa</a></li><li><a href="/wiki/2025_in_the_Solomon_Islands" title="2025 in the Solomon Islands">Solomon Islands</a></li><li><a href="/wiki/2025_in_South_Korea" title="2025 in South Korea">South Korea</a></li><li><a href="/wiki/2025_in_South_Sudan" title="2025 in South Sudan">South Sudan</a></li><li><a href="/wiki/2025_in_Spain" title="2025 in Spain">Spain</a></li><li><a href="/wiki/2025_in_Sri_Lanka" title="2025 in Sri Lanka">Sri Lanka</a></li><li><a href="/wiki/2025_in_Sudan" title="2025 in Sudan">Sudan</a></li><li><a href="/wiki/2025_in_Suriname" title="2025 in Suriname">Suriname</a></li><li><a href="/wiki/2025_in_Sweden" title="2025 in Sweden">Sweden</a></li><li><a href="/wiki/2025_in_Switzerland" title="2025 in Switzerland">Switzerland</a></li><li><a href="/wiki/2025_in_Syria" title="2025 in Syria">Syria</a></li><li><a href="/wiki/2025_in_Taiwan" title="2025 in Taiwan">Taiwan</a></li><li><a href="/wiki/2025_in_Tajikistan" title="2025 in Tajikistan">Tajikistan</a></li><li><a href="/wiki/2025_in_Tanzania" title="2025 in Tanzania">Tanzania</a></li><li><a href="/wiki/2025_in_Thailand" title="2025 in Thailand">Thailand</a></li><li><a href="/wiki/2025_in_Timor-Leste" title="2025 in Timor-Leste">Timor-Leste</a></li><li><a href="/wiki/2025_in_Togo" title="2025 in Togo">Togo</a></li><li><a href="/wiki/2025_in_Tonga" title="2025 in Tonga">Tonga</a></li><li><a href="/wiki/2025_in_Trinidad_and_Tobago" title="2025 in Trinidad and Tobago">Trinidad and Tobago</a></li><li><a href="/wiki/2025_in_Tunisia" title="2025 in Tunisia">Tunisia</a></li><li><a href="/wiki/2025_in_Turkey" title="2025 in Turkey">Turkey</a></li><li><a href="/wiki/2025_in_Turkmenistan" title="2025 in Turkmenistan">Turkmenistan</a></li><li><a href="/wiki/2025_in_Tuvalu" title="2025 in Tuvalu">Tuvalu</a></li><li><a href="/wiki/2025_in_Uganda" title="2025 in Uganda">Uganda</a></li><li><a href="/wiki/2025_in_Ukraine" title="2025 in Ukraine">Ukraine</a></li><li><a href="/wiki/2025_in_the_United_Arab_Emirates" title="2025 in the United Arab Emirates">United Arab Emirates</a></li><li><a href="/wiki/2025_in_the_United_Kingdom" title="2025 in the United Kingdom">United Kingdom</a></li><li><a href="/wiki/2025_in_the_United_States" title="2025 in the United States">United States</a></li><li><a href="/wiki/2025_in_Uruguay" title="2025 in Uruguay">Uruguay</a></li><li><a href="/wiki/2025_in_Uzbekistan" title="2025 in Uzbekistan">Uzbekistan</a></li><li><a href="/wiki/2025_in_Vanuatu" title="2025 in Vanuatu">Vanuatu</a></li><li><a href="/wiki/2025_in_Vatican_City" title="2025 in Vatican City">Vatican City</a></li><li><a href="/wiki/2025_in_Venezuela" title="2025 in Venezuela">Venezuela</a></li><li><a href="/wiki/2025_in_Vietnam" title="2025 in Vietnam">Vietnam</a></li><li><a href="/wiki/2025_in_Yemen" title="2025 in Yemen">Yemen</a></li><li><a href="/wiki/2025_in_Zambia" title="2025 in Zambia">Zambia</a></li><li><a href="/wiki/2025_in_Zimbabwe" title="2025 in Zimbabwe">Zimbabwe</a></li></ul></div>
</td></tr></tbody></table></div>
<div class="mw-heading mw-heading3"><h3 id="Establishments_and_disestablishments_categories">
<i><b>Establishments and disestablishments categories</b></i>
</h3></div>
<link href="mw-data:TemplateStyles:r1129693374" rel="mw-deduplicated-inline-style"/><div class="hlist"><ul><li><a href="/wiki/Category:2025_establishments" title="Category:2025 establishments">Establishments</a></li><li><a href="/wiki/Category:2025_disestablishments" title="Category:2025 disestablishments">Disestablishments</a></li></ul></div>
<div class="mw-heading mw-heading3"><h3 id="Works_and_introductions_categories">
<i><b>Works and introductions categories</b></i>
</h3></div>
<link href="mw-data:TemplateStyles:r1129693374" rel="mw-deduplicated-inline-style"/><div class="hlist"><ul><li><a href="/wiki/Category:2025_works" title="Category:2025 works">Works</a></li><li><a href="/wiki/Category:2025_introductions" title="Category:2025 introductions">Introductions</a></li><li><a href="/wiki/2025_in_public_domain" title="2025 in public domain">Works entering the public domain</a></li></ul></div>
<style data-mw-deduplicate="TemplateStyles:r1308029216">.mw-parser-output .side-box{margin:4px 0;box-sizing:border-box;border:1px solid #aaa;font-size:88%;line-height:1.25em;background-color:var(--background-color-interactive-subtle,#f8f9fa);display:flow-root}.mw-parser-output .infobox .side-box{font-size:100%}.mw-parser-output .side-box-abovebelow,.mw-parser-output .side-box-text{padding:0.25em 0.9em}.mw-parser-output .side-box-image{padding:2px 0 2px 0.9em;text-align:center}.mw-parser-output .side-box-imageright{padding:2px 0.9em 2px 0;text-align:center}@media(min-width:500px){.mw-parser-output .side-box-flex{display:flex;align-items:center}.mw-parser-output .side-box-text{flex:1;min-width:0}}@media(min-width:640px){.mw-parser-output .side-box{width:238px}.mw-parser-output .side-box-right{clear:right;float:right;margin-left:1em}.mw-parser-output .side-box-left{margin-right:1em}}</style><style data-mw-deduplicate="TemplateStyles:r1307723979">.mw-parser-output .sister-box .side-box-abovebelow{padding:0.75em 0;text-align:center}.mw-parser-output .sister-box .side-box-abovebelow>b{display:block}.mw-parser-output .sister-box .side-box-text>ul{border-top:1px solid #aaa;padding:0.75em 0;width:220px;margin:0 auto}.mw-parser-output .sister-box .side-box-text>ul>li{min-height:31px}.mw-parser-output .sister-logo{display:inline-block;width:31px;line-height:31px;vertical-align:middle;text-align:center}.mw-parser-output .sister-link{display:inline-block;margin-left:7px;width:182px;vertical-align:middle}@media print{body.ns-0 .mw-parser-output .sistersitebox{display:none!important}}@media screen{html.skin-theme-clientpref-night .mw-parser-output .sistersitebox img[src*="Wiktionary-logo-v2.svg"]{background-color:white}}@media screen and (prefers-color-scheme:dark){html.skin-theme-clientpref-os .mw-parser-output .sistersitebox img[src*="Wiktionary-logo-v2.svg"]{background-color:white}}</style><div aria-labelledby="sister-projects" class="side-box metadata side-box-right sister-box sistersitebox plainlinks" role="navigation"><style data-mw-deduplicate="TemplateStyles:r1126788409">.mw-parser-output .plainlist ol,.mw-parser-output .plainlist ul{line-height:inherit;list-style:none;margin:0;padding:0}.mw-parser-output .plainlist ol li,.mw-parser-output .plainlist ul li{margin-bottom:0}</style>
<div class="side-box-abovebelow">
<b>2025</b>  at Wikipedia's <a href="/wiki/Wikipedia:Wikimedia_sister_projects" title="Wikipedia:Wikimedia sister projects"><span id="sister-projects">sister projects</span></a></div>
<div class="side-box-flex">
<div class="side-box-text plainlist"><ul><li><span class="sister-logo"><span class="mw-valign-middle noviewer" typeof="mw:File"><a class="mw-file-description" href="/wiki/File:Commons-logo.svg"><img alt="" class="mw-file-element" data-file-height="1376" data-file-width="1024" decoding="async" height="27" src="//upload.wikimedia.org/wikipedia/en/thumb/4/4a/Commons-logo.svg/20px-Commons-logo.svg.png" srcset="//upload.wikimedia.org/wikipedia/en/thumb/4/4a/Commons-logo.svg/40px-Commons-logo.svg.png 1.5x" width="20"/></a></span></span><span class="sister-link"><a class="extiw" href="https://commons.wikimedia.org/wiki/Category:2025" title="c:Category:2025">Media</a> from Commons</span></li><li><span class="sister-logo"><span class="mw-valign-middle noviewer" typeof="mw:File"><a class="mw-file-description" href="/wiki/File:Wikinews-logo.svg"><img alt="" class="mw-file-element" data-file-height="415" data-file-width="759" decoding="async" height="15" src="//upload.wikimedia.org/wikipedia/commons/thumb/2/24/Wikinews-logo.svg/40px-Wikinews-logo.svg.png" srcset="//upload.wikimedia.org/wikipedia/commons/thumb/2/24/Wikinews-logo.svg/60px-Wikinews-logo.svg.png 1.5x" width="27"/></a></span></span><span class="sister-link"><a class="extiw" href="https://en.wikinews.org/wiki/Special:Search/Category:2025" title="n:Special:Search/Category:2025">News</a> from Wikinews</span></li><li><span class="sister-logo"><span class="mw-valign-middle noviewer" typeof="mw:File"><a class="mw-file-description" href="/wiki/File:Wikiquote-logo.svg"><img alt="" class="mw-file-element" data-file-height="355" data-file-width="300" decoding="async" height="27" src="//upload.wikimedia.org/wikipedia/commons/thumb/f/fa/Wikiquote-logo.svg/40px-Wikiquote-logo.svg.png" srcset="//upload.wikimedia.org/wikipedia/commons/thumb/f/fa/Wikiquote-logo.svg/60px-Wikiquote-logo.svg.png 2x" width="23"/></a></span></span><span class="sister-link"><a class="extiw" href="https://en.wikiquote.org/wiki/Category:2025" title="q:Category:2025">Quotations</a> from Wikiquote</span></li><li><span class="sister-logo"><span class="mw-valign-middle noviewer" typeof="mw:File"><a class="mw-file-description" href="/wiki/File:Wikisource-logo.svg"><img alt="" class="mw-file-element" data-file-height="430" data-file-width="410" decoding="async" height="27" src="//upload.wikimedia.org/wikipedia/commons/thumb/4/4c/Wikisource-logo.svg/40px-Wikisource-logo.svg.png" srcset="//upload.wikimedia.org/wikipedia/commons/thumb/4/4c/Wikisource-logo.svg/60px-Wikisource-logo.svg.png 2x" width="26"/></a></span></span><span class="sister-link"><a class="extiw" href="https://en.wikisource.org/wiki/Category:2025_works" title="s:Category:2025 works">Texts</a> from Wikisource</span></li><li><span class="sister-logo"><span class="mw-valign-middle noviewer" typeof="mw:File"><a class="mw-file-description" href="/wiki/File:Wikispecies-logo.svg"><img alt="" class="mw-file-element" data-file-height="1103" data-file-width="941" decoding="async" height="27" src="//upload.wikimedia.org/wikipedia/commons/thumb/d/df/Wikispecies-logo.svg/40px-Wikispecies-logo.svg.png" srcset="//upload.wikimedia.org/wikipedia/commons/thumb/d/df/Wikispecies-logo.svg/60px-Wikispecies-logo.svg.png 2x" width="23"/></a></span></span><span class="sister-link"><a class="extiw" href="https://species.wikimedia.org/wiki/Category:New_species_2025" title="species:Category:New species 2025">Taxa</a> from Wikispecies</span></li><li><span class="sister-logo"><span class="mw-valign-middle noviewer" typeof="mw:File"><span><img alt="" class="mw-file-element" data-file-height="900" data-file-width="900" decoding="async" height="27" src="//upload.wikimedia.org/wikipedia/commons/thumb/7/75/Wikimedia_Community_Logo.svg/40px-Wikimedia_Community_Logo.svg.png" srcset="//upload.wikimedia.org/wikipedia/commons/thumb/7/75/Wikimedia_Community_Logo.svg/60px-Wikimedia_Community_Logo.svg.png 1.5x" width="27"/></span></span></span><span class="sister-link"><a class="extiw" href="https://meta.wikimedia.org/wiki/Special:Search/Category:2025" title="m:Special:Search/Category:2025">Discussions</a> from Meta-Wiki</span></li></ul></div></div>
</div>
<div class="editlink noprint plainlinks"><a href="/wiki/Category:2025" title="Category:2025">...more</a></div>
</div>
<div class="editlink noprint plainlinks"><a class="external text" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events/Sidebar&amp;action=edit">edit section</a></div>
</div>
</div>
</link></div>
</div>
<div class="navbox-styles"><link href="mw-data:TemplateStyles:r1129693374" rel="mw-deduplicated-inline-style"/><style data-mw-deduplicate="TemplateStyles:r1236075235">.mw-parser-output .navbox{box-sizing:border-box;border:1px solid #a2a9b1;width:100%;clear:both;font-size:88%;text-align:center;padding:1px;margin:1em auto 0}.mw-parser-output .navbox .navbox{margin-top:0}.mw-parser-output .navbox+.navbox,.mw-parser-output .navbox+.navbox-styles+.navbox{margin-top:-1px}.mw-parser-output .navbox-inner,.mw-parser-output .navbox-subgroup{width:100%}.mw-parser-output .navbox-group,.mw-parser-output .navbox-title,.mw-parser-output .navbox-abovebelow{padding:0.25em 1em;line-height:1.5em;text-align:center}.mw-parser-output .navbox-group{white-space:nowrap;text-align:right}.mw-parser-output .navbox,.mw-parser-output .navbox-subgroup{background-color:#fdfdfd}.mw-parser-output .navbox-list{line-height:1.5em;border-color:#fdfdfd}.mw-parser-output .navbox-list-with-group{text-align:left;border-left-width:2px;border-left-style:solid}.mw-parser-output tr+tr>.navbox-abovebelow,.mw-parser-output tr+tr>.navbox-group,.mw-parser-output tr+tr>.navbox-image,.mw-parser-output tr+tr>.navbox-list{border-top:2px solid #fdfdfd}.mw-parser-output .navbox-title{background-color:#ccf}.mw-parser-output .navbox-abovebelow,.mw-parser-output .navbox-group,.mw-parser-output .navbox-subgroup .navbox-title{background-color:#ddf}.mw-parser-output .navbox-subgroup .navbox-group,.mw-parser-output .navbox-subgroup .navbox-abovebelow{background-color:#e6e6ff}.mw-parser-output .navbox-even{background-color:#f7f7f7}.mw-parser-output .navbox-odd{background-color:transparent}.mw-parser-output .navbox .hlist td dl,.mw-parser-output .navbox .hlist td ol,.mw-parser-output .navbox .hlist td ul,.mw-parser-output .navbox td.hlist dl,.mw-parser-output .navbox td.hlist ol,.mw-parser-output .navbox td.hlist ul{padding:0.125em 0}.mw-parser-output .navbox .navbar{display:block;font-size:100%}.mw-parser-output .navbox-title .navbar{float:left;text-align:left;margin-right:0.5em}body.skin--responsive .mw-parser-output .navbox-image img{max-width:none!important}@media print{body.ns-0 .mw-parser-output .navbox{display:none!important}}</style></div><div aria-labelledby="Current_events_by_month13803" class="navbox" role="navigation" style="padding:3px"><table class="nowraplinks hlist mw-collapsible mw-collapsed navbox-inner" style="border-spacing:0;background:transparent;color:inherit"><tbody><tr><th class="navbox-title" colspan="2" scope="col"><link href="mw-data:TemplateStyles:r1129693374" rel="mw-deduplicated-inline-style"/><style data-mw-deduplicate="TemplateStyles:r1239400231">.mw-parser-output .navbar{display:inline;font-size:88%;font-weight:normal}.mw-parser-output .navbar-collapse{float:left;text-align:left}.mw-parser-output .navbar-boxtext{word-spacing:0}.mw-parser-output .navbar ul{display:inline-block;white-space:nowrap;line-height:inherit}.mw-parser-output .navbar-brackets::before{margin-right:-0.125em;content:"[ "}.mw-parser-output .navbar-brackets::after{margin-left:-0.125em;content:" ]"}.mw-parser-output .navbar li{word-spacing:-0.125em}.mw-parser-output .navbar a>span,.mw-parser-output .navbar a>abbr{text-decoration:inherit}.mw-parser-output .navbar-mini abbr{font-variant:small-caps;border-bottom:none;text-decoration:none;cursor:inherit}.mw-parser-output .navbar-ct-full{font-size:114%;margin:0 7em}.mw-parser-output .navbar-ct-mini{font-size:114%;margin:0 4em}html.skin-theme-clientpref-night .mw-parser-output .navbar li a abbr{color:var(--color-base)!important}@media(prefers-color-scheme:dark){html.skin-theme-clientpref-os .mw-parser-output .navbar li a abbr{color:var(--color-base)!important}}@media print{.mw-parser-output .navbar{display:none!important}}</style><div class="navbar plainlinks hlist navbar-mini"><ul><li class="nv-view"><a href="/wiki/Portal:Current_events/Events_by_month" title="Portal:Current events/Events by month"><abbr title="View this template">v</abbr></a></li><li class="nv-talk"><a href="/wiki/Portal_talk:Current_events/Events_by_month" title="Portal talk:Current events/Events by month"><abbr title="Discuss this template">t</abbr></a></li><li class="nv-edit"><a href="/wiki/Special:EditPage/Portal:Current_events/Events_by_month" title="Special:EditPage/Portal:Current events/Events by month"><abbr title="Edit this template">e</abbr></a></li></ul></div><div id="Current_events_by_month13803" style="font-size:114%;margin:0 4em">Current events by month</div></th></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2025" title="2025">2025</a></th><td class="navbox-list-with-group navbox-list navbox-odd" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2025" title="Portal:Current events/January 2025">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2025" title="Portal:Current events/February 2025">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2025" title="Portal:Current events/March 2025">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2025" title="Portal:Current events/April 2025">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2025" title="Portal:Current events/May 2025">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2025" title="Portal:Current events/June 2025">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2025" title="Portal:Current events/July 2025">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2025" title="Portal:Current events/August 2025">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2025" title="Portal:Current events/September 2025">September</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2024" title="2024">2024</a></th><td class="navbox-list-with-group navbox-list navbox-even" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2024" title="Portal:Current events/January 2024">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2024" title="Portal:Current events/February 2024">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2024" title="Portal:Current events/March 2024">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2024" title="Portal:Current events/April 2024">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2024" title="Portal:Current events/May 2024">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2024" title="Portal:Current events/June 2024">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2024" title="Portal:Current events/July 2024">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2024" title="Portal:Current events/August 2024">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2024" title="Portal:Current events/September 2024">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2024" title="Portal:Current events/October 2024">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2024" title="Portal:Current events/November 2024">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2024" title="Portal:Current events/December 2024">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2023" title="2023">2023</a></th><td class="navbox-list-with-group navbox-list navbox-odd" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2023" title="Portal:Current events/January 2023">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2023" title="Portal:Current events/February 2023">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2023" title="Portal:Current events/March 2023">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2023" title="Portal:Current events/April 2023">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2023" title="Portal:Current events/May 2023">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2023" title="Portal:Current events/June 2023">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2023" title="Portal:Current events/July 2023">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2023" title="Portal:Current events/August 2023">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2023" title="Portal:Current events/September 2023">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2023" title="Portal:Current events/October 2023">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2023" title="Portal:Current events/November 2023">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2023" title="Portal:Current events/December 2023">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2022" title="2022">2022</a></th><td class="navbox-list-with-group navbox-list navbox-even" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2022" title="Portal:Current events/January 2022">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2022" title="Portal:Current events/February 2022">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2022" title="Portal:Current events/March 2022">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2022" title="Portal:Current events/April 2022">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2022" title="Portal:Current events/May 2022">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2022" title="Portal:Current events/June 2022">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2022" title="Portal:Current events/July 2022">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2022" title="Portal:Current events/August 2022">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2022" title="Portal:Current events/September 2022">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2022" title="Portal:Current events/October 2022">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2022" title="Portal:Current events/November 2022">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2022" title="Portal:Current events/December 2022">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2021" title="2021">2021</a></th><td class="navbox-list-with-group navbox-list navbox-odd" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2021" title="Portal:Current events/January 2021">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2021" title="Portal:Current events/February 2021">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2021" title="Portal:Current events/March 2021">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2021" title="Portal:Current events/April 2021">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2021" title="Portal:Current events/May 2021">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2021" title="Portal:Current events/June 2021">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2021" title="Portal:Current events/July 2021">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2021" title="Portal:Current events/August 2021">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2021" title="Portal:Current events/September 2021">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2021" title="Portal:Current events/October 2021">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2021" title="Portal:Current events/November 2021">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2021" title="Portal:Current events/December 2021">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2020" title="2020">2020</a></th><td class="navbox-list-with-group navbox-list navbox-even" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2020" title="Portal:Current events/January 2020">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2020" title="Portal:Current events/February 2020">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2020" title="Portal:Current events/March 2020">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2020" title="Portal:Current events/April 2020">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2020" title="Portal:Current events/May 2020">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2020" title="Portal:Current events/June 2020">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2020" title="Portal:Current events/July 2020">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2020" title="Portal:Current events/August 2020">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2020" title="Portal:Current events/September 2020">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2020" title="Portal:Current events/October 2020">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2020" title="Portal:Current events/November 2020">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2020" title="Portal:Current events/December 2020">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2019" title="2019">2019</a></th><td class="navbox-list-with-group navbox-list navbox-odd" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2019" title="Portal:Current events/January 2019">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2019" title="Portal:Current events/February 2019">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2019" title="Portal:Current events/March 2019">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2019" title="Portal:Current events/April 2019">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2019" title="Portal:Current events/May 2019">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2019" title="Portal:Current events/June 2019">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2019" title="Portal:Current events/July 2019">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2019" title="Portal:Current events/August 2019">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2019" title="Portal:Current events/September 2019">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2019" title="Portal:Current events/October 2019">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2019" title="Portal:Current events/November 2019">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2019" title="Portal:Current events/December 2019">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2018" title="2018">2018</a></th><td class="navbox-list-with-group navbox-list navbox-even" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2018" title="Portal:Current events/January 2018">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2018" title="Portal:Current events/February 2018">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2018" title="Portal:Current events/March 2018">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2018" title="Portal:Current events/April 2018">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2018" title="Portal:Current events/May 2018">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2018" title="Portal:Current events/June 2018">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2018" title="Portal:Current events/July 2018">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2018" title="Portal:Current events/August 2018">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2018" title="Portal:Current events/September 2018">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2018" title="Portal:Current events/October 2018">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2018" title="Portal:Current events/November 2018">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2018" title="Portal:Current events/December 2018">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2017" title="2017">2017</a></th><td class="navbox-list-with-group navbox-list navbox-odd" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2017" title="Portal:Current events/January 2017">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2017" title="Portal:Current events/February 2017">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2017" title="Portal:Current events/March 2017">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2017" title="Portal:Current events/April 2017">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2017" title="Portal:Current events/May 2017">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2017" title="Portal:Current events/June 2017">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2017" title="Portal:Current events/July 2017">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2017" title="Portal:Current events/August 2017">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2017" title="Portal:Current events/September 2017">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2017" title="Portal:Current events/October 2017">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2017" title="Portal:Current events/November 2017">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2017" title="Portal:Current events/December 2017">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2016" title="2016">2016</a></th><td class="navbox-list-with-group navbox-list navbox-even" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2016" title="Portal:Current events/January 2016">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2016" title="Portal:Current events/February 2016">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2016" title="Portal:Current events/March 2016">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2016" title="Portal:Current events/April 2016">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2016" title="Portal:Current events/May 2016">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2016" title="Portal:Current events/June 2016">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2016" title="Portal:Current events/July 2016">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2016" title="Portal:Current events/August 2016">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2016" title="Portal:Current events/September 2016">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2016" title="Portal:Current events/October 2016">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2016" title="Portal:Current events/November 2016">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2016" title="Portal:Current events/December 2016">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2015" title="2015">2015</a></th><td class="navbox-list-with-group navbox-list navbox-odd" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2015" title="Portal:Current events/January 2015">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2015" title="Portal:Current events/February 2015">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2015" title="Portal:Current events/March 2015">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2015" title="Portal:Current events/April 2015">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2015" title="Portal:Current events/May 2015">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2015" title="Portal:Current events/June 2015">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2015" title="Portal:Current events/July 2015">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2015" title="Portal:Current events/August 2015">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2015" title="Portal:Current events/September 2015">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2015" title="Portal:Current events/October 2015">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2015" title="Portal:Current events/November 2015">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2015" title="Portal:Current events/December 2015">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2014" title="2014">2014</a></th><td class="navbox-list-with-group navbox-list navbox-even" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2014" title="Portal:Current events/January 2014">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2014" title="Portal:Current events/February 2014">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2014" title="Portal:Current events/March 2014">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2014" title="Portal:Current events/April 2014">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2014" title="Portal:Current events/May 2014">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2014" title="Portal:Current events/June 2014">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2014" title="Portal:Current events/July 2014">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2014" title="Portal:Current events/August 2014">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2014" title="Portal:Current events/September 2014">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2014" title="Portal:Current events/October 2014">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2014" title="Portal:Current events/November 2014">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2014" title="Portal:Current events/December 2014">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2013" title="2013">2013</a></th><td class="navbox-list-with-group navbox-list navbox-odd" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2013" title="Portal:Current events/January 2013">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2013" title="Portal:Current events/February 2013">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2013" title="Portal:Current events/March 2013">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2013" title="Portal:Current events/April 2013">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2013" title="Portal:Current events/May 2013">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2013" title="Portal:Current events/June 2013">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2013" title="Portal:Current events/July 2013">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2013" title="Portal:Current events/August 2013">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2013" title="Portal:Current events/September 2013">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2013" title="Portal:Current events/October 2013">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2013" title="Portal:Current events/November 2013">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2013" title="Portal:Current events/December 2013">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2012" title="2012">2012</a></th><td class="navbox-list-with-group navbox-list navbox-even" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2012" title="Portal:Current events/January 2012">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2012" title="Portal:Current events/February 2012">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2012" title="Portal:Current events/March 2012">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2012" title="Portal:Current events/April 2012">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2012" title="Portal:Current events/May 2012">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2012" title="Portal:Current events/June 2012">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2012" title="Portal:Current events/July 2012">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2012" title="Portal:Current events/August 2012">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2012" title="Portal:Current events/September 2012">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2012" title="Portal:Current events/October 2012">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2012" title="Portal:Current events/November 2012">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2012" title="Portal:Current events/December 2012">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2011" title="2011">2011</a></th><td class="navbox-list-with-group navbox-list navbox-odd" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2011" title="Portal:Current events/January 2011">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2011" title="Portal:Current events/February 2011">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2011" title="Portal:Current events/March 2011">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2011" title="Portal:Current events/April 2011">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2011" title="Portal:Current events/May 2011">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2011" title="Portal:Current events/June 2011">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2011" title="Portal:Current events/July 2011">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2011" title="Portal:Current events/August 2011">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2011" title="Portal:Current events/September 2011">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2011" title="Portal:Current events/October 2011">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2011" title="Portal:Current events/November 2011">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2011" title="Portal:Current events/December 2011">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2010" title="2010">2010</a></th><td class="navbox-list-with-group navbox-list navbox-even" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2010" title="Portal:Current events/January 2010">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2010" title="Portal:Current events/February 2010">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2010" title="Portal:Current events/March 2010">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2010" title="Portal:Current events/April 2010">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2010" title="Portal:Current events/May 2010">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2010" title="Portal:Current events/June 2010">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2010" title="Portal:Current events/July 2010">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2010" title="Portal:Current events/August 2010">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2010" title="Portal:Current events/September 2010">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2010" title="Portal:Current events/October 2010">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2010" title="Portal:Current events/November 2010">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2010" title="Portal:Current events/December 2010">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2009" title="2009">2009</a></th><td class="navbox-list-with-group navbox-list navbox-odd" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2009" title="Portal:Current events/January 2009">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2009" title="Portal:Current events/February 2009">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2009" title="Portal:Current events/March 2009">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2009" title="Portal:Current events/April 2009">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2009" title="Portal:Current events/May 2009">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2009" title="Portal:Current events/June 2009">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2009" title="Portal:Current events/July 2009">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2009" title="Portal:Current events/August 2009">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2009" title="Portal:Current events/September 2009">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2009" title="Portal:Current events/October 2009">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2009" title="Portal:Current events/November 2009">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2009" title="Portal:Current events/December 2009">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2008" title="2008">2008</a></th><td class="navbox-list-with-group navbox-list navbox-even" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2008" title="Portal:Current events/January 2008">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2008" title="Portal:Current events/February 2008">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2008" title="Portal:Current events/March 2008">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2008" title="Portal:Current events/April 2008">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2008" title="Portal:Current events/May 2008">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2008" title="Portal:Current events/June 2008">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2008" title="Portal:Current events/July 2008">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2008" title="Portal:Current events/August 2008">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2008" title="Portal:Current events/September 2008">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2008" title="Portal:Current events/October 2008">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2008" title="Portal:Current events/November 2008">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2008" title="Portal:Current events/December 2008">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2007" title="2007">2007</a></th><td class="navbox-list-with-group navbox-list navbox-odd" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2007" title="Portal:Current events/January 2007">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2007" title="Portal:Current events/February 2007">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2007" title="Portal:Current events/March 2007">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2007" title="Portal:Current events/April 2007">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2007" title="Portal:Current events/May 2007">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2007" title="Portal:Current events/June 2007">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2007" title="Portal:Current events/July 2007">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2007" title="Portal:Current events/August 2007">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2007" title="Portal:Current events/September 2007">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2007" title="Portal:Current events/October 2007">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2007" title="Portal:Current events/November 2007">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2007" title="Portal:Current events/December 2007">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2006" title="2006">2006</a></th><td class="navbox-list-with-group navbox-list navbox-even" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2006" title="Portal:Current events/January 2006">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2006" title="Portal:Current events/February 2006">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2006" title="Portal:Current events/March 2006">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2006" title="Portal:Current events/April 2006">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2006" title="Portal:Current events/May 2006">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2006" title="Portal:Current events/June 2006">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2006" title="Portal:Current events/July 2006">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2006" title="Portal:Current events/August 2006">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2006" title="Portal:Current events/September 2006">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2006" title="Portal:Current events/October 2006">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2006" title="Portal:Current events/November 2006">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2006" title="Portal:Current events/December 2006">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2005" title="2005">2005</a></th><td class="navbox-list-with-group navbox-list navbox-odd" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2005" title="Portal:Current events/January 2005">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2005" title="Portal:Current events/February 2005">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2005" title="Portal:Current events/March 2005">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2005" title="Portal:Current events/April 2005">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2005" title="Portal:Current events/May 2005">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2005" title="Portal:Current events/June 2005">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2005" title="Portal:Current events/July 2005">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2005" title="Portal:Current events/August 2005">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2005" title="Portal:Current events/September 2005">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2005" title="Portal:Current events/October 2005">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2005" title="Portal:Current events/November 2005">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2005" title="Portal:Current events/December 2005">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2004" title="2004">2004</a></th><td class="navbox-list-with-group navbox-list navbox-even" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2004" title="Portal:Current events/January 2004">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2004" title="Portal:Current events/February 2004">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2004" title="Portal:Current events/March 2004">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2004" title="Portal:Current events/April 2004">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2004" title="Portal:Current events/May 2004">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2004" title="Portal:Current events/June 2004">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2004" title="Portal:Current events/July 2004">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2004" title="Portal:Current events/August 2004">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2004" title="Portal:Current events/September 2004">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2004" title="Portal:Current events/October 2004">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2004" title="Portal:Current events/November 2004">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2004" title="Portal:Current events/December 2004">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2003" title="2003">2003</a></th><td class="navbox-list-with-group navbox-list navbox-odd" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2003" title="Portal:Current events/January 2003">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2003" title="Portal:Current events/February 2003">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2003" title="Portal:Current events/March 2003">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2003" title="Portal:Current events/April 2003">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2003" title="Portal:Current events/May 2003">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2003" title="Portal:Current events/June 2003">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2003" title="Portal:Current events/July 2003">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2003" title="Portal:Current events/August 2003">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2003" title="Portal:Current events/September 2003">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2003" title="Portal:Current events/October 2003">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2003" title="Portal:Current events/November 2003">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2003" title="Portal:Current events/December 2003">December</a></li></ul>
</div></td></tr><tr><th class="navbox-group" scope="row" style="width:1%"><a href="/wiki/2002" title="2002">2002</a></th><td class="navbox-list-with-group navbox-list navbox-even" style="width:100%;padding:0"><div style="padding:0 0.25em">
<ul><li><a href="/wiki/Portal:Current_events/January_2002" title="Portal:Current events/January 2002">January</a></li>
<li><a href="/wiki/Portal:Current_events/February_2002" title="Portal:Current events/February 2002">February</a></li>
<li><a href="/wiki/Portal:Current_events/March_2002" title="Portal:Current events/March 2002">March</a></li>
<li><a href="/wiki/Portal:Current_events/April_2002" title="Portal:Current events/April 2002">April</a></li>
<li><a href="/wiki/Portal:Current_events/May_2002" title="Portal:Current events/May 2002">May</a></li>
<li><a href="/wiki/Portal:Current_events/June_2002" title="Portal:Current events/June 2002">June</a></li>
<li><a href="/wiki/Portal:Current_events/July_2002" title="Portal:Current events/July 2002">July</a></li>
<li><a href="/wiki/Portal:Current_events/August_2002" title="Portal:Current events/August 2002">August</a></li>
<li><a href="/wiki/Portal:Current_events/September_2002" title="Portal:Current events/September 2002">September</a></li>
<li><a href="/wiki/Portal:Current_events/October_2002" title="Portal:Current events/October 2002">October</a></li>
<li><a href="/wiki/Portal:Current_events/November_2002" title="Portal:Current events/November 2002">November</a></li>
<li><a href="/wiki/Portal:Current_events/December_2002" title="Portal:Current events/December 2002">December</a></li></ul>
</div></td></tr><tr><td class="navbox-abovebelow hlist" colspan="2"><div>
<ul><li><a class="mw-selflink selflink">Portal:Current events</a></li>
<li><a href="/wiki/Portal:Current_events/Calendars" title="Portal:Current events/Calendars">Calendars</a></li></ul>
</div></td></tr></tbody></table></div>
<style data-mw-deduplicate="TemplateStyles:r1239335380">.mw-parser-output #sister-projects-list{display:flex;flex-wrap:wrap}.mw-parser-output #sister-projects-list li{display:inline-block}.mw-parser-output #sister-projects-list li span{font-weight:bold}.mw-parser-output #sister-projects-list li>div{display:inline-block;vertical-align:middle;padding:6px 4px}.mw-parser-output #sister-projects-list li>div:first-child{text-align:center}@media screen{.mw-parser-output .sister-projects-wikt-icon-dark,html.skin-theme-clientpref-night .mw-parser-output .sister-projects-wikt-icon-light{display:none}html.skin-theme-clientpref-night .mw-parser-output .sister-projects-wikt-icon-dark{display:inline}}@media screen and (prefers-color-scheme:dark){html.skin-theme-clientpref-os .mw-parser-output .sister-projects-wikt-icon-dark{display:inline}html.skin-theme-clientpref-os .mw-parser-output .sister-projects-wikt-icon-light{display:none}}@media(min-width:360px){.mw-parser-output #sister-projects-list li{width:33%;min-width:20em;white-space:nowrap;flex:1 0 25%}.mw-parser-output #sister-projects-list li>div:first-child{min-width:50px}}</style>
<div class="smallcaps" style="font-variant:small-caps;"><div class="center"><b>Discover Wikipedia using <a href="/wiki/Wikipedia:Portal" title="Wikipedia:Portal">portals</a></b></div></div>
<link href="mw-data:TemplateStyles:r1126788409" rel="mw-deduplicated-inline-style"/><div class="plainlist">
<ul id="sister-projects-list">
<li>
<div><figure class="mw-halign-center" typeof="mw:File"><a class="mw-file-description" href="/wiki/File:Lorentzian_Wormhole.svg"><img alt="icon" class="mw-file-element" data-file-height="600" data-file-width="620" decoding="async" height="34" src="//upload.wikimedia.org/wikipedia/commons/thumb/d/d2/Lorentzian_Wormhole.svg/40px-Lorentzian_Wormhole.svg.png" srcset="//upload.wikimedia.org/wikipedia/commons/thumb/d/d2/Lorentzian_Wormhole.svg/60px-Lorentzian_Wormhole.svg.png 1.5x, //upload.wikimedia.org/wikipedia/commons/thumb/d/d2/Lorentzian_Wormhole.svg/120px-Lorentzian_Wormhole.svg.png 2x" width="35"/></a><figcaption></figcaption></figure></div>
<div><span><a href="/wiki/Wikipedia:Contents/Portals" title="Wikipedia:Contents/Portals">List of all portals</a></span></div>
</li>
<li>
<div><span class="noviewer" typeof="mw:File"><a class="mw-file-description" href="/wiki/File:Nuvola_apps_package_graphics.png"><img alt="icon" class="mw-file-element" data-file-height="128" data-file-width="128" decoding="async" height="35" src="//upload.wikimedia.org/wikipedia/commons/thumb/2/22/Nuvola_apps_package_graphics.png/40px-Nuvola_apps_package_graphics.png" srcset="//upload.wikimedia.org/wikipedia/commons/thumb/2/22/Nuvola_apps_package_graphics.png/60px-Nuvola_apps_package_graphics.png 1.5x, //upload.wikimedia.org/wikipedia/commons/thumb/2/22/Nuvola_apps_package_graphics.png/120px-Nuvola_apps_package_graphics.png 2x" width="35"/></a></span></div>
<div><span><a href="/wiki/Portal:The_arts" title="Portal:The arts">The arts portal</a></span></div>
</li>
<li>
<div><span class="skin-invert-image noviewer" typeof="mw:File"><span><img alt="" class="mw-file-element" data-file-height="1944" data-file-width="1911" decoding="async" height="36" src="//upload.wikimedia.org/wikipedia/en/thumb/6/69/P_vip.svg/40px-P_vip.svg.png" srcset="//upload.wikimedia.org/wikipedia/en/thumb/6/69/P_vip.svg/60px-P_vip.svg.png 1.5x, //upload.wikimedia.org/wikipedia/en/thumb/6/69/P_vip.svg/120px-P_vip.svg.png 2x" width="35"/></span></span></div>
<div><span><a href="/wiki/Portal:Biography" title="Portal:Biography">Biography portal</a></span></div>
</li>
<li>
<div><span class="noviewer" typeof="mw:File"><span><img alt="" class="mw-file-element" data-file-height="512" data-file-width="512" decoding="async" height="35" src="//upload.wikimedia.org/wikipedia/commons/thumb/9/99/Ambox_globe_Americas.svg/40px-Ambox_globe_Americas.svg.png" srcset="//upload.wikimedia.org/wikipedia/commons/thumb/9/99/Ambox_globe_Americas.svg/60px-Ambox_globe_Americas.svg.png 1.5x, //upload.wikimedia.org/wikipedia/commons/thumb/9/99/Ambox_globe_Americas.svg/120px-Ambox_globe_Americas.svg.png 2x" width="35"/></span></span></div>
<div><span><a class="mw-selflink selflink">Current events portal</a></span></div>
</li>
<li>
<div><span class="noviewer" typeof="mw:File"><span><img alt="icon" class="mw-file-element" data-file-height="600" data-file-width="600" decoding="async" height="35" src="//upload.wikimedia.org/wikipedia/commons/thumb/f/f5/Terra.png/40px-Terra.png" srcset="//upload.wikimedia.org/wikipedia/commons/thumb/f/f5/Terra.png/60px-Terra.png 1.5x, //upload.wikimedia.org/wikipedia/commons/thumb/f/f5/Terra.png/120px-Terra.png 2x" width="35"/></span></span></div>
<div><span><a href="/wiki/Portal:Geography" title="Portal:Geography">Geography portal</a></span></div>
</li>
<li>
<div><span class="skin-invert-image noviewer" typeof="mw:File"><span><img alt="" class="mw-file-element" data-file-height="360" data-file-width="400" decoding="async" height="32" src="//upload.wikimedia.org/wikipedia/commons/thumb/4/48/P_history.svg/40px-P_history.svg.png" srcset="//upload.wikimedia.org/wikipedia/commons/thumb/4/48/P_history.svg/60px-P_history.svg.png 1.5x, //upload.wikimedia.org/wikipedia/commons/thumb/4/48/P_history.svg/120px-P_history.svg.png 2x" width="35"/></span></span></div>
<div><span><a href="/wiki/Portal:History" title="Portal:History">History portal</a></span></div>
</li>
<li>
<div><span class="skin-invert-image noviewer" typeof="mw:File"><a class="mw-file-description" href="/wiki/File:Nuvola_apps_edu_mathematics_blue-p.svg"><img alt="icon" class="mw-file-element" data-file-height="128" data-file-width="128" decoding="async" height="35" src="//upload.wikimedia.org/wikipedia/commons/thumb/3/3e/Nuvola_apps_edu_mathematics_blue-p.svg/40px-Nuvola_apps_edu_mathematics_blue-p.svg.png" srcset="//upload.wikimedia.org/wikipedia/commons/thumb/3/3e/Nuvola_apps_edu_mathematics_blue-p.svg/60px-Nuvola_apps_edu_mathematics_blue-p.svg.png 1.5x, //upload.wikimedia.org/wikipedia/commons/thumb/3/3e/Nuvola_apps_edu_mathematics_blue-p.svg/120px-Nuvola_apps_edu_mathematics_blue-p.svg.png 2x" width="35"/></a></span></div>
<div><span><a href="/wiki/Portal:Mathematics" title="Portal:Mathematics">Mathematics portal</a></span></div>
</li>
<li>
<div><span class="noviewer" typeof="mw:File"><a class="mw-file-description" href="/wiki/File:Nuvola_apps_kalzium.svg"><img alt="icon" class="mw-file-element" data-file-height="128" data-file-width="128" decoding="async" height="35" src="//upload.wikimedia.org/wikipedia/commons/thumb/8/8b/Nuvola_apps_kalzium.svg/40px-Nuvola_apps_kalzium.svg.png" srcset="//upload.wikimedia.org/wikipedia/commons/thumb/8/8b/Nuvola_apps_kalzium.svg/60px-Nuvola_apps_kalzium.svg.png 1.5x, //upload.wikimedia.org/wikipedia/commons/thumb/8/8b/Nuvola_apps_kalzium.svg/120px-Nuvola_apps_kalzium.svg.png 2x" width="35"/></a></span></div>
<div><span><a href="/wiki/Portal:Science" title="Portal:Science">Science portal</a></span></div>
</li>
<li>
<div><span class="skin-invert-image noviewer" typeof="mw:File"><a class="mw-file-description" href="/wiki/File:Social_sciences.svg"><img alt="icon" class="mw-file-element" data-file-height="122" data-file-width="139" decoding="async" height="31" src="//upload.wikimedia.org/wikipedia/commons/thumb/4/42/Social_sciences.svg/40px-Social_sciences.svg.png" srcset="//upload.wikimedia.org/wikipedia/commons/thumb/4/42/Social_sciences.svg/60px-Social_sciences.svg.png 1.5x, //upload.wikimedia.org/wikipedia/commons/thumb/4/42/Social_sciences.svg/120px-Social_sciences.svg.png 2x" width="35"/></a></span></div>
<div><span><a href="/wiki/Portal:Society" title="Portal:Society">Society portal</a></span></div>
</li>
<li>
<div><span class="skin-invert-image noviewer" typeof="mw:File"><a class="mw-file-description" href="/wiki/File:Noun-technology.svg"><img alt="icon" class="mw-file-element" data-file-height="88" data-file-width="90" decoding="async" height="34" src="//upload.wikimedia.org/wikipedia/commons/thumb/a/a9/Noun-technology.svg/40px-Noun-technology.svg.png" srcset="//upload.wikimedia.org/wikipedia/commons/thumb/a/a9/Noun-technology.svg/60px-Noun-technology.svg.png 1.5x, //upload.wikimedia.org/wikipedia/commons/thumb/a/a9/Noun-technology.svg/70px-Noun-technology.svg.png 2x" width="35"/></a></span></div>
<div><span><a href="/wiki/Portal:Technology" title="Portal:Technology">Technology portal</a></span></div>
</li>
<li>
<div><figure class="mw-halign-center skin-invert" typeof="mw:File"><a class="mw-file-description" href="/wiki/File:Random_font_awesome.svg"><img alt="icon" class="mw-file-element" data-file-height="512" data-file-width="512" decoding="async" height="35" src="//upload.wikimedia.org/wikipedia/commons/thumb/7/70/Random_font_awesome.svg/40px-Random_font_awesome.svg.png" srcset="//upload.wikimedia.org/wikipedia/commons/thumb/7/70/Random_font_awesome.svg/60px-Random_font_awesome.svg.png 1.5x, //upload.wikimedia.org/wikipedia/commons/thumb/7/70/Random_font_awesome.svg/120px-Random_font_awesome.svg.png 2x" width="35"/></a><figcaption></figcaption></figure></div>
<div><span><a href="/wiki/Special:RandomInCategory/All_portals" title="Special:RandomInCategory/All portals">Random portal</a></span></div>
</li>
<li>
<div><figure class="mw-halign-center" typeof="mw:File"><a class="mw-file-description" href="/wiki/File:Portal.svg"><img alt="icon" class="mw-file-element" data-file-height="32" data-file-width="36" decoding="async" height="31" src="//upload.wikimedia.org/wikipedia/commons/thumb/c/c9/Portal.svg/35px-Portal.svg.png" srcset="//upload.wikimedia.org/wikipedia/commons/thumb/c/c9/Portal.svg/53px-Portal.svg.png 1.5x, //upload.wikimedia.org/wikipedia/commons/thumb/c/c9/Portal.svg/70px-Portal.svg.png 2x" width="35"/></a><figcaption></figcaption></figure></div>
<div><span><a href="/wiki/Wikipedia:WikiProject_Portals" title="Wikipedia:WikiProject Portals">WikiProject Portals</a></span></div>
</li>
<li class="mw-empty-elt">
</li>
</ul>
</div>
</div>
<!-- 
NewPP limit report
Parsed by mw‐web.codfw.main‐9c75744‐kflbq
Cached time: 20250928175410
Cache expiry: 3600
Reduced expiry: true
Complications: [vary‐revision‐sha1, no‐toc]
CPU time usage: 0.738 seconds
Real time usage: 1.019 seconds
Preprocessor visited node count: 7028/1000000
Revision size: 1153/2097152 bytes
Post‐expand include size: 511011/2097152 bytes
Template argument size: 66507/2097152 bytes
Highest expansion depth: 17/100
Expensive parser function count: 4/500
Unstrip recursion depth: 0/20
Unstrip post‐expand size: 63962/5000000 bytes
Lua time usage: 0.209/10.000 seconds
Lua memory usage: 5687492/52428800 bytes
Number of Wikibase entities loaded: 1/500
-->
<!--
Transclusion expansion time report (%,ms,calls,template)
100.00%  648.080      1 -total
 25.99%  168.452      1 Portal:Current_events/Sidebar
 21.44%  138.955      1 Portal:Current_events/Inclusion
 20.45%  132.540      1 Template:C21_year_in_topic_current_events
 16.99%  110.098      7 Template:Current_events
 10.75%   69.700      1 Template:Sister_project_links
  8.30%   53.805      1 Portal:Current_events/Events_by_month
  7.90%   51.220      1 Template:Portal_maintenance_status
  7.28%   47.164      1 Portal:Current_events/Headlines
  7.23%   46.869      1 Template:Portal_navbar_no_header2
-->
<!-- Saved in parser cache with key enwiki:pcache:5776237:|#|:idhash:canonical and timestamp 20250928175410 and revision id 1234748158. Rendering was triggered because: page_view
 -->
</div><noscript><img alt="" height="1" src="https://en.wikipedia.org/wiki/Special:CentralAutoLogin/start?type=1x1&amp;usesul3=1" style="border: none; position: absolute;" width="1"/></noscript>
<div class="printfooter" data-nosnippet="">Retrieved from "<a dir="ltr" href="https://en.wikipedia.org/w/index.php?title=Portal:Current_events&amp;oldid=1234748158">https://en.wikipedia.org/w/index.php?title=Portal:Current_events&amp;oldid=1234748158</a>"</div></div>
<div class="catlinks" data-mw="interface" id="catlinks"><div class="mw-normal-catlinks" id="mw-normal-catlinks"><a href="/wiki/Help:Category" title="Help:Category">Categories</a>: <ul><li><a href="/wiki/Category:All_portals" title="Category:All portals">All portals</a></li><li><a href="/wiki/Category:2025_by_day" title="Category:2025 by day">2025 by day</a></li><li><a href="/wiki/Category:Current_events_portal" title="Category:Current events portal">Current events portal</a></li><li><a href="/wiki/Category:2025" title="Category:2025">2025</a></li><li><a href="/wiki/Category:Current_events" title="Category:Current events">Current events</a></li><li><a href="/wiki/Category:WikiProject_Current_events" title="Category:WikiProject Current events">WikiProject Current events</a></li><li><a href="/wiki/Category:History_portals" title="Category:History portals">History portals</a></li></ul></div><div class="mw-hidden-catlinks mw-hidden-cats-hidden" id="mw-hidden-catlinks">Hidden categories: <ul><li><a href="/wiki/Category:Wikipedia_pages_protected_against_vandalism" title="Category:Wikipedia pages protected against vandalism">Wikipedia pages protected against vandalism</a></li><li><a href="/wiki/Category:Portals_with_triaged_subpages_from_October_2020" title="Category:Portals with triaged subpages from October 2020">Portals with triaged subpages from October 2020</a></li><li><a href="/wiki/Category:All_portals_with_triaged_subpages" title="Category:All portals with triaged subpages">All portals with triaged subpages</a></li><li><a href="/wiki/Category:Portals_with_no_named_maintainer" title="Category:Portals with no named maintainer">Portals with no named maintainer</a></li></ul></div></div>
</div>
</main>
</div>
<div class="mw-footer-container">
<footer class="mw-footer" id="footer">
<ul id="footer-info">
<li id="footer-info-lastmod"> This page was last edited on 15 July 2024, at 23:17<span class="anonymous-show"> (UTC)</span>.</li>
<li id="footer-info-copyright">Text is available under the <a href="/wiki/Wikipedia:Text_of_the_Creative_Commons_Attribution-ShareAlike_4.0_International_License" title="Wikipedia:Text of the Creative Commons Attribution-ShareAlike 4.0 International License">Creative Commons Attribution-ShareAlike 4.0 License</a>;
additional terms may apply. By using this site, you agree to the <a class="extiw" href="https://foundation.wikimedia.org/wiki/Special:MyLanguage/Policy:Terms_of_Use" title="foundation:Special:MyLanguage/Policy:Terms of Use">Terms of Use</a> and <a class="extiw" href="https://foundation.wikimedia.org/wiki/Special:MyLanguage/Policy:Privacy_policy" title="foundation:Special:MyLanguage/Policy:Privacy policy">Privacy Policy</a>. Wikipedia® is a registered trademark of the <a class="external text" href="https://wikimediafoundation.org/" rel="nofollow">Wikimedia Foundation, Inc.</a>, a non-profit organization.</li>
</ul>
<ul id="footer-places">
<li id="footer-places-privacy"><a href="https://foundation.wikimedia.org/wiki/Special:MyLanguage/Policy:Privacy_policy">Privacy policy</a></li>
<li id="footer-places-about"><a href="/wiki/Wikipedia:About">About Wikipedia</a></li>
<li id="footer-places-disclaimers"><a href="/wiki/Wikipedia:General_disclaimer">Disclaimers</a></li>
<li id="footer-places-contact"><a href="//en.wikipedia.org/wiki/Wikipedia:Contact_us">Contact Wikipedia</a></li>
<li id="footer-places-wm-codeofconduct"><a href="https://foundation.wikimedia.org/wiki/Special:MyLanguage/Policy:Universal_Code_of_Conduct">Code of Conduct</a></li>
<li id="footer-places-developers"><a href="https://developer.wikimedia.org">Developers</a></li>
<li id="footer-places-statslink"><a href="https://stats.wikimedia.org/#/en.wikipedia.org">Statistics</a></li>
<li id="footer-places-cookiestatement"><a href="https://foundation.wikimedia.org/wiki/Special:MyLanguage/Policy:Cookie_statement">Cookie statement</a></li>
<li id="footer-places-mobileview"><a class="noprint stopMobileRedirectToggle" href="//en.m.wikipedia.org/w/index.php?title=Portal:Current_events&amp;mobileaction=toggle_view_mobile">Mobile view</a></li>
</ul>
<ul class="noprint" id="footer-icons">
<li id="footer-copyrightico"><a class="cdx-button cdx-button--fake-button cdx-button--size-large cdx-button--fake-button--enabled" href="https://www.wikimedia.org/"><picture><source height="29" media="(min-width: 500px)" srcset="/static/images/footer/wikimedia-button.svg" width="84"/><img alt="Wikimedia Foundation" height="25" lang="en" loading="lazy" src="/static/images/footer/wikimedia.svg" width="25"/></picture></a></li>
<li id="footer-poweredbyico"><a class="cdx-button cdx-button--fake-button cdx-button--size-large cdx-button--fake-button--enabled" href="https://www.mediawiki.org/"><picture><source height="31" media="(min-width: 500px)" srcset="/w/resources/assets/poweredby_mediawiki.svg" width="88"/><img alt="Powered by MediaWiki" height="25" lang="en" loading="lazy" src="/w/resources/assets/mediawiki_compact.svg" width="25"/></picture></a></li>
</ul>
</footer>
</div>
</div>
</div>
<div class="vector-header-container vector-sticky-header-container no-font-mode-scale">
<div class="vector-sticky-header" id="vector-sticky-header">
<div class="vector-sticky-header-start">
<div aria-hidden="true" class="vector-sticky-header-icon-start vector-button-flush-left vector-button-flush-right">
<button class="cdx-button cdx-button--weight-quiet cdx-button--icon-only vector-sticky-header-search-toggle" data-event-name="ui.vector-sticky-search-form.icon" tabindex="-1"><span class="vector-icon mw-ui-icon-search mw-ui-icon-wikimedia-search"></span>
<span>Search</span>
</button>
</div>
<div class="vector-search-box-vue vector-search-box-show-thumbnail vector-search-box" role="search">
<div class="vector-typeahead-search-container">
<div class="cdx-typeahead-search cdx-typeahead-search--show-thumbnail">
<form action="/w/index.php" class="cdx-search-input cdx-search-input--has-end-button" id="vector-sticky-search-form">
<div class="cdx-search-input__input-wrapper" data-search-loc="header-moved">
<div class="cdx-text-input cdx-text-input--has-start-icon">
<input autocomplete="off" class="cdx-text-input__input mw-searchInput" name="search" placeholder="Search Wikipedia" type="search"/>
<span class="cdx-text-input__icon cdx-text-input__start-icon"></span>
</div>
<input name="title" type="hidden" value="Special:Search"/>
</div>
<button class="cdx-button cdx-search-input__end-button">Search</button>
</form>
</div>
</div>
</div>
<div class="vector-sticky-header-context-bar">
<div aria-hidden="true" class="vector-sticky-header-context-bar-primary"><span class="mw-page-title-namespace">Portal</span><span class="mw-page-title-separator">:</span><span class="mw-page-title-main">Current events</span></div>
</div>
</div>
<div aria-hidden="true" class="vector-sticky-header-end">
<div class="vector-sticky-header-icons">
<a class="cdx-button cdx-button--fake-button cdx-button--fake-button--enabled cdx-button--weight-quiet cdx-button--icon-only" data-event-name="talk-sticky-header" href="#" id="ca-talk-sticky-header" tabindex="-1"><span class="vector-icon mw-ui-icon-speechBubbles mw-ui-icon-wikimedia-speechBubbles"></span>
<span></span>
</a>
<a class="cdx-button cdx-button--fake-button cdx-button--fake-button--enabled cdx-button--weight-quiet cdx-button--icon-only" data-event-name="subject-sticky-header" href="#" id="ca-subject-sticky-header" tabindex="-1"><span class="vector-icon mw-ui-icon-article mw-ui-icon-wikimedia-article"></span>
<span></span>
</a>
<a class="cdx-button cdx-button--fake-button cdx-button--fake-button--enabled cdx-button--weight-quiet cdx-button--icon-only" data-event-name="history-sticky-header" href="#" id="ca-history-sticky-header" tabindex="-1"><span class="vector-icon mw-ui-icon-wikimedia-history mw-ui-icon-wikimedia-wikimedia-history"></span>
<span></span>
</a>
<a class="cdx-button cdx-button--fake-button cdx-button--fake-button--enabled cdx-button--weight-quiet cdx-button--icon-only mw-watchlink" data-event-name="watch-sticky-header" href="#" id="ca-watchstar-sticky-header" tabindex="-1"><span class="vector-icon mw-ui-icon-wikimedia-star mw-ui-icon-wikimedia-wikimedia-star"></span>
<span></span>
</a>
<a class="cdx-button cdx-button--fake-button cdx-button--fake-button--enabled cdx-button--weight-quiet cdx-button--icon-only reading-lists-bookmark" data-event-name="watch-sticky-bookmark" href="#" id="ca-bookmark-sticky-header" tabindex="-1"><span class="vector-icon mw-ui-icon-wikimedia-bookmarkOutline mw-ui-icon-wikimedia-wikimedia-bookmarkOutline"></span>
<span></span>
</a>
<a class="cdx-button cdx-button--fake-button cdx-button--fake-button--enabled cdx-button--weight-quiet cdx-button--icon-only" data-event-name="wikitext-edit-sticky-header" href="#" id="ca-edit-sticky-header" tabindex="-1"><span class="vector-icon mw-ui-icon-wikimedia-wikiText mw-ui-icon-wikimedia-wikimedia-wikiText"></span>
<span></span>
</a>
<a class="cdx-button cdx-button--fake-button cdx-button--fake-button--enabled cdx-button--weight-quiet cdx-button--icon-only" data-event-name="ve-edit-sticky-header" href="#" id="ca-ve-edit-sticky-header" tabindex="-1"><span class="vector-icon mw-ui-icon-wikimedia-edit mw-ui-icon-wikimedia-wikimedia-edit"></span>
<span></span>
</a>
<a class="cdx-button cdx-button--fake-button cdx-button--fake-button--enabled cdx-button--weight-quiet cdx-button--icon-only" data-event-name="ve-edit-protected-sticky-header" href="#" id="ca-viewsource-sticky-header" tabindex="-1"><span class="vector-icon mw-ui-icon-wikimedia-editLock mw-ui-icon-wikimedia-wikimedia-editLock"></span>
<span></span>
</a>
</div>
<div class="vector-sticky-header-buttons">
<button class="cdx-button cdx-button--weight-quiet mw-interlanguage-selector" data-event-name="ui.dropdown-p-lang-btn-sticky-header" id="p-lang-btn-sticky-header" tabindex="-1"><span class="vector-icon mw-ui-icon-wikimedia-language mw-ui-icon-wikimedia-wikimedia-language"></span>
<span>118 languages</span>
</button>
<a class="cdx-button cdx-button--fake-button cdx-button--fake-button--enabled cdx-button--weight-quiet cdx-button--action-progressive" data-event-name="addsection-sticky-header" href="#" id="ca-addsection-sticky-header" tabindex="-1"><span class="vector-icon mw-ui-icon-speechBubbleAdd-progressive mw-ui-icon-wikimedia-speechBubbleAdd-progressive"></span>
<span>Add topic</span>
</a>
</div>
<div class="vector-sticky-header-icon-end">
<div class="vector-user-links">
</div>
</div>
</div>
</div>
</div>
<div class="mw-portlet mw-portlet-dock-bottom emptyPortlet" id="p-dock-bottom">
<ul>
</ul>
</div>
<script>(RLQ=window.RLQ||[]).push(function(){mw.config.set({"wgHostname":"mw-web.codfw.main-9c75744-v4x85","wgBackendResponseTime":186,"wgPageParseReport":{"limitreport":{"cputime":"0.738","walltime":"1.019","ppvisitednodes":{"value":7028,"limit":1000000},"revisionsize":{"value":1153,"limit":2097152},"postexpandincludesize":{"value":511011,"limit":2097152},"templateargumentsize":{"value":66507,"limit":2097152},"expansiondepth":{"value":17,"limit":100},"expensivefunctioncount":{"value":4,"limit":500},"unstrip-depth":{"value":0,"limit":20},"unstrip-size":{"value":63962,"limit":5000000},"entityaccesscount":{"value":1,"limit":500},"timingprofile":["100.00%  648.080      1 -total"," 25.99%  168.452      1 Portal:Current_events/Sidebar"," 21.44%  138.955      1 Portal:Current_events/Inclusion"," 20.45%  132.540      1 Template:C21_year_in_topic_current_events"," 16.99%  110.098      7 Template:Current_events"," 10.75%   69.700      1 Template:Sister_project_links","  8.30%   53.805      1 Portal:Current_events/Events_by_month","  7.90%   51.220      1 Template:Portal_maintenance_status","  7.28%   47.164      1 Portal:Current_events/Headlines","  7.23%   46.869      1 Template:Portal_navbar_no_header2"]},"scribunto":{"limitreport-timeusage":{"value":"0.209","limit":"10.000"},"limitreport-memusage":{"value":5687492,"limit":52428800}},"cachereport":{"origin":"mw-web.codfw.main-9c75744-kflbq","timestamp":"20250928175410","ttl":3600,"transientcontent":true}}});});</script>
</body>
</html>
#Another way of displaying the dataframe
df
date headline description
0 2025-09-28 Russian invasion of Ukraine Russian strikes against Ukrainian infrastructu…
1 2025-09-28 Anti-corruption campaign under Xi Jinping Former Chinese agriculture minister Tang Renji…
2 2025-09-28 Mass shootings in the United States Two people are killed and at least seven other…
3 2025-09-28 2025 Moldovan parliamentary election Moldovans vote to elect the 101 seats of the p…
4 2025-09-28 2025 FIVB Men’s Volleyball World Championship In volleyball, Italy defeat Bulgaria 3–1 to wi…
109 2025-09-22 Human rights in Egypt Egyptian president Abdel Fattah el-Sisi grants…
110 2025-09-22 Costa Rican president Rodrigo Chaves Robles survives a con…
111 2025-09-22 2025 Ballon d’Or In association football , French player Ousman…
112 2025-09-22 2025 CFL season Canadian Football League (CFL) commissioner St…
113 2025-09-22 ski mountaineering In ski mountaineering , Polish climber Andrzej…

114 rows × 3 columns

Grouping events with the same headline

Our dataframe df is pretty much clean already (one row per event per date) and we could leave it as is for further analysis.

But let’s try and do some further processing. As you might have noticed, some events sharing a headline e.g Gaza war appear on multiple lines (with different dates and descriptions). We’ll try and group all events sharing a headline together (so that there’s one row per headline).

We first start by making the headlines consistent (some might have leading or trailing spaces):

df['headline'] = df['headline'].str.strip().str.lower()

We then group by headline, making sure to keep the first and last dates at which the event appears (can aggregate dates using min and max to get the first and last occurrence) and merging all event descriptions

grouped_df = df.groupby('headline').agg({
    'date': ['min', 'max'],  # first and last dates
    'description': lambda x: ' | '.join(x.dropna())  # merge all descriptions
})

# Flatten MultiIndex columns
grouped_df.columns = ['first_date', 'last_date', 'merged_description']
grouped_df = grouped_df.reset_index()

grouped_df
headline first_date last_date merged_description
0 1991 austin yogurt shop murders 2025-09-26 2025-09-26 Deceased serial killer Robert Eugene Brashers …
1 2020–2025 h5n1 outbreak 2025-09-22 2025-09-22 Poland reports an outbreak of highly pathogeni…
2 2024 european heatwaves 2025-09-22 2025-09-22 Nature Medicine publishes a report that Europe…
3 2025 afl grand final 2025-09-27 2025-09-27 In Australian rules football , the Brisbane Li…
4 2025 allenby bridge shooting 2025-09-24 2025-09-24 Israel indefinitely closes the Allenby Bridge …
94 syria–ukraine relations 2025-09-24 2025-09-24 Syria and Ukraine restore diplomatic relations…
95 tattooing in south korea 2025-09-25 2025-09-25 South Korea ’s National Assembly passes a law …
96 trinidad and tobago 2025-09-23 2025-09-23 ’s high court blocks the extradition of former…
97 unification church 2025-09-23 2025-09-23 leader Hak Ja Han is arrested in Seoul , South…
98 violations of non-combatant airspaces during t… 2025-09-23 2025-09-23 Lithuania ’s parliament authorizes its militar…

99 rows × 4 columns

Calculating event duration

grouped_df already gives us first_date and last_date, so calculating the duration of events and adding this information to grouped_df is rather straightforward. Note that for the calculations to work we need to make sure first_date and last_date are converted to datetime.

## Convert to datetime if not already
grouped_df['first_date'] = pd.to_datetime(grouped_df['first_date'])
grouped_df['last_date'] = pd.to_datetime(grouped_df['last_date'])

# Calculate duration in days
grouped_df['duration_days'] = (grouped_df['last_date'] - grouped_df['first_date']).dt.days

# Optionally, in years
grouped_df['duration_years'] = grouped_df['duration_days'] / 365
#print the dataframe with added duration
grouped_df
headline first_date last_date merged_description duration_days duration_years
0 1991 austin yogurt shop murders 2025-09-26 2025-09-26 Deceased serial killer Robert Eugene Brashers … 0 0.0
1 2020–2025 h5n1 outbreak 2025-09-22 2025-09-22 Poland reports an outbreak of highly pathogeni… 0 0.0
2 2024 european heatwaves 2025-09-22 2025-09-22 Nature Medicine publishes a report that Europe… 0 0.0
3 2025 afl grand final 2025-09-27 2025-09-27 In Australian rules football , the Brisbane Li… 0 0.0
4 2025 allenby bridge shooting 2025-09-24 2025-09-24 Israel indefinitely closes the Allenby Bridge … 0 0.0
94 syria–ukraine relations 2025-09-24 2025-09-24 Syria and Ukraine restore diplomatic relations… 0 0.0
95 tattooing in south korea 2025-09-25 2025-09-25 South Korea ’s National Assembly passes a law … 0 0.0
96 trinidad and tobago 2025-09-23 2025-09-23 ’s high court blocks the extradition of former… 0 0.0
97 unification church 2025-09-23 2025-09-23 leader Hak Ja Han is arrested in Seoul , South… 0 0.0
98 violations of non-combatant airspaces during t… 2025-09-23 2025-09-23 Lithuania ’s parliament authorizes its militar… 0 0.0

99 rows × 6 columns

Getting events with duration longer than a day

Many events start and end on the same day and so, for them, duration_days is 0.

We want to try and find events where duration_days is greater than 0:

pos_duration = grouped_df.query('duration_days!=0')
pos_duration
headline first_date last_date merged_description duration_days duration_years
20 2025 malawian general election 2025-09-23 2025-09-24 Former Malawian president Peter Mutharika is d… 1 0.002740
21 2025 moldovan parliamentary election 2025-09-22 2025-09-28 Moldovans vote to elect the 101 seats of the p… 6 0.016438
22 2025 pacific typhoon season 2025-09-22 2025-09-26 Ten people are confirmed killed as Typhoon Bua… 4 0.010959
54 flood control projects controversy in the phil… 2025-09-23 2025-09-25 The Philippine Department of Justice and the N… 2 0.005479
59 gaza war 2025-09-22 2025-09-27 2025 Gaza City offensive At least 91 Palestini… 5 0.013699
65 insurgency in khyber pakhtunkhwa 2025-09-22 2025-09-27 The Pakistan Armed Forces kill 17 Taliban mili… 5 0.013699
78 mass shootings in the united states 2025-09-27 2025-09-28 Two people are killed and at least seven other… 1 0.002740
83 miners 2025-09-22 2025-09-24 All 23 miners trapped for two days in a collap… 2 0.005479
88 russian invasion of ukraine 2025-09-22 2025-09-28 Russian strikes against Ukrainian infrastructu… 6 0.016438

Extracting Event Locations from merged_description

In this step, we aim to assign a single location to each event from pos_location based on its description. Because the merged_description column often contains multiple sentences, news sources, or even multiple locations, we’ll use a simple regex-based approach. This method is not perfect, but it’s useful for teaching basic string processing and the challenges of real-world data.

The process has three main parts:

  1. Initial Extraction – Try to find common keywords or the first capitalized word that looks like a location.
  2. Mapping / Correction – Some extracted words may be adjectives (like “Malawian”); we map them to a proper country name.
  3. Standardization – Capitalize the corrected location for consistency.

Step 1 – Define Extraction Function

def extract_event_location(description):
    """
    Extracts a likely event location from the description.
    1. Try keywords like 'United', 'North', 'South', etc.
    2. Check for known country names appearing anywhere in the text.
    3. Fallback: first capitalized word (ignoring common stop words)
    """
    if pd.isna(description):
        return None
    
    # Step 1: keyword + adjective matches
    pattern = r'\b(?:North|South|Sri|Philippine|Pakistani|Malawian|Gaza|Ukrainian|Colombian)\b(?:\s+\w+)?'
    match = re.search(pattern, description, re.IGNORECASE)
    if match:
        return match.group(0)
    
    # Step 2: look for country names directly
    countries = ['Malawi', 'Philippines', 'Palestine', 'Pakistan', 'Ukraine', 'Colombia', 'Taiwan', 'Hong Kong', 'China']
    for country in countries:
        if re.search(r'\b' + re.escape(country) + r'\b', description):
            return country
    
    # Step 3: fallback to first capitalized word not in stoplist
    words = re.findall(r'\b[A-Z][a-z]+\b', description)
    stopwords = ['The', 'Former', 'Ten', 'All', 'At', 'War', 'In', 'Philippine', 'Pakistani', 'Malawian', 'Gaza', 'Ukrainian', 'Colombian']
    for w in words:
        if w not in stopwords:
            return w
    
    return None

Step 2 – Apply Extraction

# Apply the extraction function to each event
pos_duration['event_location'] = pos_duration['merged_description'].apply(extract_event_location)

At this point, event_location contains the raw extracted location, which may be an adjective (e.g., “Malawian”) or a partial place name (e.g., “Gaza”).

Here’s what pos_duration looks like after this processing:

pos_duration
headline first_date last_date merged_description duration_days duration_years event_location
20 2025 malawian general election 2025-09-23 2025-09-24 Former Malawian president Peter Mutharika is d… 1 0.002740 Malawian president
21 2025 moldovan parliamentary election 2025-09-22 2025-09-28 Moldovans vote to elect the 101 seats of the p… 6 0.016438 Moldovans
22 2025 pacific typhoon season 2025-09-22 2025-09-26 Ten people are confirmed killed as Typhoon Bua… 4 0.010959 Philippine Daily
54 flood control projects controversy in the phil… 2025-09-23 2025-09-25 The Philippine Department of Justice and the N… 2 0.005479 Philippine Department
59 gaza war 2025-09-22 2025-09-27 2025 Gaza City offensive At least 91 Palestini… 5 0.013699 Gaza City
65 insurgency in khyber pakhtunkhwa 2025-09-22 2025-09-27 The Pakistan Armed Forces kill 17 Taliban mili… 5 0.013699 Pakistani Taliban
78 mass shootings in the united states 2025-09-27 2025-09-28 Two people are killed and at least seven other… 1 0.002740 North Carolina
83 miners 2025-09-22 2025-09-24 All 23 miners trapped for two days in a collap… 2 0.005479 Colombia
88 russian invasion of ukraine 2025-09-22 2025-09-28 Russian strikes against Ukrainian infrastructu… 6 0.016438 Ukrainian infrastructure

Step 3 – Correct Country Names

Our location extraction extraction works well in some ways:

  • Miners → Colombia is correctly picked.
  • Events like Gaza war, Malawian election, Typhoon Philippines are reasonable.

However, the extraction is still imperfect:

  • “Malawian president” (still contains extra words; ideally we want just “Malawi”)
  • “Philippine Daily” / “Philippine Department” (picked from news sources; we want “Philippines”)
  • “Ukrainian territories” (it’s okay-ish, but could be normalized to “Ukraine”)
  • “Pakistani Taliban” (contains a group adjective; ideally mapped to “Pakistan”)

These are normal challenges of regex-based extraction on messy descriptions: regex is simple but brittle (not to mention that regex require some knowledge of the text parsed).

So, how do we fix the issues we’ve identified?

We’ll add a post-processing mapping to clean common messes:

location_mapping = {
    'Malawian president': 'Malawi',
    'Philippine Daily': 'Philippines',
    'Philippine Department': 'Philippines',
    'Pakistani Taliban': 'Pakistan',
    'Ukrainian territories': 'Ukraine',
    'Ukrainian infrastructure': 'Ukraine',
    'Gaza City': 'Palestine',
    'Moldovans' : 'Moldova'
}

pos_duration['correct_location'] = pos_duration['event_location'].apply(
    lambda x: location_mapping.get(x, x)
).str.title()

How does our dataframe look like now?

pos_duration
headline first_date last_date merged_description duration_days duration_years event_location correct_location
20 2025 malawian general election 2025-09-23 2025-09-24 Former Malawian president Peter Mutharika is d… 1 0.002740 Malawian president Malawi
21 2025 moldovan parliamentary election 2025-09-22 2025-09-28 Moldovans vote to elect the 101 seats of the p… 6 0.016438 Moldovans Moldova
22 2025 pacific typhoon season 2025-09-22 2025-09-26 Ten people are confirmed killed as Typhoon Bua… 4 0.010959 Philippine Daily Philippines
54 flood control projects controversy in the phil… 2025-09-23 2025-09-25 The Philippine Department of Justice and the N… 2 0.005479 Philippine Department Philippines
59 gaza war 2025-09-22 2025-09-27 2025 Gaza City offensive At least 91 Palestini… 5 0.013699 Gaza City Palestine
65 insurgency in khyber pakhtunkhwa 2025-09-22 2025-09-27 The Pakistan Armed Forces kill 17 Taliban mili… 5 0.013699 Pakistani Taliban Pakistan
78 mass shootings in the united states 2025-09-27 2025-09-28 Two people are killed and at least seven other… 1 0.002740 North Carolina North Carolina
83 miners 2025-09-22 2025-09-24 All 23 miners trapped for two days in a collap… 2 0.005479 Colombia Colombia
88 russian invasion of ukraine 2025-09-22 2025-09-28 Russian strikes against Ukrainian infrastructu… 6 0.016438 Ukrainian infrastructure Ukraine

Takeaway

  • regex can extract locations roughly.
  • manual mapping / correction is needed when data contains news sources, group names, or multiple locations. *To automate this location extraction more reliably and efficiently, we could use Named Entity Recognition (or NER), which avoids brittle regex. Instead of relying on fragile regex rules, we can use a pre-trained NER model to detect named entities in text. Entities labeled as GPE (Geo-Political Entities) usually correspond to countries, cities, or regions. This approach is much more flexible and can handle multiple locations in a description automatically.

Here’s how NER would work:

  • just as before, we define a function to extract locations (this time relying on NER instead of regex)
def extract_locations_ner(text):
    """
    Extract GPE entities (cities, countries, regions) from text using spaCy NER.
    Returns the first location found for simplicity.
    """
    if pd.isna(text):
        return None
    
    doc = nlp(text)
    # Collect entities labeled as GPE (Geo-Political Entities)
    gpe_entities = [ent.text for ent in doc.ents if ent.label_ == "GPE"]
    
    if gpe_entities:
        # Pick the first one (or could join all for multiple locations)
        return gpe_entities[0]
    return None
  • then, we apply the function to all dataframe rows
pos_duration['ner_location'] = pos_duration['merged_description'].apply(extract_locations_ner)
  • we review our results:
pos_duration
headline first_date last_date merged_description duration_days duration_years event_location correct_location ner_location
20 2025 malawian general election 2025-09-23 2025-09-24 Former Malawian president Peter Mutharika is d… 1 0.002740 Malawian president Malawi None
21 2025 moldovan parliamentary election 2025-09-22 2025-09-28 Moldovans vote to elect the 101 seats of the p… 6 0.016438 Moldovans Moldova Russia
22 2025 pacific typhoon season 2025-09-22 2025-09-26 Ten people are confirmed killed as Typhoon Bua… 4 0.010959 Philippine Daily Philippines Visayas
54 flood control projects controversy in the phil… 2025-09-23 2025-09-25 The Philippine Department of Justice and the N… 2 0.005479 Philippine Department Philippines None
59 gaza war 2025-09-22 2025-09-27 2025 Gaza City offensive At least 91 Palestini… 5 0.013699 Gaza City Palestine Gaza City
65 insurgency in khyber pakhtunkhwa 2025-09-22 2025-09-27 The Pakistan Armed Forces kill 17 Taliban mili… 5 0.013699 Pakistani Taliban Pakistan Lakki Marwat District
78 mass shootings in the united states 2025-09-27 2025-09-28 Two people are killed and at least seven other… 1 0.002740 North Carolina North Carolina Texas
83 miners 2025-09-22 2025-09-24 All 23 miners trapped for two days in a collap… 2 0.005479 Colombia Colombia Segovia
88 russian invasion of ukraine 2025-09-22 2025-09-28 Russian strikes against Ukrainian infrastructu… 6 0.016438 Ukrainian infrastructure Ukraine Ukrainian

NER (ner_location):

  • Extracts the first detected named entity labeled as a location (GPE).
  • Picks subregions/cities for some events:
 - “Visayas” for Typhoon in the Philippines
 - “Segovia” for miners
 - “Lakki Marwat District” for Khyber Pakhtunkhwa insurgency
  • Correctly identifies “Gaza City” in other cases.
  • But, it sometimes misses expected country names if the description emphasizes local areas first (e.g., “Malawian election” → None).

In sum:

  • Regex is deterministic and controllable but brittle.
  • NER is more flexible, can find multiple granular locations, but may miss the overall country if the text emphasizes a city or district.
Method Strengths Weaknesses
Regex Predictable, easy to explain Fragile, misses subregions, needs mapping
NER Can find cities, districts, multiple locations May miss the “main” country, requires library/model

Dropping and reordering columns

#EXTRA (Just to showcase that the placing of columns can be changed easily)

# Get the current column names
columns = pos_duration.columns.tolist()

# Move 'Duration' column next to 'Event Year' column
columns.remove('correct_location')
columns.insert(columns.index('merged_description') + 1, 'correct_location')

# Reorder the columns in the DataFrame
pos_duration = pos_duration[columns]
pos_duration
headline first_date last_date merged_description correct_location duration_days duration_years event_location ner_location
20 2025 malawian general election 2025-09-23 2025-09-24 Former Malawian president Peter Mutharika is d… Malawi 1 0.002740 Malawian president None
21 2025 moldovan parliamentary election 2025-09-22 2025-09-28 Moldovans vote to elect the 101 seats of the p… Moldova 6 0.016438 Moldovans Russia
22 2025 pacific typhoon season 2025-09-22 2025-09-26 Ten people are confirmed killed as Typhoon Bua… Philippines 4 0.010959 Philippine Daily Visayas
54 flood control projects controversy in the phil… 2025-09-23 2025-09-25 The Philippine Department of Justice and the N… Philippines 2 0.005479 Philippine Department None
59 gaza war 2025-09-22 2025-09-27 2025 Gaza City offensive At least 91 Palestini… Palestine 5 0.013699 Gaza City Gaza City
65 insurgency in khyber pakhtunkhwa 2025-09-22 2025-09-27 The Pakistan Armed Forces kill 17 Taliban mili… Pakistan 5 0.013699 Pakistani Taliban Lakki Marwat District
78 mass shootings in the united states 2025-09-27 2025-09-28 Two people are killed and at least seven other… North Carolina 1 0.002740 North Carolina Texas
83 miners 2025-09-22 2025-09-24 All 23 miners trapped for two days in a collap… Colombia 2 0.005479 Colombia Segovia
88 russian invasion of ukraine 2025-09-22 2025-09-28 Russian strikes against Ukrainian infrastructu… Ukraine 6 0.016438 Ukrainian infrastructure Ukrainian

Let’s now drop the unnecessary columns (event_location and ner_location):

pos_duration.drop(columns=['event_location','ner_location'], inplace=True)
pos_duration
headline first_date last_date merged_description correct_location duration_days duration_years
20 2025 malawian general election 2025-09-23 2025-09-24 Former Malawian president Peter Mutharika is d… Malawi 1 0.002740
21 2025 moldovan parliamentary election 2025-09-22 2025-09-28 Moldovans vote to elect the 101 seats of the p… Moldova 6 0.016438
22 2025 pacific typhoon season 2025-09-22 2025-09-26 Ten people are confirmed killed as Typhoon Bua… Philippines 4 0.010959
54 flood control projects controversy in the phil… 2025-09-23 2025-09-25 The Philippine Department of Justice and the N… Philippines 2 0.005479
59 gaza war 2025-09-22 2025-09-27 2025 Gaza City offensive At least 91 Palestini… Palestine 5 0.013699
65 insurgency in khyber pakhtunkhwa 2025-09-22 2025-09-27 The Pakistan Armed Forces kill 17 Taliban mili… Pakistan 5 0.013699
78 mass shootings in the united states 2025-09-27 2025-09-28 Two people are killed and at least seven other… North Carolina 1 0.002740
83 miners 2025-09-22 2025-09-24 All 23 miners trapped for two days in a collap… Colombia 2 0.005479
88 russian invasion of ukraine 2025-09-22 2025-09-28 Russian strikes against Ukrainian infrastructu… Ukraine 6 0.016438