Jump to content

Wikipedia:Village pump (technical)

From Wikipedia, the free encyclopedia
(Redirected from Wikipedia:VP(T))
 Policy Technical Proposals Idea lab WMF Miscellaneous 
The technical section of the village pump is used to discuss technical issues about Wikipedia. Bug reports and feature requests should be made in Phabricator (see how to report a bug). Bugs with security implications should be reported differently (see how to report security bugs).

If you want to report a JavaScript error, please follow this guideline. Questions about MediaWiki in general should be posted at the MediaWiki support desk. Discussions are automatically archived after remaining inactive for five days.

edit api with oauth javascript (not nodejs) (not mediawiki js) example

[edit]

Hello, https://www.mediawiki.org/wiki/API:Edit#JavaScript actually is nodejs. Could you please share with me an example, that allows to auth using OAuth and create a page with content I have in my variable in JavaScript, for client-side in-browser JavaScript without involving nodejs? It will be outside of wiki page, so I won't have access to mw.utils and the like. Could you please share a few examples? (I've asked here also hoping for faster replies here.) Gryllida (talk, e-mail) 04:27, 21 March 2025 (UTC)[reply]

@Gryllida You're in luck, because this was just recently made possible thanks to @Lucas Werkmeister's work. See the links in this comment and below, there are code examples: T322944#10590515. Matma Rex talk 16:33, 21 March 2025 (UTC)[reply]
I could only find nodejs examples there? Gryllida (talk, e-mail) 09:48, 22 March 2025 (UTC)[reply]
This example runs in the browser, you just need Node to either serve or build it (because it was easier to set up this way). Lucas Werkmeister (talk) 10:46, 22 March 2025 (UTC)[reply]
Hi Lucas
It looks too complicated for me, as I am not familiar with the corresponding libraries used nor with npm. I have code like this: (there actually is more, as user generated page content from a few other variables in my app, but this is the part I am having trouble with)
var pageName='Gryllida Test 2';
var url = 'http://test.wikipedia.org';
var content='Hello world';
What is the code to insert afterwards to get this content added to the page with this pageName on that wiki?
Regards, Gryllida (talk, e-mail) 00:44, 23 March 2025 (UTC)[reply]
@Leaderboard Gryllida (talk, e-mail) 20:05, 25 March 2025 (UTC)[reply]
I'm not familiar with this, sorry. From what I understand, you need to install node.js (https://nodejs.org/en/download) and install the dependencies locally on your system? Looks like the app would run locally as a result. Leaderboard (talk) 04:49, 26 March 2025 (UTC)[reply]
@Gryllida: This should work, once you have the OAUTH 2.0 access token:
Extended content
var pageName='Gryllida Test 2';
var url = 'http://test.wikipedia.org';
var content='Hello world';
var summary='API test';
const oauthToken = "OAUTHAccessToken";
var apiEndpoint = url + '/w/api.php';

var params = {
	action: 'query',
	meta: 'tokens',
	format: 'json',
	formatversion: '2',
	crossorigin: ''
};
var queryURL = new URL(apiEndpoint);
queryURL.search = new URLSearchParams(params);

fetch(queryURL, {method: 'GET', headers: {'Authorization': 'Bearer ' + oauthToken}})
	.then(function(response){return response.text()})
	.then(function(text){try {const data=JSON.parse(text);return data} catch (e) {return text}})
	.then(function(data){
		var csrfToken = data?.query?.tokens?.csrftoken;
		if (csrfToken) {
			console.log(csrfToken);
			params = {
				title: pageName,
				text: content,
				summary: summary,
				format: 'json',
				formatversion: '2',
				token: csrfToken
			};
			var body = new URLSearchParams(params);
			queryURL = new URL(apiEndpoint);
			queryURL.search = new URLSearchParams( {action: 'edit', crossorigin: ''} );
			fetch(queryURL, {method: 'POST', headers: {'Authorization': 'Bearer ' + oauthToken}, body: body})
				.then(function(response){return response.text()})
				.then(function(text){try {const data=JSON.parse(text);return data} catch (e) {return text}})
				.then(function(data){
					var result = data?.edit?.result;
					if (result) {
						console.log(result);
					} else {
						console.error("Error posting edit!");
						console.error(data);
					}
				});
		} else {
			console.error("Error retrieving CSRF token!");
			console.error(data);
		}
	});

--Ahecht (TALK
PAGE
)
20:35, 26 March 2025 (UTC)[reply]

Thank you, I will try it out. Gryllida (talk, e-mail) 22:58, 26 March 2025 (UTC)[reply]
Is the `oauthToken = "OAUTHAccessToken"` unique to my account? What if I would like multiple different users to use this app? Like flickr2commons app. (cc Ahecht) Regards, -- Gryllida (talk, e-mail) 03:33, 30 March 2025 (UTC)[reply]
nvm, i found oauth infos described on wikidata wiki Gryllida (talk, e-mail) 09:33, 30 March 2025 (UTC)[reply]
Actually:
  • It worked, the token is for my user account only. I was following this guide.
  • I've added another request for another token that allows multiple accounts, if I understand correctly it will auth users separately and prompt them to agree. I'd like it to be for multiple accounts, like flickr2commons. This is currently still unsolved question for me. I will see how it works after my oauth thingy request is approved.
  • I'm concerned the 'token' is published in JavaScript app and there is no way to hide it from users as all JavaScript is visible on client side. Is this correct? This is unsafe, right?
Regards, -- Gryllida (talk, e-mail) 10:18, 30 March 2025 (UTC)[reply]
For the second point, I got it approved, however, it only provides "application key" and "application secret". There is no "OAuth token" provided. Gryllida (talk, e-mail) 10:22, 30 March 2025 (UTC)[reply]
If you want to let different users make requests, you will have to go through the full OAuth authorization flow, as demonstrated in the example mentioned above. (There's also a note there now about the visibility of the OAuth credentials.) Lucas Werkmeister (talk) 12:39, 30 March 2025 (UTC)[reply]
Sorry, which example? Gryllida (talk, e-mail) 21:07, 30 March 2025 (UTC)[reply]
I mainly meant the client-side example (this is the new functionality that @Matma Rex was referring to), though if you want to keep the OAuth client confidential, then you’d need the server-side example instead – or, if you prefer, just write the server-side part in a different language altogether. (Wikitech has a few examples for OAuth-based tools, such as My first Flask OAuth tool, but seemingly not for Perl or PHP – My first PHP tool doesn’t cover the OAuth part.) Lucas Werkmeister (talk) 23:53, 30 March 2025 (UTC)[reply]
I'm seeing last paragraph at this repo you linked includes reference to the m3api server side example. The main issue is that I have experience with Perl and with PHP, but not with npm nor with m3api, and for the task I need the provided example is too big. Ideally, I'd've liked someone to guide me from a 1-line hello world example and help me to gradually grow it to do specifically my task. Is that something that you would like to do over an audio call, or do you know someone else who can? Or perhaps you (or someone you know) can write such a tutorial incrementally? Many thanks. (Please note I am on live chat, IRC, with nick 'gry'.) Regards, -- Gryllida (talk, e-mail) 21:47, 30 March 2025 (UTC)[reply]

Wikimedia log in

[edit]

Hi. This happened once before and as I recall the answer was check back later. I am trying to reach the Wikipedia Library for a couple days. The Wkimedia log in page gives me the error: Incorrect username or password entered. Please try again. -SusanLesch (talk) 18:23, 24 March 2025 (UTC)[reply]

@SusanLesch If you use a password manager, and you have several accounts in Wikimedia-adjacent projects (e.g. something like Phabricator), double-check that it's filling in the password for the correct account. Recent changes to logins (see recent Tech News entry) have made it easier to mix them up. Matma Rex talk 18:55, 24 March 2025 (UTC)[reply]
Thank you for the link to the news. I do use a password manager, and double checked the entry. But no luck. -SusanLesch (talk) 19:40, 24 March 2025 (UTC)[reply]
I'm locked out for the second time today. -SusanLesch (talk) 21:24, 24 March 2025 (UTC)[reply]

I would like to please access the Wikipedia Library. Can anybody here help? -SusanLesch (talk) 18:04, 25 March 2025 (UTC)[reply]

@SusanLesch Hi, we've reviewed the system logs related to logins to your account to try to get to the bottom of this. They indicate that your password was changed earlier this year. I may be able to share more details with you, but I don't think I should share them on this public page, so please feel free to contact me by email if that would help you (I have the address on my WMF user page, or you can use Special:EmailUser). As far as we can tell, this is not caused by any problem with the Wikipedia Library or with the new login system. --Matma Rex / Bartosz Dziewoński (WMF) (talk) 19:21, 25 March 2025 (UTC)[reply]
Resolved. Truly bizarre. I was able to sign in but cannot account for the failures of a well-respected password manager. Thank you for your help, Matma Rex. -SusanLesch (talk) 22:31, 29 March 2025 (UTC)[reply]

Infobox templates seem to push images down the page.

[edit]

In Beryllium the long infobox on the right size seems to prevent any images on the left side. The result is that all the images in the page are pushed to start at the end of the infobox, far away from the content they are related to. I've seen this in other articles as well. Any hints? Thanks! Johnjbarton (talk) 03:20, 27 March 2025 (UTC)[reply]

You can left-align images against an infobox (although probably best not to have such a long infobox). What does push images down is a right-aligned image above them. However, I'm not seeing any pushing in Beryllium, the first left-aligned image is after the infobox. CMD (talk) 05:37, 27 March 2025 (UTC)[reply]
Having left aligned images opposite an infobox is normally discouraged, per MOS:SANDWICH. 86.23.109.101 (talk) 11:13, 27 March 2025 (UTC)[reply]
That recommendation is needed because infoboxes do not push left-aligned images down the page. CMD (talk) 11:53, 27 March 2025 (UTC)[reply]
Johnjbarton identifies a long-standing annoyance about layout, which becomes increasingly problematic as one's window gets wider. Chipmunkdavis, I think you are mis-understanding the terms "left" and "right" in this context. A "left-aligned" image is one that is on the left of the screen, not adjacent to the left edge of another floating item. The Beryllium article is a great example of that: where do you see the "Solar Activity Proxies" graph? It's not displayed in the Isotopes and nucleosynthesis section where the source actually has it. Adjusting screen-width maintains the incorrect vertical placement vs that section; editing that section itself confirms that it's not a bug in that section itself.
But it does appear to relate to image-stacking on the right, in a subtle way. If there is no image in the article that is right-aligned (other than the infobox object) prior to the left-aligned image, then the left-aligned image does display in the correct section. Does this revision display correctly for everyone? The situation seems to be that objects cannot display in inverted order compared to the source: if an File:A is after File:B in the source, layout cannot place File:A earlier than File:B. Because the metal-lump image on the right is stacked and pushed down by the infobox, the graph-image on the left that is after the metal-lump image in the source can't display any earlier than the metal-lump image. DMacks (talk) 13:58, 27 March 2025 (UTC)[reply]
  • Yes, the version of DMacks solves the problem with "Solar Activity Proxies", thanks!
  • Is it possible to not stack the right-align images? So the metal-lump image would be right of the text and left of the infobox?
  • I checked the Beryllium page and the sandwich is not a serious problem.
Johnjbarton (talk) 15:09, 27 March 2025 (UTC)[reply]
See Template:Stack for the normal fix. It requires the right-aligned elements to be stacked are consecutive in the code so you would have to move image code up to the infobox code. PrimeHunter (talk) 15:29, 27 March 2025 (UTC)[reply]
I mean it's a fix to the original problem where a left-aligned image is pushed down. PrimeHunter (talk) 15:35, 27 March 2025 (UTC)[reply]
The situation seems to be that objects cannot display in inverted order compared to the source: if an File:A is after File:B in the source, layout cannot place File:A earlier than File:B. That's right. If you want the exact words of the relevant CSS specification, it's item #5 at https://www.w3.org/TR/2011/REC-CSS2-20110607/visuren.html#float-rules. Anomie 00:19, 28 March 2025 (UTC)[reply]
The exact words: "5. The outer top of a floating box may not be higher than the outer top of any block or floated box generated by an element earlier in the source document." If the source order is Infobox, File:B, File:A, then Template:Stack can make Infobox and File:B part of the same floating box. This enables File:A to be displayed above File:B (but not above Infobox). PrimeHunter (talk) 12:58, 28 March 2025 (UTC)[reply]
At least in the case of the Elements pages, using {{Stack}} would not be a good choice. We want the images to be next to the content, whether are left or right align to the text.
The design we want is for the combo of images and text to flow around the infobox anchor which is anchored to the right. Johnjbarton (talk) 16:02, 28 March 2025 (UTC)[reply]
That's exactly what {{Stack}} achieves for left-floating images which can otherwise be pushed below the infobox. We don't allow your wanted layout with both a left-floated image, text, and a "right-floated" image to the left of an infobox. That would give poor results on too many screens without enough room. PrimeHunter (talk) 20:54, 28 March 2025 (UTC)[reply]
Well I'm confused. If I use "left" then things work, I don't need {{Stack}}. If I use "right" things "fail" -- meaning the images are out of position -- with or without Stack. Why do I need Stack? (I get that we don't want |Left Image| Text |Right Image| |Infobox|, but that is not what we are looking for). Johnjbarton (talk) 21:10, 28 March 2025 (UTC)[reply]
You came here for help because left did not work in [1] where the code for the plot image is in the "Isotopes and nucleosynthesis" section but the image is pushed down below the infobox. I'm saying {{Stack}} could have fixed that. You made a different fix [2] where the code for another image was moved below the plot image code. After that change {{Stack}} was no longer needed. Here is the fix with {{stack}}. I'm not judging which fix is best in this case but just demonstrating how stack works. PrimeHunter (talk) 23:37, 28 March 2025 (UTC)[reply]
Thanks! Your result is what I expected based on your explanation. It is not what we want: putting images below the infobox means they won't be with the text they are related to. It would be ok if the images where just extra stuff related to the infobox.
I think the best compromise is to Left all images that fall before the end of the infobox. Sadly this will be a continual maintenance issue and require guessing the common page width to start default/right images. Johnjbarton (talk) 00:37, 29 March 2025 (UTC)[reply]
We cover most of this at WP:MFOP. --Redrose64 🌹 (talk) 12:27, 29 March 2025 (UTC)[reply]
Thanks. If I understand correctly, the infobox counts as an 'image' in the discussion at WP:MFOP? Johnjbarton (talk) 15:47, 29 March 2025 (UTC)[reply]
Yes. If it helps, don't think of images and infoboxes as distinct concepts - think of both of them as boxes, or even as objects. Objects that are aligned to the left margin or to the right margin. The order in which these objects are displayed is the same as the order in which they occur in the page source. --Redrose64 🌹 (talk) 19:38, 29 March 2025 (UTC)[reply]
Thanks for all of the help here! Johnjbarton (talk) 19:47, 29 March 2025 (UTC)[reply]

Why formatversion=2?

[edit]

Can somebody ELIF why the action API has a choice of formatversion=1 or formatversion=2? As far as I can tell from trying both (version 1, version 2), v2 gives you the same information but in a data structure which is more complicated and more difficult to navigate. What am I missing here? RoySmith (talk) 00:49, 28 March 2025 (UTC)[reply]

See mw:API:Data formats#JSON parameters. – DreamRimmer (talk) 01:08, 28 March 2025 (UTC)[reply]
Following a couple of links from that page, I found mw:API:JSON version 2#Changes to JSON output format, which I think more directly answers the question, although maybe we could document the reasons for the changes in more detail. I've always felt that version 2 is the easier one to use, can you say more about what makes you feel the opposite way? Matma Rex talk 09:22, 28 March 2025 (UTC)[reply]
While that link has a good summary of what the differences are, the "why" is that we wanted to clean up a bunch of odd quirks in the API output but didn't want to just break most things using the API. Thus the new formatversion parameter, so old clients aren't broken but new clients can opt-in to the new format. I'm also curious as to what you see as more complex in the version 2. Anomie 12:59, 28 March 2025 (UTC)[reply]
The most confusing change is adding an extra array level (see this result). After (to use python notation) result['query']['pages'], I'm left with an array of one value, so I need to do [0]. What's the point of that? If I got back multiple pages, there's no indexed way to find the one I want, so I'd have to do a linear search of all the array elements to find the one with the right pageid value. RoySmith (talk) 13:11, 28 March 2025 (UTC)[reply]
PS, I'm totally on board about using an explicit version specifier when making the format change. RoySmith (talk) 13:14, 28 March 2025 (UTC)[reply]
There's no extra level. With formatversion=1 you'd have to do result['query']['pages']['79457898'] rather than result['query']['pages'][0]. The point of it is to have the same result structure whether you happened to receive one page or multiple pages in the response (note it's not really possible for the server generating the response to know whether the client doing titles=Foo really intended to query exactly one page or if it happened to have just one page in its array of pages to request). Regarding If I got back multiple pages, there's no indexed way to find the one I want, that's true but most queries are by title rather than pageid so clients would still have to iterate to find the one they want, and for the single-page case it allows for doing direct access by [0] instead of having to iterate or run it through some sort of values() function first. Anomie 13:37, 28 March 2025 (UTC)[reply]
If I query for multiple pages, are the results guaranteed to come back in the same order as the were in the request? RoySmith (talk) 14:05, 28 March 2025 (UTC)[reply]
Regarding "most queries are by title rather than pageid so clients would still have to iterate to find the one they want", I assume what comes back in the "title" slot is the canonicalized title, so I'd need to canonicalize my original search key to do that comparison? RoySmith (talk) 14:51, 28 March 2025 (UTC)[reply]
Yes, but the API does give you an explanation of the normalization it did. There's a normalized field under query that you could use to translate your inputs for said iteration, without having to manually do any canonicalization via mw.Title or whatever.
(You'd have to do this in either formatversion, of course, since you wouldn't know the pageid to check in the result.) DLynch (WMF) (talk) 16:40, 28 March 2025 (UTC)[reply]
No. Probably the results will be reordered. The order likely depends on the database query that is done. Anomie 20:08, 28 March 2025 (UTC)[reply]
OK, this is starting to make a little more sense, thank you everybody. RoySmith (talk) 18:25, 29 March 2025 (UTC)[reply]

Username in template paths

[edit]

I have several templates in userspace that I'd like to start using for real. However, they're not ready for general use, so need to stay where they are. This means that in order to use one of them, I have to type {{subst:user:Musiconeologist/ }} before I even get to the name of the template. Using a relative path won't help outside of my own user space, since it's relative to the page calling the template.

So, is there some variable, parser function, shortcut or similar that replaces the User:Musiconeologist part of that? So far I've not been able to find anything. Basically something that acts as a path prefix. Musiconeologist • talk • contribs 14:18, 29 March 2025 (UTC)[reply]

You should not use templates in your userspace outside of your own userspace. Move them to template namespace if they are being used elsewhere. You can always edit them as and when required. CX Zoom[he/him] (let's talk • {CX}) 14:25, 29 March 2025 (UTC)[reply]
Is this correct? My understanding is that you shouldn't transclude them outside of your userspace (for pretty obvious reasons), but that substituting is fine. I'll check the guidelines again, but I'm pretty sure it's something like "if you use them outside your own userspace, always substitute them". Musiconeologist • talk • contribs 14:34, 29 March 2025 (UTC)[reply]
It's fine if you're substing them and the substed output is clean. User:CX Zoom apparently overlooked that part of your question. As for the original question, I don't think there's any magic to replace having to type out subst:User:Musiconeologist; the best you might do is add a user script to add your templates to the CharInsert gadget, assuming you don't have that gadget disabled and don't use VE. Anomie 14:39, 29 March 2025 (UTC)[reply]
Thanks! The first part of that is a relief, and the second part is as I feared. I hoped there might be a {{#me:}} parser function or something. My solution will probably be a shortcut in SwiftKey, then, but I'll investigate that gadget too. Musiconeologist • talk • contribs 14:55, 29 March 2025 (UTC)[reply]
@Anomie Actually the gadget looks as though it might be exactly the right solution. Thanks :-) Musiconeologist • talk • contribs 15:12, 29 March 2025 (UTC)[reply]
If you are using the 2017 wikitext editor, this userscript would make it so that anytime you typed !SUB it'd fill all that in for you. DLynch (WMF) (talk) 15:55, 29 March 2025 (UTC)[reply]
I'm sorry. Yes, substituting outside your userspace is fine. Transcluding is not. CX Zoom[he/him] (let's talk • {CX}) 14:40, 29 March 2025 (UTC)[reply]
I believe {{subst:User:{{subst:REVISIONUSER}}/the_template}} answers the question, though I don't guarantee you'll find it useful. -- zzuuzz (talk) 15:00, 29 March 2025 (UTC)[reply]
Seems worth a try. Maybe if I wrap it in something shorter . . . Oh but then that's in my userspace itself, with a long name. I'll play around with that, though. Thanks! Musiconeologist • talk • contribs 15:21, 29 March 2025 (UTC)[reply]
You could also use Help:CharInsert#Customization to make a button which inserts {{subst:User:Musiconeologist/}} and places the cursor after the slash. You can add this to your common JavaScript:
// Add custom CharInsert entries per [[Help:CharInsert#Customization]]
window.charinsertCustom = {
 "Wiki markup": 'Custom: {\{subst:User:Musiconeologist/+}\}',
};
PrimeHunter (talk) 23:33, 29 March 2025 (UTC)[reply]
@PrimeHunter Ah now this looks excellent. I'm often editing in desktop view on a phone, so getting the cursor where I want it can be a bit of a pain which this solves. Plus it's nice and compact in the JavaScript, making it helpful in ten years' time when I've forgotten what's in there and why. Musiconeologist • talk • contribs 01:32, 30 March 2025 (UTC)[reply]

redirects

[edit]

I just had to create a redirect from La Republica (Costa Rica) to La República (Costa Rica), which surprised me, I actually wondered if I'd screwed something up that the link was red. And then minutes later had to do it again, creating a redirect from Magon Prize to Magón National Prize for Culture when there's already a redirect at Magón Prize. I thought our search function could handle this stuff, is there a reason why in these cases it didn't? Thanks for any help! Valereee (talk) 19:43, 29 March 2025 (UTC)[reply]

When you say search, what do you mean? My understanding is that all of our searches whether of the Special:Search or the "auto displayed results" do take into account character folding (which is the special phrase for "it looks like a U so it should be a U" in search). Maybe you mean something somewhere else? Particularly, links are not red or blue based on search, they're red or blue based on whether they exist in the database, and that doesn't (and shouldn't, for a few reasons) do character folding by itself (e.g. WP:BLP concerns that we already have with people red linking names that turn blue later but it's a completely different person). Izno (talk) 20:04, 29 March 2025 (UTC)[reply]
In this case I typed into the article (in English alphabet, so u instead of ú in La República (Costa Rica) and Magon Prize instead of Magón Prize) what I assumed would be an existing redirect and placed brackets around it, and the link was red. It was very weird. I've done a bit of work in other alphabets because I work a lot on foods that are rendered in several alphabets, and I haven't had this happen before. Always, if there's an existing article, using the English alphabet finds it. But this happened twice in a few minutes. Valereee (talk) 20:14, 29 March 2025 (UTC)[reply]
So yes, your case is the second case: article text ("red link") is a check against the database and not the search system. You just found names that didn't have a redirect is all. Izno (talk) 21:22, 29 March 2025 (UTC)[reply]
@Izno, but why wouldn't La Republica (Costa Rica) automatically redirect to La República (Costa Rica) without me having to create that redirect? I apologize if I'm being obtuse, not intentional. Valereee (talk) 21:29, 29 March 2025 (UTC)[reply]
As above, they're red or blue based on whether they exist in the database, and that doesn't (and shouldn't, for a few reasons) do character folding by itself (e.g. WP:BLP concerns that we already have with people red linking names that turn blue later but it's a completely different person).
It's just not something the system does. And there are non-0 reasons for it not to do so. Izno (talk) 21:32, 29 March 2025 (UTC)[reply]
There are no automatic redirects for page titles. There are automatic redirects for namespaces - this is why we can use WP:Village pump (technical) interchangeably with Wikipedia:Village pump (technical), this is something built into the MediaWiki software and configured on a per-site basis. --Redrose64 🌹 (talk) 22:14, 29 March 2025 (UTC)[reply]
MediaWiki allows separate pages for a title with and without diacritics, e.g. José and Jose. Then I think it makes sense that the latter link would be red if the page doesn't exist. Imagine it was an automatic redirect to José. Then somebody creates a new page at Jose and the existing links suddenly get a new target. That would be confusing. And what if there is more than one potential target by changing diacritics? PrimeHunter (talk) 22:36, 29 March 2025 (UTC)[reply]
Again sorry for being dense, just trying to understand things like why Germknodel, which redirects to Germknödel, was created by a bot in 2008. La República (Costa Rica) was only created in February. Is it just that the bot hasn't gotten around to it? Hm...but Magón Prize was created manually in 2008. Maybe the bot ignores redirects? Or deals with an umlaut but not with these accented vowels? And whichever it is, the learning for me is when I end up with a red link that I'm sure should be blue while in article text, check the search box and manually create the redirect? Valereee (talk) 12:23, 30 March 2025 (UTC)[reply]
Eubot, which created the Germknodel redirect, stopped editing in 2008. La República (Costa Rica) was created in 2025, so obviously it never touched it. It's botmaster Eugene stopped editing in 2013. The bot had permission to make redirects for scientific names and abbreviated titles. Bots do not run forever. Snævar (talk) 12:52, 30 March 2025 (UTC)[reply]
Wikipedia:Article titles#Special characters says "provide redirects from versions of the title that use only standard keyboard characters". RjwilmsiBot made many in 2016. I don't know whether any bot has done it since. PrimeHunter (talk) 13:07, 30 March 2025 (UTC)[reply]
Thank you all very much! Would it maybe be useful to make a stop at WP:Bot requests? It seems like a useful timesaver. Valereee (talk) 14:02, 30 March 2025 (UTC)[reply]
(edit conflict) User:AnomieBOT creates redirects for titles with en-dashes. If we have a current consensus I can point to that a bot should create these redirects, and a clear definition of how to determine the corresponding "only standard keyboard characters" title (maybe map all these characters and strip any Combining Diacritical Marks, then see if the result is ASCII?), I could have AnomieBOT do these in much the same way. Anomie 16:17, 30 March 2025 (UTC)[reply]
Sounds like there are concerns that would need to be dealt with before we could get consensus, but it's something I'd definitely at least want to see a discussion on. Valereee (talk) 19:38, 30 March 2025 (UTC)[reply]
If you know you aren't using the correct spelling of the name, you really shouldn't link with the redirect. La Republica is not La República. Gonnym (talk) 18:04, 30 March 2025 (UTC)[reply]
Not sure I understand, Gonnym. La Republica (Costa Rica) seems like it should redirect to La República (Costa Rica)? Valereee (talk) 18:24, 30 March 2025 (UTC)[reply]
I was referring to you saying what I assumed would be an existing redirect and placed brackets around it, if you know you are using an incorrect name, there is no reason to use that redirect. I'll also be opposed to any bot mass creating these redirects unless they also convert each usage when they are used in articles. Gonnym (talk) 18:28, 30 March 2025 (UTC)[reply]
Well, I mean, to save time when writing would be a reason. You might not think it's a good reason, but I have an extremely short attention span and generally need to write as fast as I can before my brain goes "Squirrel!" Valereee (talk) 19:25, 30 March 2025 (UTC)[reply]

To back all the way up to the beginning: Foo is a wikilink to a page in the Main or "article" namespace. If you link to A page like this one that doesn't exist, you get a redlink, which if you follow the link allows you to create the new page. No page in "main" exists "automatically". If a page exists it means someone or something went and created it at some point in the past. If Jose and José both exist, that's because someone/thing came along and created them both. For the policies regulating titles of articles, see WP:Article titles. --Slowking Man (talk) 18:52, 1 April 2025 (UTC)[reply]

CharInsert missing on Vector Legacy (2010) edit page

[edit]

Hi, this seems to be a problem only affecting Firefox as when I tried it on a different computer using Chrome or Microsoft Edge it showed up, but for some reason on my home computer whenever I try editing pages, the CharInsert bar no longer shows up. I looked it up on here but the most recent thing I could find was from 2012 so I'm not sure if that would still apply. Has anyone else using Firefox experienced this problem or is my best option right now while doing edits that need that bar, to use another browser? VampireKilla (talk) 21:53, 29 March 2025 (UTC)[reply]

 Works for me Firefox 136.0.4 (64-bit). --Redrose64 🌹 (talk) 22:12, 29 March 2025 (UTC)[reply]

Residential IPs in San Francisco getting banned for "botting"

[edit]

moved from Wikipedia talk:Village pump (technical)

Hi there, it has come to my attention that a block of residential IPs in San Francisco are getting banned for botting when no such thing has happened - it would seem that a bunch of Pokemon Go players wrecked things by spoofing these IPs for years and now the new residents are quite confused. Any assistance would be appreciated. Thanks! Signingup1234 (talk) 02:23, 30 March 2025 (UTC)[reply]

What's the IP range? Remsense ‥  03:01, 30 March 2025 (UTC)[reply]

Locked out?

[edit]

This is weird. I'm logged in here on another browser, but it won't let me edit at all -- "Invalid CSRF token". It also won't let me log out. And it won't let me log in on this browser. Clues, anyone? -- a confused User:Jpgordon. 173.17.120.108 (talk) 03:22, 31 March 2025 (UTC)[reply]

phab:T390512. 2604:3D09:A67B:8D50:79CB:52F6:43ED:B0EA (talk) 03:24, 31 March 2025 (UTC)[reply]
thanks -- hamterous1 24.192.250.185 (talk) 03:28, 31 March 2025 (UTC)[reply]
I am experiencing the same issue :( -- hamterous1 24.192.250.185 (talk) 03:24, 31 March 2025 (UTC)[reply]
I think we have the same issue, User:Miminity via 143.44.132.208 (talk) 03:33, 31 March 2025 (UTC)[reply]
Login appears to be back up and running. Jay8g [VTE] 03:38, 31 March 2025 (UTC)[reply]

I cannot save my edit and log out

[edit]

Hello everyone. I'm User:Miminity and currently using incognito mode to ask for help, I cannot save my edit on my account despite I'm not blocked or anything. When I try to save it it shows Sorry! We could not process your edit due to a loss of session data. Please try saving your changes again. If it still does not work, try logging out and logging back in. and when I tried to log out it shows Sorry! We could not process your edit due to a loss of session data. Please try saving your changes again. If it still does not work, try logging out and logging back in. and when I tried to log in, it says There seems to be a problem with your login session; this action has been canceled as a precaution against session hijacking. Please resubmit the form. You may receive this message if you are blocking cookies., I was trying to log in using another browser. I tried doing the same with my phone and still same result. 143.44.132.208 (talk) 03:31, 31 March 2025 (UTC)[reply]

The developers are investigating. https://www.wikimediastatus.net/incidents/1w3rq4d2zljj -- 70.67.252.144 (talk) 03:32, 31 March 2025 (UTC)[reply]
fixed Justjourney (talk | contribs) 03:38, 31 March 2025 (UTC)[reply]
Thanks Warm Regards, Miminity (Talk?) (me contribs) 03:42, 31 March 2025 (UTC)[reply]

Can't log in

[edit]

I was editing and had to leave my laptop for a few minutes. When I came back I was logged out. When I tried to log back in I got the following message; "There seems to be a problem with your login session; this action has been canceled as a precaution against session hijacking. Please resubmit the form. You may receive this message if you are blocking cookies." But I specifically allowed cookies from auth.wikipedia.org. What should I do? 2601:207:701:3E30:F9FC:455F:4CD6:86F5 (talk) 03:46, 31 March 2025 (UTC)[reply]

There was a Wikimedia-wide issue, it appears to be sorted now, see Wikipedia:Administrators'_noticeboard#Various_ongoing_errors_with_my_account. DuncanHill (talk) 03:49, 31 March 2025 (UTC)[reply]

Rearranged my home page

[edit]

Something strange since the above happened. My home page and talk page seem all rearranged. Affected all browsers - Chrome, Firefox and Microsoft Edge. — Maile (talk) 12:02, 31 March 2025 (UTC)[reply]

Can you be more descriptive about how it is different? Have you changed skins, if using Vector-2022 collapsed elements or toggled the wide-view setting? — xaosflux Talk 13:15, 31 March 2025 (UTC)[reply]
I took care of this. It wasn't skins or anything like that. Just some kind of fluke, so I got everything back as it was. — Maile (talk) 17:23, 31 March 2025 (UTC)[reply]

Redlinked dated maintenance category problem of the week

[edit]

I've had to edit 2024–25 Olympiacos F.C. season three times this month alone, because a table in it keeps regenerating redlinked "Articles with unsourced statements from DD March 2025" categories that don't and can't exist — the maintenance queue for unsourced statements problems only categorizes articles by month, not by month-and-day, so any category transcluded by the table has to be month only.

The issue is a table in the page that was most recently coded as

{{#invoke:sports rbr table|table|legendpos=b|header=Matchday |label1= Ground | res1=H/A/H/A/H/A |label2= Result | res2=W///// |label3= Position | res3=1/1/1/1// <!-- --> |text_H=Home|text_A=Away |color_W=green2|text_W=Win |color_D=yellow2|text_D=Draw |color_L=red2|text_L=Loss |color_10-=green1|color_20-=red1 |source= |updated= |date=30 March 2025 }}

, where to make the bad category go away I had to take the 30 out of the date; the two prior times it was 2 March and 12 March. And because it's an extremely long page which had four other instances of "30 March 2025" in the text besides the one that was actually causing the problem, it took me an unreasonably extended amount of spelunking time to even figure out which one I had to modify.

Since this appears to be a module I don't know how to edit, could somebody with module editing skills edit this module to ensure that it ignores any DD in the date field and only generates the month-year category from now on? Thanks. Bearcat (talk) 17:49, 31 March 2025 (UTC)[reply]

@Bearcat I added some date formatting code to the sandbox. Give Module:Sports_rbr_table/sandbox a try. If that fixes the issue, I can merge it into the main module. --Ahecht (TALK
PAGE
)
19:36, 31 March 2025 (UTC)[reply]
I made a test-and-preview edit invoking that sandbox instead of the original module, but it turned the problematic section into the text of the template coding instead of an actual table. Bearcat (talk) 15:18, 2 April 2025 (UTC)[reply]
Better questions may be "why is that module being used directly instead of via a template?" and "who keeps screwing up the date parameter, and can they be told how to not do that?". Anomie 22:39, 31 March 2025 (UTC)[reply]
They aren't screwing up, I believe the date is also used for an access date which needs to be a full date and not the partial.
As for direct module use, WP:TLIMIT on a number of pages which has either spread directly or indirectly without consideration for necessity, if even a template was created as a 'frontend'. Izno (talk) 23:01, 31 March 2025 (UTC)[reply]

Tech News: 2025-14

[edit]

MediaWiki message delivery 00:02, 1 April 2025 (UTC)[reply]

URL status language change request

[edit]

I find the use of |url-status=dead to describe link rot overly morbid. Wikipedia citations depend on countless sadly defunct links, and we owe it to these dearly departed URLs to describe them in a more dignified manner. Personally, if I were an expired website, being called "dead" wouldn't exactly make me eager to come back. Frankly, our current terminology is an insult to the memory of every formerly living thing in history.

So if the parameter language must be changed, that begs the question, to what? |url-status=resting in peace might not accurately describe links that have met more violent fates, and the phrasing of |url-status=pushing up the daisies is starting to get a little too flowery. After much thought, I've decided that |url-status=dodoesque is the way to go.

Of course, this change will involve modifying a few million articles, which can be achieved easily via bot. Some might object that such edits would be cosmetic, to which I'd respond that bestowing dignity on links that have rung down the curtain and joined the choir invisible sometimes requires cosmetic treatment. Also, it presents us with an opportunity to beautify watchlists via visually pleasing edit summaries, such as those containing bird emojis to embody the dodo spirit.

I'm eager to get started, and given the lack of visible change to readers the potential for disruption seems minimal, so I'm contemplating bold implementation. But I figured I'd offer a 24-hour opportunity for you wizened souls to comment, just in case any of you has an idea for even better wording. Sdkbtalk 02:17, 1 April 2025 (UTC)[April Fools!][reply]

|url-status=shuffled off its mortal coil
|url-status=pushing up the daisies
|url-status=metabolic processes are now history
-- GreenC 02:57, 1 April 2025 (UTC)[reply]
Moved from Help talk:Citation Style 1 to avoid any WP:FOOLR #1 issues. Sdkbtalk 03:11, 1 April 2025 (UTC)[reply]
I prefer dishonesty to avoid the harsh realities of our collective mortality:
  • |url-status=chasing sheep on a farm upstate
  • |url-status=just sleeping
  • |url-status=at dog college
Regards, Rjjiii (talk) 03:51, 1 April 2025 (UTC)[reply]
What, no |url-status=nailed to the perch??? – Jonesey95 (talk) 05:16, 1 April 2025 (UTC)[reply]
I'm concerned that |url-status=dodoesque would be too likely to be confused with |url-status=dadaesque. Anomie 11:48, 1 April 2025 (UTC)[reply]

Is there a script to move template-defined refs back to the article?

[edit]
Resolved

So that it would be friendly for VE? I refer to "This reference is defined in a template or other generated block, and for now can only be edited in source mode." like what can be seen in Florian Znaniecki. For additional context, I have my students translate content from en wiki to others, and since they are not masochists, they generally prefer VE, which means they struggle with articles that rely on VE-incompatible cites. Znaniecki is an older GA of mine anyway, and I'd be happy to make it VE friendly, but doing so manually for that many footnotes, well, I am also not a masochist :P (These days I just use one ref for a book and then {{rp}}, much less code and hassle). Piotr Konieczny aka Prokonsul Piotrus| reply here 06:26, 1 April 2025 (UTC)[reply]

Piotrus, I checked the list of user scripts and User:DaxServer/BooksToSfn could have helped you if you had all the refs defined in text and used the {{reflist}} template. It uses {{sfn}} not {{rp}}. So I'd advise to check Wikipedia:User_scripts/List#References_2, maybe there could be something useful for you.
I think {{sfn}} is superior. You have a ton of references to Zygmunt Dulczewski (1984) and to other authors only differing by pages. For these cases, I like using {{sfn}} template; just define the citation the first time, even in-text (but you can leave the citation in the references, it's all right), and then use sfn to create a shortened ref, which will show the full ref once you hover over or (on mobile) click on it. It will show as Dulczewski 1984, pp. 41-42 This will greatly reduce the wikitext size and it is neater to read in source code, I think even neater than just copy-pasting refs to create <ref name="Dulczewski1984-5253"/> and then appending {{rp}}. IMHO the ref name is hideous, but that's just me.
So as far as I can see from a rather superficial search, you will have to do this manually. Szmenderowiecki (talk) 11:15, 1 April 2025 (UTC)[reply]
Piotrus, I recall a previous discussion we had in which I wrote a script to do something like this. I can't locate it at the moment but if you can remind me of the discussion I can probably find it and see if it works on your article. Mike Christie (talk - contribs - library) 11:37, 1 April 2025 (UTC)[reply]
@Piotrus It should be enough to change the {{reflist|refs=…}} template to use the <references>…</references> syntax instead. You don't need to move reference definitions into the article text. VE will not add new references in this format, but it can understand it. I edited this article as an example: [3]. Matma Rex talk 13:07, 1 April 2025 (UTC)[reply]
This is indeed a workaround. Haven't known about it. Szmenderowiecki (talk) 13:24, 1 April 2025 (UTC)[reply]
In general, you should always use <references>...</references> or <references />, as {{reflist}} is not visual editor friendly and can lead to issues if the page approaches the WP:PEIS limit. --Ahecht (TALK
PAGE
)
13:53, 1 April 2025 (UTC)[reply]
The PEIS limit issue appears to be only confined to pages in userspace and Wikipedia space Szmenderowiecki (talk) 14:15, 1 April 2025 (UTC)[reply]
No, PEIS exists everywhere, gnomes simply ensure that all pages on display for the user meet the limits. Izno (talk) 17:11, 1 April 2025 (UTC)[reply]
@Matma Rex That's a great (simple) workaround. Thanks and thanks to all who commented :) Piotr Konieczny aka Prokonsul Piotrus| reply here 01:29, 2 April 2025 (UTC)[reply]
Since I am not a masochist I still use the source editor. I am sure that VE will eventually be ready for prime time, but it's not there yet. It's nice for really simple things, but it still has limitations I'm not willing to deal with, although I admit to trying it from time to time.
I find using {{sfn}} and {{rp}} awkward, since they put location data in the running text instead of the references section. What I really want is subreferencing with appropriate inheritance of the metadata. -- Shmuel (Seymour J.) Metz Username:Chatul (talk) 14:36, 1 April 2025 (UTC)[reply]
If the target wiki has WP:Citoid working in VE, you can just copy-and-paste in a URL, DOI, etc. from a ref and VE generates a citation template and inserts it into the article being edited for you. Magic! Also User:Kaniivel/Reference Organizer is an excellent little script that scoops up all the refs from an article and puts them into their own "window" separated out of the article body, and also does various tweaks to them for you. --Slowking Man (talk) 19:35, 1 April 2025 (UTC)[reply]
How does it handle, e.g., |pages=, |quote=, |section=, |section-url=? -- Shmuel (Seymour J.) Metz Username:Chatul (talk) 21:09, 1 April 2025 (UTC)[reply]
@Chatul: Do you mean Citoid, or Ref Organizer? I suppose one could always try either out in a sandbox to see for themselves. --Slowking Man (talk) 20:13, 2 April 2025 (UTC)[reply]
I meant Citoid, but Ref Organizer is more relevant to the original question. -- Shmuel (Seymour J.) Metz Username:Chatul (talk) 02:38, 3 April 2025 (UTC)[reply]

Running Quarry query

[edit]

Is there a Java example somewhere for running a Quarry query and doing something with the output? If not in Java then perhaps in JS? Ideally without hosting code on Toolforge. I have Java code that can log in and do the oAuth stuff; but I am not sure how to proceed from there. Polygnotus (talk) 22:31, 1 April 2025 (UTC)[reply]

@Polygnotus, You can query the database using PAWS with a Python script and manipulate the results in any format. Please let me know if you need any help with the Python script. – DreamRimmer (talk) 15:21, 2 April 2025 (UTC)[reply]
@DreamRimmer: Thank you! I am not sure I have enough space in my alleged "brain" to learn new stuff right now, but I may soon. Polygnotus (talk) 22:54, 2 April 2025 (UTC)[reply]

Can we still try the previous UI experiment?

[edit]

Hey, long time ago — I think it was one or two years back — a new interface design was proposed and tested here. If I remember correctly, it used white blocks with gray colors on the left and right sides. Is there any way to test it again? Any gadget to activate or CSS code I could use? Regards Riad Salih (talk) 23:21, 1 April 2025 (UTC)[reply]

I think you might be thinking of "Zebra". Search the archives of this page for "Zebra" to find discussions like this one (Archive 206) or this one (also Archive 206) and this one (Archive 207). If you dig into links from there, you might find what you are looking for. – Jonesey95 (talk) 01:38, 2 April 2025 (UTC)[reply]

Zebra

[edit]

I'm interested in testing the Zebra skin again on my account. It might be possible to do this through the common.css page according to SGrabarczuk from the WMF. Are there any experienced or experimental Wikimedians who could help me set it up? Regards Riad Salih (talk) 00:17, 3 April 2025 (UTC)[reply]


Unusual slowdowns at Talk:Donald Trump

[edit]

Please see Talk:Donald Trump#Why is this page so slow?, any help appreciated. ―Mandruss  IMO. 05:37, 2 April 2025 (UTC)[reply]

@Mandruss: Maybe ask user Dylsss. Polygnotus (talk) 21:14, 2 April 2025 (UTC)[reply]
Asking user Dylsss. ―Mandruss  IMO. 21:19, 2 April 2025 (UTC)[reply]
We have been getting concerns about visual aspect loading delays. Not sure if anyone's filed a ticket yet..... right below this section someone seems to have the same problem. Moxy🍁 22:28, 2 April 2025 (UTC)[reply]
Not the same problem. This one is about slowdowns for a number of users at one ATP, that one is about a couple of images failing to load for one user that we know of so far. ―Mandruss  IMO. 22:42, 2 April 2025 (UTC)[reply]
@Mandruss than you for flagging this issue!
Prompted by @Moxy, I've started a Phabricator ticket that could benefit from additional details in the "Reproduction Steps" section...might you (or anyone else here) be able to help us fill that part in? PPelberg (WMF) (talk) 23:20, 2 April 2025 (UTC)[reply]
@PPelberg (WMF): - I assume you mean phab. I don't do phab. :) Reproduction steps:
Problem seems to be related to how long it takes to re-render the page. As noted in that discussion, the page is at its largest ever, at ~620K of wikitext, with the second largest being ~480K in Feb 2017. Still, we're getting times in the ballpark of four times what we're used to on that page. ―Mandruss  IMO. 23:28, 2 April 2025 (UTC)[reply]
Ah, I did mean Phabricator and I'm only now realizing the comment I left did not include a link. I'm sorry about that, @Mandruss! I've since updated the comment to include a link.
With regard to reproduction steps, are you noticing this across platforms (mobile / desktop) and operating systems (e.g. Android / iOS)? PPelberg (WMF) (talk) 23:38, 2 April 2025 (UTC)[reply]
@PPelberg (WMF): We don't have that data yet. I'll get started gathering it there. Me: Desktop, Windows 11, current Firefox. ―Mandruss  IMO. 23:43, 2 April 2025 (UTC)[reply]
@Mandruss wonderful – thank you!
In parallel, I've updated the ticket to reflect the reproduction steps you shared above. PPelberg (WMF) (talk) 02:11, 3 April 2025 (UTC)[reply]
@PPelberg (WMF): I'm using Firefox 136.0.4 64 bit on Windows 10 and have the same problem. I was able to reproduce it on my talk sandbox by copying the page even with the headers removed [4]. I didn't test further but assume it's either pure page size, or the number of replies causing it. Also at least for me, the main problem is the time it takes for the reply to successfully submit after hitting the reply button. The time it takes for the initial reply edit window to load can take a time too but it's complicated enough that I expect it'll cause confusion in diagnosing the main problem. I'll give some more details on that but I'm not sure if it matters since I think it's just how the reply tool works and caches stuff which whoever dealing with this likely knows much more than me so probably isn't surprised. Nil Einne (talk) 11:32, 3 April 2025 (UTC)[reply]
At least for me from my testing mostly in my sandbox, it seems that it is only the first time you try to reply after a new reply that it takes a while to load, for me about 10 seconds or so. After that the reply edit window loads fast until there's actually a reply. Note any replies you try to submit still takes ages regardless. Also that even leaving it 10 minutes after replying, the reply edit window still takes a while to load. I think it's not just local, that once someone has hit reply in the same version of the page, it's fast. For clarity, I didn't test with someone else. Instead I tried one window was my main browser and another was a different browser incognito mode so it wasn't logged in but on the same computer/connection/etc. So if I reply from my account, open the page in an incognito window where I'm not logged in and hit reply, wait for the reply edit window to load and then go back to the earlier window where I'm logged in and try to reply from there it's also fast for the reply edit window to load there too now. (It still takes ages to submit any reply.) There was one or two times when the reply edit window loaded unexpectedly fast which I didn't quite expect. Also there was some minor inconsistency whether the reply edit window opened almost instantly or took 1-2 seconds which I didn't count. I didn't check that carefully what happens once someone submitting a new reply if you still have an old version of the page loaded. But I think if you've already hit reply on your local version of the page, even if you've cancelled it, hitting reply again is generally fast even if there's another reply in a different tab. However I think if you never hit reply, then it will be slow again once someone actually submits a reply even if you don't reload the page for the new reply. I'm assuming this is local caching whereas the other situation where once someone has hit reply (but before they submit) it's fast for you too, is some sort of server side caching. Nil Einne (talk) 11:32, 3 April 2025 (UTC)[reply]
Okay just wanted to note that a quick test suggests it's not purely a matter of page size. This [5] is still relatively fast despite being over 2x the page size of the Trump talk page I used earlier. So it must be number of replies or other things like templates, wikiformatting etc. (While this has primarily concentrated on the reply tool, the normal source edit also seems slow and I'm fairly sure that the Trump talk sandbox is slower than the repeated US constitution sandbox. I suspect this is because the greater use of wikisyntax etc noting I'm using the new edit window which highlights wiki syntax etc.) Nil Einne (talk) 12:17, 3 April 2025 (UTC)[reply]
Occurred to me testing a page with a lot of duplicative content might not be the best test so I tried something else [6]. This time 1.6MB. The reply tool is a little slow but still way faster than the Trump talk test for me. (As I noted above I didn't pay much attention to edit source but edit source seems significantly worse on this 1.6MB page than even Trump talk test, but I think the 1.3MB US constitution duplicates was faster than Trump talk test.) The 1.6MB had a lot of stuff which might be poorly formatted for Wikipedia which could have been a factor. Nil Einne (talk) 13:07, 3 April 2025 (UTC)[reply]
The slowest part of the page is probably the references in all of the quoted article fragments. The talk page apparently has over 500 references on it, which is almost as much as the article itself, and the citation templates are notoriously slow. Moving those fragments to some kind of sandbox subpages or something would probably make the talk page much more responsive. Matma Rex talk 15:53, 3 April 2025 (UTC)[reply]

Issues loading images since late-March 2025

[edit]

Hi, I've recently noticed while browsing Wikipedia and sister projects (Commons) that images are occasionally failing to load. Some will render without issue while others will either appear on the page as a placeholder broken image symbol or still be visible but when clicked and maximised, they fail to load with a "sorry, the file cannot be displayed." error message. Looking at the commons page for an effected image shows that some of the resolutions work fine whilst others still throw errors. It's been a few days and I haven't seen any comments on here on this specific issue yet so I am saying it now. Hopefully the team are working on fixing whatever is causing this behaviour? Slender (talk) 19:17, 2 April 2025 (UTC)[reply]

I had that problem with a single image awhile back. Tried everything, including clearing my browser cache, purging the article containing the image, and restarting my computer. So I gave up, and the problem disappeared after a few days. Patience is a virtue, sometimes. ―Mandruss  IMO. 19:21, 2 April 2025 (UTC)[reply]
Can you share a couple of examples of images that fail and images that work? Matma Rex talk 20:22, 2 April 2025 (UTC)[reply]

Sure. Here's a few of the broken ones pulled from the article Gangway connection:

Working images:

I also uploaded a screenshot to show the broken images and how the page looks on my end. https://en.wikipedia.org/wiki/File:WPBrokenImagesScreenshotExample.PNG — Preceding unsigned comment added by Slenderman7676 (talkcontribs) 21:02, 2 April 2025 (UTC)[reply]

All of the images at Gangway connection are working for me. When I had the problem, others didn't see it. That's why I gave up, blaming myself. ;) That was at Donald Trump, btw. Just one problem image. ―Mandruss  IMO. 23:35, 2 April 2025 (UTC)[reply]
@Slenderman7676 Hi, this might be related to the work I'm doing with image thumbnails (phab:T360589). There are multiple ways that this can happen due to that work. 1- The size of image will be different than size of the element (the thumbnail is 250px, the image is shown at 220px) and your browser might not support it. All browsers I have tested so far have worked with no issues. If you're using an uncommon browser or it's not updated for a while, this might be the reason but I need to know what browser is that to check it immediately. I checked all three are broken are using the steps but also two of the ones that are shown too which is weird. So another question I have is also that whether the working images are also now broken too? 2- rate limit: Since we are using steps and also working to bump the default size to 250px (phab:T355914), these are triggering a lot of thumbnail regeneration (combine that AI scrapers), you might be hitting the rate limits of thumbnail generation (I'd have to see the network response for the browser, is it giving 429 when trying to load the image?) specially if you're unlucky with a GCNAT or bad ranges. The 1 is unlikely but would be quite scary as it would block the further roll out and 2 is more likely and less terrible, you just have to wait a couple of days. Please let me know how it is. Thank you and sorry for the issue. Ladsgroupoverleg 23:38, 2 April 2025 (UTC)[reply]
To follow on from that: people might not be aware of the mechanics. In the past, your browser was served a HTML page woth the various image positions specified for an image width of 220px, and was also served the images pre-scaled to 220px wide, so your browser merely had to fit the images into the appropriate boxes without further manipulation. Recently, however, for the same HTML page (still with 220px image boxes) your browser is served images that are 250px wide, and must scale them down itself. --Redrose64 🌹 (talk) 10:00, 3 April 2025 (UTC)[reply]
Yeah but also noting that such scaling won't happen that often once we reach 100% since once the steps are fully rolled out, we will bump the default thumbnail size to 250px which means for majority of cases (when they don't define a thumbnail size), they will be both served as 250px and shown at 250px. Ladsgroupoverleg 13:57, 3 April 2025 (UTC)[reply]
@Slenderman7676: At Gangway connection, all of the images  Works for me. I notice that all of the links that you give are in the form of URLs to Media Viewer. Is this significant? Do direct wikilinks such as File:Mark 1 coach 6313 at Bristol Temple Meads 2006-03-01 03.jpg produce different results? Personally, I turned off MediaViewer almost as soon as it was launched. BTW, thanks for choosing an article that I created for your example. --Redrose64 🌹 (talk) 08:56, 3 April 2025 (UTC)[reply]

Longest possible video

[edit]
Video of 25 h 5 min 58 s

I was shocked to discover File:Cory Booker's 25-hour speech.webm, which has a length of 90,358 seconds. I just assumed that videos had a much shorter time limit, so if you attempted to upload a video anywhere close to this in length, it would get rejected. Does MediaWiki impose a limit on the length of a video, or from a technical perspective, can you upload any video you want, regardless of length? Also, what about non-video files, like OGG recordings? Nyttend (talk) 21:53, 2 April 2025 (UTC)[reply]

@Nyttend a file can be up to 5 GB large, which this file is just under at 4.5 GB. That does not mean you can directly upload 5 GB. Some high quality NASA images are massive, and having the full file is great. For other stuff, less so. See c:Commons:Maximum file size and more broadly the setting in MediaWiki software. mw:Manual:$wgMaxUploadSize ~ 🦝 Shushugah (he/him • talk) 22:15, 2 April 2025 (UTC)[reply]
So there's no time limit, per se, for uploads? I'm left imagining someone uploading a ridiculously long MIDI file. Nyttend (talk) 00:09, 3 April 2025 (UTC)[reply]
No, but of course there are humans patrolling the upload log who will (hopefully) cut down on crap like that. * Pppery * it has begun... 00:10, 3 April 2025 (UTC)[reply]
That would make the transcode timeout, though.
On an unrelated note, why can't we switch to a service which allows files above 5gb? JayCubby 13:03, 3 April 2025 (UTC)[reply]
@JayCubby, it's not a technical limitation (which is why it's a setting). Qwerfjkltalk 13:13, 3 April 2025 (UTC)[reply]
Interesting. The Foundation has plenty[dubiousdiscuss] of server resources and capital[citation needed]. Why do we have a limit in the first place?
I suppose it is very rarely an issue (only, I dunno, for moderately high-resolution full-length films, but Commons totally doesn't host too many of those). JayCubby 13:20, 3 April 2025 (UTC)[reply]
5GB is still a technical limitation (phab:T191802) just a different one from before. the wub "?!" 14:07, 3 April 2025 (UTC)[reply]
The longest audio files on Commons are over 6 days long: File:WV-FrenchCourse-Step001-Exercise01.ogg, File:Es-mx-población.ogg, File:Es-mx-personal.ogg and File:Eo-plezuro.ogg.
The longest audio files on English Wikipedia are around 1 hour long: AlanFreed-WinsNewYork-March231955.ogg and File:Adolf Eichmann trial opening statement.opus. Snævar (talk) 02:16, 3 April 2025 (UTC)[reply]
I am surprised that someone managed to upload a huge video like this that also has a suitable file size for Commons :D --PantheraLeo1359531 (talk) 08:26, 3 April 2025 (UTC)[reply]
Low resolution, and lossy-compressed to the max? --Redrose64 🌹 (talk) 08:59, 3 April 2025 (UTC)[reply]
Videos at a different resolution are saved after rendering. It takes longer than saving a text file. Snævar (talk) 11:01, 3 April 2025 (UTC)[reply]
I'm the guy who uploaded this video. Here are some comments for you.
Indeed, there is no limit on recording length, but only on file size. It is actually at least theoretically possible to make a video file that is much longer in playback time than this (and at a much smaller file size, too). The simplest way to do this would be by creating a long video with a (very low) frame rate. Such a video would be useless, but definitely possible to create.
@Redrose64 I think you would be surprised to find that this video is, relatively speaking, not lossily compressed to the max, although it is fairly compressed. I used AV1 to compress this video. The source (C-SPAN) is a 576p H264 video, which itself is fairly lossily compressed. The portion of the video in question was already over 6 GB using H264 in the original C-SPAN encode. AV1 is a lot more modern than H264 (or, for that matter, VP9), so it is capable of producing a pretty decent result. The ffmpeg command I used to encode this video was:
ffmpeg -i source.mp4 -ss 04:00:14 -to 29:06:12 -c:v libsvtav1 -b:a libopus -b:a 64k -g 400 -preset 4 -crf 41 -pix_fmt yuv420p -svtav1-params tune=0 booker.webm
This yielded the 4.5 GB AV1 file that you see here. Actually, AV1 is pretty good for hosting high-res feature films, @JayCubby. You can see some AV1 encodes I made of feature films on Commons: The Jazz Singer, Glorifying the American Girl, Zaza, Cyrano de Bergerac, Night of the Living Dead. 5 GB is still limiting as a file size cap, but you can squeeze a fairly decent 1080p encode into that file size using AV1, which you really can't do with other codecs supported on Commons.
The only downside of AV1 is that AV1-WebM, while working perfectly in Firefox and Chrome, is not supported in Safari. (Newer versions of Safari support AV1-WebRTC on new Mac/iOS chips with hardware AV1 decoders, but apparently AV1 in WebM isn't supported.) Normally, this isn't a huge issue, because Commons automatically transcodes to VP9 (which is the process to which @snaevar was alluding). For the feature films I linked above, you can see a transcoded VP9 copy (actually, that's the default unless you switch to the original source file in the Commons streaming player). On Safari, the original is not shown as an option, only the VP9 streams.
This is a slight problem for the Cory Booker video, because the system refuses to transcode the file to VP9 at all. This is because the estimated size of the transcoded file is too big. The smallest option, which is the 240P VP9 encode, gives the following error:
estimated file size 3397249 KiB over hard limit 3145728 KiB
Now, this 3 GB limit is actually below the 5 GB limit for original files, but it's still fairly large. This is because the system, I believe, just uses a fixed bitrate to estimate file size, and, well, this video is over 25 hours long, so any video of this length will, even at a fairly low bitrate, end up pretty large. There are definitely ways to get a VP9 encode to be under 3 GB (and definitely under 5 GB, too).
Ideally — and I don't know that this is possible within Commons' infrastructure — a sysadmin would be able to run a custom transcode for this file (using a custom ffmpeg command — or I could provide a transcoded file myself) which would produce an appropriately transcoded file (using a lower bitrate, slower encode speed or perhaps a higher file size limit) — just so Safari users would see something. Alternatively, I could replace my AV1 encode with a VP9 WebM encode of my own creation; this would be definitely worse in quality (I've tested it out, and it is noticeable, but maybe I can make it closer to the AV1 quality), but would be supported in Safari. Eventually, I figure Safari will join the party and support AV1 in WebM like the other browsers, at which point this will cease to be a problem.
(Side note: I am using a very powerful CPU — an Apple M4 Max — and libvpx-vp9 is slower for me than libsvtav1!)
D. Benjamin Miller (talk) 16:21, 3 April 2025 (UTC)[reply]

Identifying and Removing Predatory Sources

[edit]

Hey everyone, I was wondering if there are any tools available that could help identify citations that link to PDFs, as many predatory journals often use direct PDF links instead of proper journal indexing. While manually checking for predatory sources is possible, a tool to automate or streamline this process would be really useful. This is a consistent problem in wikipedia, as many articles are out there with almost all predatory sources. For instance, do look at Mizo names. After I removed all the predatory sources, there is only one citation left.

I understand that Special:Linksearch can be used to find citations linking to specific domains, which is helpful for flagging known predatory journals. However, I don’t think there’s currently a way to search for all citations that link to PDFs in general.

Would it be possible to implement such a search function, or has anyone come across a method to filter citations by file type? If not, I’d like to discuss whether this is something that could be proposed at WP:VPT or WP:RSN. Looking forward to hearing your thoughts! — Flyingphoenixchips (talk) 01:29, 3 April 2025 (UTC)[reply]

@Flyingphoenixchips: You should check out @Novem Linguae:'s script User:Novem Linguae/Scripts/CiteHighlighter which could help with this task. Polygnotus (talk) 01:49, 3 April 2025 (UTC)[reply]
Do you know any other predatory journals? Searching for insource:ijnrd.org and insource:ijsr.net yields 64 results. Polygnotus (talk) 01:52, 3 April 2025 (UTC)[reply]
Really cool to say the least. Just downloaded it. There are many predatory journals out there, and as someone working in academia I can for sure say that 99% of times, the citations that leads to pdf of a Journal, is most definitely predatory. This is why I was hoping to search for a tool, that can search the database of wikipedia, to find all citations that link to a pdf. Yes, there are many other predatory journals like http://www.ijst.co.in/ https://tlhjournal.com/ https://ijssrr.com/journal and https://www.mkscienceset.com/. There are many more besides these, and many more that I might not be aware of. This is partly the reason I am interested in this. I did a few clean up of ijnrd.org
But yea the script you shared is quite cool :) installed it Flyingphoenixchips (talk) 02:03, 3 April 2025 (UTC)[reply]
@Flyingphoenixchips I don't know how nerdy you are, but AutoWikiBrowser includes a database scanner and I don't think you even need AWB permission to use it. I also have a tool that can search through the dump. Polygnotus (talk) 02:09, 3 April 2025 (UTC)[reply]
Could you share the link for it. Much appreciated. Flyingphoenixchips (talk) 02:10, 3 April 2025 (UTC)[reply]
WP:AWB. Polygnotus (talk) 02:11, 3 April 2025 (UTC)[reply]
Thanks will have a look :) Flyingphoenixchips (talk) 02:12, 3 April 2025 (UTC)[reply]
@Flyingphoenixchips The scanner is explained here. If you want someone else to do it you can ask at WP:AWBREQ. Polygnotus (talk) 02:13, 3 April 2025 (UTC)[reply]
@Flyingphoenixchips I was too lazy to download a new dump so I used one that I had laying around. A text file containing just the articlename and then the PDF URL is 373MB. There are 3.257.740 URLs that end in .pdf, if you only search articles and only inside ref tags. Polygnotus (talk) 04:27, 3 April 2025 (UTC)[reply]
Here is the first MB: https://en.wikipedia.org/w/index.php?title=User:Polygnotus/Flyingphoenixchips&action=edit Polygnotus (talk) 04:34, 3 April 2025 (UTC)[reply]
Note that there is also a WP:BLACKLIST which prevents future additions but does not work retroactively. Polygnotus (talk) 05:18, 3 April 2025 (UTC)[reply]
Hm, I restricted it to only articles that contain "India" and only references that contain ".pdf" and I get 96.847 results (roughly a 10mb file) most of which are fine. Polygnotus (talk) 14:17, 3 April 2025 (UTC)[reply]
[edit]

Hello, does anyone know how to access the article at [7]? The first snapshot, specifically June 21, 2011, is cited on an article, but if it loaded once it doesn't now. Thanks, CMD (talk) 06:48, 3 April 2025 (UTC)[reply]

So that people don't waste their time: insource:NewsID=72917. Polygnotus (talk) 14:18, 3 April 2025 (UTC)[reply]
That source is as good as dead, because WebArchive seems to have changed its syntax so that the source doesn't show and archive.today redirects to the main page. You can try contacting the WebArchive but I'd simply consider some other sources Szmenderowiecki (talk) 15:00, 3 April 2025 (UTC)[reply]
Thanks, a shame but I suppose it is what it is. CMD (talk) 15:19, 3 April 2025 (UTC)[reply]