Code that you insert on this page could contain malicious content capable of compromising your account. If you import a script from another page with "importScript", "mw.loader.load", "iusc", or "lusc", take note that this causes you to dynamically load a remote script, which could be changed by others. Editors are responsible for all edits and actions they perform, including by scripts. User scripts are not centrally supported and may malfunction or become inoperable due to software changes. A guide to help you find broken scripts is available. If you are unsure whether code you are adding to this page is safe, you can ask at the appropriate village pump. This code will be executed when previewing this page.
Note: After saving, you have to bypass your browser's cache to see the changes. Google Chrome, Firefox, Microsoft Edge and Safari: Hold down the ⇧ Shift key and click the Reload toolbar button. For details and instructions about other browsers, see Wikipedia:Bypass your cache.
// <nowiki>// ExtendedConfirmedChecker.js// Adds indicators next to usernames on talk pages showing extended confirmed status// License: MIT$(function(){'use strict';// Only run on talk pagesconstnamespace=mw.config.get('wgNamespaceNumber');console.log('Current namespace:',namespace);if(namespace%2!==1){console.log('Not a talk page, exiting');return;}console.log('Running on talk page');// Cache handlingconstCACHE_KEY='ec-status-cache';constCACHE_EXPIRY=24*60*60*1000;// 24 hoursfunctionloadCache(){try{constcache=localStorage.getItem(CACHE_KEY);if(cache){const{data,timestamp}=JSON.parse(cache);if(Date.now()-timestamp<CACHE_EXPIRY){returnnewMap(Object.entries(data));}}}catch(e){console.error('Error loading cache:',e);}returnnewMap();}functionsaveCache(cache){try{constcacheData={data:Object.fromEntries(cache),timestamp:Date.now()};localStorage.setItem(CACHE_KEY,JSON.stringify(cacheData));}catch(e){console.error('Error saving cache:',e);}}constprocessedUsers=newSet();constuserGroups=loadCache();// Find all user links in signaturesfunctionfindUserLinks(){// Find both regular user links and redlinks, excluding talk pagesconstlinks=$('#content a[href^="/wiki/User:"]:not([href*="talk"]):not([data-ec-checked]), '+'#content a[href^="/w/index.php?title=User:"]:not([href*="talk"]):not([data-ec-checked])');console.log('Found user links:',links.length);links.each((_,link)=>console.log('User link:',$(link).text(),$(link).attr('href')));returnlinks;}// Extract username from linkfunctiongetUsernameFromLink(link){consthref=$(link).attr('href');constmatch=href.match(/User:([^/?&]+)/);returnmatch?match[1]:null;}// Batch process users to reduce API callsasyncfunctionprocessUserBatch(users){if(users.length===0)return;constuserList=users.join('|');console.log('Fetching groups for users:',userList);constmaxRetries=3;letretryCount=0;letdelay=1000;// Start with 1 second delaywhile(retryCount<maxRetries){try{constresponse=await$.ajax({url:mw.util.wikiScript('api'),data:{action:'query',format:'json',list:'users',usprop:'groups|blockinfo',ususers:userList,formatversion:'2'},dataType:'json'});console.log('API response:',response);if(response.error&&response.error.code==='ratelimited'){console.log('Rate limited, waiting before retry...');awaitnewPromise(resolve=>setTimeout(resolve,delay));delay*=2;// Exponential backoffretryCount++;continue;}if(response.query&&response.query.users){response.query.users.forEach(user=>{letstatus;if(user.missing){status='missing';}elseif(user.blockedby){status='blocked';}else{constgroups=user.groups||[];status=groups.includes('extendedconfirmed')?'extended':'normal';}userGroups.set(user.name,status);});// Save updated cachesaveCache(userGroups);}break;// Success, exit retry loop}catch(error){console.error('Error fetching user groups:',error);if(retryCount>=maxRetries-1){// Mark all users in batch as error if we've exhausted retriesusers.forEach(username=>userGroups.set(username,'error'));saveCache(userGroups);}else{awaitnewPromise(resolve=>setTimeout(resolve,delay));delay*=2;// Exponential backoffretryCount++;}}}}// Add status indicator next to usernamefunctionaddStatusIndicator(link,status){// Remove any existing indicators next to this link$(link).siblings('.ec-status-indicator').remove();letsymbol,color,title;switch(status){case'extended':symbol='✔';color='#00a000';title='Extended confirmed user';break;case'error':symbol='?';color='#666666';title='Error checking status';break;case'blocked':symbol='🚫';color='#cc0000';title='Blocked user';break;case'missing':symbol='!';color='#666666';title='User not found';break;default:symbol='✘';color='#cc0000';title='Not extended confirmed';}constindicator=$('<span>').addClass('ec-status-indicator').css({'margin-left':'4px','font-size':'0.85em','color':color,'cursor':'help'}).attr('title',title).text(symbol);$(link).after(indicator);$(link).attr('data-ec-checked','true');}// Main processing functionasyncfunctionprocessPage(){console.log('Processing page...');constuserLinks=findUserLinks();constbatchSize=50;constusers=[];userLinks.each((_,link)=>{constusername=getUsernameFromLink(link);if(!processedUsers.has(username)){users.push(username);processedUsers.add(username);}});// Process users in batchesfor(leti=0;i<users.length;i+=batchSize){constbatch=users.slice(i,i+batchSize);awaitprocessUserBatch(batch);}// Add indicatorsuserLinks.each((_,link)=>{constusername=getUsernameFromLink(link);constisExtendedConfirmed=userGroups.get(username);addStatusIndicator(link,isExtendedConfirmed);});}// Run on page load and when new content is addedprocessPage();mw.hook('wikipage.content').add(processPage);});// </nowiki>