Difference between revisions of "MediaWiki:Gadget-popups.js"

From Wikispooks
Jump to navigation Jump to search
m (1 revision)
(latest full code)
 
(6 intermediate revisions by the same user not shown)
Line 1: Line 1:
var popupVersion="meta:MediaWiki:Gadget-popups.js " + /*/{{subst:Selfsubst/now string|js|/*/ "2009-08-30 23:33:10 (UTC)" /*/}}/*/;
 
 
// STARTFILE: main.js
 
// STARTFILE: main.js
 
// **********************************************************************
 
// **********************************************************************
Line 15: Line 14:
 
// **                                                                  **
 
// **                                                                  **
 
// **********************************************************************
 
// **********************************************************************
 +
/* eslint-env browser  */
 +
/* global $, jQuery, mw, window */
  
 +
// Fix later
 +
/* global log, errlog, popupStrings, wikEdUseWikEd, WikEdUpdateFrame */
 +
/* eslint no-mixed-spaces-and-tabs: 0, no-empty: 0 */
 +
 +
$(function () {
 
//////////////////////////////////////////////////
 
//////////////////////////////////////////////////
 
// Globals
 
// Globals
Line 21: Line 27:
  
 
// Trying to shove as many of these as possible into the pg (popup globals) object
 
// Trying to shove as many of these as possible into the pg (popup globals) object
function pg(){}; // dummy to stop errors
+
var pg = {
window.pg = {
 
 
re: {},              // regexps
 
re: {},              // regexps
 
ns: {},              // namespaces
 
ns: {},              // namespaces
 
string: {},          // translatable strings
 
string: {},          // translatable strings
 
wiki: {},            // local site info
 
wiki: {},            // local site info
 +
user: {},            // current user info
 
misc: {},            // YUCK PHOOEY
 
misc: {},            // YUCK PHOOEY
 
option: {},          // options, see newOption etc
 
option: {},          // options, see newOption etc
Line 36: Line 42:
 
counter: {},          // .. and all sorts of counters
 
counter: {},          // .. and all sorts of counters
 
current: {},          // state info
 
current: {},          // state info
 +
fn: {},              // functions
 
endoflist: null
 
endoflist: null
 
};
 
};
window.pop = {          // wrap various functions in here
+
/* Bail if the gadget/script is being loaded twice */
init: {},
+
if( window.pg ) {
util: {},
+
return;
endoflist: null
 
};
 
function popupsReady() {
 
if (!window.pg) { return false; }
 
if (!pg.flag) { return false; }
 
if (!pg.flag.finishedLoading) { return false; }
 
return true;
 
 
}
 
}
 +
/* Export to global context */
 +
window.pg = pg;
  
 
/// Local Variables: ///
 
/// Local Variables: ///
Line 60: Line 62:
 
//<NOLITE>
 
//<NOLITE>
 
// the main initial call
 
// the main initial call
if (getValueOf('popupOnEditSelection') && window.doSelectionPopup && document && document.editform && document.editform.wpTextbox1) {
+
if (getValueOf('popupOnEditSelection') && document && document.editform && document.editform.wpTextbox1) {
 
document.editform.wpTextbox1.onmouseup=doSelectionPopup;
 
document.editform.wpTextbox1.onmouseup=doSelectionPopup;
 
}
 
}
Line 77: Line 79:
  
 
function defaultPopupsContainer() {
 
function defaultPopupsContainer() {
    if (getValueOf('popupOnlyArticleLinks')) {
+
if (getValueOf('popupOnlyArticleLinks')) {
    return document.getElementById('article') ||
+
return document.getElementById('mw_content') ||  
    document.getElementById('content') ||  
+
document.getElementById('content') ||
    document.getElementById('mw_content') || document;
+
document.getElementById('article') || document;
    }
+
}
    return  document;
+
return  document;
 
}
 
}
  
Line 88: Line 90:
 
log(simplePrintf('setupTooltipsLoop(%s,%s,%s,%s,%s)', arguments));
 
log(simplePrintf('setupTooltipsLoop(%s,%s,%s,%s,%s)', arguments));
 
var finish=begin+howmany;
 
var finish=begin+howmany;
var loopend = min(finish, anchors.length);
+
var loopend = Math.min(finish, anchors.length);
 
var j=loopend - begin;
 
var j=loopend - begin;
 
log ('setupTooltips: anchors.length=' + anchors.length + ', begin=' + begin +
 
log ('setupTooltips: anchors.length=' + anchors.length + ', begin=' + begin +
    ', howmany=' + howmany + ', loopend=' + loopend + ', remove=' + remove);
+
', howmany=' + howmany + ', loopend=' + loopend + ', remove=' + remove);
 
var doTooltip= remove ? removeTooltip : addTooltip;
 
var doTooltip= remove ? removeTooltip : addTooltip;
 
// try a faster (?) loop construct
 
// try a faster (?) loop construct
Line 97: Line 99:
 
do {
 
do {
 
var a=anchors[loopend - j];
 
var a=anchors[loopend - j];
if (!a || !a.href) {
+
if (typeof a==='undefined' || !a || !a.href) {
 
log('got null anchor at index ' + loopend - j);
 
log('got null anchor at index ' + loopend - j);
 
continue;
 
continue;
Line 121: Line 123:
 
var tocLinks=toc.getElementsByTagName('A');
 
var tocLinks=toc.getElementsByTagName('A');
 
var tocLen = tocLinks.length;
 
var tocLen = tocLinks.length;
for (j=0; j<tocLen; ++j) {
+
for (var j=0; j<tocLen; ++j) {
 
removeTooltip(tocLinks[j], true);
 
removeTooltip(tocLinks[j], true);
 
}
 
}
Line 145: Line 147:
  
 
function removeTitle(a) {
 
function removeTitle(a) {
if (a.originalTitle) { return; }
+
if (!a.originalTitle) {
a.originalTitle=a.title;
+
a.originalTitle=a.title;
a.title='';
+
}
 +
a.title='';
 
}
 
}
  
Line 153: Line 156:
 
if ( a.title || !a.originalTitle ) { return; }
 
if ( a.title || !a.originalTitle ) { return; }
 
a.title = a.originalTitle;
 
a.title = a.originalTitle;
a.originalTitle='';
 
 
}
 
}
  
Line 159: Line 161:
 
var popupMaxWidth=getValueOf('popupMaxWidth');
 
var popupMaxWidth=getValueOf('popupMaxWidth');
  
if (typeof popupMaxWidth == 'number') {
+
if (typeof popupMaxWidth === 'number') {
 
var setMaxWidth = function () {
 
var setMaxWidth = function () {
 
np.mainDiv.style.maxWidth = popupMaxWidth + 'px';
 
np.mainDiv.style.maxWidth = popupMaxWidth + 'px';
 
np.maxWidth = popupMaxWidth;
 
np.maxWidth = popupMaxWidth;
 
            try {
 
// hack for IE
 
// see http://www.svendtofte.com/code/max_width_in_ie/
 
// use setExpression as documented here on msdn: http://tinyurl dot com/dqljn
 
 
if (np.mainDiv.style.setExpression) {
 
np.mainDiv.style.setExpression(
 
'width', 'document.body.clientWidth > ' +
 
popupMaxWidth + ' ? "' +popupMaxWidth + 'px": "auto"');
 
}
 
            }
 
            catch (errors) {
 
            errlog( "Running on IE8 are we not?: " + errors );
 
            }
 
 
};
 
};
 
np.addHook(setMaxWidth, 'unhide', 'before');
 
np.addHook(setMaxWidth, 'unhide', 'before');
 
}
 
}
 
//<NOLITE>
 
//<NOLITE>
if (window.addPopupShortcuts && window.rmPopupShortcuts) {
+
np.addHook(addPopupShortcuts, 'unhide', 'after');
    np.addHook(addPopupShortcuts, 'unhide', 'after');
+
np.addHook(rmPopupShortcuts, 'hide', 'before');
    np.addHook(rmPopupShortcuts, 'hide', 'before');
 
}
 
 
//</NOLITE>
 
//</NOLITE>
 
}
 
}
  
 +
function removeModifierKeyHandler(a) {
 +
//remove listeners for modifier key if any that were added in mouseOverWikiLink
 +
document.removeEventListener('keydown', a.modifierKeyHandler, false);
 +
document.removeEventListener('keyup', a.modifierKeyHandler, false);
 +
}
  
 
function mouseOverWikiLink(evt) {
 
function mouseOverWikiLink(evt) {
if (!window.popupsReady || !window.popupsReady()) { return; }
+
if (!evt && window.event) {evt=window.event;}
if (!evt && window.event) {evt=window.event};
+
 +
// if the modifier is needed, listen for it,
 +
// we will remove the listener when we mouseout of this link or kill popup.
 +
if (getValueOf('popupModifier')) {
 +
// if popupModifierAction = enable, we should popup when the modifier is pressed
 +
// if popupModifierAction = disable, we should popup unless the modifier is pressed
 +
    var action = getValueOf('popupModifierAction');
 +
    var key = action=='disable' ? 'keyup' : 'keydown';
 +
    var a = this;
 +
    a.modifierKeyHandler = function(evt) {
 +
mouseOverWikiLink2(a, evt);
 +
};
 +
    document.addEventListener(key, a.modifierKeyHandler, false);
 +
}
 +
 
 
return mouseOverWikiLink2(this, evt);
 
return mouseOverWikiLink2(this, evt);
 
}
 
}
  
 +
/**
 +
* Gets the references list item that the provided footnote link targets. This
 +
* is typically a li element within the ol.references element inside the reflist.
 +
* @param {Element} a - A footnote link.
 +
* @returns {Element|boolean} The targeted element, or false if one can't be found.
 +
*/
 
function footnoteTarget(a) {
 
function footnoteTarget(a) {
 
var aTitle=Title.fromAnchor(a);
 
var aTitle=Title.fromAnchor(a);
 
// We want ".3A" rather than "%3A" or "?" here, so use the anchor property directly
 
// We want ".3A" rather than "%3A" or "?" here, so use the anchor property directly
 
var anch = aTitle.anchor;
 
var anch = aTitle.anchor;
if ( ! /^(cite_note-|_note-|endnote)/.test(anch) ) { return false; }
+
if ( ! /^(cite_note-|_note-|endnote)/.test(anch) ) { return false; }
  
 
var lTitle=Title.fromURL(location.href);
 
var lTitle=Title.fromURL(location.href);
if ( lTitle.toString(true) != aTitle.toString(true) ) { return false; }
+
if ( lTitle.toString(true) !== aTitle.toString(true) ) { return false; }
  
 
var el=document.getElementById(anch);
 
var el=document.getElementById(anch);
while ( el && typeof el.nodeName == 'string') {
+
while ( el && typeof el.nodeName === 'string') {
 
var nt = el.nodeName.toLowerCase();
 
var nt = el.nodeName.toLowerCase();
if ( nt == 'li' ) { return el; }
+
if ( nt === 'li' ) { return el; }
else if ( nt == 'body' ) { return false; }
+
else if ( nt === 'body' ) { return false; }
 
else if ( el.parentNode ) { el=el.parentNode; }
 
else if ( el.parentNode ) { el=el.parentNode; }
 
else { return false; }
 
else { return false; }
Line 217: Line 227:
  
 
function footnotePreview(x, navpop) {
 
function footnotePreview(x, navpop) {
setPopupHTML('<hr>' + x.innerHTML, 'popupPreview', navpop.idNumber,
+
setPopupHTML('<hr />' + x.innerHTML, 'popupPreview', navpop.idNumber);
    getValueOf('popupSubpopups') ? function() {
 
setupTooltips(document.getElementById('popupPreview' + navpop.idNumber));
 
} : null);
 
}
 
 
 
// var modid=0;
 
// if(!window.opera) { window.opera={postError: console.log}; }
 
 
 
function modifierKeyHandler(a) {
 
return function(evt) {
 
// opera.postError('modifierKeyHandler called' + (++modid));
 
// opera.postError(''+evt + modid);
 
// for (var i in evt) {
 
// opera.postError('' + modid + ' ' + i + ' ' + evt[i]);
 
// }
 
// opera.postError(''+evt.ctrlKey + modid);
 
var mod=getValueOf('popupModifier');
 
if (!mod) { return true; }
 
 
 
if (!evt && window.event) {evt=window.event};
 
// opera.postError('And now....'+modid);
 
// opera.postError(''+evt+modid);
 
// opera.postError(''+evt.ctrlKey+modid);
 
 
 
var modPressed = modifierPressed(evt);
 
var action = getValueOf('popupModifierAction');
 
 
 
// FIXME: probable bug - modifierPressed should be modPressed below?
 
if ( action == 'disable' && modifierPressed ) { return true; }
 
if ( action == 'enable' && !modifierPressed ) { return true; }
 
 
 
mouseOverWikiLink2(a, evt);
 
};
 
 
}
 
}
  
Line 257: Line 234:
 
if (!mod) { return false; }
 
if (!mod) { return false; }
  
if (!evt && window.event) {evt=window.event};
+
if (!evt && window.event) {evt=window.event;}
// opera.postError('And now....'+modid);
 
// opera.postError(''+evt+modid);
 
// opera.postError(''+evt.ctrlKey+modid);
 
  
 
return ( evt && mod && evt[mod.toLowerCase() + 'Key'] );
 
return ( evt && mod && evt[mod.toLowerCase() + 'Key'] );
 
 
}
 
}
  
function dealWithModifier(a,evt) {
+
// Checks if the correct modifier pressed/unpressed if needed
if (!getValueOf('popupModifier')) { return false; }
+
function isCorrectModifier(a,evt) {
 +
if (!getValueOf('popupModifier')) { return true; }
 +
// if popupModifierAction = enable, we should popup when the modifier is pressed
 +
// if popupModifierAction = disable, we should popup unless the modifier is pressed
 
var action = getValueOf('popupModifierAction');
 
var action = getValueOf('popupModifierAction');
if ( action == 'enable' && !modifierPressed(evt) ||
+
return ( action == 'enable' && modifierPressed(evt) ||
    action == 'disable' && modifierPressed(evt) ) {
+
        action == 'disable' && !modifierPressed(evt) );
// if the modifier is needed and not pressed, listen for it until
 
// we mouseout of this link.
 
restoreTitle(a);
 
var addHandler='addEventListener';
 
var rmHandler='removeEventListener';
 
var on='';
 
if (!document.addEventListener) {
 
addHandler='attachEvent';
 
rmHandler='detachEvent';
 
on='on';
 
}
 
if (!document[addHandler]) { // forget it
 
return;
 
}
 
 
 
a.modifierKeyHandler=modifierKeyHandler(a);
 
 
 
switch (action) {
 
case 'enable':
 
document[addHandler](on+'keydown', a.modifierKeyHandler, false);
 
a[addHandler](on+'mouseout', function() {
 
document[rmHandler](on+'keydown',
 
    a.modifierKeyHandler, false);
 
}, true);
 
break;
 
case 'disable':
 
document[addHandler](on+'keyup', a.modifierKeyHandler, false);
 
}
 
 
 
return true;
 
}
 
return false;
 
 
}
 
}
  
 
function mouseOverWikiLink2(a, evt) {
 
function mouseOverWikiLink2(a, evt) {
if (dealWithModifier(a,evt)) { return; }
+
if (!isCorrectModifier(a,evt)) { return; }
 
if ( getValueOf('removeTitles') ) { removeTitle(a); }
 
if ( getValueOf('removeTitles') ) { removeTitle(a); }
 
if ( a==pg.current.link && a.navpopup && a.navpopup.isVisible() ) { return; }
 
if ( a==pg.current.link && a.navpopup && a.navpopup.isVisible() ) { return; }
 
pg.current.link=a;
 
pg.current.link=a;
  
if (getValueOf('simplePopups') && pg.option.popupStructure===null) {
+
if (getValueOf('simplePopups') && !pg.option.popupStructure) {
 
// reset *default value* of popupStructure
 
// reset *default value* of popupStructure
 
setDefault('popupStructure', 'original');
 
setDefault('popupStructure', 'original');
Line 319: Line 263:
 
// set global variable (ugh) to hold article (wikipage)
 
// set global variable (ugh) to hold article (wikipage)
 
pg.current.article = article;
 
pg.current.article = article;
if (pg.timer.image !== null) {
 
clearInterval(pg.timer.image);
 
pg.timer.image=null;
 
pg.counter.checkImages=0;
 
}
 
  
 
if (!a.navpopup) {
 
if (!a.navpopup) {
// FIXME: this doesn't behave well if you mouse out of a popup
+
a.navpopup=newNavpopup(a, article);
// directly into a link with the same href
+
pg.current.linksHash[a.href] = a.navpopup;
if (pg.current.linksHash[a.href] && false) {
+
pg.current.links.push(a);
a.navpopup = pg.current.linksHash[a.href];
 
}
 
else {
 
a.navpopup=newNavpopup(a, article);
 
pg.current.linksHash[a.href] = a.navpopup;
 
pg.current.links.push(a);
 
}
 
 
}
 
}
if (a.navpopup.pending===null || a.navpopup.pending!==0) {
+
if (a.navpopup.pending === null || a.navpopup.pending !== 0) {
 
// either fresh popups or those with unfinshed business are redone from scratch
 
// either fresh popups or those with unfinshed business are redone from scratch
 
simplePopupContent(a, article);
 
simplePopupContent(a, article);
 
}
 
}
 
a.navpopup.showSoonIfStable(a.navpopup.delay);
 
a.navpopup.showSoonIfStable(a.navpopup.delay);
 
getValueOf('popupInitialWidth');
 
  
 
clearInterval(pg.timer.checkPopupPosition);
 
clearInterval(pg.timer.checkPopupPosition);
Line 357: Line 287:
 
s['on' + getValueOf('popupPreviewButtonEvent')] = function() {
 
s['on' + getValueOf('popupPreviewButtonEvent')] = function() {
 
a.simpleNoMore=true;
 
a.simpleNoMore=true;
 +
d.style.display = "none";
 
nonsimplePopupContent(a,article);
 
nonsimplePopupContent(a,article);
}
+
};
 
s.innerHTML=popupString('show preview');
 
s.innerHTML=popupString('show preview');
 
setPopupHTML(d, 'popupPreview', a.navpopup.idNumber);
 
setPopupHTML(d, 'popupPreview', a.navpopup.idNumber);
 
}
 
}
return;
 
 
}
 
}
  
if (a.navpopup.pending!==0 ) {
+
if (a.navpopup.pending !== 0 ) {
    nonsimplePopupContent(a, article);
+
nonsimplePopupContent(a, article);
 
}
 
}
 
}
 
}
  
// simplePopupContent: the content that is shown even when simplePopups is true
+
// simplePopupContent: the content that do not require additional download
 +
// (it is shown even when simplePopups is true)
 
function simplePopupContent(a, article) {
 
function simplePopupContent(a, article) {
 
/* FIXME hack */ a.navpopup.hasPopupMenu=false;
 
/* FIXME hack */ a.navpopup.hasPopupMenu=false;
Line 395: Line 326:
 
if(getValueOf('popupDebugging') && navpopup.idNumber) {
 
if(getValueOf('popupDebugging') && navpopup.idNumber) {
 
setPopupHTML('idNumber='+navpopup.idNumber + ', pending=' + navpopup.pending,
 
setPopupHTML('idNumber='+navpopup.idNumber + ', pending=' + navpopup.pending,
    'popupError', navpopup.idNumber);
+
'popupError', navpopup.idNumber);
 
}
 
}
 
}
 
}
Line 412: Line 343:
 
}
 
}
  
 +
// Should we show nonsimple context?
 +
// If simplePopups is set to true, then we do not show nonsimple context,
 +
// but if a bottom "show preview" was clicked we do show nonsimple context
 +
function shouldShowNonSimple(a) {
 +
  return !getValueOf('simplePopups') || a.simpleNoMore;
 +
}
 +
 +
// Should we show nonsimple context govern by the option (e.g. popupUserInfo)?
 +
// If the user explicitly asked for nonsimple context by setting the option to true,
 +
// then we show it even in nonsimple mode.
 +
function shouldShow(a,option) {
 +
if (shouldShowNonSimple(a)) {
 +
return getValueOf(option);
 +
} else {
 +
return (typeof window[option] != 'undefined' )  && window[option];
 +
}
 +
}
  
 
function nonsimplePopupContent(a, article) {
 
function nonsimplePopupContent(a, article) {
Line 418: Line 366:
 
var oldid=(typeof params.oldid=='undefined' ? null : params.oldid);
 
var oldid=(typeof params.oldid=='undefined' ? null : params.oldid);
 
//<NOLITE>
 
//<NOLITE>
if(getValueOf('popupPreviewDiffs') && window.loadDiff) {
+
if(shouldShow(a,'popupPreviewDiffs')) {
 
diff=params.diff;
 
diff=params.diff;
 
}
 
}
if(getValueOf('popupPreviewHistory')) {
+
if(shouldShow(a,'popupPreviewHistory')) {
 
history=(params.action=='history');
 
history=(params.action=='history');
 
}
 
}
 
//</NOLITE>
 
//</NOLITE>
 
a.navpopup.pending=0;
 
a.navpopup.pending=0;
var x;
+
var referenceElement = footnoteTarget(a);
pg.misc.gImage=null;
+
if (referenceElement) {
if (x=footnoteTarget(a)) {
+
footnotePreview(referenceElement, a.navpopup);
footnotePreview(x, a.navpopup);
 
 
//<NOLITE>
 
//<NOLITE>
 
} else if ( diff || diff === 0 ) {
 
} else if ( diff || diff === 0 ) {
Line 435: Line 382:
 
} else if ( history ) {
 
} else if ( history ) {
 
loadAPIPreview('history', article, a.navpopup);
 
loadAPIPreview('history', article, a.navpopup);
} else if ( pg.re.contribs.test(a.href) ) {
+
} else if ( shouldShowNonSimple(a) && pg.re.contribs.test(a.href) ) {
 
loadAPIPreview('contribs', article, a.navpopup);
 
loadAPIPreview('contribs', article, a.navpopup);
} else if ( pg.re.backlinks.test(a.href) ) {
+
} else if ( shouldShowNonSimple(a) && pg.re.backlinks.test(a.href) ) {
 
loadAPIPreview('backlinks', article, a.navpopup);
 
loadAPIPreview('backlinks', article, a.navpopup);
    } else if ( // FIXME should be able to get all preview combinations with options
+
} else if ( // FIXME should be able to get all preview combinations with options
article.namespace()==pg.ns.image &&
+
article.namespaceId()==pg.nsImageId &&
( getValueOf('imagePopupsForImages') || ! anchorContainsImage(a) )
+
( shouldShow(a,'imagePopupsForImages') || ! anchorContainsImage(a) )
 
) {
 
) {
 
loadAPIPreview('imagepagepreview', article, a.navpopup);
 
loadAPIPreview('imagepagepreview', article, a.navpopup);
loadImages(article);
+
loadImage(article, a.navpopup);
 
//</NOLITE>
 
//</NOLITE>
 
} else {
 
} else {
if (article.namespace() == pg.ns.category &&
+
if (article.namespaceId() == pg.nsCategoryId &&
getValueOf('popupCategoryMembers')) {
+
shouldShow(a,'popupCategoryMembers')) {
 
loadAPIPreview('category', article, a.navpopup);
 
loadAPIPreview('category', article, a.navpopup);
} else if ((article.namespace() == pg.ns.user || article.namespace() == pg.ns.usertalk) &&
+
} else if ((article.namespaceId() == pg.nsUserId || article.namespaceId() == pg.nsUsertalkId) &&
getValueOf('popupUserInfo')) {
+
shouldShow(a,'popupUserInfo')) {
 
loadAPIPreview('userinfo', article, a.navpopup);
 
loadAPIPreview('userinfo', article, a.navpopup);
 
}
 
}
startArticlePreview(article, oldid, a.navpopup);
+
if (shouldShowNonSimple(a)) startArticlePreview(article, oldid, a.navpopup);
 
}
 
}
 
}
 
}
  
 
function pendingNavpopTask(navpop) {
 
function pendingNavpopTask(navpop) {
if (navpop && navpop.pending===null) { navpop.pending=0; }
+
if (navpop && navpop.pending === null) { navpop.pending=0; }
 
++navpop.pending;
 
++navpop.pending;
 
debugData(navpop);
 
debugData(navpop);
Line 475: Line 422:
  
 
function loadPreview(article, oldid, navpop) {
 
function loadPreview(article, oldid, navpop) {
pendingNavpopTask(navpop);
 
 
if (!navpop.redir) { navpop.originalArticle=article; }
 
if (!navpop.redir) { navpop.originalArticle=article; }
if (!navpop.visible && getValueOf('popupLazyDownloads')) {
+
article.oldid = oldid;
var id=(navpop.redir) ? 'DOWNLOAD_PREVIEW_REDIR_HOOK' : 'DOWNLOAD_PREVIEW_HOOK';
+
loadAPIPreview('revision', article, navpop);
navpop.addHook(function() {
 
getWiki(article, insertPreview, oldid, navpop);
 
return true; }, 'unhide', 'before', id);
 
} else {
 
getWiki(article, insertPreview, oldid, navpop);
 
}
 
 
}
 
}
  
Line 493: Line 433:
 
// mediawiki does overwrite; eg [[User:Lupin/foo3#Done]]
 
// mediawiki does overwrite; eg [[User:Lupin/foo3#Done]]
 
if ( navpop.article.anchor ) { target.anchor = navpop.article.anchor; }
 
if ( navpop.article.anchor ) { target.anchor = navpop.article.anchor; }
var trailingRubbish=redirMatch[4];
 
 
navpop.redir++;
 
navpop.redir++;
 
navpop.redirTarget=target;
 
navpop.redirTarget=target;
 
//<NOLITE>
 
//<NOLITE>
if (window.redirLink) {
+
var warnRedir = redirLink(target, navpop.article);
var warnRedir = redirLink(target, navpop.article);
+
setPopupHTML(warnRedir, 'popupWarnRedir', navpop.idNumber);
setPopupHTML(warnRedir, 'popupWarnRedir', navpop.idNumber);
 
}
 
 
//</NOLITE>
 
//</NOLITE>
 
navpop.article=target;
 
navpop.article=target;
Line 511: Line 448:
  
 
var redirMatch = pg.re.redirect.exec(download.data);
 
var redirMatch = pg.re.redirect.exec(download.data);
if (download.owner.redir===0 && redirMatch) {
+
if (download.owner.redir === 0 && redirMatch) {
completedNavpopTask(download.owner);
 
 
loadPreviewFromRedir(redirMatch, download.owner);
 
loadPreviewFromRedir(redirMatch, download.owner);
 
return;
 
return;
Line 518: Line 454:
  
 
if (download.owner.visible || !getValueOf('popupLazyPreviews')) {
 
if (download.owner.visible || !getValueOf('popupLazyPreviews')) {
    insertPreviewNow(download);
+
insertPreviewNow(download);
 
} else {
 
} else {
 
var id=(download.owner.redir) ? 'PREVIEW_REDIR_HOOK' : 'PREVIEW_HOOK';
 
var id=(download.owner.redir) ? 'PREVIEW_REDIR_HOOK' : 'PREVIEW_HOOK';
Line 530: Line 466:
 
var wikiText=download.data;
 
var wikiText=download.data;
 
var navpop=download.owner;
 
var navpop=download.owner;
completedNavpopTask(navpop);
 
 
var art=navpop.redirTarget || navpop.originalArticle;
 
var art=navpop.redirTarget || navpop.originalArticle;
  
 
//<NOLITE>
 
//<NOLITE>
 
makeFixDabs(wikiText, navpop);
 
makeFixDabs(wikiText, navpop);
if (getValueOf('popupSummaryData') && window.getPageInfo) {
+
if (getValueOf('popupSummaryData')) {
var info=getPageInfo(wikiText, download);
+
getPageInfo(wikiText, download);
 
setPopupTrailer(getPageInfo(wikiText, download), navpop.idNumber);
 
setPopupTrailer(getPageInfo(wikiText, download), navpop.idNumber);
 
}
 
}
  
 
var imagePage='';
 
var imagePage='';
if (art.namespace()==pg.ns.image) { imagePage=art.toString(); }
+
if (art.namespaceId()==pg.nsImageId) { imagePage=art.toString(); }
 
else { imagePage=getValidImageFromWikiText(wikiText); }
 
else { imagePage=getValidImageFromWikiText(wikiText); }
if(imagePage) { loadImages(Title.fromWikiText(imagePage)); }
+
if(imagePage) { loadImage(Title.fromWikiText(imagePage), navpop); }
 
//</NOLITE>
 
//</NOLITE>
  
Line 552: Line 487:
 
function insertArticlePreview(download, art, navpop) {
 
function insertArticlePreview(download, art, navpop) {
 
if (download && typeof download.data == typeof ''){
 
if (download && typeof download.data == typeof ''){
if (art.namespace()==pg.ns.template && getValueOf('popupPreviewRawTemplates')) {
+
if (art.namespaceId()==pg.nsTemplateId && getValueOf('popupPreviewRawTemplates')) {
 
// FIXME compare/consolidate with diff escaping code for wikitext
 
// FIXME compare/consolidate with diff escaping code for wikitext
var h='<hr><tt>' + download.data.entify().split('\\n').join('<br>\\n') + '</tt>';
+
var h='<hr /><span style="font-family: monospace;">' + download.data.entify().split('\\n').join('<br />\\n') + '</span>';
 
setPopupHTML(h, 'popupPreview', navpop.idNumber);
 
setPopupHTML(h, 'popupPreview', navpop.idNumber);
 
}
 
}
Line 576: Line 511:
 
function anchorize(d, anch) {
 
function anchorize(d, anch) {
 
if (!anch) { return d; }
 
if (!anch) { return d; }
var anchRe=RegExp('=+\\s*' + literalizeRegex(anch).replace(/[_ ]/g, '[_ ]') + '\\s*=+');
+
var anchRe=RegExp('(?:=+\\s*' + literalizeRegex(anch).replace(/[_ ]/g, '[_ ]') + '\\s*=+|\\{\\{\\s*'+getValueOf('popupAnchorRegexp')+'\\s*(?:\\|[^|}]*)*?\\s*'+literalizeRegex(anch)+'\\s*(?:\\|[^}]*)?}})');
 
var match=d.match(anchRe);
 
var match=d.match(anchRe);
 
if(match && match.length > 0 && match[0]) { return d.substring(d.indexOf(match[0])); }
 
if(match && match.length > 0 && match[0]) { return d.substring(d.indexOf(match[0])); }
Line 593: Line 528:
  
 
function killPopup() {
 
function killPopup() {
if (getValueOf('popupShortcutKeys') && window.rmPopupShortcuts) { rmPopupShortcuts(); }
+
removeModifierKeyHandler(this);
 +
if (getValueOf('popupShortcutKeys')) { rmPopupShortcuts(); }
 
if (!pg) { return; }
 
if (!pg) { return; }
pg.current.link && pg.current.link.navpopup && pg.current.link.navpopup.banish();
+
if (pg.current.link && pg.current.link.navpopup) { pg.current.link.navpopup.banish(); }
 
pg.current.link=null;
 
pg.current.link=null;
 
abortAllDownloads();
 
abortAllDownloads();
window.stopImagesDownloading && stopImagesDownloading();
+
if (pg.timer.checkPopupPosition) {
if (pg.timer.checkPopupPosition !== null) {
 
 
clearInterval(pg.timer.checkPopupPosition);
 
clearInterval(pg.timer.checkPopupPosition);
 
pg.timer.checkPopupPosition=null;
 
pg.timer.checkPopupPosition=null;
 
}
 
}
if (pg.timer.checkImages !== null) { clearInterval(pg.timer.checkImages); pg.timer.checkImages=null; }
 
if (pg.timer.image !== null) { clearInterval(pg.timer.image); pg.timer.image=null; }
 
 
return true; // preserve default action
 
return true; // preserve default action
 
}
 
}
Line 665: Line 598:
 
*/
 
*/
 
Drag.prototype.init = function(o, oRoot) {
 
Drag.prototype.init = function(o, oRoot) {
var dragObj     = this;
+
var dragObj   = this;
 
this.obj = o;
 
this.obj = o;
o.onmousedown   = function(e) { dragObj.start.apply( dragObj, [e]); };
+
o.onmousedown = function(e) { dragObj.start.apply( dragObj, [e]); };
o.dragging       = false;
+
o.dragging   = false;
o.popups_draggable     = true;
+
o.popups_draggable   = true;
o.hmode         = true;
+
o.hmode   = true;
o.vmode         = true;
+
o.vmode   = true;
  
o.root = oRoot && oRoot !== null ? oRoot : o ;
+
o.root = oRoot ? oRoot : o ;
  
 
if (isNaN(parseInt(o.root.style.left, 10))) { o.root.style.left  = "0px"; }
 
if (isNaN(parseInt(o.root.style.left, 10))) { o.root.style.left  = "0px"; }
if (isNaN(parseInt(o.root.style.top,  10))) { o.root.style.top   = "0px"; }
+
if (isNaN(parseInt(o.root.style.top,  10))) { o.root.style.top = "0px"; }
  
 
o.root.onthisStart  = function(){};
 
o.root.onthisStart  = function(){};
o.root.onthisEnd   = function(){};
+
o.root.onthisEnd = function(){};
o.root.onthis       = function(){};
+
o.root.onthis   = function(){};
 
};
 
};
  
Line 696: Line 629:
 
o.root.onthisStart(x, y);
 
o.root.onthisStart(x, y);
  
o.lastMouseX   = e.clientX;
+
o.lastMouseX = e.clientX;
o.lastMouseY   = e.clientY;
+
o.lastMouseY = e.clientY;
  
var dragObj     = this;
+
var dragObj   = this;
o.onmousemoveDefault   = document.onmousemove;
+
o.onmousemoveDefault = document.onmousemove;
o.dragging             = true;
+
o.dragging   = true;
document.onmousemove   = function(e) { dragObj.drag.apply( dragObj, [e] ); };
+
document.onmousemove = function(e) { dragObj.drag.apply( dragObj, [e] ); };
document.onmouseup     = function(e) { dragObj.end.apply( dragObj, [e] ); };
+
document.onmouseup   = function(e) { dragObj.end.apply( dragObj, [e] ); };
 
return false;
 
return false;
 
};
 
};
Line 715: Line 648:
 
var o = this.obj;
 
var o = this.obj;
  
var ey   = e.clientY;
+
var ey = e.clientY;
var ex   = e.clientX;
+
var ex = e.clientX;
 
var y = parseInt(o.vmode ? o.root.style.top  : o.root.style.bottom, 10);
 
var y = parseInt(o.vmode ? o.root.style.top  : o.root.style.bottom, 10);
 
var x = parseInt(o.hmode ? o.root.style.left : o.root.style.right,  10 );
 
var x = parseInt(o.hmode ? o.root.style.left : o.root.style.right,  10 );
Line 726: Line 659:
 
this.obj.root.style[o.hmode ? "left" : "right"] = nx + "px";
 
this.obj.root.style[o.hmode ? "left" : "right"] = nx + "px";
 
this.obj.root.style[o.vmode ? "top" : "bottom"] = ny + "px";
 
this.obj.root.style[o.vmode ? "top" : "bottom"] = ny + "px";
this.obj.lastMouseX   = ex;
+
this.obj.lastMouseX = ex;
this.obj.lastMouseY   = ey;
+
this.obj.lastMouseY = ey;
  
 
this.obj.root.onthis(nx, ny);
 
this.obj.root.onthis(nx, ny);
Line 740: Line 673:
 
document.onmousemove=this.obj.onmousemoveDefault;
 
document.onmousemove=this.obj.onmousemoveDefault;
 
document.onmouseup  = null;
 
document.onmouseup  = null;
this.obj.dragging   = false;
+
this.obj.dragging = false;
 
if (this.endHook) {
 
if (this.endHook) {
 
this.endHook( parseInt(this.obj.root.style[this.obj.hmode ? "left" : "right"], 10),
 
this.endHook( parseInt(this.obj.root.style[this.obj.hmode ? "left" : "right"], 10),
      parseInt(this.obj.root.style[this.obj.vmode ? "top" : "bottom"], 10));
+
  parseInt(this.obj.root.style[this.obj.vmode ? "top" : "bottom"], 10));
 
}
 
}
 
};
 
};
Line 752: Line 685:
 
pg.structures.original.popupLayout=function () {
 
pg.structures.original.popupLayout=function () {
 
return ['popupError', 'popupImage', 'popupTopLinks', 'popupTitle',
 
return ['popupError', 'popupImage', 'popupTopLinks', 'popupTitle',
'popupData', 'popupOtherLinks',
+
'popupUserData', 'popupData', 'popupOtherLinks',
 
'popupRedir', ['popupWarnRedir', 'popupRedirTopLinks',
 
'popupRedir', ['popupWarnRedir', 'popupRedirTopLinks',
      'popupRedirTitle', 'popupRedirData', 'popupRedirOtherLinks'],
+
  'popupRedirTitle', 'popupRedirData', 'popupRedirOtherLinks'],
 
'popupMiscTools', ['popupRedlink'],
 
'popupMiscTools', ['popupRedlink'],
 
'popupPrePreviewSep', 'popupPreview', 'popupSecondPreview', 'popupPreviewMore', 'popupPostPreview', 'popupFixDab'];
 
'popupPrePreviewSep', 'popupPreview', 'popupSecondPreview', 'popupPreviewMore', 'popupPostPreview', 'popupFixDab'];
Line 805: Line 738:
 
// other page -> edit - history - un|watch - talk|edit|new
 
// other page -> edit - history - un|watch - talk|edit|new
 
var editstr='<<edit|shortcut=e>>';
 
var editstr='<<edit|shortcut=e>>';
var editOldidStr='if(oldid){<<editOld|shortcut=e>>|<<revert|shortcut=v|rv>>|<<edit|cur>>}else{'
+
var editOldidStr='if(oldid){<<editOld|shortcut=e>>|<<revert|shortcut=v|rv>>|<<edit|cur>>}else{' +
+ editstr + '}'
+
editstr + '}';
 
var historystr='<<history|shortcut=h>>';
 
var historystr='<<history|shortcut=h>>';
 
var watchstr='<<unwatch|unwatchShort>>|<<watch|shortcut=w|watchThingy>>';
 
var watchstr='<<unwatch|unwatchShort>>|<<watch|shortcut=w|watchThingy>>';
  
str+='<br>if(talk){' +
+
str += '<br>if(talk){' +
 
editOldidStr+'|<<new|shortcut=+>>' + '*' + historystr+'*'+watchstr + '*' +
 
editOldidStr+'|<<new|shortcut=+>>' + '*' + historystr+'*'+watchstr + '*' +
 
'<b><<article|shortcut=a>></b>|<<editArticle|edit>>' +
 
'<b><<article|shortcut=a>></b>|<<editArticle|edit>>' +
 
'}else{' + // not a talk page
 
'}else{' + // not a talk page
 
editOldidStr + '*' + historystr + '*' + watchstr + '*' +
 
editOldidStr + '*' + historystr + '*' + watchstr + '*' +
'<b><<talk|shortcut=t>></b>|<<editTalk|edit>>|<<newTalk|shortcut=+|new>>'
+
'<b><<talk|shortcut=t>></b>|<<editTalk|edit>>|<<newTalk|shortcut=+|new>>}';
+ '}';
 
  
 
// misc links
 
// misc links
Line 835: Line 767:
 
};
 
};
 
pg.structures.fancy.popupTopLinks=function(x) {
 
pg.structures.fancy.popupTopLinks=function(x) {
var hist='<<history|shortcut=h|hist>>|<<lastEdit|shortcut=/|last>>if(mainspace_en){|<<editors|shortcut=E|eds>>}';
+
var hist='<<history|shortcut=h|hist>>|<<lastEdit|shortcut=/|last>>|<<editors|shortcut=E|eds>>';
 
var watch='<<unwatch|unwatchShort>>|<<watch|shortcut=w|watchThingy>>';
 
var watch='<<unwatch|unwatchShort>>|<<watch|shortcut=w|watchThingy>>';
 
var move='<<move|shortcut=m|move>>';
 
var move='<<move|shortcut=m|move>>';
Line 867: Line 799:
 
};
 
};
 
pg.structures.fancy2.popupLayout=function () { // move toplinks to after the title
 
pg.structures.fancy2.popupLayout=function () { // move toplinks to after the title
return ['popupError', 'popupImage', 'popupTitle', 'popupData', 'popupTopLinks', 'popupOtherLinks',
+
return ['popupError', 'popupImage', 'popupTitle', 'popupUserData', 'popupData', 'popupTopLinks', 'popupOtherLinks',
 
'popupRedir', ['popupWarnRedir', 'popupRedirTopLinks', 'popupRedirTitle', 'popupRedirData', 'popupRedirOtherLinks'],
 
'popupRedir', ['popupWarnRedir', 'popupRedirTopLinks', 'popupRedirTitle', 'popupRedirData', 'popupRedirOtherLinks'],
 
'popupMiscTools', ['popupRedlink'],
 
'popupMiscTools', ['popupRedlink'],
Line 878: Line 810:
 
return ['popupError', 'popupImage', 'popupTopLinks', 'popupTitle', 'popupOtherLinks',
 
return ['popupError', 'popupImage', 'popupTopLinks', 'popupTitle', 'popupOtherLinks',
 
'popupRedir', ['popupWarnRedir', 'popupRedirTopLinks', 'popupRedirTitle', 'popupRedirData', 'popupRedirOtherLinks'],
 
'popupRedir', ['popupWarnRedir', 'popupRedirTopLinks', 'popupRedirTitle', 'popupRedirData', 'popupRedirOtherLinks'],
'popupData', 'popupMiscTools', ['popupRedlink'],
+
'popupUserData', 'popupData', 'popupMiscTools', ['popupRedlink'],
 
'popupPrePreviewSep', 'popupPreview', 'popupSecondPreview', 'popupPreviewMore', 'popupPostPreview', 'popupFixDab'];
 
'popupPrePreviewSep', 'popupPreview', 'popupSecondPreview', 'popupPreviewMore', 'popupPostPreview', 'popupFixDab'];
 
};
 
};
function toggleSticky(uid) {
+
 
var popDiv=document.getElementById('navpopup_maindiv'+uid);
 
if (!popDiv) { return; }
 
if (!popDiv.navpopup.sticky) { popDiv.navpopup.stick(); }
 
else {
 
popDiv.navpopup.unstick();
 
popDiv.navpopup.hide();
 
}
 
}
 
 
pg.structures.menus.popupTopLinks = function (x, shorter) {
 
pg.structures.menus.popupTopLinks = function (x, shorter) {
 
// FIXME maybe this stuff should be cached
 
// FIXME maybe this stuff should be cached
Line 895: Line 819:
 
var dropdiv='<div class="popup_drop">';
 
var dropdiv='<div class="popup_drop">';
 
var enddiv='</div>';
 
var enddiv='</div>';
var endspan='</span>';
 
 
var hist='<<history|shortcut=h>>';
 
var hist='<<history|shortcut=h>>';
 
if (!shorter) { hist = '<menurow>' + hist +
 
if (!shorter) { hist = '<menurow>' + hist +
'|<<historyfeed|rss>>if(mainspace_en){|<<editors|shortcut=E>>}</menurow>'; }
+
'|<<historyfeed|rss>>|<<editors|shortcut=E>></menurow>'; }
 
var lastedit='<<lastEdit|shortcut=/|show last edit>>';
 
var lastedit='<<lastEdit|shortcut=/|show last edit>>';
 +
var thank='if(diff){<<thank|send thanks>>}';
 
var jsHistory='<<lastContrib|last set of edits>><<sinceMe|changes since mine>>';
 
var jsHistory='<<lastContrib|last set of edits>><<sinceMe|changes since mine>>';
 
var linkshere='<<whatLinksHere|shortcut=l|what links here>>';
 
var linkshere='<<whatLinksHere|shortcut=l|what links here>>';
Line 925: Line 849:
 
s.push( dropdiv + '<<mainlink>>');
 
s.push( dropdiv + '<<mainlink>>');
 
}
 
}
s.push( '<menu>')
+
s.push( '<menu>');
s.push( editRow + markPatrolled + newTopic + hist + lastedit )
+
s.push( editRow + markPatrolled + newTopic + hist + lastedit + thank );
 
if (!shorter) { s.push(jsHistory); }
 
if (!shorter) { s.push(jsHistory); }
s.push( move + linkshere + related)
+
s.push( move + linkshere + related);
 
if (!shorter) { s.push(nullPurge + search); }
 
if (!shorter) { s.push(nullPurge + search); }
 
if (!shorter) { s.push(viewOptions); }
 
if (!shorter) { s.push(viewOptions); }
s.push('<hr>' + watch + protectDelete);
+
s.push('<hr />' + watch + protectDelete);
s.push('<hr>' +
+
s.push('<hr />' +
      'if(talk){<<article|shortcut=a|view article>><<editArticle|edit article>>}' +
+
  'if(talk){<<article|shortcut=a|view article>><<editArticle|edit article>>}' +
      'else{<<talk|shortcut=t|talk page>><<editTalk|edit talk>>' +
+
  'else{<<talk|shortcut=t|talk page>><<editTalk|edit talk>>' +
      '<<newTalk|shortcut=+|new topic>>}</menu>' + enddiv);
+
  '<<newTalk|shortcut=+|new topic>>}</menu>' + enddiv);
  
 
// user menu starts here
 
// user menu starts here
Line 944: Line 868:
  
 
s.push('if(user){*' + dropdiv + menuTitle('user'));
 
s.push('if(user){*' + dropdiv + menuTitle('user'));
s.push('<menu>'); +
+
s.push('<menu>');
 
s.push('<menurow><<userPage|shortcut=u|user&nbsp;page>>|<<userSpace|space>></menurow>');
 
s.push('<menurow><<userPage|shortcut=u|user&nbsp;page>>|<<userSpace|space>></menurow>');
 
s.push('<<userTalk|shortcut=t|user talk>><<editUserTalk|edit user talk>>' +
 
s.push('<<userTalk|shortcut=t|user talk>><<editUserTalk|edit user talk>>' +
      '<<newUserTalk|shortcut=+|leave comment>>');
+
  '<<newUserTalk|shortcut=+|leave comment>>');
if(!shorter) { s.push( 'if(ipuser){<<arin>>}else{' + email + '}') }
+
if(!shorter) { s.push( 'if(ipuser){<<arin>>}else{' + email + '}' ); }
else { s.push( 'if(ipuser){}else{' + email + '}') }
+
else { s.push( 'if(ipuser){}else{' + email + '}' ); }
s.push('<hr>' + contribs + '<<userlog|shortcut=L|user log>>');
+
s.push('<hr />' + contribs + '<<userlog|shortcut=L|user log>>');
 
s.push('if(wikimedia){<<count|shortcut=#|edit counter>>}');
 
s.push('if(wikimedia){<<count|shortcut=#|edit counter>>}');
 
s.push('if(admin){<menurow><<unblock|unblockShort>>|<<block|shortcut=b|block user>></menurow>}');
 
s.push('if(admin){<menurow><<unblock|unblockShort>>|<<block|shortcut=b|block user>></menurow>}');
s.push('<<blocklog|shortcut=B|block log>>' + getValueOf('popupExtraUserMenu'));
+
s.push('<<blocklog|shortcut=B|block log>>');
 
s.push('</menu>'  + enddiv + '}');
 
s.push('</menu>'  + enddiv + '}');
  
Line 980: Line 904:
 
};
 
};
 
pg.structures.shortmenus.popupRedirTopLinks=pg.structures.shortmenus.popupTopLinks;
 
pg.structures.shortmenus.popupRedirTopLinks=pg.structures.shortmenus.popupTopLinks;
 
copyStructure('shortmenus', 'dabshortmenus');
 
pg.structures.dabshortmenus.popupLayout=function () {
 
return ['popupError', 'popupImage', 'popupTopLinks', 'popupTitle', 'popupOtherLinks',
 
'popupRedir', ['popupWarnRedir', 'popupRedirTopLinks', 'popupRedirTitle', 'popupRedirData', 'popupRedirOtherLinks'],
 
'popupData', 'popupMiscTools', ['popupRedlink'], 'popupFixDab',
 
'popupPrePreviewSep', 'popupPreview', 'popupSecondPreview', 'popupPreviewMore', 'popupPostPreview'];
 
};
 
 
copyStructure('menus', 'dabmenus');
 
pg.structures.dabmenus.popupLayout=pg.structures.dabshortmenus.popupLayout;
 
 
  
 
//</NOLITE>
 
//</NOLITE>
Line 1,006: Line 918:
 
// STARTFILE: autoedit.js
 
// STARTFILE: autoedit.js
 
//<NOLITE>
 
//<NOLITE>
function getParamValue(paramName, h) {
 
if (typeof h == 'undefined' ) { h = document.location.href; }
 
var cmdRe=RegExp('[&?]'+paramName+'=([^&]*)');
 
var m=cmdRe.exec(h);
 
if (m) {
 
try {
 
return decodeURIComponent(m[1]);
 
} catch (someError) {}
 
}
 
return null;
 
}
 
 
 
function substitute(data,cmdBody) {
 
function substitute(data,cmdBody) {
 
// alert('sub\nfrom: '+cmdBody.from+'\nto: '+cmdBody.to+'\nflags: '+cmdBody.flags);
 
// alert('sub\nfrom: '+cmdBody.from+'\nto: '+cmdBody.to+'\nflags: '+cmdBody.flags);
Line 1,085: Line 985:
 
}
 
}
  
 +
/*eslint-disable*/
 
function skipToEnd(str,sep) {
 
function skipToEnd(str,sep) {
 
return {segment: str, remainder: ''};
 
return {segment: str, remainder: ''};
 
}
 
}
 +
/*eslint-enable */
  
 
function findNext(str, ch) {
 
function findNext(str, ch) {
Line 1,098: Line 1,000:
  
 
function setCheckbox(param, box) {
 
function setCheckbox(param, box) {
var val=getParamValue(param);
+
var val=mw.util.getParamValue(param);
if (val!==null) {
+
if (val) {
 
switch (val) {
 
switch (val) {
 
case '1': case 'yes': case 'true':
 
case '1': case 'yes': case 'true':
Line 1,111: Line 1,013:
  
 
function autoEdit() {
 
function autoEdit() {
if (!setupPopups.completed) { setupPopups(); }
+
setupPopups( function () {
if (!document.editform || !window.wgEnableAPI || !wgEnableAPI ) { return false; }
+
if (mw.util.getParamValue('autoimpl') !== popupString('autoedit_version') ) { return false; }
if (window.autoEdit.alreadyRan) { return false; }
+
if (mw.util.getParamValue('autowatchlist') && mw.util.getParamValue('actoken')===autoClickToken()) {
window.autoEdit.alreadyRan=true;
+
pg.fn.modifyWatchlist(mw.util.getParamValue('title'), mw.util.getParamValue('action'));
var cmdString=getParamValue('autoedit');
+
}
if (cmdString) {
+
if (!document.editform) { return false; }
try {
+
if (autoEdit.alreadyRan) { return false; }
var editbox=document.editform.wpTextbox1;
+
autoEdit.alreadyRan=true;
} catch (dang) { return; }
+
var cmdString=mw.util.getParamValue('autoedit');
var cmdList=parseCmd(cmdString);
+
if (cmdString) {
var input=editbox.value;
+
try {
var output=execCmds(input, cmdList);
+
var editbox=document.editform.wpTextbox1;
editbox.value=output;
+
var cmdList=parseCmd(cmdString);
// wikEd user script compatibility
+
var input=editbox.value;
if (typeof(wikEdUseWikEd) != 'undefined') {
+
var output=execCmds(input, cmdList);
if (wikEdUseWikEd == true) {
+
editbox.value=output;
WikEdUpdateFrame();
+
} catch (dang) { return; }
 +
// wikEd user script compatibility
 +
if (typeof(wikEdUseWikEd) != 'undefined') {
 +
if (wikEdUseWikEd === true) {
 +
WikEdUpdateFrame();
 +
}
 
}
 
}
 
}
 
}
}
+
setCheckbox('autominor', document.editform.wpMinoredit);
setCheckbox('autominor', document.editform.wpMinoredit);
+
setCheckbox('autowatch', document.editform.wpWatchthis);
setCheckbox('autowatch', document.editform.wpWatchthis);
+
 
+
var rvid = mw.util.getParamValue('autorv');
var rvid = getParamValue('autorv');
+
if (rvid) {
if (rvid) {
+
var url=pg.wiki.apiwikibase + '?action=query&format=json&formatversion=2&prop=revisions&revids='+rvid;
var url=pg.wiki.wikibase + '/api.php?action=query&format=json&prop=revisions&revids='+rvid;
+
startDownload(url, null, autoEdit2);
startDownload(url, null, autoEdit2);
+
} else { autoEdit2(); }
} else { autoEdit2(); }
+
} );
 
}
 
}
  
 
function autoEdit2(d) {
 
function autoEdit2(d) {
var summary=getParamValue('autosummary');
+
var summary=mw.util.getParamValue('autosummary');
var summaryprompt=getParamValue('autosummaryprompt');
+
var summaryprompt=mw.util.getParamValue('autosummaryprompt');
 
var summarynotice='';
 
var summarynotice='';
if (d && d.data && getParamValue('autorv')) {
+
if (d && d.data && mw.util.getParamValue('autorv')) {
 
var s = getRvSummary(summary, d.data);
 
var s = getRvSummary(summary, d.data);
if (s===false) {
+
if (s === false) {
 
summaryprompt=true;
 
summaryprompt=true;
 
summarynotice=popupString('Failed to get revision information, please edit manually.\n\n');
 
summarynotice=popupString('Failed to get revision information, please edit manually.\n\n');
summary = simplePrintf(summary, [getParamValue('autorv'), '(unknown)', '(unknown)']);
+
summary = simplePrintf(summary, [mw.util.getParamValue('autorv'), '(unknown)', '(unknown)']);
 
} else { summary = s; }
 
} else { summary = s; }
 
}
 
}
Line 1,167: Line 1,074:
  
 
function autoClickToken() {
 
function autoClickToken() {
    return document.cookie.substr(document.cookie.indexOf("session=")+8,4);
+
return mw.user.sessionId();
 
}
 
}
  
 
function autoEdit3() {
 
function autoEdit3() {
    if( getParamValue('actoken') != autoClickToken()) return;
+
if( mw.util.getParamValue('actoken') != autoClickToken()) { return; }
  
var btn=getParamValue('autoclick');
+
var btn=mw.util.getParamValue('autoclick');
 
if (btn) {
 
if (btn) {
 
if (document.editform && document.editform[btn]) {
 
if (document.editform && document.editform[btn]) {
Line 1,184: Line 1,091:
 
} else {
 
} else {
 
alert(tprintf('Could not find button %s. Please check the settings in your javascript file.',
 
alert(tprintf('Could not find button %s. Please check the settings in your javascript file.',
      [ btn ]));
+
  [ btn ]));
 
}
 
}
 
}
 
}
Line 1,200: Line 1,107:
 
function getRvSummary(template, json) {
 
function getRvSummary(template, json) {
 
try {
 
try {
    var o=getJsObj(json);
+
var o=getJsObj(json);
    var edit = anyChild(o.query.pages).revisions[0];
+
var edit = anyChild(o.query.pages).revisions[0];
} catch (badness) {return false;}
+
var timestamp = edit.timestamp.split(/[A-Z]/g).join(' ').replace(/^ *| *$/g, '');
var timestamp = edit.timestamp.split(/[A-Z]/g).join(' ').replace(/^ *| *$/g, '');
+
return simplePrintf(template, [edit.revid, timestamp, edit.userhidden ? '(hidden)' : edit.user ]);
return simplePrintf(template, [edit.revid, timestamp, edit.user]);
+
} catch (badness) {
 +
return false;
 +
}
 
}
 
}
  
Line 1,222: Line 1,131:
 
*/
 
*/
 
function Downloader(url) {
 
function Downloader(url) {
// Source: http://jibbering.com/2002/4/httprequest.html
+
if (typeof XMLHttpRequest!='undefined') { this.http = new XMLHttpRequest(); }
/** xmlhttprequest object which we're wrapping */
 
this.http = false;
 
 
 
/*@cc_on @*/
 
/*@if (@_jscript_version >= 5)
 
// JScript gives us Conditional compilation,
 
// we can cope with old IE versions.
 
// and security blocked creation of the objects.
 
try {
 
this.http = new ActiveXObject("Msxml2.XMLHTTP");
 
} catch (e) {
 
try {
 
this.http = new ActiveXObject("Microsoft.XMLHTTP");
 
} catch (E) {
 
// this.http = false;
 
}
 
}
 
@end @*/
 
 
 
if (! this.http && typeof XMLHttpRequest!='undefined') { this.http = new XMLHttpRequest(); }
 
 
/**
 
/**
    The url to download
+
The url to download
    @type String
+
@type String
 
*/
 
*/
 
this.url = url;
 
this.url = url;
 
/**
 
/**
    A universally unique ID number
+
A universally unique ID number
    @type integer
+
@type integer
 
*/
 
*/
 
this.id=null;
 
this.id=null;
 
/**
 
/**
    Modification date, to be culled from the incoming headers
+
Modification date, to be culled from the incoming headers
    @type Date
+
@type Date
    @private
+
@private
 
*/
 
*/
 
this.lastModified = null;
 
this.lastModified = null;
 
/**
 
/**
    What to do when the download completes successfully
+
What to do when the download completes successfully
    @type Function
+
@type Function
    @private
+
@private
 
*/
 
*/
 
this.callbackFunction = null;
 
this.callbackFunction = null;
 
/**
 
/**
    What to do on failure
+
What to do on failure
    @type Function
+
@type Function
    @private
+
@private
 
*/
 
*/
 
this.onFailure = null;
 
this.onFailure = null;
 
/**
 
/**
    Flag set on <code>abort</code>
+
Flag set on <code>abort</code>
    @type boolean
+
@type boolean
 
*/
 
*/
 
this.aborted = false;
 
this.aborted = false;
 
/**
 
/**
  HTTP method. See http://www.w3.org/Protocols/rfc2616/rfc2616-sec9.html for possibilities.
+
  HTTP method. See https://www.w3.org/Protocols/rfc2616/rfc2616-sec9.html for possibilities.
 
  @type String
 
  @type String
 
*/
 
*/
 
this.method='GET';
 
this.method='GET';
 
/**
 
/**
    Async flag.
+
Async flag.
    @type boolean
+
@type boolean
 
*/
 
*/
 
this.async=true;
 
this.async=true;
Line 1,307: Line 1,196:
 
if (!this.http) { return null; }
 
if (!this.http) { return null; }
 
this.http.open(this.method, this.url, this.async);
 
this.http.open(this.method, this.url, this.async);
 +
this.http.setRequestHeader( 'Api-User-Agent', pg.misc.userAgent );
 
};
 
};
 
/** Gets the state of the download. */
 
/** Gets the state of the download. */
Line 1,314: Line 1,204:
  
 
/** Starts the download.
 
/** Starts the download.
    Note that setTarget {@link Downloader#setTarget} must be run first
+
Note that setTarget {@link Downloader#setTarget} must be run first
 
*/
 
*/
 
Downloader.prototype.start=function () {
 
Downloader.prototype.start=function () {
Line 1,323: Line 1,213:
  
 
/** Gets the 'Last-Modified' date from the download headers.
 
/** Gets the 'Last-Modified' date from the download headers.
    Should be run after the download completes.
+
Should be run after the download completes.
    Returns <code>null</code> on failure.
+
Returns <code>null</code> on failure.
    @return {Date}
+
@return {Date}
 
*/
 
*/
 
Downloader.prototype.getLastModifiedDate=function () {
 
Downloader.prototype.getLastModifiedDate=function () {
Line 1,338: Line 1,228:
  
 
/** Sets the callback function.
 
/** Sets the callback function.
    @param {Function} f callback function, called as <code>f(this)</code> on success
+
@param {Function} f callback function, called as <code>f(this)</code> on success
 
*/
 
*/
 
Downloader.prototype.setCallback = function (f) {
 
Downloader.prototype.setCallback = function (f) {
Line 1,351: Line 1,241:
  
 
/** Creates a new {@link Downloader} and prepares it for action.
 
/** Creates a new {@link Downloader} and prepares it for action.
    @param {String} url The url to download
+
@param {String} url The url to download
    @param {integer} id The ID of the {@link Downloader} object
+
@param {integer} id The ID of the {@link Downloader} object
    @param {Function} callback The callback function invoked on success
+
@param {Function} callback The callback function invoked on success
    @return {String/Downloader} the {@link Downloader} object created, or 'ohdear' if an unsupported browser
+
@return {String/Downloader} the {@link Downloader} object created, or 'ohdear' if an unsupported browser
 
*/
 
*/
 
function newDownload(url, id, callback, onfailure) {
 
function newDownload(url, id, callback, onfailure) {
Line 1,377: Line 1,267:
 
newDownload(url, id, callback, onfailure - 1);
 
newDownload(url, id, callback, onfailure - 1);
 
}
 
}
} else if (typeof onfailure == 'function') {
+
} else if ($.isFunction(onfailure)) {
 
onfailure(d,url,id,callback);
 
onfailure(d,url,id,callback);
 
}
 
}
Line 1,387: Line 1,277:
 
}
 
}
 
/** Simulates a download from cached data.
 
/** Simulates a download from cached data.
    The supplied data is put into a {@link Downloader} as if it had downloaded it.
+
The supplied data is put into a {@link Downloader} as if it had downloaded it.
    @param {String} url The url.
+
@param {String} url The url.
    @param {integer} id The ID.
+
@param {integer} id The ID.
    @param {Function} callback The callback, which is invoked immediately as <code>callback(d)</code>,
+
@param {Function} callback The callback, which is invoked immediately as <code>callback(d)</code>,
    where <code>d</code> is the new {@link Downloader}.
+
where <code>d</code> is the new {@link Downloader}.
    @param {String} data The (cached) data.
+
@param {String} data The (cached) data.
    @param {Date} lastModified The (cached) last modified date.
+
@param {Date} lastModified The (cached) last modified date.
 
*/
 
*/
 
function fakeDownload(url, id, callback, data, lastModified, owner) {
 
function fakeDownload(url, id, callback, data, lastModified, owner) {
Line 1,426: Line 1,316:
 
pg.misc.downloadsInProgress[x].abort();
 
pg.misc.downloadsInProgress[x].abort();
 
delete pg.misc.downloadsInProgress[x];
 
delete pg.misc.downloadsInProgress[x];
} catch (e) { }
+
} catch (e) {}
 
}
 
}
 
}
 
}
Line 1,432: Line 1,322:
 
// STARTFILE: livepreview.js
 
// STARTFILE: livepreview.js
 
// TODO: location is often not correct (eg relative links in previews)
 
// TODO: location is often not correct (eg relative links in previews)
 
+
// NOTE: removed md5 and image and math parsing. was broken, lots of bytes.
 
/**
 
/**
 
  * InstaView - a Mediawiki to HTML converter in JavaScript
 
  * InstaView - a Mediawiki to HTML converter in JavaScript
 
  * Version 0.6.1
 
  * Version 0.6.1
 
  * Copyright (C) Pedro Fayolle 2005-2006
 
  * Copyright (C) Pedro Fayolle 2005-2006
  * //en.wikipedia.org/wiki/User:Pilaf
+
  * https://en.wikipedia.org/wiki/User:Pilaf
 
  * Distributed under the BSD license
 
  * Distributed under the BSD license
 
  *
 
  *
Line 1,458: Line 1,348:
 
  *
 
  *
 
  * To do:
 
  * To do:
  * - Better support for <math>
+
  * - Better support for math tags
 
  * - Full support for <nowiki>
 
  * - Full support for <nowiki>
 
  * - Parser-based (as opposed to RegExp-based) inline wikicode handling (make it one-pass and bullet-proof)
 
  * - Parser-based (as opposed to RegExp-based) inline wikicode handling (make it one-pass and bullet-proof)
Line 1,466: Line 1,356:
  
  
var Insta = {}
+
var Insta = {};
  
 
function setupLivePreview() {
 
function setupLivePreview() {
  
    // options
+
// options
    Insta.conf =
+
Insta.conf =
 
{
 
{
    baseUrl: '',
+
baseUrl: '',
  
    user: {},
+
user: {},
  
    wiki: {
+
wiki: {
 
lang: pg.wiki.lang,
 
lang: pg.wiki.lang,
 
interwiki: pg.wiki.interwiki,
 
interwiki: pg.wiki.interwiki,
 
default_thumb_width: 180
 
default_thumb_width: 180
    },
+
},
  
    paths: {
+
paths: {
articles: '/' + joinPath([pg.wiki.prePath, pg.wiki.articlePath]) + '/',
+
articles: pg.wiki.articlePath + '/',
math: '/math/', // FIXME
+
// Only used for Insta previews with images. (not in popups)
images: ( window.getImageUrlStart ? getImageUrlStart(pg.wiki.hostname) : ''),
+
math: '/math/',
 +
images: '//upload.wikimedia.org/wikipedia/en/', // FIXME getImageUrlStart(pg.wiki.hostname),
 
images_fallback: '//upload.wikimedia.org/wikipedia/commons/',
 
images_fallback: '//upload.wikimedia.org/wikipedia/commons/',
magnify_icon: 'skins/common/images/magnify-clip.png'
+
},
    },
 
  
    locale: {
+
locale: {
user: pg.ns.user,
+
user: mw.config.get('wgFormattedNamespaces')[pg.nsUserId],
image: pg.ns.image,
+
image: mw.config.get('wgFormattedNamespaces')[pg.nsImageId],
category: pg.ns.category,
+
category: mw.config.get('wgFormattedNamespaces')[pg.nsCategoryId],
 
// shouldn't be used in popup previews, i think
 
// shouldn't be used in popup previews, i think
 
months: ['Jan','Feb','Mar','Apr','May','Jun','Jul','Aug','Sep','Oct','Nov','Dec']
 
months: ['Jan','Feb','Mar','Apr','May','Jun','Jul','Aug','Sep','Oct','Nov','Dec']
    }
+
}
}
+
};
  
    // options with default values or backreferences
+
// options with default values or backreferences
    with (Insta.conf) {
+
Insta.conf.user.name = Insta.conf.user.name || 'Wikipedian';
user.name = user.name || 'Wikipedian'
+
Insta.conf.user.signature = '[['+Insta.conf.locale.user+':'+Insta.conf.user.name+'|'+Insta.conf.user.name+']]';
user.signature = '[['+locale.user+':'+user.name+'|'+user.name+']]'
+
//Insta.conf.paths.images = '//upload.wikimedia.org/wikipedia/' + Insta.conf.wiki.lang + '/';
//paths.images = '//upload.wikimedia.org/wikipedia/' + wiki.lang + '/'
 
    }
 
  
    // define constants
+
// define constants
    Insta.BLOCK_IMAGE = new RegExp('^\\[\\[(?:File|Image|'+Insta.conf.locale.image+
+
Insta.BLOCK_IMAGE = new RegExp('^\\[\\[(?:File|Image|'+Insta.conf.locale.image+
      '):.*?\\|.*?(?:frame|thumbnail|thumb|none|right|left|center)', 'i');
+
        '):.*?\\|.*?(?:frame|thumbnail|thumb|none|right|left|center)', 'i');
  
 
}
 
}
Line 1,516: Line 1,404:
 
Insta.dump = function(from, to)
 
Insta.dump = function(from, to)
 
{
 
{
if (typeof from == 'string') from = document.getElementById(from)
+
if (typeof from == 'string') { from = document.getElementById(from); }
if (typeof to == 'string') to = document.getElementById(to)
+
if (typeof to == 'string') { to = document.getElementById(to); }
to.innerHTML = this.convert(from.value)
+
to.innerHTML = this.convert(from.value);
}
+
};
  
 
Insta.convert = function(wiki)
 
Insta.convert = function(wiki)
 
{
 
{
var ll = (typeof wiki == 'string')? wiki.replace(/\r/g,'').split(/\n/): wiki, // lines of wikicode
+
var ll = (typeof wiki == 'string')? wiki.replace(/\r/g,'').split(/\n/): wiki, // lines of wikicode
o='', // output
+
o = '', // output
p=0, // para flag
+
p = 0, // para flag
$r // result of passing a regexp to $()
+
$r; // result of passing a regexp to $()
  
 
// some shorthands
 
// some shorthands
function remain() { return ll.length }
+
function remain() { return ll.length; }
function sh() { return ll.shift() } // shift
+
function sh() { return ll.shift(); } // shift
function ps(s) { o+=s } // push
+
function ps(s) { o += s; } // push
  
function f() // similar to C's printf, uses ? as placeholders, ?? to escape question marks
+
// similar to C's printf, uses ? as placeholders, ?? to escape question marks
 +
function f()
 
{
 
{
var i=1,a=arguments,f=a[0],o='',c,p
+
var i=1, a=arguments, f=a[0], o='', c, p;
for (;i<a.length; i++) if ((p=f.indexOf('?'))+1) {
+
for (; i<a.length; i++) {
// allow character escaping
+
if ((p=f.indexOf('?'))+1) {
i -= c=f.charAt(p+1)=='?'?1:0
+
// allow character escaping
o += f.substring(0,p)+(c?'?':a[i])
+
i -= c = f.charAt(p+1)=='?' ? 1 : 0;
f=f.substr(p+1+c)
+
o += f.substring(0,p) + (c ? '?' : a[i]);
} else break;
+
f = f.substr(p+1+c);
return o+f
+
} else { break; }
 +
}
 +
return o+f;
 
}
 
}
  
function html_entities(s) { return s.replace(/&/g,"&amp;").replace(/</g,"&lt;").replace(/>/g,"&gt;") }
+
function html_entities(s) {
 
+
return s.replace(/&/g,"&amp;").replace(/</g,"&lt;").replace(/>/g,"&gt;");
function max(a,b) { return (a>b)?a:b }
+
}
function min(a,b) { return (a<b)?a:b }
+
 +
// Wiki text parsing to html is a nightmare.
 +
// The below functions deliberately don't escape the ampersand since this would make it more difficult,
 +
// and we don't absolutely need to for how we need it.
 +
// This means that any unescaped ampersands in wikitext will remain unescaped and can cause invalid HTML.
 +
// Browsers should all be able to handle it though.
 +
// We also escape significant wikimarkup characters to prevent further matching on the processed text
 +
function htmlescape_text(s) {
 +
return s.replace(/</g,"&lt;").replace(/>/g,"&gt;").replace(/:/g,"&#58;").replace(/\[/g,"&#91;").replace(/]/g,"&#93;");
 +
}
 +
function htmlescape_attr(s) {
 +
return htmlescape_text(s).replace(/'/g,"&#39;").replace(/"/g,"&quot;");
 +
}
  
 
// return the first non matching character position between two strings
 
// return the first non matching character position between two strings
 
function str_imatch(a, b)
 
function str_imatch(a, b)
 
{
 
{
for (var i=0, l=min(a.length, b.length); i<l; i++) if (a.charAt(i)!=b.charAt(i)) break
+
for (var i=0, l=Math.min(a.length, b.length); i<l; i++) {
return i
+
if (a.charAt(i)!=b.charAt(i)) { break; }
 +
}
 +
return i;
 
}
 
}
  
Line 1,560: Line 1,465:
 
// if passed a string it will compare only the first string.length characters
 
// if passed a string it will compare only the first string.length characters
 
// if passed a regexp the result is stored in $r
 
// if passed a regexp the result is stored in $r
function $(c) { return (typeof c == 'string') ? (ll[0].substr(0,c.length)==c) : ($r = ll[0].match(c)) }
+
function $(c) { return (typeof c == 'string') ? (ll[0].substr(0,c.length)==c) : ($r = ll[0].match(c)); }
  
function $$(c) { return ll[0]==c } // compare current line against a string
+
function $$(c) { return ll[0]==c; } // compare current line against a string
function _(p) { return ll[0].charAt(p) } // return char at pos p
+
function _(p) { return ll[0].charAt(p); } // return char at pos p
  
function endl(s) { ps(s); sh() }
+
function endl(s) { ps(s); sh(); }
  
 
function parse_list()
 
function parse_list()
Line 1,573: Line 1,478:
 
while (remain() && $(/^([*#:;]+)(.*)$/)) {
 
while (remain() && $(/^([*#:;]+)(.*)$/)) {
  
var l_match = $r
+
var l_match = $r;
  
sh()
+
sh();
  
var ipos = str_imatch(prev, l_match[1])
+
var ipos = str_imatch(prev, l_match[1]);
  
 
// close uncontinued lists
 
// close uncontinued lists
for (var i=prev.length-1; i >= ipos; i--) {
+
for (var prevPos=prev.length-1; prevPos >= ipos; prevPos--) {
  
var pi = prev.charAt(i)
+
var pi = prev.charAt(prevPos);
  
if (pi=='*') ps('</ul>')
+
if (pi=='*') { ps('</ul>'); }
else if (pi=='#') ps('</ol>')
+
else if (pi=='#') { ps('</ol>'); }
 
// close a dl only if the new item is not a dl item (:, ; or empty)
 
// close a dl only if the new item is not a dl item (:, ; or empty)
else switch (l_match[1].charAt(i)) { case'':case'*':case'#': ps('</dl>') }
+
else if($.inArray(l_match[1].charAt(prevPos), ['','*','#'])) { ps('</dl>'); }
 
}
 
}
  
 
// open new lists
 
// open new lists
for (var i=ipos; i<l_match[1].length; i++) {
+
for (var matchPos=ipos; matchPos<l_match[1].length; matchPos++) {
  
var li = l_match[1].charAt(i)
+
var li = l_match[1].charAt(matchPos);
  
if (li=='*') ps('<ul>')
+
if (li=='*') { ps('<ul>'); }
else if (li=='#') ps('<ol>')
+
else if (li=='#') { ps('<ol>'); }
 
// open a new dl only if the prev item is not a dl item (:, ; or empty)
 
// open a new dl only if the prev item is not a dl item (:, ; or empty)
else switch(prev.charAt(i)) { case'':case'*':case'#': ps('<dl>') }
+
else if ($.inArray(prev.charAt(matchPos), ['','*','#'])) { ps('<dl>'); }
 
}
 
}
  
Line 1,604: Line 1,509:
  
 
case '*': case '#':
 
case '*': case '#':
ps('<li>' + parse_inline_nowiki(l_match[2])); break
+
ps('<li>' + parse_inline_nowiki(l_match[2]));
 +
break;
  
 
case ';':
 
case ';':
ps('<dt>')
+
ps('<dt>');
  
var dt_match
+
var dt_match = l_match[2].match(/(.*?)(:.*?)$/);
  
 
// handle ;dt :dd format
 
// handle ;dt :dd format
if (dt_match = l_match[2].match(/(.*?)(:.*?)$/)) {
+
if (dt_match) {
 +
ps(parse_inline_nowiki(dt_match[1]));
 +
ll.unshift(dt_match[2]);
  
ps(parse_inline_nowiki(dt_match[1]))
+
} else ps(parse_inline_nowiki(l_match[2]));
ll.unshift(dt_match[2])
+
break;
 
 
} else ps(parse_inline_nowiki(l_match[2]))
 
 
 
break
 
  
 
case ':':
 
case ':':
ps('<dd>' + parse_inline_nowiki(l_match[2]))
+
ps('<dd>' + parse_inline_nowiki(l_match[2]));
 
}
 
}
  
prev=l_match[1]
+
prev=l_match[1];
 
}
 
}
  
 
// close remaining lists
 
// close remaining lists
for (var i=prev.length-1; i>=0; i--)
+
for (var i=prev.length-1; i>=0; i--) {
ps(f('</?>', (prev.charAt(i)=='*')? 'ul': ((prev.charAt(i)=='#')? 'ol': 'dl')))
+
ps(f('</?>', (prev.charAt(i)=='*')? 'ul': ((prev.charAt(i)=='#')? 'ol': 'dl')));
 +
}
 
}
 
}
  
 
function parse_table()
 
function parse_table()
 
{
 
{
endl(f('<table?>', $(/^\{\|( .*)$/)? $r[1]: ''))
+
endl(f('<table>', $(/^\{\|( .*)$/)? $r[1]: ''));
  
 
for (;remain();) if ($('|')) switch (_(1)) {
 
for (;remain();) if ($('|')) switch (_(1)) {
case '}': endl('</table>'); return
+
case '}':
case '-': endl(f('<tr ?>', $(/\|-*(.*)/)[1])); break
+
endl('</table>');
default: parse_table_data()
+
return;
 +
case '-':
 +
endl(f('<tr>', $(/\|-*(.*)/)[1]));
 +
break;
 +
default:
 +
parse_table_data();
 
}
 
}
else if ($('!')) parse_table_data()
+
else if ($('!')) { parse_table_data(); }
else sh()
+
else { sh(); }
 
}
 
}
  
 
function parse_table_data()
 
function parse_table_data()
 
{
 
{
var td_line, match_i
+
var td_line, match_i;
  
 
// 1: "|+", '|' or '+'
 
// 1: "|+", '|' or '+'
Line 1,654: Line 1,564:
 
// 3: attributes ??
 
// 3: attributes ??
 
// TODO: finish commenting this regexp
 
// TODO: finish commenting this regexp
var td_match = sh().match(/^(\|\+|\||!)((?:([^[|]*?)\|(?!\|))?(.*))$/)
+
var td_match = sh().match(/^(\|\+|\||!)((?:([^[|]*?)\|(?!\|))?(.*))$/);
  
 
if (td_match[1] == '|+') ps('<caption');
 
if (td_match[1] == '|+') ps('<caption');
else ps('<t' + ((td_match[1]=='|')?'d':'h'))
+
else ps('<t' + ((td_match[1]=='|')?'d':'h'));
  
 
if (typeof td_match[3] != 'undefined') {
 
if (typeof td_match[3] != 'undefined') {
  
ps(' ' + td_match[3])
+
//ps(' ' + td_match[3])
match_i = 4
+
match_i = 4;
  
} else match_i = 2
+
} else match_i = 2;
  
ps('>')
+
ps('>');
  
 
if (td_match[1] != '|+') {
 
if (td_match[1] != '|+') {
Line 1,672: Line 1,582:
 
// use || or !! as a cell separator depending on context
 
// use || or !! as a cell separator depending on context
 
// NOTE: when split() is passed a regexp make sure to use non-capturing brackets
 
// NOTE: when split() is passed a regexp make sure to use non-capturing brackets
td_line = td_match[match_i].split((td_match[1] == '|')? '||': /(?:\|\||!!)/)
+
td_line = td_match[match_i].split((td_match[1] == '|')? '||': /(?:\|\||!!)/);
  
ps(parse_inline_nowiki(td_line.shift()))
+
ps(parse_inline_nowiki(td_line.shift()));
  
while (td_line.length) ll.unshift(td_match[1] + td_line.pop())
+
while (td_line.length) ll.unshift(td_match[1] + td_line.pop());
  
} else ps(td_match[match_i])
+
} else ps(td_match[match_i]);
  
var tc = 0, td = []
+
var tc = 0, td = [];
  
for (;remain(); td.push(sh()))
+
while (remain()) {
if ($('|')) {
+
td.push(sh());
if (!tc) break // we're at the outer-most level (no nested tables), skip to td parse
+
if ($('|')) {
else if (_(1)=='}') tc--
+
if (!tc) break; // we're at the outer-most level (no nested tables), skip to td parse
 +
else if (_(1)=='}') tc--;
 +
}
 +
else if (!tc && $('!')) break;
 +
else if ($('{|')) tc++;
 
}
 
}
else if (!tc && $('!')) break
 
else if ($('{|')) tc++
 
  
if (td.length) ps(Insta.convert(td))
+
if (td.length) ps(Insta.convert(td));
 
}
 
}
  
 
function parse_pre()
 
function parse_pre()
 
{
 
{
ps('<pre>')
+
ps('<pre>');
do endl(parse_inline_nowiki(ll[0].substring(1)) + "\n"); while (remain() && $(' '))
+
do {
ps('</pre>')
+
endl(parse_inline_nowiki(ll[0].substring(1)) + "\n");
 +
} while (remain() && $(' '));
 +
ps('</pre>');
 
}
 
}
  
 
function parse_block_image()
 
function parse_block_image()
 
{
 
{
ps(parse_image(sh()))
+
ps(parse_image(sh()));
 
}
 
}
  
Line 1,710: Line 1,624:
 
// get what's in between "[[Image:" and "]]"
 
// get what's in between "[[Image:" and "]]"
 
var tag = str.substring(str.indexOf(':') + 1, str.length - 2);
 
var tag = str.substring(str.indexOf(':') + 1, str.length - 2);
 
+
/* eslint-disable no-unused-vars */
 
var width;
 
var width;
 
var attr = [], filename, caption = '';
 
var attr = [], filename, caption = '';
 
var thumb=0, frame=0, center=0;
 
var thumb=0, frame=0, center=0;
 
var align='';
 
var align='';
 +
/* eslint-enable no-unused-vars */
  
 
if (tag.match(/\|/)) {
 
if (tag.match(/\|/)) {
Line 1,742: Line 1,657:
 
var w_match;
 
var w_match;
  
for (;attr.length; attr.shift())
+
for (;attr.length; attr.shift()) {
if (w_match = attr[0].match(/^(\d*)(?:[px]*\d*)?px$/)) width = w_match[1]
+
w_match = attr[0].match(/^(\d*)(?:[px]*\d*)?px$/);
else switch(attr[0]) {
+
if (w_match) width = w_match[1];
case 'thumb':
+
else switch(attr[0]) {
case 'thumbnail':
+
case 'thumb':
thumb=true;
+
case 'thumbnail':
case 'frame':
+
thumb=true;
frame=true;
+
frame=true;
break;
+
break;
case 'none':
+
case 'frame':
case 'right':
+
frame=true;
case 'left':
+
break;
center=false;
+
case 'none':
align=attr[0];
+
case 'right':
break;
+
case 'left':
case 'center':
+
center=false;
center=true;
+
align=attr[0];
align='none';
+
break;
break;
+
case 'center':
default:
+
center=true;
if (attr.length == 1) caption = attr[0];
+
align='none';
 +
break;
 +
default:
 +
if (attr.length == 1) caption = attr[0];
 
}
 
}
 +
}
  
 
} else filename = tag;
 
} else filename = tag;
  
 
+
return '';
var o='';
 
 
 
if (frame) {
 
 
 
if (align=='') align = 'right';
 
 
 
o += f("<div class='thumb t?'>", align);
 
 
 
if (thumb) {
 
if (!width) width = Insta.conf.wiki.default_thumb_width;
 
 
 
o += f("<div style='width:?px;'>?", 2+width*1, make_image(filename, caption, width)) +
 
f("<div class='thumbcaption'><div class='magnify' style='float:right'><a href='?' class='internal' title='Enlarge'><img src='?'></a></div>?</div>",
 
Insta.conf.paths.articles + Insta.conf.locale.image + ':' + filename,
 
Insta.conf.paths.magnify_icon,
 
parse_inline_nowiki(caption)
 
)
 
} else {
 
o += '<div>' + make_image(filename, caption) + f("<div class='thumbcaption'>?</div>", parse_inline_nowiki(caption))
 
}
 
 
 
o += '</div></div>';
 
 
 
} else if (align != '') {
 
o += f("<div class='float?'><span>?</span></div>", align, make_image(filename, caption, width));
 
} else {
 
return make_image(filename, caption, width);
 
}
 
 
 
return center? f("<div class='center'>?</div>", o): o;
 
 
//</NOLITE>
 
//</NOLITE>
 
}
 
}
Line 1,803: Line 1,692:
 
function parse_inline_nowiki(str)
 
function parse_inline_nowiki(str)
 
{
 
{
var start, lastend=0
+
var start, lastend=0;
 
var substart=0, nestlev=0, open, close, subloop;
 
var substart=0, nestlev=0, open, close, subloop;
 
var html='';
 
var html='';
Line 1,831: Line 1,720:
 
nestlev++;
 
nestlev++;
 
}
 
}
} while (subloop)
+
} while (subloop);
 
}
 
}
  
 
return html + parse_inline_wiki(str.substr(lastend));
 
return html + parse_inline_wiki(str.substr(lastend));
}
 
 
function make_image(filename, caption, width)
 
{
 
//<NOLITE>
 
// uppercase first letter in file name
 
filename = filename.charAt(0).toUpperCase() + filename.substr(1);
 
// replace spaces with underscores
 
filename = filename.replace(/ /g, '_');
 
 
caption = strip_inline_wiki(caption);
 
 
var md5 = hex_md5(filename);
 
 
var source = md5.charAt(0) + '/' + md5.substr(0,2) + '/' + filename;
 
 
if (width) width = "width='" + width + "px'";
 
 
var img = f("<img onerror=\"this.onerror=null;this.src='?'\" src='?' ? ?>", Insta.conf.paths.images_fallback + source, Insta.conf.paths.images + source, (caption!='')? "alt='" + caption + "'" : '', width);
 
 
return f("<a class='image' ? href='?'>?</a>", (caption!='')? "title='" + caption + "'" : '', Insta.conf.paths.articles + Insta.conf.locale.image + ':' + filename, img);
 
//</NOLITE>
 
 
}
 
}
  
Line 1,889: Line 1,756:
 
nestlev++;
 
nestlev++;
 
}
 
}
} while (loop)
+
} while (loop);
  
 
} else break;
 
} else break;
Line 1,920: Line 1,787:
 
function parse_inline_wiki(str)
 
function parse_inline_wiki(str)
 
{
 
{
var aux_match;
 
 
 
str = parse_inline_images(str);
 
str = parse_inline_images(str);
 
str = parse_inline_formatting(str);
 
str = parse_inline_formatting(str);
  
 
// math
 
// math
while (aux_match = str.match(/<(?:)math>(.*?)<\/math>/i)) {
+
str = str.replace(/<(?:)math>(.*?)<\/math>/ig, '');
var math_md5 = hex_md5(aux_match[1]);
 
str = str.replace(aux_match[0], f("<img src='?.png'>", Insta.conf.paths.math+math_md5));
 
}
 
  
 
// Build a Mediawiki-formatted date string
 
// Build a Mediawiki-formatted date string
var date = new Date;
+
var date = new Date();
 
var minutes = date.getUTCMinutes();
 
var minutes = date.getUTCMinutes();
 
if (minutes < 10) minutes = '0' + minutes;
 
if (minutes < 10) minutes = '0' + minutes;
var date = f("?:?, ? ? ? (UTC)", date.getUTCHours(), minutes, date.getUTCDate(), Insta.conf.locale.months[date.getUTCMonth()], date.getUTCFullYear());
+
date = f("?:?, ? ? ? (UTC)", date.getUTCHours(), minutes, date.getUTCDate(), Insta.conf.locale.months[date.getUTCMonth()], date.getUTCFullYear());
  
 
// text formatting
 
// text formatting
Line 1,945: Line 1,807:
  
 
// [[:Category:...]], [[:Image:...]], etc...
 
// [[:Category:...]], [[:Image:...]], etc...
replace(RegExp('\\[\\[:((?:'+Insta.conf.locale.category+'|Image|File|'+Insta.conf.locale.image+'|'+Insta.conf.wiki.interwiki+'):[^|]*?)\\]\\](\w*)','gi'), "<a href='"+Insta.conf.paths.articles+"$1'>$1$2</a>").
+
replace(RegExp('\\[\\[:((?:'+Insta.conf.locale.category+'|Image|File|'+Insta.conf.locale.image+'|'+Insta.conf.wiki.interwiki+'):[^|]*?)\\]\\](\\w*)','gi'), function($0,$1,$2){return f("<a href='?'>?</a>", Insta.conf.paths.articles + htmlescape_attr($1), htmlescape_text($1) + htmlescape_text($2));}).
 
// remove straight category and interwiki tags
 
// remove straight category and interwiki tags
 
replace(RegExp('\\[\\[(?:'+Insta.conf.locale.category+'|'+Insta.conf.wiki.interwiki+'):.*?\\]\\]','gi'),'').
 
replace(RegExp('\\[\\[(?:'+Insta.conf.locale.category+'|'+Insta.conf.wiki.interwiki+'):.*?\\]\\]','gi'),'').
  
 
// [[:Category:...|Links]], [[:Image:...|Links]], etc...
 
// [[:Category:...|Links]], [[:Image:...|Links]], etc...
replace(RegExp('\\[\\[:((?:'+Insta.conf.locale.category+'|Image|File|'+Insta.conf.locale.image+'|'+Insta.conf.wiki.interwiki+'):.*?)\\|([^\\]]+?)\\]\\](\\w*)','gi'), "<a href='"+Insta.conf.paths.articles+"$1'>$2$3</a>").
+
replace(RegExp('\\[\\[:((?:'+Insta.conf.locale.category+'|Image|File|'+Insta.conf.locale.image+'|'+Insta.conf.wiki.interwiki+'):.*?)\\|([^\\]]+?)\\]\\](\\w*)','gi'), function($0,$1,$2,$3){return f("<a href='?'>?</a>", Insta.conf.paths.articles + htmlescape_attr($1), htmlescape_text($2) + htmlescape_text($3));}).
  
 
// [[/Relative links]]
 
// [[/Relative links]]
replace(/\[\[(\/[^|]*?)\]\]/g, f("<a href='?$1'>$1</a>", Insta.conf.baseUrl)).
+
replace(/\[\[(\/[^|]*?)\]\]/g, function($0,$1){return f("<a href='?'>?</a>", Insta.conf.baseUrl + htmlescape_attr($1), htmlescape_text($1)); }).
  
 
// [[/Replaced|Relative links]]
 
// [[/Replaced|Relative links]]
replace(/\[\[(\/.*?)\|(.+?)\]\]/g, f("<a href='?$1'>$2</a>", Insta.conf.baseUrl)).
+
replace(/\[\[(\/.*?)\|(.+?)\]\]/g, function($0,$1,$2){return f("<a href='?'>?</a>", Insta.conf.baseUrl + htmlescape_attr($1), htmlescape_text($2)); }).
  
 
// [[Common links]]
 
// [[Common links]]
replace(/\[\[([^|]*?)\]\](\w*)/g, f("<a href='?$1'>$1$2</a>", Insta.conf.paths.articles)).
+
replace(/\[\[([^[|]*?)\]\](\w*)/g, function($0,$1,$2){return f("<a href='?'>?</a>", Insta.conf.paths.articles + htmlescape_attr($1), htmlescape_text($1) + htmlescape_text($2)); }).
  
 
// [[Replaced|Links]]
 
// [[Replaced|Links]]
replace(/\[\[(.*?)\|([^\]]+?)\]\](\w*)/g, f("<a href='?$1'>$2$3</a>", Insta.conf.paths.articles)).
+
replace(/\[\[([^[]*?)\|([^\]]+?)\]\](\w*)/g, function($0,$1,$2,$3){return f("<a href='?'>?</a>", Insta.conf.paths.articles + htmlescape_attr($1), htmlescape_text($2) + htmlescape_text($3)); }).
  
 
// [[Stripped:Namespace|Namespace]]
 
// [[Stripped:Namespace|Namespace]]
replace(/\[\[([^\]]*?:)?(.*?)( *\(.*?\))?\|\]\]/g, f("<a href='?$1$2$3'>$2</a>", Insta.conf.paths.articles)).
+
replace(/\[\[([^\]]*?:)?(.*?)( *\(.*?\))?\|\]\]/g, function($0,$1,$2,$3){return f("<a href='?'>?</a>", Insta.conf.paths.articles + htmlescape_attr($1) + htmlescape_attr($2) + htmlescape_attr($3), htmlescape_text($2)); }).
  
 
// External links
 
// External links
replace(/\[(https?|news|ftp|mailto|gopher|irc):(\/*)([^\]]*?) (.*?)\]/g, "<a class='external' href='$1:$2$3'>$4</a>").
+
replace(/\[(https?|news|ftp|mailto|gopher|irc):(\/*)([^\]]*?) (.*?)\]/g, function($0,$1,$2,$3,$4){return f("<a class='external' href='?:?'>?</a>", htmlescape_attr($1), htmlescape_attr($2) + htmlescape_attr($3), htmlescape_text($4)); }).
replace(/\[http:\/\/(.*?)\]/g, "<a class='external' href='http://$1'>[#]</a>").
+
replace(/\[http:\/\/(.*?)\]/g, function($0,$1){return f("<a class='external' href='http://?'>[#]</a>", htmlescape_attr($1)); }).
replace(/\[(news|ftp|mailto|gopher|irc):(\/*)(.*?)\]/g, "<a class='external' href='$1:$2$3'>$1:$2$3</a>").
+
replace(/\[(news|ftp|mailto|gopher|irc):(\/*)(.*?)\]/g, function($0,$1,$2,$3){return f("<a class='external' href='?:?'>?:?</a>", htmlescape_attr($1), htmlescape_attr($2) + htmlescape_attr($3), htmlescape_text($1), htmlescape_text($2) + htmlescape_text($3)); }).
replace(/(^| )(https?|news|ftp|mailto|gopher|irc):(\/*)([^ $]*[^.,!?;: $])/g, "$1<a class='external' href='$2:$3$4'>$2:$3$4</a>").
+
replace(/(^| )(https?|news|ftp|mailto|gopher|irc):(\/*)([^ $]*[^.,!?;: $])/g, function($0,$1,$2,$3,$4){return f("?<a class='external' href='?:?'>?:?</a>", htmlescape_text($1), htmlescape_attr($2), htmlescape_attr($3) + htmlescape_attr($4), htmlescape_text($2), htmlescape_text($3) + htmlescape_text($4)); }).
  
 
replace('__NOTOC__','').
 
replace('__NOTOC__','').
 
replace('__NOEDITSECTION__','');
 
replace('__NOEDITSECTION__','');
}
 
/*
 
*/
 
function strip_inline_wiki(str)
 
{
 
return str
 
.replace(/\[\[[^\]]*\|(.*?)\]\]/g,'$1')
 
.replace(/\[\[(.*?)\]\]/g,'$1')
 
.replace(/''(.*?)''/g,'$1');
 
 
}
 
}
  
 
// begin parsing
 
// begin parsing
 
for (;remain();) if ($(/^(={1,6})(.*)\1(.*)$/)) {
 
for (;remain();) if ($(/^(={1,6})(.*)\1(.*)$/)) {
p=0
+
p=0;
endl(f('<h?>?</h?>?', $r[1].length, parse_inline_nowiki($r[2]), $r[1].length, $r[3]))
+
endl(f('<h?>?</h?>?', $r[1].length, parse_inline_nowiki($r[2]), $r[1].length, $r[3]));
  
 
} else if ($(/^[*#:;]/)) {
 
} else if ($(/^[*#:;]/)) {
p=0
+
p=0;
parse_list()
+
parse_list();
  
 
} else if ($(' ')) {
 
} else if ($(' ')) {
p=0
+
p=0;
parse_pre()
+
parse_pre();
  
 
} else if ($('{|')) {
 
} else if ($('{|')) {
p=0
+
p=0;
parse_table()
+
parse_table();
  
 
} else if ($(/^----+$/)) {
 
} else if ($(/^----+$/)) {
p=0
+
p=0;
endl('<hr>')
+
endl('<hr />');
  
 
} else if ($(Insta.BLOCK_IMAGE)) {
 
} else if ($(Insta.BLOCK_IMAGE)) {
p=0
+
p=0;
parse_block_image()
+
parse_block_image();
  
 
} else {
 
} else {
Line 2,015: Line 1,868:
 
// handle paragraphs
 
// handle paragraphs
 
if ($$('')) {
 
if ($$('')) {
if (p = (remain()>1 && ll[1]==(''))) endl('<p><br>')
+
p = (remain()>1 && ll[1]===(''));
 +
if (p) endl('<p><br>');
 
} else {
 
} else {
 
if(!p) {
 
if(!p) {
ps('<p>')
+
ps('<p>');
p=1
+
p=1;
 
}
 
}
ps(parse_inline_nowiki(ll[0]) + ' ')
+
ps(parse_inline_nowiki(ll[0]) + ' ');
 
}
 
}
  
Line 2,027: Line 1,881:
 
}
 
}
  
return o
+
return o;
 
};
 
};
  
window.wiki2html=function(txt,baseurl) {
+
function wiki2html(txt,baseurl) {
    Insta.conf.baseUrl=baseurl;
+
Insta.conf.baseUrl=baseurl;
    return Insta.convert(txt);
+
return Insta.convert(txt);
};
+
}
 
// ENDFILE: livepreview.js
 
// ENDFILE: livepreview.js
 
// STARTFILE: pageinfo.js
 
// STARTFILE: pageinfo.js
Line 2,085: Line 1,939:
 
if (aa > 4*weeklen) { return sweeks; }
 
if (aa > 4*weeklen) { return sweeks; }
 
if (aa > weeklen)  { return sweeks + ' ' + sdays; }
 
if (aa > weeklen)  { return sweeks + ' ' + sdays; }
if (aa > daylen)   { return sdays  + ' ' + shours; }
+
if (aa > daylen) { return sdays  + ' ' + shours; }
 
if (aa > 6*hourlen) { return shours; }
 
if (aa > 6*hourlen) { return shours; }
 
if (aa > hourlen)  { return shours + ' ' + smins; }
 
if (aa > hourlen)  { return shours + ' ' + smins; }
 
if (aa > 10*minlen) { return smins; }
 
if (aa > 10*minlen) { return smins; }
if (aa > minlen)   { return smins  + ' ' + ssecs; }
+
if (aa > minlen) { return smins  + ' ' + ssecs; }
 
return ssecs;
 
return ssecs;
 
}
 
}
Line 2,135: Line 1,989:
 
}
 
}
  
function popupFilterStubDetect(data, download, article)     {
+
function popupFilterStubDetect(data, download, article) {
 
var counts=stubCount(data, article);
 
var counts=stubCount(data, article);
 
if (counts.real) { return popupString('stub'); }
 
if (counts.real) { return popupString('stub'); }
Line 2,143: Line 1,997:
  
 
function popupFilterDisambigDetect(data, download, article) {
 
function popupFilterDisambigDetect(data, download, article) {
if (getValueOf('popupOnlyArticleDabStub') && article.namespace()) { return ''; }
+
if (!getValueOf('popupAllDabsStubs') && article.namespace()) { return ''; }
 
return (isDisambig(data, article)) ? popupString('disambig') : '';
 
return (isDisambig(data, article)) ? popupString('disambig') : '';
 
}
 
}
Line 2,298: Line 2,152:
 
var splitted=h.split('?');
 
var splitted=h.split('?');
 
splitted[0]=splitted[0].split('&').join('%26');
 
splitted[0]=splitted[0].split('&').join('%26');
 
if (pg.flag.linksLikeIE6) {
 
splitted[0]=encodeURI(decode_utf8(splitted[0]));
 
}
 
  
 
h=splitted.join('?');
 
h=splitted.join('?');
  
 
var contribs=pg.re.contribs.exec(h);
 
var contribs=pg.re.contribs.exec(h);
if (contribs !== null) {
+
if (contribs) {
 
if (contribs[1]=='title=') { contribs[3]=contribs[3].split('+').join(' '); }
 
if (contribs[1]=='title=') { contribs[3]=contribs[3].split('+').join(' '); }
 
var u=new Title(contribs[3]);
 
var u=new Title(contribs[3]);
this.setUtf(this.decodeNasties(pg.ns.user + ':' + u.stripNamespace()));
+
this.setUtf(this.decodeNasties(mw.config.get('wgFormattedNamespaces')[pg.nsUserId] + ':' + u.stripNamespace()));
 
return this;
 
return this;
 
}
 
}
  
 
var email=pg.re.email.exec(h);
 
var email=pg.re.email.exec(h);
if (email !== null) {
+
if (email) {
this.setUtf(this.decodeNasties(pg.ns.user + ':' + new Title(email[3]).stripNamespace()));
+
this.setUtf(this.decodeNasties(mw.config.get('wgFormattedNamespaces')[pg.nsUserId] + ':' + new Title(email[3]).stripNamespace()));
 
return this;
 
return this;
 
}
 
}
Line 2,322: Line 2,172:
 
if (backlinks) {
 
if (backlinks) {
 
this.setUtf(this.decodeNasties(new Title(backlinks[3])));
 
this.setUtf(this.decodeNasties(new Title(backlinks[3])));
 +
return this;
 +
}
 +
 +
//A dummy title object for a Special:Diff link.
 +
var specialdiff=pg.re.specialdiff.exec(h);
 +
if (specialdiff) {
 +
this.setUtf(this.decodeNasties(new Title(mw.config.get('wgFormattedNamespaces')[pg.nsSpecialId] + ':Diff')));
 
return this;
 
return this;
 
}
 
}
Line 2,328: Line 2,185:
 
// hopefully it's not a disguised user-related or specially treated special page
 
// hopefully it's not a disguised user-related or specially treated special page
 
var m=pg.re.main.exec(h);
 
var m=pg.re.main.exec(h);
if(m===null) { this.value=null; }
+
if(m === null) { this.value=null; }
 
else {
 
else {
        var fromBotInterface = /[?](.+[&])?title=/.test(h);
+
var fromBotInterface = /[?](.+[&])?title=/.test(h);
        if (fromBotInterface) {
+
if (fromBotInterface) {
            m[2]=m[2].split('+').join('_');
+
m[2]=m[2].split('+').join('_');
        }
+
}
        var extracted = m[2] + (m[3] ? '#' + m[3] : '');
+
var extracted = m[2] + (m[3] ? '#' + m[3] : '');
        if (pg.flag.isSafari && /%25[0-9A-Fa-f]{2}/.test(extracted)) {
+
if (pg.flag.isSafari && /%25[0-9A-Fa-f]{2}/.test(extracted)) {
            // Fix Safari issue
+
// Fix Safari issue
            // Safari sometimes encodes % as %25 in UTF-8 encoded strings like %E5%A3 -> %25E5%25A3.
+
// Safari sometimes encodes % as %25 in UTF-8 encoded strings like %E5%A3 -> %25E5%25A3.
            this.setUtf(decodeURIComponent(unescape(extracted)));
+
this.setUtf(decodeURIComponent(unescape(extracted)));
        } else {
+
} else {
            this.setUtf(this.decodeNasties(extracted));
+
this.setUtf(this.decodeNasties(extracted));
        }
+
}
    }
+
}
 
return this;
 
return this;
 
};
 
};
Line 2,371: Line 2,228:
 
Title.prototype.fromWikiText=function(txt) {
 
Title.prototype.fromWikiText=function(txt) {
 
// FIXME - testing needed
 
// FIXME - testing needed
if (!pg.flag.linksLikeIE6) { txt=myDecodeURI(txt); }
+
txt=myDecodeURI(txt);
 
this.setUtf(txt);
 
this.setUtf(txt);
 
return this;
 
return this;
Line 2,381: Line 2,238:
 
//<NOLITE>
 
//<NOLITE>
 
Title.prototype.toUserName=function(withNs) {
 
Title.prototype.toUserName=function(withNs) {
if (this.namespace() != pg.ns.user && this.namespace() != pg.ns.usertalk) {
+
if (this.namespaceId() != pg.nsUserId && this.namespaceId() != pg.nsUsertalkId) {
 
this.value=null;
 
this.value=null;
 
return;
 
return;
 
}
 
}
this.value = (withNs ? pg.ns.user + ':' : '') + this.stripNamespace().split('/')[0];
+
this.value = (withNs ? mw.config.get('wgFormattedNamespaces')[pg.nsUserId] + ':' : '') + this.stripNamespace().split('/')[0];
 
};
 
};
 
Title.prototype.userName=function(withNs) {
 
Title.prototype.userName=function(withNs) {
Line 2,394: Line 2,251:
 
};
 
};
 
Title.prototype.toTalkPage=function() {
 
Title.prototype.toTalkPage=function() {
// convert article to a talk page, or if we can't return null
+
// convert article to a talk page, or if we can't, return null
// or, in other words, return null if this ALREADY IS a talk page
+
// In other words: return null if this ALREADY IS a talk page
 
// and return the corresponding talk page otherwise
 
// and return the corresponding talk page otherwise
if (this.value===null) { return null; }
+
//
var talkRegex=namespaceListToRegex(pg.ns.talkList);
+
// Per https://www.mediawiki.org/wiki/Manual:Namespace#Subject_and_talk_namespaces
if (talkRegex.exec(this.value)) { this.value=null; return null;}
+
// * All discussion namespaces have odd-integer indices
 
+
// * The discussion namespace index for a specific namespace with index n is n + 1
var nsReg=namespaceListToRegex(pg.ns.withTalkList);
+
if (this.value === null) { return null; }
var splitted=this.value.parenSplit(nsReg);
+
if (splitted.length<2) {
+
var namespaceId = this.namespaceId();
this.value= (pg.ns.talkList[0]+':'+this.value).split(' ').join('_');
+
if (namespaceId>=0 && namespaceId % 2 === 0) //non-special and subject namespace
return this.value;
+
{
}
+
var localizedNamespace = mw.config.get('wgFormattedNamespaces')[namespaceId+1];
for (var i=0; i< pg.ns.withTalkList.length; ++i) {
+
if (typeof localizedNamespace!=='undefined')
if (splitted[1]==pg.ns.withTalkList[i]) {
+
{
splitted[1]=pg.ns.talkList[i];
+
if (localizedNamespace === '') {
this.value=splitted.join(':').substring(1).split(' ').join('_');
+
this.value = this.stripNamespace();
 +
} else {
 +
this.value = localizedNamespace.split(' ').join('_') + ':' + this.stripNamespace();
 +
}
 
return this.value;
 
return this.value;
 
}
 
}
 
}
 
}
 +
 
this.value=null;
 
this.value=null;
 
return null;
 
return null;
 
};
 
};
 
//</NOLITE>
 
//</NOLITE>
 +
// Return canonical, localized namespace
 
Title.prototype.namespace=function() {
 
Title.prototype.namespace=function() {
 +
return mw.config.get('wgFormattedNamespaces')[this.namespaceId()];
 +
};
 +
Title.prototype.namespaceId=function() {
 
var n=this.value.indexOf(':');
 
var n=this.value.indexOf(':');
if (n<0) { return ''; }
+
if (n<0) { return 0; } //mainspace
var list=pg.ns.list;
+
var namespaceId = mw.config.get('wgNamespaceIds')[this.value.substring(0,n).split(' ').join('_').toLowerCase()];
for (var i=0; i<list.length; ++i) {
+
if (typeof namespaceId=='undefined') return 0; //mainspace
if (upcaseFirst(list[i]) == this.value.substring(0,n)) { return list[i]; }
+
return namespaceId;
}
 
return '';
 
 
};
 
};
 
//<NOLITE>
 
//<NOLITE>
Line 2,439: Line 2,302:
 
};
 
};
 
Title.prototype.toArticleFromTalkPage=function() {
 
Title.prototype.toArticleFromTalkPage=function() {
var talkRegex=namespaceListToRegex(pg.ns.talkList);
+
//largely copy/paste from toTalkPage above.
var splitted=this.value.parenSplit(talkRegex);
+
if (this.value === null) { return null; }
if (splitted.length < 2 || splitted[0].length > 0) { this.value=null; return null; }
+
if (splitted[1]==pg.ns.talkList[0]) {
+
var namespaceId = this.namespaceId();
splitted[1]='';
+
if (namespaceId >= 0 && namespaceId % 2 == 1) //non-special and talk namespace
this.value=splitted.join(':').substring(2).split(' ').join('_');
+
{
return this.value;
+
var localizedNamespace = mw.config.get('wgFormattedNamespaces')[namespaceId-1];
}
+
if (typeof localizedNamespace!=='undefined')
for (var i=1; i< pg.ns.talkList.length; ++i) {
+
{
if (splitted[1]==pg.ns.talkList[i] || splitted[1]==pg.ns.talkList[i].split(' ').join('_')) {
+
if (localizedNamespace === '') {
splitted[1]=pg.ns.withTalkList[i];
+
this.value = this.stripNamespace();
this.value= splitted.join(':').substring(1).split(' ').join('_');
+
} else {
 +
this.value = localizedNamespace.split(' ').join('_') + ':' + this.stripNamespace();
 +
}
 
return this.value;
 
return this.value;
    }
+
}
 
}
 
}
 +
 
this.value=null;
 
this.value=null;
return this.value;
+
return null;
 
};
 
};
 
Title.prototype.articleFromTalkPage=function() {
 
Title.prototype.articleFromTalkPage=function() {
Line 2,475: Line 2,341:
 
var n=this.value.indexOf(':');
 
var n=this.value.indexOf(':');
 
if (n<0) { return this.value; }
 
if (n<0) { return this.value; }
var list=pg.ns.list;
+
var namespaceId = this.namespaceId();
for (var i=0; i<list.length; ++i) {
+
if (namespaceId === pg.nsMainspaceId) return this.value;
if (upcaseFirst(list[i]) == this.value.substring(0,n)) { return this.value.substring(n+1); }
+
return this.value.substring(n+1);
}
 
return this.value;
 
 
};
 
};
 
Title.prototype.setUtf=function(value){
 
Title.prototype.setUtf=function(value){
Line 2,492: Line 2,356:
 
var anch=urlfrag.indexOf('#');
 
var anch=urlfrag.indexOf('#');
 
this.value=safeDecodeURI(urlfrag.substring(0,anch));
 
this.value=safeDecodeURI(urlfrag.substring(0,anch));
this.anchor=value.substring(anch+1);
+
this.anchor=this.value.substring(anch+1);
 
};
 
};
 
Title.prototype.append=function(x){
 
Title.prototype.append=function(x){
Line 2,498: Line 2,362:
 
};
 
};
 
Title.prototype.urlString=function(x) {
 
Title.prototype.urlString=function(x) {
x || ( x={} );
+
if(!x) { x={}; }
 
var v=this.toString(true);
 
var v=this.toString(true);
 
if (!x.omitAnchor && this.anchor) { v+= '#' + this.urlAnchor(); }
 
if (!x.omitAnchor && this.anchor) { v+= '#' + this.urlAnchor(); }
Line 2,511: Line 2,375:
 
};
 
};
  
 +
function parseParams(url) {
 +
var specialDiff = pg.re.specialdiff.exec(url);
 +
if (specialDiff)
 +
{
 +
var split= specialDiff[1].split('/');
 +
if (split.length==1) return {oldid:split[0], diff: 'prev'};
 +
else if (split.length==2) return {oldid: split[0], diff: split[1]};
 +
}
  
function paramValue(param, url) {
 
var s=url.parenSplit(RegExp('[?&]' + literalizeRegex(param) + '=([^?&]*)'));
 
if (!url) { return null; }
 
return s[1] || null;
 
}
 
 
function parseParams(url) {
 
 
var ret={};
 
var ret={};
 
if (url.indexOf('?')==-1) { return ret; }
 
if (url.indexOf('?')==-1) { return ret; }
 +
url = url.split('#')[0];
 
var s=url.split('?').slice(1).join();
 
var s=url.split('?').slice(1).join();
 
var t=s.split('&');
 
var t=s.split('&');
Line 2,528: Line 2,394:
 
ret[z[0]]=z[1];
 
ret[z[0]]=z[1];
 
}
 
}
return ret;
+
//Diff revision with no oldid is interpreted as a diff to the previous revision by MediaWiki
}
+
if (ret.diff && typeof(ret.oldid)==='undefined')
 
+
{
// all sorts of stuff here
+
ret.oldid = "prev";
// FIXME almost everything needs to be rewritten
+
}
 
+
//Documentation seems to say something different, but oldid can also accept prev/next, and Echo is emitting such URLs. Simple fixup during parameter decoding:
function oldidFromAnchor(a) { return paramValue('oldid', a.href); }
+
if (ret.oldid && (ret.oldid==='prev' || ret.oldid==='next' || ret.oldid==='cur'))
//function diffFromAnchor(a) { return paramValue('diff', a.href); }
+
{
 
+
var helper = ret.diff;
 
+
ret.diff = ret.oldid;
function wikiMarkupToAddressFragment (str) { // for images
+
ret.oldid = helper;
var ret = safeDecodeURI(str);
+
}
ret = ret.split(' ').join('_');
 
ret = encodeURI(ret);
 
 
return ret;
 
return ret;
 
}
 
}
Line 2,569: Line 2,433:
  
 
//<NOLITE>
 
//<NOLITE>
function isIpUser(user) {return pg.re.ipUser.test(user);}
 
 
 
function isDisambig(data, article) {
 
function isDisambig(data, article) {
 
if (!getValueOf('popupAllDabsStubs') && article.namespace()) { return false; }
 
if (!getValueOf('popupAllDabsStubs') && article.namespace()) { return false; }
Line 2,595: Line 2,457:
  
 
function isInStrippableNamespace(article) {
 
function isInStrippableNamespace(article) {
return ( findInArray( pg.ns.nonArticleList, article.namespace() ) > -1 );
+
// Does the namespace allow subpages
 +
// Note, would be better if we had access to wgNamespacesWithSubpages
 +
return ( article.namespaceId() !== 0 );
 
}
 
}
  
function isInMainNamespace(article) { return !isInStrippableNamespace(article); }
+
function isInMainNamespace(article) { return article.namespaceId() === 0; }
  
 
function anchorContainsImage(a) {
 
function anchorContainsImage(a) {
 
// iterate over children of anchor a
 
// iterate over children of anchor a
 
// see if any are images
 
// see if any are images
if (a===null) { return false; }
+
if (a === null) { return false; }
kids=a.childNodes;
+
var kids=a.childNodes;
 
for (var i=0; i<kids.length; ++i) { if (kids[i].nodeName=='IMG') { return true; } }
 
for (var i=0; i<kids.length; ++i) { if (kids[i].nodeName=='IMG') { return true; } }
 
return false;
 
return false;
Line 2,614: Line 2,478:
  
 
if (!markNopopupSpanLinks.done) { markNopopupSpanLinks(); }
 
if (!markNopopupSpanLinks.done) { markNopopupSpanLinks(); }
if (a.inNopopupSpan || a.className=='sortheader') { return false; }
+
if (a.inNopopupSpan) { return false; }
  
 
// FIXME is this faster inline?
 
// FIXME is this faster inline?
 
if (a.onmousedown || a.getAttribute('nopopup')) { return false; }
 
if (a.onmousedown || a.getAttribute('nopopup')) { return false; }
 
var h=a.href;
 
var h=a.href;
 +
if (h === document.location.href+'#') { return false; }
 
if (!pg.re.basenames.test(h)) { return false; }
 
if (!pg.re.basenames.test(h)) { return false; }
if ( !pg.re.urlNoPopup.test(h) ) { return true; }
+
if (!pg.re.urlNoPopup.test(h)) { return true; }
 
return (
 
return (
(pg.re.email.test(h) || pg.re.contribs.test(h) || pg.re.backlinks.test(h)) &&
+
(pg.re.email.test(h) || pg.re.contribs.test(h) || pg.re.backlinks.test(h) || pg.re.specialdiff.test(h)) &&
 
h.indexOf('&limit=') == -1 );
 
h.indexOf('&limit=') == -1 );
 
}
 
}
Line 2,630: Line 2,495:
 
fixVectorMenuPopups();
 
fixVectorMenuPopups();
  
var s=getElementsByClassName(document, '*', "nopopups")
+
var s = $('.nopopups').toArray();
 
for (var i=0; i<s.length; ++i) {
 
for (var i=0; i<s.length; ++i) {
 
var as=s[i].getElementsByTagName('a');
 
var as=s[i].getElementsByTagName('a');
Line 2,642: Line 2,507:
  
 
function fixVectorMenuPopups() {
 
function fixVectorMenuPopups() {
var vmenus = getElementsByClassName( document, 'div', 'vectorMenu');
+
$('div.vectorMenu h3:first a:first').prop('inNopopupSpan', true);
for( i= 0; vmenus && i< vmenus.length; i++ ) {
 
var h5 = vmenus[i].getElementsByTagName('h5')[0];
 
if( h5) var a = h5.getElementsByTagName('a')[0];
 
if( a ) a.inNopopupSpan=true;
 
}
 
 
}
 
}
 
// ENDFILE: titles.js
 
// ENDFILE: titles.js
// STARTFILE: cookies.js
 
//<NOLITE>
 
//////////////////////////////////////////////////
 
// Cookie handling
 
// from http://www.quirksmode.org/js/cookies.html
 
 
var Cookie= {
 
create: function(name,value,days)
 
{
 
var expires;
 
if (days)
 
{
 
var date = new Date();
 
date.setTime(date.getTime()+(days*24*60*60*1000));
 
expires = "; expires="+date.toGMTString();
 
}
 
else { expires = ""; }
 
document.cookie = name+"="+value+expires+"; path=/";
 
},
 
 
read: function(name)
 
{
 
var nameEQ = name + "=";
 
var ca = document.cookie.split(';');
 
for(var i=0;i < ca.length;i++)
 
{
 
var c = ca[i];
 
while (c.charAt(0)==' ') { c = c.substring(1,c.length); }
 
if (c.indexOf(nameEQ) === 0) { return c.substring(nameEQ.length,c.length); }
 
}
 
return null;
 
},
 
 
erase: function(name)
 
{
 
Cookie.create(name,"",-1);
 
}
 
};
 
//</NOLITE>
 
// ENDFILE: cookies.js
 
 
// STARTFILE: getpage.js
 
// STARTFILE: getpage.js
 
//////////////////////////////////////////////////
 
//////////////////////////////////////////////////
Line 2,697: Line 2,517:
 
// Schematic for a getWiki call
 
// Schematic for a getWiki call
 
//
 
//
//   getWiki->-getPageWithCaching
+
//             getPageWithCaching
//                   |
+
// |
//       false       |         true
+
//   false |   true
 
// getPage<-[findPictureInCache]->-onComplete(a fake download)
 
// getPage<-[findPictureInCache]->-onComplete(a fake download)
 
//  \.
 
//  \.
//     (async)->addPageToCache(download)->-onComplete(download)
+
// (async)->addPageToCache(download)->-onComplete(download)
 
 
 
 
/** @todo {document}
 
    @param {Title} article
 
    @param {Function} onComplete
 
    @param {integer} oldid
 
    @param {Navapopup} owner
 
*/
 
function getWiki(article, onComplete, oldid, owner) {
 
// set ctype=text/css to get around opera gzip bug
 
var url = pg.wiki.titlebase + article.removeAnchor().urlString() +
 
    '&action=raw&ctype=text/css';
 
if (oldid || oldid===0 || oldid==='0') { url += '&oldid='+oldid; }
 
url += '&maxage=0&smaxage=0';
 
 
 
getPageWithCaching(url, onComplete, owner);
 
}
 
  
 
// check cache to see if page exists
 
// check cache to see if page exists
Line 2,726: Line 2,529:
 
log('getPageWithCaching, url='+url);
 
log('getPageWithCaching, url='+url);
 
var i=findInPageCache(url);
 
var i=findInPageCache(url);
 +
var d;
 
if (i > -1) {
 
if (i > -1) {
var d=fakeDownload(url, owner.idNumber, onComplete,
+
d=fakeDownload(url, owner.idNumber, onComplete,
  pg.cache.pages[i].data, pg.cache.pages[i].lastModified,
+
pg.cache.pages[i].data, pg.cache.pages[i].lastModified,
  owner);
+
owner);
 
} else {
 
} else {
var d=getPage(url, onComplete, owner);
+
d=getPage(url, onComplete, owner);
 
if (d && owner && owner.addDownload) {
 
if (d && owner && owner.addDownload) {
 
owner.addDownload(d);
 
owner.addDownload(d);
Line 2,758: Line 2,562:
 
}
 
}
 
// ENDFILE: getpage.js
 
// ENDFILE: getpage.js
// STARTFILE: md5-2.2alpha.js
+
// STARTFILE: parensplit.js
//<NOLITE>
+
//////////////////////////////////////////////////
/*
+
// parenSplit
* A JavaScript implementation of the RSA Data Security, Inc. MD5 Message
 
* Digest Algorithm, as defined in RFC 1321.
 
* Version 2.2-alpha Copyright (C) Paul Johnston 1999 - 2005
 
* Other contributors: Greg Holt, Andrew Kepert, Ydnar, Lostinet
 
* Distributed under the BSD License
 
* See http://pajhome.org.uk/crypt/md5 for more info.
 
*/
 
  
/*
+
// String.prototype.parenSplit should do what ECMAscript says String.prototype.split does,
* Configurable variables. You may need to tweak these to be compatible with
+
// interspersing paren matches (regex capturing groups) between the split elements.
* the server-side, but the defaults work in most cases.
+
// i.e. 'abc'.split(/(b)/)) should return ['a','b','c'], not ['a','c']
*/
 
var hexcase = 0;  /* hex output format. 0 - lowercase; 1 - uppercase     */
 
var b64pad  = ""; /* base-64 pad character. "=" for strict RFC compliance  */
 
  
/*
+
if (String('abc'.split(/(b)/))!='a,b,c') {
* These are the functions you'll usually want to call
+
// broken String.split, e.g. konq, IE < 10
* They take string arguments and return either hex or base-64 encoded strings
+
String.prototype.parenSplit=function (re) {
*/
+
re=nonGlobalRegex(re);
function hex_md5(s)   { return rstr2hex(rstr_md5(str2rstr_utf8(s))); }
+
var s=this;
function b64_md5(s)   { return rstr2b64(rstr_md5(str2rstr_utf8(s))); }
+
var m=re.exec(s);
function any_md5(s, e) { return rstr2any(rstr_md5(str2rstr_utf8(s)), e); }
+
var ret=[];
function hex_hmac_md5(k, d)
+
while (m && s) {
  { return rstr2hex(rstr_hmac_md5(str2rstr_utf8(k), str2rstr_utf8(d))); }
+
// without the following loop, we have
function b64_hmac_md5(k, d)
+
// 'ab'.parenSplit(/a|(b)/) != 'ab'.split(/a|(b)/)
  { return rstr2b64(rstr_hmac_md5(str2rstr_utf8(k), str2rstr_utf8(d))); }
+
for(var i=0; i<m.length; ++i) {
function any_hmac_md5(k, d, e)
+
if (typeof m[i]=='undefined') m[i]='';
  { return rstr2any(rstr_hmac_md5(str2rstr_utf8(k), str2rstr_utf8(d)), e); }
+
}
 
+
ret.push(s.substring(0,m.index));
/*
+
ret = ret.concat(m.slice(1));
* Perform a simple self-test to see if the VM is working
+
s=s.substring(m.index + m[0].length);
*/
+
m=re.exec(s);
function md5_vm_test()
+
}
{
+
ret.push(s);
  return hex_md5("abc") == "900150983cd24fb0d6963f7d28e17f72";
+
return ret;
 +
};
 +
} else {
 +
String.prototype.parenSplit=function (re) { return this.split(re); };
 +
String.prototype.parenSplit.isNative=true;
 
}
 
}
  
/*
+
function nonGlobalRegex(re) {
* Calculate the MD5 of a raw string
+
var s=re.toString();
*/
+
var flags='';
function rstr_md5(s)
+
for (var j=s.length; s.charAt(j) != '/'; --j) {
{
+
if (s.charAt(j) != 'g') { flags += s.charAt(j); }
  return binl2rstr(binl_md5(rstr2binl(s), s.length * 8));
+
}
}
+
var t=s.substring(1,j);
 
+
return RegExp(t,flags);
/*
 
* Calculate the HMAC-MD5, of a key and some data (raw strings)
 
*/
 
function rstr_hmac_md5(key, data)
 
{
 
  var bkey = rstr2binl(key);
 
  if(bkey.length > 16) bkey = binl_md5(bkey, key.length * 8);
 
 
 
  var ipad = Array(16), opad = Array(16);
 
  for(var i = 0; i < 16; i++)
 
  {
 
    ipad[i] = bkey[i] ^ 0x36363636;
 
    opad[i] = bkey[i] ^ 0x5C5C5C5C;
 
  }
 
 
 
  var hash = binl_md5(ipad.concat(rstr2binl(data)), 512 + data.length * 8);
 
  return binl2rstr(binl_md5(opad.concat(hash), 512 + 128));
 
 
}
 
}
 +
// ENDFILE: parensplit.js
 +
// STARTFILE: tools.js
 +
// IE madness with encoding
 +
// ========================
 +
//
 +
// suppose throughout that the page is in utf8, like wikipedia
 +
//
 +
// if a is an anchor DOM element and a.href should consist of
 +
//
 +
// http://host.name.here/wiki/foo?bar=baz
 +
//
 +
// then IE gives foo as "latin1-encoded" utf8; we have foo = decode_utf8(decodeURI(foo_ie))
 +
// but IE gives bar=baz correctly as plain utf8
 +
//
 +
// ---------------------------------
 +
//
 +
// IE's xmlhttp doesn't understand utf8 urls. Have to use encodeURI here.
 +
//
 +
// ---------------------------------
 +
//
 +
// summat else
  
/*
+
// Source: http://aktuell.de.selfhtml.org/artikel/javascript/utf8b64/utf8.htm
* Convert a raw string to a hex string
+
 
*/
+
//<NOLITE>
function rstr2hex(input)
+
 
{
+
 
  var hex_tab = hexcase ? "0123456789ABCDEF" : "0123456789abcdef";
+
function getJsObj(json) {
  var output = "";
+
try {
  var x;
+
var json_ret = JSON.parse(json);
  for(var i = 0; i < input.length; i++)
+
if( json_ret.warnings ) {
  {
+
for( var w=0; w < json_ret.warnings.length; w++ ) {
    x = input.charCodeAt(i);
+
if( json_ret.warnings[w]['*'] ) {
    output += hex_tab.charAt((x >>> 4) & 0x0F)
+
log( json_ret.warnings[w]['*'] );
  + hex_tab.charAt( x       & 0x0F);
+
} else {
  }
+
log( json_ret.warnings[w]['warnings'] );
  return output;
+
}
 +
}
 +
} else if ( json_ret.error ) {
 +
errlog( json_ret.error.code + ': ' + json_ret.error.info );
 +
}
 +
return json_ret;
 +
} catch (someError) {
 +
errlog('Something went wrong with getJsObj, json='+json);
 +
return 1;
 +
}
 
}
 
}
  
/*
+
function anyChild(obj) {
* Convert a raw string to a base-64 string
+
for (var p in obj) {
*/
+
return obj[p];
function rstr2b64(input)
+
}
{
+
return null;
  var tab = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/";
 
  var output = "";
 
  var len = input.length;
 
  for(var i = 0; i < len; i += 3)
 
  {
 
    var triplet = (input.charCodeAt(i) << 16)
 
| (i + 1 < len ? input.charCodeAt(i+1) << 8 : 0)
 
| (i + 2 < len ? input.charCodeAt(i+2)     : 0);
 
    for(var j = 0; j < 4; j++)
 
    {
 
      if(i * 8 + j * 6 > input.length * 8) output += b64pad;
 
      else output += tab.charAt((triplet >>> 6*(3-j)) & 0x3F);
 
    }
 
  }
 
  return output;
 
 
}
 
}
  
/*
+
//</NOLITE>
* Convert a raw string to an arbitrary string encoding
 
*/
 
function rstr2any(input, encoding)
 
{
 
  var divisor = encoding.length;
 
  var remainders = Array();
 
  var i, q, x, quotient;
 
  
  /* Convert to an array of 16-bit big-endian values, forming the dividend */
+
function upcaseFirst(str) {
  var dividend = Array(input.length / 2);
+
if (typeof str != typeof '' || str === '') return '';
  for(i = 0; i < dividend.length; i++)
+
return str.charAt(0).toUpperCase() + str.substring(1);
  {
+
}
    dividend[i] = (input.charCodeAt(i * 2) << 8) | input.charCodeAt(i * 2 + 1);
 
  }
 
 
 
  /*
 
  * Repeatedly perform a long division. The binary array forms the dividend,
 
  * the length of the encoding is the divisor. Once computed, the quotient
 
  * forms the dividend for the next step. We stop when the dividend is zero.
 
  * All remainders are stored for later use.
 
  */
 
  while(dividend.length > 0)
 
  {
 
    quotient = Array();
 
    x = 0;
 
    for(i = 0; i < dividend.length; i++)
 
    {
 
      x = (x << 16) + dividend[i];
 
      q = Math.floor(x / divisor);
 
      x -= q * divisor;
 
      if(quotient.length > 0 || q > 0)
 
quotient[quotient.length] = q;
 
    }
 
    remainders[remainders.length] = x;
 
    dividend = quotient;
 
  }
 
  
  /* Convert the remainders to the output string */
 
  var output = "";
 
  for(i = remainders.length - 1; i >= 0; i--)
 
    output += encoding.charAt(remainders[i]);
 
  
  return output;
+
function findInArray(arr, foo) {
 +
if (!arr || !arr.length) { return -1; }
 +
var len=arr.length;
 +
for (var i=0; i<len; ++i) { if (arr[i]==foo) { return i; } }
 +
return -1;
 
}
 
}
  
/*
+
/* eslint-disable no-unused-vars */
* Encode a string as utf-8.
+
function nextOne (array, value) {
* For efficiency, this assumes the input is valid utf-16.
+
// NB if the array has two consecutive entries equal
*/
+
// then this will loop on successive calls
function str2rstr_utf8(input)
+
var i=findInArray(array, value);
{
+
if (i<0) { return null; }
  var output = "";
+
return array[i+1];
  var i = -1;
 
  var x, y;
 
 
 
  while(++i < input.length)
 
  {
 
    /* Decode utf-16 surrogate pairs */
 
    x = input.charCodeAt(i);
 
    y = i + 1 < input.length ? input.charCodeAt(i + 1) : 0;
 
    if(0xD800 <= x && x <= 0xDBFF && 0xDC00 <= y && y <= 0xDFFF)
 
    {
 
      x = 0x10000 + ((x & 0x03FF) << 10) + (y & 0x03FF);
 
      i++;
 
    }
 
 
 
    /* Encode output as utf-8 */
 
    if(x <= 0x7F)
 
      output += String.fromCharCode(x);
 
    else if(x <= 0x7FF)
 
      output += String.fromCharCode(0xC0 | ((x >>> 6 ) & 0x1F),
 
    0x80 | ( x       & 0x3F));
 
    else if(x <= 0xFFFF)
 
      output += String.fromCharCode(0xE0 | ((x >>> 12) & 0x0F),
 
    0x80 | ((x >>> 6 ) & 0x3F),
 
    0x80 | ( x       & 0x3F));
 
    else if(x <= 0x1FFFFF)
 
      output += String.fromCharCode(0xF0 | ((x >>> 18) & 0x07),
 
    0x80 | ((x >>> 12) & 0x3F),
 
    0x80 | ((x >>> 6 ) & 0x3F),
 
    0x80 | ( x       & 0x3F));
 
  }
 
  return output;
 
 
}
 
}
 +
/* eslint-enable no-unused-vars */
  
/*
+
function literalizeRegex(str){
* Encode a string as utf-16
+
return mw.util.escapeRegExp(str);
*/
 
function str2rstr_utf16le(input)
 
{
 
  var output = "";
 
  for(var i = 0; i < input.length; i++)
 
    output += String.fromCharCode( input.charCodeAt(i)       & 0xFF,
 
  (input.charCodeAt(i) >>> 8) & 0xFF);
 
  return output;
 
 
}
 
}
  
function str2rstr_utf16be(input)
+
String.prototype.entify=function() {
{
+
//var shy='&shy;';
  var output = "";
+
return this.split('&').join('&amp;').split('<').join('&lt;').split('>').join('&gt;'/*+shy*/).split('"').join('&quot;');
  for(var i = 0; i < input.length; i++)
+
};
    output += String.fromCharCode((input.charCodeAt(i) >>> 8) & 0xFF,
 
  input.charCodeAt(i)       & 0xFF);
 
  return output;
 
}
 
  
/*
+
// Array filter function
* Convert a raw string to an array of little-endian words
+
function removeNulls(val) { return val !== null; }
* Characters >255 have their high-byte silently ignored.
 
*/
 
function rstr2binl(input)
 
{
 
  var output = Array(input.length >> 2);
 
  for(var i = 0; i < output.length; i++)
 
    output[i] = 0;
 
  for(var i = 0; i < input.length * 8; i += 8)
 
    output[i>>5] |= (input.charCodeAt(i / 8) & 0xFF) << (i%32);
 
  return output;
 
}
 
  
/*
+
function joinPath(list) {
* Convert an array of little-endian words to a string
+
return list.filter(removeNulls).join('/');
*/
 
function binl2rstr(input)
 
{
 
  var output = "";
 
  for(var i = 0; i < input.length * 32; i += 8)
 
    output += String.fromCharCode((input[i>>5] >>> (i % 32)) & 0xFF);
 
  return output;
 
 
}
 
}
  
/*
 
* Calculate the MD5 of an array of little-endian words, and a bit length.
 
*/
 
function binl_md5(x, len)
 
{
 
  /* append padding */
 
  x[len >> 5] |= 0x80 << ((len) % 32);
 
  x[(((len + 64) >>> 9) << 4) + 14] = len;
 
 
  var a =  1732584193;
 
  var b = -271733879;
 
  var c = -1732584194;
 
  var d =  271733878;
 
  
  for(var i = 0; i < x.length; i += 16)
+
function simplePrintf(str, subs) {
  {
+
if (!str || !subs) { return str; }
    var olda = a;
+
var ret=[];
    var oldb = b;
+
var s=str.parenSplit(/(%s|\$[0-9]+)/);
    var oldc = c;
+
var i=0;
    var oldd = d;
+
do {
 +
ret.push(s.shift());
 +
if ( !s.length ) { break; }
 +
var cmd=s.shift();
 +
if (cmd == '%s') {
 +
if ( i < subs.length ) { ret.push(subs[i]); } else { ret.push(cmd); }
 +
++i;
 +
} else {
 +
var j=parseInt( cmd.replace('$', ''), 10 ) - 1;
 +
if ( j > -1 && j < subs.length ) { ret.push(subs[j]); } else { ret.push(cmd); }
 +
}
 +
} while (s.length > 0);
 +
return ret.join('');
 +
}
 +
/* eslint-disable no-unused-vars */
 +
function isString(x) { return (typeof x === 'string' || x instanceof String); }
 +
function isNumber(x) { return (typeof x === 'number' || x instanceof Number); }
 +
function isRegExp(x) { return x instanceof RegExp; }
 +
function isArray (x) { return x instanceof Array; }
 +
function isObject(x) { return x instanceof Object; }
 +
function isFunction(x) {
 +
return !isRegExp(x) && ($.isFunction(x) || x instanceof Function);
 +
}
 +
/* eslint-enable no-unused-vars */
  
    a = md5_ff(a, b, c, d, x[i+ 0], 7 , -680876936);
+
function repeatString(s,mult) {
    d = md5_ff(d, a, b, c, x[i+ 1], 12, -389564586);
+
var ret='';
    c = md5_ff(c, d, a, b, x[i+ 2], 17, 606105819);
+
for (var i=0; i<mult; ++i) { ret += s; }
    b = md5_ff(b, c, d, a, x[i+ 3], 22, -1044525330);
+
return ret;
    a = md5_ff(a, b, c, d, x[i+ 4], 7 , -176418897);
+
}
    d = md5_ff(d, a, b, c, x[i+ 5], 12, 1200080426);
 
    c = md5_ff(c, d, a, b, x[i+ 6], 17, -1473231341);
 
    b = md5_ff(b, c, d, a, x[i+ 7], 22, -45705983);
 
    a = md5_ff(a, b, c, d, x[i+ 8], 7 , 1770035416);
 
    d = md5_ff(d, a, b, c, x[i+ 9], 12, -1958414417);
 
    c = md5_ff(c, d, a, b, x[i+10], 17, -42063);
 
    b = md5_ff(b, c, d, a, x[i+11], 22, -1990404162);
 
    a = md5_ff(a, b, c, d, x[i+12], 7 , 1804603682);
 
    d = md5_ff(d, a, b, c, x[i+13], 12, -40341101);
 
    c = md5_ff(c, d, a, b, x[i+14], 17, -1502002290);
 
    b = md5_ff(b, c, d, a, x[i+15], 22, 1236535329);
 
  
    a = md5_gg(a, b, c, d, x[i+ 1], 5 , -165796510);
+
function zeroFill(s, min) {
    d = md5_gg(d, a, b, c, x[i+ 6], 9 , -1069501632);
+
min = min || 2;
    c = md5_gg(c, d, a, b, x[i+11], 14, 643717713);
+
var t=s.toString();
    b = md5_gg(b, c, d, a, x[i+ 0], 20, -373897302);
+
return repeatString('0', min - t.length) + t;
    a = md5_gg(a, b, c, d, x[i+ 5], 5 , -701558691);
 
    d = md5_gg(d, a, b, c, x[i+10], 9 , 38016083);
 
    c = md5_gg(c, d, a, b, x[i+15], 14, -660478335);
 
    b = md5_gg(b, c, d, a, x[i+ 4], 20, -405537848);
 
    a = md5_gg(a, b, c, d, x[i+ 9], 5 , 568446438);
 
    d = md5_gg(d, a, b, c, x[i+14], 9 , -1019803690);
 
    c = md5_gg(c, d, a, b, x[i+ 3], 14, -187363961);
 
    b = md5_gg(b, c, d, a, x[i+ 8], 20, 1163531501);
 
    a = md5_gg(a, b, c, d, x[i+13], 5 , -1444681467);
 
    d = md5_gg(d, a, b, c, x[i+ 2], 9 , -51403784);
 
    c = md5_gg(c, d, a, b, x[i+ 7], 14, 1735328473);
 
    b = md5_gg(b, c, d, a, x[i+12], 20, -1926607734);
 
 
 
    a = md5_hh(a, b, c, d, x[i+ 5], 4 , -378558);
 
    d = md5_hh(d, a, b, c, x[i+ 8], 11, -2022574463);
 
    c = md5_hh(c, d, a, b, x[i+11], 16, 1839030562);
 
    b = md5_hh(b, c, d, a, x[i+14], 23, -35309556);
 
    a = md5_hh(a, b, c, d, x[i+ 1], 4 , -1530992060);
 
    d = md5_hh(d, a, b, c, x[i+ 4], 11, 1272893353);
 
    c = md5_hh(c, d, a, b, x[i+ 7], 16, -155497632);
 
    b = md5_hh(b, c, d, a, x[i+10], 23, -1094730640);
 
    a = md5_hh(a, b, c, d, x[i+13], 4 , 681279174);
 
    d = md5_hh(d, a, b, c, x[i+ 0], 11, -358537222);
 
    c = md5_hh(c, d, a, b, x[i+ 3], 16, -722521979);
 
    b = md5_hh(b, c, d, a, x[i+ 6], 23, 76029189);
 
    a = md5_hh(a, b, c, d, x[i+ 9], 4 , -640364487);
 
    d = md5_hh(d, a, b, c, x[i+12], 11, -421815835);
 
    c = md5_hh(c, d, a, b, x[i+15], 16, 530742520);
 
    b = md5_hh(b, c, d, a, x[i+ 2], 23, -995338651);
 
 
 
    a = md5_ii(a, b, c, d, x[i+ 0], 6 , -198630844);
 
    d = md5_ii(d, a, b, c, x[i+ 7], 10, 1126891415);
 
    c = md5_ii(c, d, a, b, x[i+14], 15, -1416354905);
 
    b = md5_ii(b, c, d, a, x[i+ 5], 21, -57434055);
 
    a = md5_ii(a, b, c, d, x[i+12], 6 , 1700485571);
 
    d = md5_ii(d, a, b, c, x[i+ 3], 10, -1894986606);
 
    c = md5_ii(c, d, a, b, x[i+10], 15, -1051523);
 
    b = md5_ii(b, c, d, a, x[i+ 1], 21, -2054922799);
 
    a = md5_ii(a, b, c, d, x[i+ 8], 6 , 1873313359);
 
    d = md5_ii(d, a, b, c, x[i+15], 10, -30611744);
 
    c = md5_ii(c, d, a, b, x[i+ 6], 15, -1560198380);
 
    b = md5_ii(b, c, d, a, x[i+13], 21, 1309151649);
 
    a = md5_ii(a, b, c, d, x[i+ 4], 6 , -145523070);
 
    d = md5_ii(d, a, b, c, x[i+11], 10, -1120210379);
 
    c = md5_ii(c, d, a, b, x[i+ 2], 15, 718787259);
 
    b = md5_ii(b, c, d, a, x[i+ 9], 21, -343485551);
 
 
 
    a = safe_add(a, olda);
 
    b = safe_add(b, oldb);
 
    c = safe_add(c, oldc);
 
    d = safe_add(d, oldd);
 
  }
 
  return Array(a, b, c, d);
 
 
}
 
}
  
/*
+
function map(f, o) {
* These functions implement the four basic operations the algorithm uses.
+
if (isArray(o)) { return map_array(f,o); }
*/
+
return map_object(f,o);
function md5_cmn(q, a, b, x, s, t)
 
{
 
  return safe_add(bit_rol(safe_add(safe_add(a, q), safe_add(x, t)), s),b);
 
 
}
 
}
function md5_ff(a, b, c, d, x, s, t)
+
function map_array(f,o) {
{
+
var ret=[];
  return md5_cmn((b & c) | ((~b) & d), a, b, x, s, t);
+
for (var i=0; i<o.length; ++i) {
 +
ret.push(f(o[i]));
 +
}
 +
return ret;
 
}
 
}
function md5_gg(a, b, c, d, x, s, t)
+
function map_object(f,o) {
{
+
var ret={};
  return md5_cmn((b & d) | (c & (~d)), a, b, x, s, t);
+
for (var i in o) { ret[o]=f(o[i]); }
}
+
return ret;
function md5_hh(a, b, c, d, x, s, t)
 
{
 
  return md5_cmn(b ^ c ^ d, a, b, x, s, t);
 
}
 
function md5_ii(a, b, c, d, x, s, t)
 
{
 
  return md5_cmn(c ^ (b | (~d)), a, b, x, s, t);
 
 
}
 
}
  
/*
+
pg.escapeQuotesHTML = function ( text ) {
* Add integers, wrapping at 2^32. This uses 16-bit operations internally
+
return text
* to work around bugs in some JS interpreters.
+
.replace(/&/g, "&amp;")
*/
+
.replace(/"/g, "&quot;")
function safe_add(x, y)
+
.replace(/</g, "&lt;")
{
+
.replace(/>/g, "&gt;");
  var lsw = (x & 0xFFFF) + (y & 0xFFFF);
+
};
  var msw = (x >> 16) + (y >> 16) + (lsw >> 16);
 
  return (msw << 16) | (lsw & 0xFFFF);
 
}
 
  
/*
+
// ENDFILE: tools.js
* Bitwise rotate a 32-bit number to the left.
+
// STARTFILE: dab.js
*/
+
//<NOLITE>
function bit_rol(num, cnt)
 
{
 
  return (num << cnt) | (num >>> (32 - cnt));
 
}
 
//</NOLITE>
 
// ENDFILE: md5-2.2alpha.js
 
// STARTFILE: parensplit.js
 
 
//////////////////////////////////////////////////
 
//////////////////////////////////////////////////
// parenSplit
+
// Dab-fixing code
 +
//
 +
 
  
// String.prototype.parenSplit should do what ECMAscript says
+
function retargetDab(newTarget, oldTarget, friendlyCurrentArticleName, titleToEdit) {
// String.prototype.split does, interspersing paren matches between
+
log('retargetDab: newTarget='+newTarget + ' oldTarget=' + oldTarget);
// the split elements
+
return changeLinkTargetLink(
 +
{newTarget: newTarget,
 +
text: newTarget.split(' ').join('&nbsp;'),
 +
hint: tprintf('disambigHint', [newTarget]),
 +
summary: simplePrintf(
 +
getValueOf('popupFixDabsSummary'), [friendlyCurrentArticleName, newTarget ]),
 +
clickButton: getValueOf('popupDabsAutoClick'), minor: true, oldTarget: oldTarget,
 +
watch: getValueOf('popupWatchDisambiggedPages'),
 +
title: titleToEdit});
 +
}
  
if (String('abc'.split(/(b)/))!='a,b,c') {
+
function listLinks(wikitext, oldTarget, titleToEdit) {
// broken String.split, e.g. konq, IE
+
// mediawiki strips trailing spaces, so we do the same
String.prototype.parenSplit=function (re) {
+
// testcase: https://en.wikipedia.org/w/index.php?title=Radial&oldid=97365633
re=nonGlobalRegex(re);
+
var reg=RegExp('\\[\\[([^|]*?) *(\\||\\]\\])', 'gi');
var s=this;
+
var ret=[];
var m=re.exec(s);
+
var splitted=wikitext.parenSplit(reg);
var ret=[];
+
// ^[a-z]+ should match interwiki links, hopefully (case-insensitive)
while (m && s) {
+
// and ^[a-z]* should match those and [[:Category...]] style links too
// without the following loop, we have
+
var omitRegex=RegExp('^[a-z]*:|^[Ss]pecial:|^[Ii]mage|^[Cc]ategory');
// 'ab'.parenSplit(/a|(b)/) != 'ab'.split(/a|(b)/)
+
var friendlyCurrentArticleName= oldTarget.toString();
for(var i=0; i<m.length; ++i) {
+
var wikPos = getValueOf('popupDabWiktionary');
if (typeof m[i]=='undefined') m[i]='';
+
 
}
+
for (var i=1; i<splitted.length; i=i+3) {
ret.push(s.substring(0,m.index));
+
if (typeof splitted[i] == typeof 'string' && splitted[i].length>0 && !omitRegex.test(splitted[i])) {
ret = ret.concat(m.slice(1));
+
ret.push( retargetDab(splitted[i], oldTarget, friendlyCurrentArticleName, titleToEdit) );
s=s.substring(m.index + m[0].length);
+
} /* if */
m=re.exec(s);
+
} /* for loop */
}
+
 
ret.push(s);
+
ret = rmDupesFromSortedList(ret.sort());
return ret;
+
 
};
+
if (wikPos) {
} else {
+
var wikTarget='wiktionary:' +
String.prototype.parenSplit=function (re) { return this.split(re); };
+
friendlyCurrentArticleName.replace( RegExp('^(.+)\\s+[(][^)]+[)]\\s*$'), '$1' );
String.prototype.parenSplit.isNative=true;
+
 
}
+
var meth;
 +
if (wikPos.toLowerCase() == 'first') { meth = 'unshift'; }
 +
else { meth = 'push'; }
  
function nonGlobalRegex(re) {
+
ret[meth]( retargetDab(wikTarget, oldTarget, friendlyCurrentArticleName, titleToEdit) );
var s=re.toString();
 
flags='';
 
for (var j=s.length; s.charAt(j) != '/'; --j) {
 
if (s.charAt(j) != 'g') { flags += s.charAt(j); }
 
 
}
 
}
var t=s.substring(1,j);
+
 
return RegExp(t,flags);
+
ret.push(changeLinkTargetLink(
 +
{ newTarget: null,
 +
text: popupString('remove this link').split(' ').join('&nbsp;'),
 +
hint: popupString("remove all links to this disambig page from this article"),
 +
clickButton: getValueOf('popupDabsAutoClick'), oldTarget: oldTarget,
 +
summary: simplePrintf(getValueOf('popupRmDabLinkSummary'), [friendlyCurrentArticleName]),
 +
watch: getValueOf('popupWatchDisambiggedPages'),
 +
title: titleToEdit
 +
}));
 +
return ret;
 
}
 
}
// ENDFILE: parensplit.js
 
// STARTFILE: tools.js
 
// IE madness with encoding
 
// ========================
 
//
 
// suppose throughout that the page is in utf8, like wikipedia
 
//
 
// if a is an anchor DOM element and a.href should consist of
 
//
 
// http://host.name.here/wiki/foo?bar=baz
 
//
 
// then IE gives foo as "latin1-encoded" utf8; we have foo = decode_utf8(decodeURI(foo_ie))
 
// but IE gives bar=baz correctly as plain utf8
 
//
 
// ---------------------------------
 
//
 
// IE's xmlhttp doesn't understand utf8 urls. Have to use encodeURI here.
 
//
 
// ---------------------------------
 
//
 
// summat else
 
  
// Source: http://aktuell.de.selfhtml.org/artikel/javascript/utf8b64/utf8.htm
+
function rmDupesFromSortedList(list) {
 
+
var ret=[];
//<NOLITE>
+
for (var i=0; i<list.length; ++i) {
function encode_utf8(rohtext) {
+
if (ret.length === 0 || list[i]!=ret[ret.length-1]) { ret.push(list[i]); }
// dient der Normalisierung des Zeilenumbruchs
 
rohtext = rohtext.replace(/\r\n/g,"\n");
 
var utftext = "";
 
for(var n=0; n<rohtext.length; n++)
 
{
 
// ermitteln des Unicodes des  aktuellen Zeichens
 
var c=rohtext.charCodeAt(n);
 
// alle Zeichen von 0-127 => 1byte
 
if (c<128)
 
utftext += String.fromCharCode(c);
 
// alle Zeichen von 127 bis 2047 => 2byte
 
else if((c>127) && (c<2048)) {
 
utftext += String.fromCharCode((c>>6)|192);
 
utftext += String.fromCharCode((c&63)|128);}
 
// alle Zeichen von 2048 bis 66536 => 3byte
 
else {
 
utftext += String.fromCharCode((c>>12)|224);
 
utftext += String.fromCharCode(((c>>6)&63)|128);
 
utftext += String.fromCharCode((c&63)|128);}
 
 
}
 
}
return utftext;
+
return ret;
 
}
 
}
  
function getJsObj(json) {
+
function makeFixDab(data, navpop) {
try {
+
// grab title from parent popup if there is one; default exists in changeLinkTargetLink
var json_ret = eval('(' + json + ')');
+
var titleToEdit=(navpop.parentPopup && navpop.parentPopup.article.toString());
} catch (someError) {
+
var list=listLinks(data, navpop.originalArticle, titleToEdit);
errlog('Something went wrong with getJsobj, json='+json);
+
if (list.length === 0) { log('listLinks returned empty list'); return null; }
return 1;
+
var html='<hr />' + popupString('Click to disambiguate this link to:') + '<br>';
}
+
html+=list.join(', ');
if( json_ret['warnings'] ) {
+
return html;
for( var w=0; w < json_ret['warnings'].length; w++ ) {
 
log( json_ret['warnings'][w]['*'] );
 
}
 
} else if ( json_ret['error'] ) {
 
errlog( json_ret['error'].code + ': ' + json_ret['error'].info );
 
}
 
return json_ret;
 
 
}
 
}
  
function anyChild(obj) {
+
 
for (var p in obj) {
+
function makeFixDabs(wikiText, navpop) {
return obj[p];
+
if (getValueOf('popupFixDabs') && isDisambig(wikiText, navpop.article) &&
 +
Title.fromURL(location.href).namespaceId() != pg.nsSpecialId &&
 +
navpop.article.talkPage() ) {
 +
setPopupHTML(makeFixDab(wikiText, navpop), 'popupFixDab', navpop.idNumber);
 
}
 
}
return null;
 
 
}
 
}
  
 +
function popupRedlinkHTML(article) {
 +
return changeLinkTargetLink(
 +
{ newTarget: null, text: popupString('remove this link').split(' ').join('&nbsp;'),
 +
hint: popupString("remove all links to this page from this article"),
 +
clickButton: getValueOf('popupRedlinkAutoClick'),
 +
oldTarget: article.toString(),
 +
summary: simplePrintf(getValueOf('popupRedlinkSummary'), [article.toString()])});
 +
}
 
//</NOLITE>
 
//</NOLITE>
 +
// ENDFILE: dab.js
 +
// STARTFILE: htmloutput.js
 +
 +
// this has to use a timer loop as we don't know if the DOM element exists when we want to set the text
 +
function setPopupHTML (str, elementId, popupId, onSuccess, append) {
 +
if (typeof popupId === 'undefined') {
 +
//console.error('popupId is not defined in setPopupHTML, html='+str.substring(0,100));
 +
popupId = pg.idNumber;
 +
}
  
function decode_utf8(utftext) {
+
var popupElement=document.getElementById(elementId+popupId);
var plaintext = ""; var i=0, c=0, c1=0, c2=0;
+
if (popupElement) {
// while-Schleife, weil einige Zeichen uebersprungen werden
+
if (!append) { popupElement.innerHTML=''; }
while(i<utftext.length)
+
if (isString(str)) {
{
+
popupElement.innerHTML+=str;
c = utftext.charCodeAt(i);
+
} else {
if (c<128) {
+
popupElement.appendChild(str);
plaintext += String.fromCharCode(c);
+
}
i++;}
+
if (onSuccess) { onSuccess(); }
else if((c>191) && (c<224)) {
+
setTimeout(checkPopupPosition, 100);
c2 = utftext.charCodeAt(i+1);
+
return true;
plaintext += String.fromCharCode(((c&31)<<6) | (c2&63));
+
} else {
i+=2;}
+
// call this function again in a little while...
else {
+
setTimeout(function(){
c2 = utftext.charCodeAt(i+1); c3 = utftext.charCodeAt(i+2);
+
setPopupHTML(str,elementId,popupId,onSuccess);
plaintext += String.fromCharCode(((c&15)<<12) | ((c2&63)<<6) | (c3&63));
+
}, 600);
i+=3;}
 
 
}
 
}
return plaintext;
+
return null;
 
}
 
}
  
 +
//<NOLITE>
 +
function setPopupTrailer(str,id) {return setPopupHTML(str, 'popupData', id);}
 +
//</NOLITE>
  
function upcaseFirst(str) {
+
// args.navpopup is mandatory
if (typeof str != typeof '' || str=='') return '';
+
// optional: args.redir, args.redirTarget
return str.charAt(0).toUpperCase() + str.substring(1);
+
// FIXME: ye gods, this is ugly stuff
}
+
function fillEmptySpans(args) {  
 +
// if redir is present and true then redirTarget is mandatory
 +
var redir=true;
 +
var rcid;
 +
if (typeof args != 'object' || typeof args.redir == 'undefined' || !args.redir) { redir=false; }
 +
var a=args.navpopup.parentAnchor;
  
 +
var article, hint=null, oldid=null, params={};
 +
if (redir && typeof args.redirTarget == typeof {}) {
 +
article=args.redirTarget;
 +
//hint=article.hintValue();
 +
} else {
 +
article=(new Title()).fromAnchor(a);
 +
hint=a.originalTitle || article.hintValue();
 +
params=parseParams(a.href);
 +
oldid=(getValueOf('popupHistoricalLinks')) ? params.oldid : null;
 +
rcid=params.rcid;
 +
}
 +
var x={ article:article, hint: hint, oldid: oldid, rcid: rcid, navpop:args.navpopup, params:params };
  
function findInArray(arr, foo) {
+
var structure=pg.structures[getValueOf('popupStructure')];
if (!arr || !arr.length) { return -1; }
+
if (typeof structure != 'object') {
var len=arr.length;
+
setPopupHTML('popupError', 'Unknown structure (this should never happen): '+
for (var i=0; i<len; ++i) { if (arr[i]==foo) { return i; } }
+
pg.option.popupStructure, args.navpopup.idNumber);
return -1;
+
return;
}
+
}
 +
var spans=flatten(pg.misc.layout);
 +
var numspans = spans.length;
 +
var redirs=pg.misc.redirSpans;
  
function nextOne (array, value) {
+
for (var i=0; i<numspans; ++i) {
// NB if the array has two consecutive entries equal
+
var found = redirs && (redirs.indexOf( spans[i] ) !== -1);
//   then this will loop on successive calls
+
//log('redir='+redir+', found='+found+', spans[i]='+spans[i]);
var i=findInArray(array, value);
+
if ( (found && !redir) || (!found && redir) ) {
if (i<0) { return null; }
+
//log('skipping this set of the loop');
return array[i+1];
+
continue;
}
+
}
 
+
var structurefn=structure[spans[i]];
function literalizeRegex(str){
+
var setfn = setPopupHTML;
return str.replace(RegExp('([-.|()\\+?*^${}\\[\\]])', 'g'), '\\$1');
+
if (getValueOf('popupActiveNavlinks') &&
}
+
(spans[i].indexOf('popupTopLinks')===0 || spans[i].indexOf('popupRedirTopLinks')===0)
 
+
) {
String.prototype.entify=function() {
+
setfn = setPopupTipsAndHTML;
//var shy='&shy;';
+
}
return this.split('&').join('&amp;').split('<').join('&lt;').split('>').join('&gt;'/*+shy*/).split('"').join('&quot;');
+
switch (typeof structurefn) {
};
+
case 'function':
 
+
log('running '+spans[i]+'({article:'+x.article+', hint:'+x.hint+', oldid: '+x.oldid+'})');
function findThis(array, value) {
+
setfn(structurefn(x), spans[i], args.navpopup.idNumber);
if (typeof array.length == 'undefined') { return null; }
+
break;
for (var i=0; i<array.length; ++i) {
+
case 'string':
if (array[i]==value) { return i; }
+
setfn(structurefn, spans[i], args.navpopup.idNumber);
 +
break;
 +
default:
 +
errlog('unknown thing with label '+spans[i] + ' (span index was ' + i + ')');
 +
break;
 +
}
 
}
 
}
return null;
 
 
}
 
}
  
function removeNulls(list) {
+
// flatten an array
 +
function flatten(list, start) {
 
var ret=[];
 
var ret=[];
for (var i=0; i<list.length; ++i) {
+
if (typeof start == 'undefined') { start=0; }
if (list[i]) {
+
for (var i=start; i<list.length; ++i) {
ret.push(list[i]);
+
if (typeof list[i] == typeof []) {
 +
return ret.concat(flatten(list[i])).concat(flatten(list, i+1));
 
}
 
}
 +
else { ret.push(list[i]); }
 
}
 
}
 
return ret;
 
return ret;
 
}
 
}
function joinPath(list) {
+
 
return removeNulls(list).join('/');
+
// Generate html for whole popup
 +
function popupHTML (a) {
 +
getValueOf('popupStructure');
 +
var structure=pg.structures[pg.option.popupStructure];
 +
if (typeof structure != 'object') {
 +
//return 'Unknown structure: '+pg.option.popupStructure;
 +
// override user choice
 +
pg.option.popupStructure=pg.optionDefault.popupStructure;
 +
return popupHTML(a);
 +
}
 +
if (typeof structure.popupLayout != 'function') { return 'Bad layout'; }
 +
pg.misc.layout=structure.popupLayout();
 +
if ($.isFunction(structure.popupRedirSpans)) { pg.misc.redirSpans=structure.popupRedirSpans(); }
 +
else { pg.misc.redirSpans=[]; }
 +
return makeEmptySpans(pg.misc.layout, a.navpopup);
 
}
 
}
  
 
+
function makeEmptySpans (list, navpop) {
function simplePrintf(str, subs) {
+
var ret='';
if (!str || !subs) { return str; }
+
for (var i=0; i<list.length; ++i) {
var ret=[];
+
if (typeof list[i] == typeof '') {
var s=str.parenSplit(/(%s|\$[0-9]+)/);
+
ret += emptySpanHTML(list[i], navpop.idNumber, 'div');
var i=0;
+
} else if (typeof list[i] == typeof [] && list[i].length > 0 ) {
do {
+
ret = ret.parenSplit(RegExp('(</[^>]*?>$)')).join(makeEmptySpans(list[i], navpop));
ret.push(s.shift());
+
} else if (typeof list[i] == typeof {} && list[i].nodeType ) {
if ( !s.length ) { break; }
+
ret += emptySpanHTML(list[i].name, navpop.idNumber, list[i].nodeType);
var cmd=s.shift();
 
if (cmd == '%s') {
 
if ( i < subs.length ) { ret.push(subs[i]); } else { ret.push(cmd); }
 
++i;
 
} else {
 
var j=parseInt( cmd.replace('$', ''), 10 ) - 1;
 
if ( j > -1 && j < subs.length ) { ret.push(subs[j]); } else { ret.push(cmd); }
 
 
}
 
}
} while (s.length > 0);
+
}
return ret.join('');
+
return ret;
 
}
 
}
  
function max(a,b){return a<b ? b : a;}
 
function min(a,b){return a>b ? b : a;}
 
  
function isString(x) { return (typeof x === 'string' || x instanceof String); }
+
function emptySpanHTML(name, id, tag, classname) {
//function isNumber(x) { return (typeof x === 'number' || x instanceof Number); }
+
tag = tag || 'span';
function isRegExp(x) { return x instanceof RegExp; }
+
if (!classname) { classname = emptySpanHTML.classAliases[name]; }
function isArray (x) { return x instanceof Array; }
+
classname = classname || name;
function isObject(x) { return x instanceof Object; }
+
if (name == getValueOf('popupDragHandle')) { classname += ' popupDragHandle'; }
function isFunction(x) {
+
return simplePrintf('<%s id="%s" class="%s"></%s>', [tag, name + id, classname, tag]);
    return !isRegExp(x) && (typeof x === 'function' || x instanceof Function);
 
 
}
 
}
 +
emptySpanHTML.classAliases={ 'popupSecondPreview': 'popupPreview' };
  
function repeatString(s,mult) {
+
// generate html for popup image
var ret='';
+
// <a id="popupImageLinkn"><img id="popupImagen">
for (var i=0; i<mult; ++i) { ret += s; }
+
// where n=idNumber
return ret;
+
function imageHTML(article, idNumber) {
 +
return simplePrintf('<a id="popupImageLink$1">' +
 +
'<img align="right" valign="top" id="popupImg$1" style="display: none;"></img>' +
 +
'</a>', [ idNumber ]);
 
}
 
}
  
function zeroFill(s, min) {
+
function popTipsSoonFn(id, when, popData) {
min = min || 2;
+
if (!when) { when=250; }
var t=s.toString();
+
var popTips=function(){ setupTooltips(document.getElementById(id), false, true, popData); };
return repeatString('0', min - t.length) + t;
+
return function() { setTimeout( popTips, when, popData ); };
 
}
 
}
  
function map(f, o) {
+
function setPopupTipsAndHTML(html, divname, idnumber, popData) {
if (isArray(o)) { return map_array(f,o); }
+
setPopupHTML(html, divname, idnumber,
return map_object(f,o);
+
getValueOf('popupSubpopups') ?
 +
popTipsSoonFn(divname + idnumber, null, popData) :
 +
null);
 
}
 
}
function map_array(f,o) {
+
// ENDFILE: htmloutput.js
var ret=[];
+
// STARTFILE: mouseout.js
for (var i=0; i<o.length; ++i) {
+
//////////////////////////////////////////////////
ret.push(f(o[i]));
+
// fuzzy checks
 +
 
 +
function fuzzyCursorOffMenus(x,y, fuzz, parent) {
 +
if (!parent) { return null; }
 +
var uls=parent.getElementsByTagName('ul');
 +
for (var i=0; i<uls.length; ++i) {
 +
if (uls[i].className=='popup_menu') {
 +
if (uls[i].offsetWidth > 0) return false;
 +
} // else {document.title+='.';}
 
}
 
}
return ret;
+
return true;
 
}
 
}
function map_object(f,o) {
 
var ret={};
 
for (var i in o) { ret[o]=f(o[i]); }
 
return ret;
 
}
 
// ENDFILE: tools.js
 
// STARTFILE: dab.js
 
//<NOLITE>
 
//////////////////////////////////////////////////
 
// Dab-fixing code
 
//
 
  
 
+
function checkPopupPosition () { // stop the popup running off the right of the screen
function retargetDab(newTarget, oldTarget, friendlyCurrentArticleName, titleToEdit) {
+
// FIXME avoid pg.current.link
log('retargetDab: newTarget='+newTarget + ' oldTarget=' + oldTarget);
+
if (pg.current.link && pg.current.link.navpopup)
return changeLinkTargetLink(
+
pg.current.link.navpopup.limitHorizontalPosition();
{newTarget: newTarget,
 
text: newTarget.split(' ').join('&nbsp;'),
 
hint: tprintf('disambigHint', [newTarget]),
 
summary: simplePrintf(
 
    getValueOf('popupFixDabsSummary'), [friendlyCurrentArticleName, newTarget ]),
 
clickButton: 'wpDiff', minor: true, oldTarget: oldTarget,
 
watch: getValueOf('popupWatchDisambiggedPages'),
 
title: titleToEdit});
 
 
}
 
}
  
function listLinks(wikitext, oldTarget, titleToEdit) {
+
function mouseOutWikiLink () {
// mediawiki strips trailing spaces, so we do the same
+
//console ('mouseOutWikiLink');
// testcase: //en.wikipedia.org/w/index.php?title=Radial&oldid=97365633
+
var a=this;
var reg=RegExp('\\[\\[([^|]*?) *(\\||\\]\\])', 'gi');
+
var ret=[];
+
removeModifierKeyHandler(a);
var splitted=wikitext.parenSplit(reg);
+
// ^[a-z]+ should match interwiki links, hopefully (case-insensitive)
+
if (a.navpopup === null || typeof a.navpopup === 'undefined') return;
// and ^[a-z]* should match those and [[:Category...]] style links too
+
if ( ! a.navpopup.isVisible() ) {
var omitRegex=RegExp('^[a-z]*:|^[Ss]pecial:|^[Ii]mage|^[Cc]ategory');
+
a.navpopup.banish();
var friendlyCurrentArticleName= oldTarget.toString();
+
return;
var wikPos = getValueOf('popupDabWiktionary');
 
 
 
for (var i=1; i<splitted.length; i=i+3) {
 
if (typeof splitted[i] == typeof 'string' && splitted[i].length>0 && !omitRegex.test(splitted[i])) {
 
ret.push( retargetDab(splitted[i], oldTarget, friendlyCurrentArticleName, titleToEdit) );
 
} /* if */
 
} /* for loop */
 
 
 
ret = rmDupesFromSortedList(ret.sort());
 
 
 
if (wikPos) {
 
var wikTarget='wiktionary:' +
 
friendlyCurrentArticleName.replace( RegExp('^(.+)\\s+[(][^)]+[)]\\s*$'), '$1' );
 
 
 
var meth;
 
if (wikPos.toLowerCase() == 'first') { meth = 'unshift'; }
 
else { meth = 'push'; }
 
 
 
ret[meth]( retargetDab(wikTarget, oldTarget, friendlyCurrentArticleName, titleToEdit) );
 
 
}
 
}
 
+
restoreTitle(a);
ret.push(changeLinkTargetLink(
+
Navpopup.tracker.addHook(posCheckerHook(a.navpopup));
{ newTarget: null,
 
text: popupString('remove this link').split(' ').join('&nbsp;'),
 
hint: popupString("remove all links to this disambig page from this article"),
 
clickButton: "wpDiff", oldTarget: oldTarget,
 
summary: simplePrintf(getValueOf('popupRmDabLinkSummary'), [friendlyCurrentArticleName]),
 
watch: getValueOf('popupWatchDisambiggedPages'),
 
title: titleToEdit
 
}));
 
return ret;
 
 
}
 
}
  
function rmDupesFromSortedList(list) {
+
function posCheckerHook(navpop) {
var ret=[];
+
return function() {
for (var i=0; i<list.length; ++i) {
+
if (!navpop.isVisible()) { return true; /* remove this hook */ }
if (ret.length===0 || list[i]!=ret[ret.length-1]) { ret.push(list[i]); }
+
if (Navpopup.tracker.dirty) {
}
+
return false;
return ret;
+
}
}
+
var x=Navpopup.tracker.x, y=Navpopup.tracker.y;
 +
var mouseOverNavpop = navpop.isWithin(x,y,navpop.fuzz, navpop.mainDiv) ||
 +
!fuzzyCursorOffMenus(x,y,navpop.fuzz, navpop.mainDiv);
  
function makeFixDab(data, navpop) {
+
// FIXME it'd be prettier to do this internal to the Navpopup objects
// grab title from parent popup if there is one; default exists in changeLinkTargetLink
+
var t=getValueOf('popupHideDelay');
var titleToEdit=(navpop.parentPopup && navpop.parentPopup.article.toString());
+
if (t) { t = t * 1000; }
var list=listLinks(data, navpop.originalArticle, titleToEdit);
+
if (!t) {
if (list.length===0) { log('listLinks returned empty list'); return null; }
+
if(!mouseOverNavpop) {
var html='<hr>' + popupString('Click to disambiguate this link to:') + '<br>';
+
if(navpop.parentAnchor) {
html+=list.join(', ');
+
restoreTitle( navpop.parentAnchor );
return html;
+
}
 +
navpop.banish();
 +
return true; /* remove this hook */
 +
}
 +
return false;
 +
}
 +
// we have a hide delay set
 +
var d=+(new Date());
 +
if ( !navpop.mouseLeavingTime ) {
 +
navpop.mouseLeavingTime = d;
 +
return false;
 +
}
 +
if ( mouseOverNavpop ) {
 +
navpop.mouseLeavingTime=null;
 +
return false;
 +
}
 +
if (d - navpop.mouseLeavingTime > t) {
 +
navpop.mouseLeavingTime=null;
 +
navpop.banish(); return true; /* remove this hook */
 +
}
 +
return false;
 +
};
 
}
 
}
  
 
+
function runStopPopupTimer(navpop) {
function makeFixDabs(wikiText, navpop) {
+
// at this point, we should have left the link but remain within the popup
if (getValueOf('popupFixDabs') && isDisambig(wikiText, navpop.article) &&
+
// so we call this function again until we leave the popup.
    Title.fromURL(location.href).namespace() != pg.ns.special &&
+
if (!navpop.stopPopupTimer) {
    navpop.article.talkPage() ) {
+
navpop.stopPopupTimer=setInterval(posCheckerHook(navpop), 500);
setPopupHTML(makeFixDab(wikiText, navpop), 'popupFixDab', navpop.idNumber);
+
navpop.addHook(function(){clearInterval(navpop.stopPopupTimer);},
 +
  'hide', 'before');
 
}
 
}
 
}
 
}
 +
// ENDFILE: mouseout.js
 +
// STARTFILE: previewmaker.js
 +
/**
 +
  @fileoverview
 +
  Defines the {@link Previewmaker} object, which generates short previews from wiki markup.
 +
*/
  
function popupRedlinkHTML(article) {
+
/**
return changeLinkTargetLink(
+
  Creates a new Previewmaker
{ newTarget: null, text: popupString('remove this link').split(' ').join('&nbsp;'),
+
  @constructor
hint: popupString("remove all links to this page from this article"),
+
  @class The Previewmaker class. Use an instance of this to generate short previews from Wikitext.
clickButton: "wpDiff",
+
  @param {String} wikiText The Wikitext source of the page we wish to preview.
oldTarget: article.toString(),
+
  @param {String} baseUrl The url we should prepend when creating relative urls.
summary: simplePrintf(getValueOf('popupRedlinkSummary'), [article.toString()])});
+
  @param {Navpopup} owner The navpop associated to this preview generator
}
+
*/
//</NOLITE>
+
function Previewmaker(wikiText, baseUrl, owner) {
// ENDFILE: dab.js
+
/** The wikitext which is manipulated to generate the preview. */
// STARTFILE: htmloutput.js
+
this.originalData=wikiText;
 +
this.baseUrl=baseUrl;
 +
this.owner=owner;
 +
 
 +
this.maxCharacters=getValueOf('popupMaxPreviewCharacters');
 +
this.maxSentences=getValueOf('popupMaxPreviewSentences');
  
function appendPopupContent(obj, elementId, popupId, onSuccess) {
+
this.setData();
return setPopupHTML(obj, elementId, popupId, onSuccess, true);
 
 
}
 
}
 
+
Previewmaker.prototype.setData=function() {
// this has to use a timer loop as we don't know if the DOM element exists when we want to set the text
+
var maxSize=Math.max(10000, 2*this.maxCharacters);
function setPopupHTML (str, elementId, popupId, onSuccess, append) {
+
this.data=this.originalData.substring(0,maxSize);
if (elementId=='popupPreview') {
+
};
}
+
/** Remove HTML comments
if (typeof popupId === 'undefined') {
+
@private
//console.error('popupId is not defined in setPopupHTML, html='+str.substring(0,100));
+
*/
popupId = pg.idNumber;
+
Previewmaker.prototype.killComments = function () {
}
+
// this also kills one trailing newline, eg [[diamyo]]
 
+
this.data=this.data.replace(RegExp('^<!--[^$]*?-->\\n|\\n<!--[^$]*?-->(?=\\n)|<!--[^$]*?-->', 'g'), '');
var popupElement=document.getElementById(elementId+popupId);
+
};
if (popupElement) {
+
/**
if (!append) { popupElement.innerHTML=''; }
+
  @private
if (isString(str)) {
+
*/
popupElement.innerHTML+=str;
+
Previewmaker.prototype.killDivs = function () {
} else {
+
// say goodbye, divs (can be nested, so use * not *?)
popupElement.appendChild(str);
+
this.data=this.data.replace(RegExp('< *div[^>]* *>[\\s\\S]*?< */ *div *>',
}
+
  'gi'), '');
if (onSuccess) { onSuccess(); }
+
};
setTimeout(checkPopupPosition, 100);
+
/**
return true;
+
  @private
} else {
+
*/
// call this function again in a little while...
+
Previewmaker.prototype.killGalleries = function () {
setTimeout(function(){
+
this.data=this.data.replace(RegExp('< *gallery[^>]* *>[\\s\\S]*?< */ *gallery *>',
setPopupHTML(str,elementId,popupId,onSuccess);
+
  'gi'), '');
}, 600);
+
};
 +
/**
 +
  @private
 +
*/
 +
Previewmaker.prototype.kill = function(opening, closing, subopening, subclosing, repl) {
 +
var oldk=this.data;
 +
var k=this.killStuff(this.data, opening, closing, subopening, subclosing, repl);
 +
while (k.length < oldk.length) {
 +
oldk=k;
 +
k=this.killStuff(k, opening, closing, subopening, subclosing, repl);
 
}
 
}
return null;
+
this.data=k;
}
+
};
 
+
/**
//<NOLITE>
+
  @private
function setImageStatus(str, id) {return; } // setPopupHTML(str, 'popupImageStatus', id);}
+
*/
function setPopupTrailer(str,id) {return setPopupHTML(str, 'popupData', id);}
+
Previewmaker.prototype.killStuff = function (txt, opening, closing, subopening, subclosing, repl) {
//</NOLITE>
+
var op=this.makeRegexp(opening);
 
+
var cl=this.makeRegexp(closing, '^');
 
+
var sb=subopening ? this.makeRegexp(subopening, '^') : null;
function fillEmptySpans(args) { return fillEmptySpans2(args); }
+
var sc=subclosing ? this.makeRegexp(subclosing, '^') : cl;
 
+
if (!op || !cl) {
// args.navpopup is mandatory
+
alert('Navigation Popups error: op or cl is null! something is wrong.');
// optional: args.redir, args.redirTarget
 
// FIXME: ye gods, this is ugly stuff
 
function fillEmptySpans2(args) { // if redir is present and true then redirTarget is mandatory
 
var redir=true;
 
if (typeof args != 'object' || typeof args.redir == 'undefined' || !args.redir) { redir=false; }
 
var a=args.navpopup.parentAnchor;
 
 
 
var article, hint=null, oldid=null, params={};
 
if (redir && typeof args.redirTarget == typeof {}) {
 
article=args.redirTarget;
 
//hint=article.hintValue();
 
} else {
 
article=(new Title()).fromAnchor(a);
 
hint=a.originalTitle || article.hintValue();
 
params=parseParams(a.href);
 
oldid=(getValueOf('popupHistoricalLinks')) ? params.oldid : null;
 
rcid=params.rcid;
 
}
 
var x={ article:article, hint: hint, oldid: oldid, rcid: rcid, navpop:args.navpopup, params:params };
 
 
 
var structure=pg.structures[getValueOf('popupStructure')];
 
if (typeof structure != 'object') {
 
setPopupHTML('popupError', 'Unknown structure (this should never happen): '+
 
    pg.option.popupStructure, args.navpopup.idNumber);
 
 
return;
 
return;
 
}
 
}
var spans=flatten(pg.misc.layout);
+
if (!op.test(txt)) { return txt; }
var numspans = spans.length;
+
var ret='';
var redirs=pg.misc.redirSpans;
+
var opResult = op.exec(txt);
 
+
ret = txt.substring(0,opResult.index);
for (var i=0; i<numspans; ++i) {
+
txt=txt.substring(opResult.index+opResult[0].length);
var f=findThis(redirs, spans[i]);
+
var depth = 1;
//log('redir='+redir+', f='+f+', spans[i]='+spans[i]);
+
while (txt.length > 0) {
if ( (f!==null && !redir) || (f===null && redir) ) {
+
var removal=0;
//log('skipping this set of the loop');
+
if (depth==1 && cl.test(txt)) {
continue;
+
depth--;
}
+
removal=cl.exec(txt)[0].length;
var structurefn=structure[spans[i]];
+
} else if (depth > 1 && sc.test(txt)) {
var setfn = setPopupHTML;
+
depth--;
if (getValueOf('popupActiveNavlinks') &&  
+
removal=sc.exec(txt)[0].length;
    (spans[i].indexOf('popupTopLinks')==0 || spans[i].indexOf('popupRedirTopLinks')==0)
+
}else if (sb && sb.test(txt)) {
    ) {
+
depth++;
setfn = setPopupTipsAndHTML;
+
removal=sb.exec(txt)[0].length;
}
 
switch (typeof structurefn) {
 
case 'function':
 
//log('running '+spans[i]+'({article:'+x.article+', hint:'+x.hint+', oldid: '+x.oldid+'})');
 
setfn(structurefn(x), spans[i], args.navpopup.idNumber);
 
break;
 
case 'string':
 
setfn(structurefn, spans[i], args.navpopup.idNumber);
 
break;
 
default:
 
errlog('unknown thing with label '+spans[i]);
 
break;
 
 
}
 
}
 +
if ( !removal ) { removal = 1; }
 +
txt=txt.substring(removal);
 +
if (depth === 0) { break; }
 
}
 
}
}
+
return ret + (repl || '') + txt;
 
+
};
// flatten an array
+
/**
function flatten(list, start) {
+
  @private
var ret=[];
+
*/
if (typeof start == 'undefined') { start=0; }
+
Previewmaker.prototype.makeRegexp = function (x, prefix, suffix) {
for (var i=start; i<list.length; ++i) {
+
prefix = prefix || '';
if (typeof list[i] == typeof []) {
+
suffix = suffix || '';
return ret.concat(flatten(list[i])).concat(flatten(list, i+1));
+
var reStr='';
}
+
var flags='';
else { ret.push(list[i]); }
+
if (isString(x)) {
 +
reStr=prefix + literalizeRegex(x) + suffix;
 +
} else if (isRegExp(x)) {
 +
var s=x.toString().substring(1);
 +
var sp=s.split('/');
 +
flags=sp[sp.length-1];
 +
sp[sp.length-1]='';
 +
s=sp.join('/');
 +
s=s.substring(0,s.length-1);
 +
reStr= prefix + s + suffix;
 +
} else {
 +
log ('makeRegexp failed');
 
}
 
}
return ret;
 
}
 
  
// Generate html for whole popup
+
log ('makeRegexp: got reStr=' + reStr + ', flags=' + flags);
function popupHTML (a) {
+
return RegExp(reStr, flags);
getValueOf('popupStructure');
+
};
var structure=pg.structures[pg.option.popupStructure];
+
/**
if (typeof structure != 'object') {
+
  @private
//return 'Unknown structure: '+pg.option.popupStructure;
+
*/
// override user choice
+
Previewmaker.prototype.killBoxTemplates = function () {
pg.option.popupStructure=pg.optionDefault.popupStructure;
+
 
return popupHTML(a);
+
// taxobox removal... in fact, there's a saudiprincebox_begin, so let's be more general
}
+
// also, have float_begin, ... float_end
if (typeof structure.popupLayout != 'function') { return 'Bad layout'; }
+
this.kill(RegExp('[{][{][^{}\\s|]*?(float|box)[_ ](begin|start)', 'i'), /[}][}]\s*/, '{{');
pg.misc.layout=structure.popupLayout();
 
if (typeof structure.popupRedirSpans == 'function') { pg.misc.redirSpans=structure.popupRedirSpans(); }
 
else { pg.misc.redirSpans=[]; }
 
return makeEmptySpans(pg.misc.layout, a.navpopup);
 
}
 
  
function makeEmptySpans (list, navpop) {
+
// infoboxes etc
var ret='';
+
// from [[User:Zyxw/popups.js]]: kill frames too
for (var i=0; i<list.length; ++i) {
+
this.kill(RegExp('[{][{][^{}\\s|]*?(infobox|elementbox|frame)[_ ]', 'i'), /[}][}]\s*/, '{{');
if (typeof list[i] == typeof '') {
 
    ret += emptySpanHTML(list[i], navpop.idNumber, 'div');
 
} else if (typeof list[i] == typeof [] && list[i].length > 0 ) {
 
ret = ret.parenSplit(RegExp('(</[^>]*?>$)')).join(makeEmptySpans(list[i], navpop));
 
} else if (typeof list[i] == typeof {} && list[i].nodeType ) {
 
ret += emptySpanHTML(list[i].name, navpop.idNumber, list[i].nodeType);
 
}
 
}
 
return ret;
 
}
 
  
 +
};
 +
/**
 +
  @private
 +
*/
 +
Previewmaker.prototype.killTemplates = function () {
 +
this.kill('{{', '}}', '{', '}', ' ');
 +
};
 +
/**
 +
  @private
 +
*/
 +
Previewmaker.prototype.killTables = function () {
 +
// tables are bad, too
 +
// this can be slow, but it's an inprovement over a browser hang
 +
// torture test: [[Comparison_of_Intel_Central_Processing_Units]]
 +
this.kill('{|', /[|]}\s*/, '{|');
 +
this.kill(/<table.*?>/i, /<\/table.*?>/i, /<table.*?>/i);
 +
// remove lines starting with a pipe for the hell of it (?)
 +
this.data=this.data.replace(RegExp('^[|].*$', 'mg'), '');
 +
};
 +
/**
 +
  @private
 +
*/
 +
Previewmaker.prototype.killImages = function () {
 +
var forbiddenNamespaceAliases = [];
 +
jQuery.each(mw.config.get('wgNamespaceIds'), function(_localizedNamespaceLc, _namespaceId) {
 +
if (_namespaceId!=pg.nsImageId && _namespaceId!=pg.nsCategoryId) return;
 +
forbiddenNamespaceAliases.push(_localizedNamespaceLc.split(' ').join('[ _]')); //todo: escape regexp fragments!
 +
});
 +
 +
// images and categories are a nono
 +
this.kill(RegExp('[[][[]\\s*(' + forbiddenNamespaceAliases.join('|') + ')\\s*:', 'i'),
 +
  /\]\]\s*/, '[', ']');
 +
};
 +
/**
 +
  @private
 +
*/
 +
Previewmaker.prototype.killHTML = function () {
 +
// kill <ref ...>...</ref>
 +
this.kill(/<ref\b[^/>]*?>/i, /<\/ref>/i);
  
function emptySpanHTML(name, id, tag, classname) {
+
// let's also delete entire lines starting with <. it's worth a try.
tag = tag || 'span';
+
this.data=this.data.replace(RegExp('(^|\\n) *<.*', 'g'), '\n');
if (!classname) { classname = emptySpanHTML.classAliases[name]; }
 
classname = classname || name;
 
if (name == getValueOf('popupDragHandle')) { classname += ' popupDragHandle'; }
 
return simplePrintf('<%s id="%s" class="%s"></%s>', [tag, name + id, classname, tag]);
 
}
 
emptySpanHTML.classAliases={ 'popupSecondPreview': 'popupPreview' };
 
  
// generate html for popup image
+
// and those pesky html tags, but not <nowiki> or <blockquote>
// <a id="popupImageLinkn"><img id="popupImagen">
+
var splitted=this.data.parenSplit(/(<[\w\W]*?(?:>|$|(?=<)))/);
// where n=idNumber
+
var len=splitted.length;
function imageHTML(article, idNumber) {
+
for (var i=1; i<len; i=i+2) {
return simplePrintf('<a id="popupImageLink$1">' +
+
switch (splitted[i]) {
    '<img align="right" valign="top" id="popupImg$1" style="display: none;"></img>' +
+
case '<nowiki>':
    '</a>', [ idNumber ]);
+
case '</nowiki>':
}
+
case '<blockquote>':
 +
case '</blockquote>':
 +
break;
 +
default:
 +
splitted[i]='';
 +
}
 +
}
 +
this.data=splitted.join('');
 +
};
 +
/**
 +
  @private
 +
*/
 +
Previewmaker.prototype.killChunks = function() { // heuristics alert
 +
// chunks of italic text? you crazy, man?
 +
var italicChunkRegex=new RegExp
 +
("((^|\\n)\\s*:*\\s*''[^']([^']|'''|'[^']){20}(.|\\n[^\\n])*''[.!?\\s]*\\n)+", 'g');
 +
// keep stuff separated, though, so stick in \n (fixes [[Union Jack]]?
 +
this.data=this.data.replace(italicChunkRegex, '\n');
 +
};
 +
/**
 +
  @private
 +
*/
 +
Previewmaker.prototype.mopup = function () {
 +
// we simply *can't* be doing with horizontal rules right now
 +
this.data=this.data.replace(RegExp('^-{4,}','mg'),'');
  
function popTipsSoonFn(id, when, popData) {
+
// no indented lines
when || ( when=250 );
+
this.data=this.data.replace(RegExp('(^|\\n) *:[^\\n]*','g'), '');
var popTips=function(){ setupTooltips(document.getElementById(id), false, true, popData); };
 
return function() { setTimeout( popTips, when, popData ); };
 
}
 
  
function setPopupTipsAndHTML(html, divname, idnumber, popData) {
+
// replace __TOC__, __NOTOC__ and whatever else there is
setPopupHTML(html, divname, idnumber,
+
// this'll probably do
    getValueOf('popupSubpopups') ?
+
this.data=this.data.replace(RegExp('^__[A-Z_]*__ *$', 'gmi'),'');
    popTipsSoonFn(divname + idnumber, null, popData) :
+
};
    null);
+
/**
}
+
  @private
// ENDFILE: htmloutput.js
+
*/
// STARTFILE: mouseout.js
+
Previewmaker.prototype.firstBit = function () {
//////////////////////////////////////////////////
+
// dont't be givin' me no subsequent paragraphs, you hear me?
// fuzzy checks
+
/// first we "normalize" section headings, removing whitespace after, adding before
 +
var d=this.data;
  
function fuzzyCursorOffMenus(x,y, fuzz, parent) {
+
if (getValueOf('popupPreviewCutHeadings')) {
if (!parent) { return null; }
+
this.data=this.data.replace(RegExp('\\s*(==+[^=]*==+)\\s*', 'g'), '\n\n$1 ');
var uls=parent.getElementsByTagName('ul');
+
/// then we want to get rid of paragraph breaks whose text ends badly
for (var i=0; i<uls.length; ++i) {
+
this.data=this.data.replace(RegExp('([:;]) *\\n{2,}', 'g'), '$1\n');
if (uls[i].className=='popup_menu') {
 
if (uls[i].offsetWidth > 0) return false;
 
} // else {document.title+='.';}
 
}
 
return true;
 
}
 
  
function checkPopupPosition () { // stop the popup running off the right of the screen
+
this.data=this.data.replace(RegExp('^[\\s\\n]*'), '');
// FIXME avoid pg.current.link
+
var stuff=(RegExp('^([^\\n]|\\n[^\\n\\s])*')).exec(this.data);
pg.current.link && pg.current.link.navpopup &&
+
if (stuff) { d = stuff[0]; }
    pg.current.link.navpopup.limitHorizontalPosition();
+
if (!getValueOf('popupPreviewFirstParOnly')) { d = this.data; }
}
 
  
function mouseOutWikiLink () {
+
/// now put \n\n after sections so that bullets and numbered lists work
if (!window.popupsReady || !window.popupsReady()) { return; }
+
d=d.replace(RegExp('(==+[^=]*==+)\\s*', 'g'), '$1\n\n');
//console ('mouseOutWikiLink');
 
var a=this;
 
if (a.navpopup==null) return;
 
if ( ! a.navpopup.isVisible() ) {
 
a.navpopup.banish();
 
return;
 
 
}
 
}
Navpopup.tracker.addHook(posCheckerHook(a.navpopup));
 
}
 
  
function posCheckerHook(navpop) {
 
return function() {
 
if (!navpop.isVisible()) { return true; /* remove this hook */ }
 
if (Navpopup.tracker.dirty) {
 
    return false;
 
}
 
var x=Navpopup.tracker.x, y=Navpopup.tracker.y;
 
var mouseOverNavpop = navpop.isWithin(x,y,navpop.fuzz, navpop.mainDiv) ||
 
    !fuzzyCursorOffMenus(x,y,navpop.fuzz, navpop.mainDiv);
 
  
// FIXME it'd be prettier to do this internal to the Navpopup objects
+
// Split sentences. Superfluous sentences are RIGHT OUT.
var t=getValueOf('popupHideDelay');
+
// note: exactly 1 set of parens here needed to make the slice work
if (t) { t = t * 1000; }
+
d = d.parenSplit(RegExp('([!?.]+["'+"'"+']*\\s)','g'));
if (!t) {
+
// leading space is bad, mmkay?
if(!mouseOverNavpop) {
+
d[0]=d[0].replace(RegExp('^\\s*'), '');
    navpop.banish();
+
 
    return true; /* remove this hook */
+
var notSentenceEnds=RegExp('([^.][a-z][.] *[a-z]|etc|sic|Dr|Mr|Mrs|Ms|St|no|op|cit|\\[[^\\]]*|\\s[A-Zvclm])$', 'i');
 +
d = this.fixSentenceEnds(d, notSentenceEnds);
 +
 
 +
this.fullLength=d.join('').length;
 +
var n=this.maxSentences;
 +
var dd=this.firstSentences(d,n);  
 +
 
 +
do {
 +
dd=this.firstSentences(d,n); --n;
 +
} while ( dd.length > this.maxCharacters && n !== 0 );
 +
 
 +
this.data = dd;
 +
};
 +
/**
 +
  @private
 +
*/
 +
Previewmaker.prototype.fixSentenceEnds = function(strs, reg) {
 +
// take an array of strings, strs
 +
// join strs[i] to strs[i+1] & strs[i+2] if strs[i] matches regex reg
 +
 
 +
for (var i=0; i<strs.length-2; ++i) {
 +
if (reg.test(strs[i])) {
 +
var a=[];
 +
for (var j=0; j<strs.length; ++j) {
 +
if (j<i)   a[j]=strs[j];
 +
if (j==i) a[i]=strs[i]+strs[i+1]+strs[i+2];
 +
if (j>i+2) a[j-2]=strs[j];
 
}
 
}
return false;
+
return this.fixSentenceEnds(a,reg);
 
}
 
}
// we have a hide delay set
+
}
var d=+(new Date());
+
return strs;
if ( !navpop.mouseLeavingTime ) {
 
navpop.mouseLeavingTime = d;
 
return false;
 
}
 
if ( mouseOverNavpop ) {
 
navpop.mouseLeavingTime=null;
 
return false;
 
}
 
if (d - navpop.mouseLeavingTime > t) {
 
navpop.mouseLeavingTime=null;
 
navpop.banish(); return true; /* remove this hook */
 
}
 
return false;
 
};
 
}
 
 
 
function runStopPopupTimer(navpop) {
 
// at this point, we should have left the link but remain within the popup
 
// so we call this function again until we leave the popup.
 
if (!navpop.stopPopupTimer) {
 
navpop.stopPopupTimer=setInterval(posCheckerHook(navpop), 500);
 
navpop.addHook(function(){clearInterval(navpop.stopPopupTimer);},
 
      'hide', 'before');
 
}
 
}
 
// ENDFILE: mouseout.js
 
// STARTFILE: previewmaker.js
 
/**
 
  @fileoverview
 
  Defines the {@link Previewmaker} object, which generates short previews from wiki markup.
 
*/
 
 
 
/**
 
  Creates a new Previewmaker
 
  @constructor
 
  @class The Previewmaker class. Use an instance of this to generate short previews from Wikitext.
 
  @param {String} wikiText The Wikitext source of the page we wish to preview.
 
  @param {String} baseUrl The url we should prepend when creating relative urls.
 
  @param {Navpopup} owner The navpop associated to this preview generator
 
*/
 
function Previewmaker(wikiText, baseUrl, owner) {
 
/** The wikitext which is manipulated to generate the preview. */
 
this.originalData=wikiText;
 
this.setData();
 
this.baseUrl=baseUrl;
 
this.owner=owner;
 
this.maxCharacters=getValueOf('popupMaxPreviewCharacters');
 
this.maxSentences=getValueOf('popupMaxPreviewSentences');
 
}
 
Previewmaker.prototype.setData=function() {
 
var maxSize=max(10000, 2*this.maxCharacters);
 
this.data=this.originalData.substring(0,maxSize);
 
};
 
/** Remove HTML comments
 
    @private
 
*/
 
Previewmaker.prototype.killComments = function () {
 
// this also kills trailing spaces and one trailing newline, eg [[diamyo]]
 
this.data=this.data.replace(RegExp('<!--[\\s\\S]*?--> *\\n?', 'g'), '');
 
 
};
 
};
 
/**
 
/**
 
   @private
 
   @private
 
*/
 
*/
Previewmaker.prototype.killDivs = function () {
+
Previewmaker.prototype.firstSentences = function(strs, howmany) {
// say goodbye, divs (can be nested, so use * not *?)
+
var t=strs.slice(0, 2*howmany);
this.data=this.data.replace(RegExp('< *div[^>]* *>[\\s\\S]*?< */ *div *>',
+
return t.join('');
  'gi'), '');
 
 
};
 
};
 
/**
 
/**
 
   @private
 
   @private
 
*/
 
*/
Previewmaker.prototype.killGalleries = function () {
+
Previewmaker.prototype.killBadWhitespace = function() {
this.data=this.data.replace(RegExp('< *gallery[^>]* *>[\\s\\S]*?< */ *gallery *>',
+
// also cleans up isolated '''', eg [[Suntory Sungoliath]]
  'gi'), '');
+
this.data=this.data.replace(RegExp('^ *\'+ *$', 'gm'), '');
 
};
 
};
 
/**
 
/**
 +
  Runs the various methods to generate the preview.
 +
  The preview is stored in the <code>html</html> field.
 
   @private
 
   @private
 
*/
 
*/
Previewmaker.prototype.kill = function(opening, closing, subopening, subclosing, repl) {
+
Previewmaker.prototype.makePreview = function() {
var oldk=this.data;
+
if (this.owner.article.namespaceId()!=pg.nsTemplateId &&
var k=this.killStuff(this.data, opening, closing, subopening, subclosing, repl);
+
this.owner.article.namespaceId()!=pg.nsImageId ) {
while (k.length < oldk.length) {
+
this.killComments();
oldk=k;
+
this.killDivs();
k=this.killStuff(k, opening, closing, subopening, subclosing, repl);
+
this.killGalleries();
 +
this.killBoxTemplates();
 +
 
 +
if (getValueOf('popupPreviewKillTemplates')) {
 +
this.killTemplates();
 +
} else {
 +
this.killMultilineTemplates();
 +
}
 +
this.killTables();
 +
this.killImages();
 +
this.killHTML();
 +
this.killChunks();
 +
this.mopup();
 +
 
 +
this.firstBit();
 +
this.killBadWhitespace();
 +
}
 +
else
 +
{
 +
this.killHTML();
 
}
 
}
this.data=k;
+
this.html=wiki2html(this.data, this.baseUrl); // needs livepreview
 +
this.fixHTML();
 +
this.stripLongTemplates();
 
};
 
};
 
/**
 
/**
 
   @private
 
   @private
 
*/
 
*/
Previewmaker.prototype.killStuff = function (txt, opening, closing, subopening, subclosing, repl) {
+
Previewmaker.prototype.esWiki2HtmlPart = function(data) {
var op=this.makeRegexp(opening);
+
  var reLinks = /(?:\[\[([^|\]]*)(?:\|([^|\]]*))*]]([a-z]*))/gi; //match a wikilink
var cl=this.makeRegexp(closing, '^');
+
  reLinks.lastIndex = 0; //reset regex
var sb=subopening ? this.makeRegexp(subopening, '^') : null;
+
 
var sc=subclosing ? this.makeRegexp(subclosing, '^') : cl;
+
  var match;
if (!op || !cl) {
+
  var result = "";
    alert('Navigation Popups error: op or cl is null! something is wrong.');
+
  var postfixIndex = 0;
    return;
+
  while ((match = reLinks.exec(data))) //match all wikilinks
 +
  {
 +
//FIXME: the way that link is built here isn't perfect. It is clickable, but popups preview won't recognize it in some cases.
 +
result += pg.escapeQuotesHTML(data.substring(postfixIndex, match.index)) +
 +
  '<a href="'+Insta.conf.paths.articles+pg.escapeQuotesHTML(match[1])+'">'+pg.escapeQuotesHTML((match[2]?match[2]:match[1])+match[3])+"</a>";
 +
postfixIndex = reLinks.lastIndex;
 +
  }
 +
  //append the rest
 +
  result += pg.escapeQuotesHTML(data.substring(postfixIndex));
 +
 
 +
  return result;
 +
};
 +
Previewmaker.prototype.editSummaryPreview=function() {
 +
var reAes  = /\/\* *(.*?) *\*\//g; //match the first section marker
 +
reAes.lastIndex = 0; //reset regex
 +
 +
var match;
 +
 +
match = reAes.exec(this.data);
 +
if (match)
 +
{
 +
//we have a section link. Split it, process it, combine it.
 +
var prefix = this.data.substring(0,match.index-1);
 +
var section = match[1];
 +
var postfix = this.data.substring(reAes.lastIndex);
 +
 +
var start = "<span class='autocomment'>";
 +
var end = "</span>";
 +
if (prefix.length>0) start = this.esWiki2HtmlPart(prefix) + " " + start + "- ";
 +
if (postfix.length>0) end = ": " + end + this.esWiki2HtmlPart(postfix);
 +
 +
 
 +
var t=new Title().fromURL(this.baseUrl);
 +
t.anchorFromUtf(section);
 +
var sectionLink = Insta.conf.paths.articles + pg.escapeQuotesHTML(t.toString(true)) + '#' + pg.escapeQuotesHTML(t.anchor);
 +
return start + '<a href="'+sectionLink+'">&rarr;</a> '+pg.escapeQuotesHTML(section) + end;
 
}
 
}
if (!op.test(txt)) { return txt; }
+
var ret='';
+
//else there's no section link, htmlify the whole thing.
var opResult = op.exec(txt);
+
return this.esWiki2HtmlPart(this.data);
ret = txt.substring(0,opResult.index);
+
};
txt=txt.substring(opResult.index+opResult[0].length);
+
 
var depth = 1;
+
//<NOLITE>
while (txt.length > 0) {
+
/** Test function for debugging preview problems one step at a time.
var removal=0;
+
*/
if (depth==1 && cl.test(txt)) {
+
/*eslint-disable */
depth--;
+
function previewSteps(txt) {
removal=cl.exec(txt)[0].length;
+
try {
} else if (depth > 1 && sc.test(txt)) {
+
txt=txt || document.editform.wpTextbox1.value;
depth--;
+
} catch (err) {
removal=sc.exec(txt)[0].length;
+
if (pg.cache.pages.length > 0) {
}else if (sb && sb.test(txt)) {
+
txt=pg.cache.pages[pg.cache.pages.length-1].data;
depth++;
+
} else {
removal=sb.exec(txt)[0].length;
+
alert('provide text or use an edit page');
 
}
 
}
if ( !removal ) { removal = 1; }
 
txt=txt.substring(removal);
 
if (depth==0) { break; }
 
}
 
return ret + (repl || '') + txt;
 
};
 
/**
 
  @private
 
*/
 
Previewmaker.prototype.makeRegexp = function (x, prefix, suffix) {
 
prefix = prefix || '';
 
suffix = suffix || '';
 
var reStr='';
 
var flags='';
 
if (isString(x)) {
 
reStr=prefix + literalizeRegex(x) + suffix;
 
} else if (isRegExp(x)) {
 
var s=x.toString().substring(1);
 
var sp=s.split('/');
 
flags=sp[sp.length-1];
 
sp[sp.length-1]='';
 
s=sp.join('/');
 
s=s.substring(0,s.length-1);
 
reStr= prefix + s + suffix;
 
} else {
 
log ('makeRegexp failed');
 
 
}
 
}
 +
txt=txt.substring(0,10000);
 +
var base=pg.wiki.articlebase + Title.fromURL(document.location.href).urlString();
 +
var p=new Previewmaker(txt, base, pg.current.link.navpopup);
 +
if (this.owner.article.namespaceId() != pg.nsTemplateId) {
 +
p.killComments(); if (!confirm('done killComments(). Continue?\n---\n' + p.data)) { return; }
 +
p.killDivs(); if (!confirm('done killDivs(). Continue?\n---\n' + p.data)) { return; }
 +
p.killGalleries(); if (!confirm('done killGalleries(). Continue?\n---\n' + p.data)) { return; }
 +
p.killBoxTemplates(); if (!confirm('done killBoxTemplates(). Continue?\n---\n' + p.data)) { return; }
  
log ('makeRegexp: got reStr=' + reStr + ', flags=' + flags);
+
if (getValueOf('popupPreviewKillTemplates')) {
return RegExp(reStr, flags);
+
p.killTemplates(); if (!confirm('done killTemplates(). Continue?\n---\n' + p.data)) { return; }
};
+
} else {
/**
+
p.killMultilineTemplates(); if (!confirm('done killMultilineTemplates(). Continue?\n---\n' + p.data)) { return; }
  @private
+
}
*/
+
 
Previewmaker.prototype.killBoxTemplates = function () {
+
p.killTables(); if (!confirm('done killTables(). Continue?\n---\n' + p.data)) { return; }
 +
p.killImages(); if (!confirm('done killImages(). Continue?\n---\n' + p.data)) { return; }
 +
p.killHTML(); if (!confirm('done killHTML(). Continue?\n---\n' + p.data)) { return; }
 +
p.killChunks(); if (!confirm('done killChunks(). Continue?\n---\n' + p.data)) { return; }
 +
p.mopup(); if (!confirm('done mopup(). Continue?\n---\n' + p.data)) { return; }
  
// taxobox removal... in fact, there's a saudiprincebox_begin, so let's be more general
+
p.firstBit(); if (!confirm('done firstBit(). Continue?\n---\n' + p.data)) { return; }
// also, have float_begin, ... float_end
+
p.killBadWhitespace(); if (!confirm('done killBadWhitespace(). Continue?\n---\n' + p.data)) { return; }
this.kill(RegExp('[{][{][^{}\\s|]*?(float|box)[_ ](begin|start)', 'i'), /[}][}]\s*/, '{{');
+
}
  
// infoboxes etc
+
p.html=wiki2html(p.data, base); // needs livepreview
// from [[User:Zyxw/popups.js]]: kill frames too
+
p.fixHTML(); if (!confirm('done fixHTML(). Continue?\n---\n' + p.html)) { return; }
this.kill(RegExp('[{][{][^{}\\s|]*?(infobox|elementbox|frame)[_ ]', 'i'), /[}][}]\s*/, '{{');
+
p.stripLongTemplates(); if (!confirm('done stripLongTemplates(). Continue?\n---\n' + p.html)) { return; }
 +
alert('finished preview - end result follows.\n---\n' + p.html);
 +
}
 +
/*eslint-enable */
 +
//</NOLITE>
  
};
 
 
/**
 
/**
 +
  Works around livepreview bugs.
 
   @private
 
   @private
 
*/
 
*/
Previewmaker.prototype.killTemplates = function () {
+
Previewmaker.prototype.fixHTML = function() {
this.kill('{{', '}}', '{', '}', ' ');
+
if(!this.html) return;
 +
 
 +
  var ret = this.html;
 +
 
 +
// fix question marks in wiki links
 +
// maybe this'll break some stuff :-(
 +
ret=ret.replace(RegExp('(<a href="' + pg.wiki.articlePath + '/[^"]*)[?](.*?")', 'g'), '$1%3F$2');
 +
ret=ret.replace(RegExp('(<a href=\'' + pg.wiki.articlePath + '/[^\']*)[?](.*?\')', 'g'), '$1%3F$2');
 +
// FIXME fix up % too
 +
 +
 +
this.html=ret;
 +
};
 +
/**
 +
  Generates the preview and displays it in the current popup.
 +
 
 +
  Does nothing if the generated preview is invalid or consists of whitespace only.
 +
  Also activates wikilinks in the preview for subpopups if the popupSubpopups option is true.
 +
*/
 +
Previewmaker.prototype.showPreview = function () {
 +
this.makePreview();
 +
if (typeof this.html != typeof '') return;
 +
if (RegExp('^\\s*$').test(this.html)) return;
 +
setPopupHTML('<hr />', 'popupPrePreviewSep', this.owner.idNumber);
 +
setPopupTipsAndHTML(this.html, 'popupPreview', this.owner.idNumber, { owner: this.owner });
 +
var more = (this.fullLength > this.data.length) ? this.moreLink() : '';
 +
setPopupHTML(more, 'popupPreviewMore', this.owner.idNumber);
 
};
 
};
 
/**
 
/**
 
   @private
 
   @private
 
*/
 
*/
Previewmaker.prototype.killTables = function () {
+
Previewmaker.prototype.moreLink=function() {
// tables are bad, too
+
var a=document.createElement('a');
// this can be slow, but it's an inprovement over a browser hang
+
a.className='popupMoreLink';
// torture test: [[Comparison_of_Intel_Central_Processing_Units]]
+
a.innerHTML=popupString('more...');
this.kill('{|', /[|]}\s*/, '{|');
+
var savedThis=this;
this.kill(/<table.*?>/i, /<\/table.*?>/i, /<table.*?>/i);
+
a.onclick=function() {
// remove lines starting with a pipe for the hell of it (?)
+
savedThis.maxCharacters+=2000;
this.data=this.data.replace(RegExp('^[|].*$', 'mg'), '');
+
savedThis.maxSentences+=20;
 +
savedThis.setData();
 +
savedThis.showPreview();
 +
};
 +
return a;
 
};
 
};
 +
 
/**
 
/**
 
   @private
 
   @private
 
*/
 
*/
Previewmaker.prototype.killImages = function () {
+
Previewmaker.prototype.stripLongTemplates = function() {
// images and categories are a nono
+
// operates on the HTML!
this.kill(RegExp('[[][[]\\s*(Image|File|' + pg.ns.image + '|' + pg.ns.category + ')\\s*:', 'i'),
+
this.html=this.html.replace(RegExp('^.{0,1000}[{][{][^}]*?(<(p|br)( /)?>\\s*){2,}([^{}]*?[}][}])?', 'gi'), '');
  /\]\]\s*/, '[', ']');
+
this.html=this.html.split('\n').join(' '); // workaround for <pre> templates
 +
this.html=this.html.replace(RegExp('[{][{][^}]*<pre>[^}]*[}][}]','gi'), '');
 
};
 
};
 
/**
 
/**
 
   @private
 
   @private
 
*/
 
*/
Previewmaker.prototype.killHTML = function () {
+
Previewmaker.prototype.killMultilineTemplates = function() {
// kill <ref ...>...</ref>
+
this.kill('{{{', '}}}');
this.kill(/<ref\b.*?>/i, /<\/ref>/i);
+
this.kill(RegExp('\\s*[{][{][^{}]*\\n'), '}}', '{{');
 
+
};
// let's also delete entire lines starting with <. it's worth a try.
+
// ENDFILE: previewmaker.js
this.data=this.data.replace(RegExp('(^|\\n) *<.*', 'g'), '\n');
+
// STARTFILE: querypreview.js
 
+
function loadAPIPreview(queryType, article, navpop) {
// and those pesky html tags, but not <nowiki> or <blockquote>
+
var art=new Title(article).urlString();
var splitted=this.data.parenSplit(/(<.*?>)/);
+
var url=pg.wiki.apiwikibase + '?format=json&formatversion=2&action=query&';
var len=splitted.length;
+
var htmlGenerator=function(/*a, d*/){alert('invalid html generator');};
for (var i=1; i<len; i=i+2) {
+
var usernameart = '';
switch (splitted[i]) {
+
switch (queryType) {
case '<nowiki>':
+
case 'history':
case '</nowiki>':
+
url += 'titles=' + art + '&prop=revisions&rvlimit=' +
break;
+
getValueOf('popupHistoryPreviewLimit');
default:
+
htmlGenerator=APIhistoryPreviewHTML;
if (! /^< *\/? *blockquote\b/i.test(splitted[i])) {
+
break;
splitted[i]='';
+
case 'category':
}
+
url += 'list=categorymembers&cmtitle=' + art;
 +
htmlGenerator=APIcategoryPreviewHTML;
 +
break;
 +
case 'userinfo':
 +
var username = new Title( article ).userName();
 +
usernameart = encodeURIComponent( username );
 +
if (pg.re.ipUser.test(username)) {
 +
url += 'list=blocks&bkprop=range&bkip=' + usernameart;
 +
} else {
 +
url += 'list=users|usercontribs&usprop=blockinfo|groups|editcount|registration|gender&ususers=' + usernameart + "&meta=globaluserinfo&guiprop=groups|unattached&guiuser="+ usernameart + "&uclimit=1&ucprop=timestamp&ucuser=" + usernameart;
 +
}
 +
htmlGenerator=APIuserInfoPreviewHTML;
 +
break;
 +
case 'contribs':
 +
usernameart = encodeURIComponent( new Title( article ).userName() );
 +
url += 'list=usercontribs&ucuser=' + usernameart +
 +
'&uclimit=' + getValueOf('popupContribsPreviewLimit');
 +
htmlGenerator=APIcontribsPreviewHTML;
 +
break;
 +
case 'imagepagepreview':
 +
var trail='';
 +
if (getValueOf('popupImageLinks')) { trail = '&list=imageusage&iutitle=' + art; }
 +
url += 'titles=' + art + '&prop=revisions|imageinfo&rvprop=content' + trail;
 +
htmlGenerator=APIimagepagePreviewHTML;
 +
break;
 +
case 'backlinks':
 +
url += 'list=backlinks&bltitle=' + art;
 +
htmlGenerator=APIbacklinksPreviewHTML;
 +
break;
 +
case 'revision':
 +
if (article.oldid) {
 +
url += 'revids=' + article.oldid;
 +
} else {
 +
url += 'titles=' + article.removeAnchor().urlString();
 
}
 
}
 +
url += '&prop=revisions|pageprops|info|images|categories&rvprop=ids|timestamp|flags|comment|user|content&cllimit=max&imlimit=max';
 +
htmlGenerator=APIrevisionPreviewHTML;
 +
break;
 
}
 
}
this.data=splitted.join('');
+
pendingNavpopTask(navpop);
};
+
var callback=function(d){
/**
+
log( "callback of API functions was hit" );
  @private
+
showAPIPreview(queryType, htmlGenerator(article,d,navpop), navpop.idNumber, navpop, d);
*/
+
};
Previewmaker.prototype.killChunks = function() { // heuristics alert
+
var go = function(){
// chunks of italic text? you crazy, man?
+
getPageWithCaching(url, callback, navpop);
var italicChunkRegex=new RegExp
+
return true;
("((^|\\n)\\s*:*\\s*''[^']([^']|'''|'[^']){20}(.|\\n[^\\n])*''[.!?\\s]*\\n)+", 'g');
+
};
// keep stuff separated, though, so stick in \n (fixes [[Union Jack]]?
 
this.data=this.data.replace(italicChunkRegex, '\n');
 
};
 
/**
 
  @private
 
*/
 
Previewmaker.prototype.mopup = function () {
 
// we simply *can't* be doing with horizontal rules right now
 
this.data=this.data.replace(RegExp('^-{4,}','mg'),'');
 
  
// no indented lines
+
if (navpop.visible || !getValueOf('popupLazyDownloads')) { go(); }
this.data=this.data.replace(RegExp('(^|\\n) *:[^\\n]*','g'), '');
+
else { navpop.addHook(go, 'unhide', 'before', 'DOWNLOAD_'+queryType+'_QUERY_DATA'); }
 +
}
  
// replace __TOC__, __NOTOC__ and whatever else there is
+
function linkList(list) {
// this'll probably do
+
list.sort(function(x,y) { return (x==y ? 0 : (x<y ? -1 : 1)); });
this.data=this.data.replace(RegExp('^__[A-Z_]*__ *$', 'gmi'),'');
+
var buf=[];
};
+
for (var i=0; i<list.length; ++i) {
/**
+
buf.push(wikiLink({article: new Title(list[i]),
  @private
+
  text: list[i].split(' ').join('&nbsp;'),
*/
+
  action:  'view'}));
Previewmaker.prototype.firstBit = function () {
+
}
// dont't be givin' me no subsequent paragraphs, you hear me?
+
return buf.join(', ');
/// first we "normalize" section headings, removing whitespace after, adding before
+
}
var d=this.data;
 
  
if (getValueOf('popupPreviewCutHeadings')) {
+
function getTimeOffset() {
this.data=this.data.replace(RegExp('\\s*(==+[^=]*==+)\\s*', 'g'), '\n\n$1 ');
+
var tz = mw.user.options.get('timecorrection');
/// then we want to get rid of paragraph breaks whose text ends badly
 
this.data=this.data.replace(RegExp('([:;]) *\\n{2,}', 'g'), '$1\n');
 
  
this.data=this.data.replace(RegExp('^[\\s\\n]*'), '');
+
if(tz) {
stuff=(RegExp('^([^\\n]|\\n[^\\n\\s])*')).exec(this.data);
+
if( tz.indexOf('|') > -1 ) {
if (stuff) { d = stuff[0]; }
+
// New format
if (!getValueOf('popupPreviewFirstParOnly')) { d = this.data; }
+
return parseInt(tz.split('|')[1],10);
 
+
} else if ( tz.indexOf(':') > -1 ) {
/// now put \n\n after sections so that bullets and numbered lists work
+
// Old format
d=d.replace(RegExp('(==+[^=]*==+)\\s*', 'g'), '$1\n\n');
+
return( parseInt(tz,10)*60 + parseInt(tz.split(':')[1],10) );
 +
}
 
}
 
}
 +
return 0;
 +
}
  
 +
/*
 +
* Creates a HTML table that's shown in the history and user-contribs popups.
 +
* @param {Object[]} h - a list of revisions, returned from the API
 +
* @param {boolean} reallyContribs - true only if we're displaying user contributions
 +
*/
 +
function editPreviewTable(article, h, reallyContribs, timeOffset) {
 +
var html=['<table>'];
 +
var day=null;
 +
var curart=article;
 +
var page=null;
  
// superfluous sentences are RIGHT OUT.
+
var makeFirstColumnLinks;
// note: exactly 1 set of parens here needed to make the slice work
+
if(reallyContribs) {
d = d.parenSplit(RegExp('([!?.]+["'+"'"+']*\\s)','g'));
 
// leading space is bad, mmkay?
 
d[0]=d[0].replace(RegExp('^\\s*'), '');
 
  
var notSentenceEnds=RegExp('([^.][a-z][.] *[a-z]|etc|sic|Dr|Mr|Mrs|Ms|St|no|op|cit|\\[[^\\]]*|\\s[A-Zvclm])$', 'i');
+
// We're showing user contributions, so make (diff | hist) links
d = this.fixSentenceEnds(d, notSentenceEnds);
+
makeFirstColumnLinks = function(currentRevision) {
 +
var result = '(';
 +
result += '<a href="' + pg.wiki.titlebase +
 +
new Title(currentRevision.title).urlString() + '&diff=prev' +
 +
'&oldid=' + currentRevision.revid + '">' + popupString('diff') + '</a>';
 +
result += '&nbsp;|&nbsp;';
 +
result += '<a href="' + pg.wiki.titlebase +
 +
new Title(currentRevision.title).urlString() + '&action=history">' +
 +
popupString('hist') + '</a>';
 +
result += ')';
 +
return result;
 +
};
 +
} else {
  
this.fullLength=d.join('').length;
+
// It's a regular history page, so make (cur | last) links
var maxChars=getValueOf('popupMaxPreviewCharacters') + this.extraCharacters;
+
var firstRevid = h[0].revid;
var n=this.maxSentences;
+
makeFirstColumnLinks = function(currentRevision) {
var dd=this.firstSentences(d,n);  
+
var result = '(';
 +
result += '<a href="' + pg.wiki.titlebase + new Title(curart).urlString() +
 +
'&diff=' + firstRevid + '&oldid=' + currentRevision.revid + '">' + popupString('cur') + '</a>';
 +
result += '&nbsp;|&nbsp;';
 +
result += '<a href="' + pg.wiki.titlebase + new Title(curart).urlString() +
 +
'&diff=prev&oldid=' + currentRevision.revid + '">' + popupString('last') + '</a>';
 +
result += ')';
 +
return result;
 +
};
 +
}
  
do {
+
for (var i=0; i<h.length; ++i) {
dd=this.firstSentences(d,n); --n;
+
if (reallyContribs) {
} while ( dd.length > this.maxCharacters && n != 0 );
+
page = h[i].title;
 
+
curart = new Title(page);
this.data = dd;
+
}
};
+
var minor = h[i].minor ? '<b>m </b>' : '';
/**
+
var editDate = adjustDate(getDateFromTimestamp(h[i].timestamp), timeOffset);
  @private
+
var thisDay = dayFormat(editDate);
*/
+
var thisTime = timeFormat(editDate);
Previewmaker.prototype.fixSentenceEnds = function(strs, reg) {
+
if (thisDay == day) {
// take an array of strings, strs
+
thisDay = '';
// join strs[i] to strs[i+1] & strs[i+2] if strs[i] matches regex reg
+
} else {
 
+
day = thisDay;
var abbrevRe=/\b[a-z][^a-z]*$/i;
+
}
 
+
if (thisDay) {
for (var i=0; i<strs.length-2; ++i) {
+
html.push( '<tr><td colspan=3><span class="popup_history_date">' +
if (reg.test(strs[i])) {
+
  thisDay+'</span></td></tr>' );
a=[];
+
}
for (var j=0; j<strs.length; ++j) {
+
html.push('<tr class="popup_history_row_' + ( (i%2) ? 'odd' : 'even') + '">');
if (j<i)   a[j]=strs[j];
+
html.push('<td>' + makeFirstColumnLinks(h[i]) + '</td>');
if (j==i) a[i]=strs[i]+strs[i+1]+strs[i+2];
+
html.push('<td>' +
if (j>i+2) a[j-2]=strs[j];
+
'<a href="' + pg.wiki.titlebase + new Title(curart).urlString() +
 +
'&oldid=' + h[i].revid + '">' + thisTime + '</a></td>');
 +
var col3url='', col3txt='';
 +
if (!reallyContribs) {
 +
var user=h[i].user;
 +
if( !h[i].userhidden ) {
 +
if( pg.re.ipUser.test(user) ) {
 +
col3url=pg.wiki.titlebase + mw.config.get('wgFormattedNamespaces')[pg.nsSpecialId] + ':Contributions&target=' + new Title(user).urlString();
 +
} else {
 +
col3url=pg.wiki.titlebase + mw.config.get('wgFormattedNamespaces')[pg.nsUserId] + ':' + new Title(user).urlString();
 +
}
 +
col3txt=pg.escapeQuotesHTML(user);
 +
} else {
 +
col3url=getValueOf('popupRevDelUrl');
 +
col3txt=pg.escapeQuotesHTML( popupString('revdel'));
 
}
 
}
return this.fixSentenceEnds(a,reg);
+
} else {
 +
col3url=pg.wiki.titlebase + curart.urlString();
 +
col3txt=pg.escapeQuotesHTML(page);
 
}
 
}
// BUGGY STUFF - trying to fix up [[S. C. Johnson & Son]] preview
+
html.push('<td>' + (reallyContribs ? minor : '') +
if (false && abbrevRe.test(strs[i])) {
+
'<a href="' + col3url + '">' + col3txt + '</a></td>');
var j=i, buf='';
+
var comment='';
do {
+
var c=h[i].comment || h[i].content;
buf=buf+strs[i]+strs[i+1];
+
if (c) {
i=i+2;
+
comment=new Previewmaker(c, new Title(curart).toUrl()).editSummaryPreview();
} while (i<strs.length-2 && abbrevRe.test(strs[i]));
+
} else if ( h[i].commenthidden ) {
strs[i]=buf+strs[i];
+
comment=popupString('revdel');
var a=(j?strs.slice(0,j-1):[]).concat(strs.slice(i));
 
return this.fixSentenceEnds(a,reg);
 
 
}
 
}
 +
html.push('<td>' + (!reallyContribs ? minor : '') + comment + '</td>');
 +
html.push('</tr>');
 +
html=[html.join('')];
 
}
 
}
return strs;
+
html.push('</table>');
};
+
return html.join('');
/**
+
}
  @private
+
 
*/
+
function getDateFromTimestamp(t) {
Previewmaker.prototype.firstSentences = function(strs, howmany) {
+
var s=t.split(/[^0-9]/);
var t=strs.slice(0, 2*howmany);
+
switch(s.length) {
return t.join('');
+
case 0: return null;
};
+
case 1: return new Date(s[0]);
/**
+
case 2: return new Date(s[0], s[1]-1);
  @private
+
case 3: return new Date(s[0], s[1]-1, s[2]);
*/
+
case 4: return new Date(s[0], s[1]-1, s[2], s[3]);
Previewmaker.prototype.killBadWhitespace = function() {
+
case 5: return new Date(s[0], s[1]-1, s[2], s[3], s[4]);
// also cleans up isolated '''', eg [[Suntory Sungoliath]]
+
case 6: return new Date(s[0], s[1]-1, s[2], s[3], s[4], s[5]);
this.data=this.data.replace(RegExp('^ *\'+ *$', 'gm'), '');
+
default: return new Date(s[0], s[1]-1, s[2], s[3], s[4], s[5], s[6]);
};
+
}
/**
+
}
  Runs the various methods to generate the preview.
 
  The preview is stored in the <code>html</html> field.
 
  @private
 
*/
 
Previewmaker.prototype.makePreview = function() {
 
if (this.owner.article.namespace()!=pg.ns.template &&
 
this.owner.article.namespace()!=pg.ns.image ) {
 
this.killComments();
 
this.killDivs();
 
this.killGalleries();
 
this.killBoxTemplates();
 
  
if (getValueOf('popupPreviewKillTemplates')) {
+
function adjustDate(d, offset) {
this.killTemplates();
+
// offset is in minutes
} else {
+
var o=offset * 60 * 1000;
this.killMultilineTemplates();
+
return new Date( +d + o);
}
+
}
this.killTables();
 
this.killImages();
 
this.killHTML();
 
this.killChunks();
 
this.mopup();
 
  
this.firstBit();
+
function dayFormat(editDate, utc) {
this.killBadWhitespace();
+
if (utc) { return map(zeroFill, [editDate.getUTCFullYear(), editDate.getUTCMonth()+1, editDate.getUTCDate()]).join('-'); }
 +
return map(zeroFill, [editDate.getFullYear(), editDate.getMonth()+1, editDate.getDate()]).join('-');
 +
}
 +
 
 +
function timeFormat(editDate, utc) {
 +
if (utc) { return map(zeroFill, [editDate.getUTCHours(), editDate.getUTCMinutes(), editDate.getUTCSeconds()]).join(':'); }
 +
return map(zeroFill, [editDate.getHours(), editDate.getMinutes(), editDate.getSeconds()]).join(':');
 +
}
 +
 
 +
function showAPIPreview(queryType, html, id, navpop, download) {
 +
// DJ: done
 +
var target='popupPreview';
 +
completedNavpopTask(navpop);
 +
 
 +
switch (queryType) {
 +
case 'imagelinks':
 +
case 'category':
 +
target='popupPostPreview'; break;
 +
case 'userinfo':
 +
target='popupUserData'; break;
 +
case 'revision':
 +
insertPreview(download);
 +
return;
 +
}
 +
setPopupTipsAndHTML(html, target, id);
 +
}
 +
 
 +
function APIrevisionPreviewHTML(article, download) {
 +
try{
 +
var jsObj=getJsObj(download.data);
 +
var page=anyChild(jsObj.query.pages);
 +
if( page.missing ) {
 +
// TODO we need to fix this proper later on
 +
download.owner = null;
 +
return;
 +
}
 +
var content = (
 +
page &&
 +
page.revisions &&
 +
page.revisions[0].contentmodel === 'wikitext'
 +
) ? page.revisions[0].content : null;
 +
if( typeof content === 'string' )
 +
{
 +
download.data = content;
 +
download.lastModified = new Date(page.revisions[0].timestamp);
 +
}
 +
} catch(someError) {
 +
return 'Revision preview failed :(';
 
}
 
}
else
+
}
 +
 
 +
function APIbacklinksPreviewHTML(article, download/*, navpop*/ ) {
 +
try {
 +
var jsObj=getJsObj(download.data);
 +
var list=jsObj.query.backlinks;
 +
 
 +
var html=[];
 +
if (!list) { return popupString('No backlinks found'); }
 +
for ( var i=0; i < list.length; i++ ) {
 +
var t=new Title(list[i].title);
 +
html.push('<a href="' + pg.wiki.titlebase + t.urlString() + '">' + t + '</a>');
 +
}
 +
html=html.join(', ');
 +
if (jsObj['continue'] && jsObj['continue'].blcontinue) {
 +
html += popupString(' and more');
 +
}
 +
return html;
 +
} catch (someError) {
 +
return 'backlinksPreviewHTML went wonky';
 +
}
 +
}
 +
 
 +
pg.fn.APIsharedImagePagePreviewHTML = function APIsharedImagePagePreviewHTML(obj) {
 +
log( "APIsharedImagePagePreviewHTML" );
 +
var popupid = obj.requestid;
 +
if( obj.query && obj.query.pages )
 
{
 
{
this.killHTML();
+
var page=anyChild(obj.query.pages );
 +
var content = (
 +
page &&
 +
page.revisions &&
 +
page.revisions[0].contentmodel === 'wikitext'
 +
) ? page.revisions[0].content : null;
 +
if( typeof content === 'string' )
 +
{
 +
/* Not entirely safe, but the best we can do */
 +
var p=new Previewmaker(content, pg.current.link.navpopup.article, pg.current.link.navpopup);
 +
p.makePreview();
 +
setPopupHTML( p.html, "popupSecondPreview", popupid );
 +
}
 
}
 
}
this.html=wiki2html(this.data, this.baseUrl); // needs livepreview
 
this.fixHTML();
 
this.stripLongTemplates();
 
 
};
 
};
/**
 
  @private
 
*/
 
Previewmaker.prototype.esWiki2HtmlPart = function(data) {
 
  var reLinks = /(?:\[\[([^|\]]*)(?:\|([^|\]]*))*]]([a-z]*))/gi; //match a wikilink
 
  reLinks.lastIndex = 0; //reset regex
 
  
  var match;
+
function APIimagepagePreviewHTML(article, download, navpop) {
  var result = "";
+
try {
  var postfixIndex = 0;
+
var jsObj=getJsObj(download.data);
  while ((match = reLinks.exec(data)) != null) //match all wikilinks
+
var page=anyChild(jsObj.query.pages);
  {
+
var content= (
    //FIXME: the way that link is built here isn't perfect. It is clickable, but popups preview won't recognize it in some cases.
+
page &&
    result += escapeQuotesHTML(data.substring(postfixIndex, match.index)) +
+
page.revisions &&
              "<a href='"+Insta.conf.paths.articles+match[1]+"'>"+escapeQuotesHTML((match[2]?match[2]:match[1])+match[3])+"</a>";
+
page.revisions[0].contentmodel === 'wikitext'
    postfixIndex = reLinks.lastIndex;
+
) ? page.revisions[0].content : null;
  }
+
var ret='';
  //append the rest
+
var alt='';
  result += escapeQuotesHTML(data.substring(postfixIndex));
+
try{alt=navpop.parentAnchor.childNodes[0].alt;} catch(e){}
 
+
if (alt) {
  return result;
+
ret = ret + '<hr /><b>' + popupString('Alt text:') + '</b> ' + pg.escapeQuotesHTML(alt);
};
+
}
Previewmaker.prototype.editSummaryPreview=function() {
+
if (typeof content === 'string') {
var reAes  = /\/\* *(.*?) *\*\//g; //match the first section marker
+
var p=prepPreviewmaker(content, article, navpop);
reAes.lastIndex = 0; //reset regex
+
p.makePreview();
+
if (p.html) { ret += '<hr />' + p.html; }
var match;
+
if (getValueOf('popupSummaryData')) {
+
var info=getPageInfo(content, download);
match = reAes.exec(this.data);
+
log(info);
if (match)
+
setPopupTrailer(info, navpop.idNumber);
{
+
}
//we have a section link. Split it, process it, combine it.
+
}
var prefix = this.data.substring(0,match.index-1);
+
if (page && page.imagerepository == "shared" ) {
var section = match[1];
+
var art=new Title(article);
var postfix = this.data.substring(reAes.lastIndex);
+
var encart = encodeURIComponent( "File:" + art.stripNamespace() );
+
var shared_url =  pg.wiki.apicommonsbase + '?format=json&formatversion=2' +
var start = "<span class='autocomment'>";
+
'&callback=pg.fn.APIsharedImagePagePreviewHTML' +
var end = "</span>";
+
'&requestid=' + navpop.idNumber +
if (prefix.length>0) start = this.esWiki2HtmlPart(prefix) + " " + start + "- ";
+
'&action=query&prop=revisions&rvprop=content&titles=' + encart;
if (postfix.length>0) end = ": " + end + this.esWiki2HtmlPart(postfix);
+
 
+
ret = ret +'<hr />' + popupString( 'Image from Commons') +
 +
': <a href="' + pg.wiki.commonsbase + '?title=' + encart + '">' +
 +
popupString( 'Description page') + '</a>';
 +
mw.loader.load( shared_url );
 +
}
 +
showAPIPreview('imagelinks', APIimagelinksPreviewHTML(article,download), navpop.idNumber, download);
 +
return ret;
 +
} catch (someError) {
 +
return 'API imagepage preview failed :(';
 +
}
 +
}
  
var t=new Title().fromURL(this.baseUrl);
+
function APIimagelinksPreviewHTML(article, download) {
t.anchorFromUtf(section);
 
var sectionLink = Insta.conf.paths.articles + t.toString(true).split("'").join('%27') + '#' + t.anchor.split("'").join('%27');
 
return start + "<a href='"+sectionLink+"'>&rarr;</a> "+escapeQuotesHTML(section) + end;
 
}
 
 
//else there's no section link, htmlify the whole thing.
 
return this.esWiki2HtmlPart(this.data);
 
};
 
 
 
//<NOLITE>
 
/** Test function for debugging preview problems one step at a time.
 
*/
 
function previewSteps(txt) {
 
 
try {
 
try {
txt=txt || document.editform.wpTextbox1.value;
+
var jsobj=getJsObj(download.data);
} catch (err) {
+
var list=jsobj.query.imageusage;
if (pg.cache.pages.length > 0) {
+
if (list) {
txt=pg.cache.pages[pg.cache.pages.length-1].data;
+
var ret=[];
 +
for (var i=0; i < list.length; i++) {
 +
ret.push(list[i].title);
 +
}
 +
if (ret.length === 0) { return popupString('No image links found'); }
 +
return '<h2>' + popupString('File links') + '</h2>' + linkList(ret);
 
} else {
 
} else {
alert('provide text or use an edit page');
+
return popupString('No image links found');
 
}
 
}
 +
} catch(someError) {
 +
return 'Image links preview generation failed :(';
 
}
 
}
txt=txt.substring(0,10000);
+
}
var base=pg.wiki.articlebase + Title.fromURL(document.location.href).urlString();
 
var p=new Previewmaker(txt, base, pg.current.link.navpopup);
 
if (this.owner.article.namespace() != pg.ns.template) {
 
p.killComments(); if (!confirm('done killComments(). Continue?\n---\n' + p.data)) { return; }
 
p.killDivs(); if (!confirm('done killDivs(). Continue?\n---\n' + p.data)) { return; }
 
p.killGalleries(); if (!confirm('done killGalleries(). Continue?\n---\n' + p.data)) { return; }
 
p.killBoxTemplates(); if (!confirm('done killBoxTemplates(). Continue?\n---\n' + p.data)) { return; }
 
  
if (getValueOf('popupPreviewKillTemplates')) {
+
function APIcategoryPreviewHTML(article, download) {
p.killTemplates(); if (!confirm('done killTemplates(). Continue?\n---\n' + p.data)) { return; }
+
try{
} else {
+
var jsobj=getJsObj(download.data);
p.killMultilineTemplates(); if (!confirm('done killMultilineTemplates(). Continue?\n---\n' + p.data)) { return; }
+
var list=jsobj.query.categorymembers;
 +
var ret=[];
 +
for (var p=0; p < list.length; p++) {
 +
  ret.push(list[p].title);  
 +
}
 +
if (ret.length === 0) { return popupString('Empty category'); }
 +
ret = '<h2>' + tprintf('Category members (%s shown)', [ret.length]) + '</h2>' +linkList(ret);
 +
if (jsobj['continue'] && jsobj['continue'].cmcontinue) {
 +
ret += popupString(' and more');
 
}
 
}
 
+
return ret;
p.killTables(); if (!confirm('done killTables(). Continue?\n---\n' + p.data)) { return; }
+
} catch(someError) {
p.killImages(); if (!confirm('done killImages(). Continue?\n---\n' + p.data)) { return; }
+
return 'Category preview failed :(';
p.killHTML(); if (!confirm('done killHTML(). Continue?\n---\n' + p.data)) { return; }
 
p.killChunks(); if (!confirm('done killChunks(). Continue?\n---\n' + p.data)) { return; }
 
p.mopup(); if (!confirm('done mopup(). Continue?\n---\n' + p.data)) { return; }
 
 
 
p.firstBit(); if (!confirm('done firstBit(). Continue?\n---\n' + p.data)) { return; }
 
p.killBadWhitespace(); if (!confirm('done killBadWhitespace(). Continue?\n---\n' + p.data)) { return; }
 
 
}
 
}
 +
}
  
p.html=wiki2html(p.data, base); // needs livepreview
+
function APIuserInfoPreviewHTML(article, download) {
p.fixHTML(); if (!confirm('done fixHTML(). Continue?\n---\n' + p.html)) { return; }
+
var ret=[];
p.stripLongTemplates(); if (!confirm('done stripLongTemplates(). Continue?\n---\n' + p.html)) { return; }
+
var queryobj = {};
alert('finished preview - end result follows.\n---\n' + p.html);
+
try{
 +
queryobj=getJsObj(download.data).query;
 +
} catch(someError) { return 'Userinfo preview failed :('; }
 +
 
 +
var user=anyChild(queryobj.users);
 +
if (user) {
 +
var globaluserinfo=queryobj.globaluserinfo;
 +
if (user.invalid === '') {
 +
ret.push( popupString( 'Invalid user') );
 +
} else if (user.missing === '') {
 +
ret.push( popupString( 'Not a registered username') );
 +
}
 +
if( user.blockedby )
 +
ret.push('<b>' + popupString('BLOCKED') + '</b>');
 +
if( globaluserinfo && ( 'locked' in globaluserinfo || 'hidden' in globaluserinfo ) ) {
 +
var lockedSulAccountIsAttachedToThis = true;
 +
for( var i=0; globaluserinfo.unattached && i < globaluserinfo.unattached.length; i++) {
 +
if ( globaluserinfo.unattached[i].wiki === mw.config.get('wgDBname') ) {
 +
lockedSulAccountIsAttachedToThis=false;
 +
break;
 +
}
 +
}
 +
if (lockedSulAccountIsAttachedToThis) {
 +
if ( 'locked' in globaluserinfo ) ret.push('<b><i>' + popupString('LOCKED') + '</i></b>');
 +
if ( 'hidden' in globaluserinfo ) ret.push('<b><i>' + popupString('HIDDEN') + '</i></b>');
 +
}
 +
}
 +
if( getValueOf('popupShowGender') && user.gender ) {
 +
switch( user.gender ) {
 +
case "male": ret.push( popupString( "\u2642" ) ); break;
 +
case "female": ret.push( popupString( "\u2640" ) ); break;
 +
}
 +
}
 +
if( user.groups ) {
 +
for( var j=0; j < user.groups.length; j++) {
 +
var currentGroup = user.groups[j];
 +
if( ["*", "user", "autoconfirmed", "extendedconfirmed"].indexOf( currentGroup ) === -1 ) {
 +
ret.push( pg.escapeQuotesHTML(user.groups[j]) );
 +
}
 +
}
 +
}
 +
if( globaluserinfo && globaluserinfo.groups ) {
 +
for( var k=0; k < globaluserinfo.groups.length; k++) {
 +
ret.push( '<i>'+pg.escapeQuotesHTML(globaluserinfo.groups[k])+'</i>' );
 +
}
 +
}
 +
if( user.registration )
 +
ret.push( pg.escapeQuotesHTML((user.editcount?user.editcount:'0') + popupString(' edits since: ') + (user.registration?dayFormat(getDateFromTimestamp(user.registration)):'')) );
 +
}
 +
 
 +
if (queryobj.usercontribs && queryobj.usercontribs.length) {
 +
ret.push( popupString('last edit on ') + dayFormat(getDateFromTimestamp(queryobj.usercontribs[0].timestamp)) );
 +
}
 +
 +
if (queryobj.blocks) {
 +
ret.push( popupString( 'IP user') ); //we only request list=blocks for IPs
 +
for (var l=0; l<queryobj.blocks.length; l++) {
 +
ret.push('<b>' + popupString(queryobj.blocks[l].rangestart === queryobj.blocks[l].rangeend ? 'BLOCKED' : 'RANGEBLOCKED') + '</b>' );
 +
}
 +
}
 +
 +
ret = '<hr />' + ret.join( ', ' );
 +
return ret;
 
}
 
}
//</NOLITE>
 
  
/**
+
function APIcontribsPreviewHTML(article, download, navpop) {
  Works around a quoting bug in livepreview.
+
return APIhistoryPreviewHTML(article, download, navpop, true);
  <code>wiki2html('[[Foo\'s "bar"]]')</code> gives @literal{<a href='Foo's "bar"'>}
+
}
  which doesn't do very well. We change this into @literal{<a href="Foo's %22bar%22">}
 
  @private
 
*/
 
Previewmaker.prototype.fixHTML = function() {
 
if(!this.html) return;
 
// all links seem to have potential issues with quotation marks
 
var splitted=this.html.parenSplit(/href='([^>]*)'/g);
 
var ret='';
 
for (var i=0; i<splitted.length; ++i) {
 
if(i%2==0) { ret += splitted[i]; continue; }
 
if(i%2==1) { ret += 'href="' + splitted[i].split('"').join('%22') + '"'; }
 
}
 
// fix question marks in wiki links
 
// maybe this'll break some stuff :-(
 
ret=ret.replace(RegExp('\(<a href="/' + pg.wiki.articlePath + '/[^"]*\)[?]\(.*?"\)', 'g'), '$1%3F$2');
 
// FIXME fix up % too
 
this.html=ret;
 
};
 
/**
 
  Generates the preview and displays it in the current popup.
 
  
  Does nothing if the generated preview is invalid or consists of whitespace only.
+
function APIhistoryPreviewHTML(article, download, navpop, reallyContribs) {
  Also activates wikilinks in the preview for subpopups if the popupSubpopups option is true.
+
try {
*/
+
var jsobj=getJsObj(download.data);
Previewmaker.prototype.showPreview = function () {
+
var edits = [];
this.makePreview();
+
if( reallyContribs ) {
if (typeof this.html != typeof '') return;
+
edits=jsobj.query.usercontribs;
if (RegExp('^\\s*$').test(this.html)) return;
+
} else {
setPopupHTML('<hr>', 'popupPrePreviewSep', this.owner.idNumber);
+
edits=anyChild(jsobj.query.pages).revisions;
setPopupTipsAndHTML(this.html, 'popupPreview', this.owner.idNumber, { owner: this.owner });
+
}
var more = (this.fullLength > this.data.length) ? this.moreLink() : '';
+
 
setPopupHTML(more, 'popupPreviewMore', this.owner.idNumber);
+
var ret=editPreviewTable(article, edits, reallyContribs, getTimeOffset());
};
+
return ret;
/**
+
} catch (someError) {
  @private
+
return 'History preview failed :-(';
*/
 
Previewmaker.prototype.moreLink=function() {
 
var a=document.createElement('a');
 
a.className='popupMoreLink';
 
a.innerHTML=popupString('more...');
 
var savedThis=this;
 
a.onclick=function() {
 
savedThis.maxCharacters+=2000;
 
savedThis.maxSentences+=20;
 
savedThis.setData();
 
savedThis.showPreview();
 
 
}
 
}
return a;
 
 
}
 
}
  
/**
+
 
  @private
+
//</NOLITE>
*/
+
// ENDFILE: querypreview.js
Previewmaker.prototype.stripLongTemplates = function() {
+
// STARTFILE: debug.js
// operates on the HTML!
+
////////////////////////////////////////////////////////////////////
this.html=this.html.replace(RegExp('^.{0,1000}[{][{][^}]*?(<(p|br)( /)?>\\s*){2,}([^{}]*?[}][}])?', 'gi'), '');
+
// Debugging functions
this.html=this.html.split('\n').join(' '); // workaround for <pre> templates
+
////////////////////////////////////////////////////////////////////
this.html=this.html.replace(RegExp('[{][{][^}]*<pre>[^}]*[}][}]','gi'), '');
+
 
};
+
function setupDebugging() {
/**
+
//<NOLITE>
  @private
+
if (window.popupDebug) { // popupDebug is set from .version
*/
+
window.log=function(x) { //if(gMsg!='')gMsg += '\n'; gMsg+=time() + ' ' + x; };
Previewmaker.prototype.killMultilineTemplates = function() {
+
window.console.log(x);
this.kill('{{{', '}}}');
+
};
this.kill(RegExp('\\s*[{][{][^{}]*\\n'), '}}', '{{');
+
window.errlog=function(x) {
};
+
window.console.error(x);
// ENDFILE: previewmaker.js
+
};
// STARTFILE: querypreview.js
+
log('Initializing logger');
function loadAPIPreview(queryType, article, navpop) {
+
} else {
var art=new Title(article).urlString();
+
//</NOLITE>
var url=pg.wiki.wikibase + '/api.php?format=json&action=query&';
+
window.log = function() {};
var htmlGenerator=function(a,d){alert('invalid html generator');};
+
window.errlog = function() {};
switch (queryType) {
+
//<NOLITE>
case 'history':
 
url += 'meta=userinfo&uiprop=options&titles=' + art + '&prop=revisions&rvlimit=' +
 
getValueOf('popupHistoryPreviewLimit');
 
htmlGenerator=APIhistoryPreviewHTML;
 
break;
 
case 'category':
 
url += 'list=categorymembers&cmtitle=' + art;
 
htmlGenerator=APIcategoryPreviewHTML;
 
break;
 
case 'userinfo':
 
var usernameart = encodeURIComponent( new Title( article ).userName() );
 
url += 'list=users&usprop=blockinfo|groups|editcount|registration&ususers=' + usernameart;
 
htmlGenerator=APIuserInfoPreviewHTML;
 
break;
 
case 'contribs':
 
    var usernameart = encodeURIComponent( new Title( article ).userName() );
 
url += 'list=usercontribs&meta=userinfo&uiprop=options&ucuser=' + usernameart +
 
'&uclimit=' + getValueOf('popupContribsPreviewLimit');
 
htmlGenerator=APIcontribsPreviewHTML;
 
break;
 
case 'imagepagepreview':
 
var trail='';
 
if (getValueOf('popupImageLinks')) { trail = '&list=imageusage&iutitle=' + art; }
 
url += 'titles=' + art + '&prop=revisions|imageinfo&rvprop=content' + trail;
 
htmlGenerator=APIimagepagePreviewHTML;
 
break;
 
case 'backlinks':
 
url += 'list=backlinks&bltitle=' + art;
 
htmlGenerator=APIbacklinksPreviewHTML;
 
break;
 
}
 
pendingNavpopTask(navpop);
 
if( !window.wgEnableAPI || !wgEnableAPI ) {
 
/* The API is not available */
 
htmlGenerator=function(a,d){
 
return 'This function of navigation popups now requires a MediaWiki ' +
 
'installation with the <a href="//www.mediawiki.org/wiki/API">API</a> enabled.'; };
 
 
}
 
}
 +
//</NOLITE>
 +
}
 +
// ENDFILE: debug.js
 +
// STARTFILE: images.js
 +
 +
// load image of type Title.
 +
function loadImage(image, navpop) {
 +
if (typeof image.stripNamespace != 'function') { alert('loadImages bad'); }
 +
// API call to retrieve image info.
 +
 +
if ( !getValueOf('popupImages') ) return;
 +
if ( !isValidImageName(image) ) return false;
 +
 +
var art=image.urlString();
 +
 +
var url=pg.wiki.apiwikibase + '?format=json&formatversion=2&action=query';
 +
url += '&prop=imageinfo&iiprop=url|mime&iiurlwidth=' + getValueOf('popupImageSizeLarge');
 +
url += '&titles=' + art;
 +
 +
pendingNavpopTask(navpop);
 
var callback=function(d){
 
var callback=function(d){
    log( "callback of API functions was hit" );
+
popupsInsertImage(navpop.idNumber, navpop, d);
showAPIPreview(queryType, htmlGenerator(article,d,navpop), navpop.idNumber, navpop, d);
 
 
};
 
};
 
var go = function(){
 
var go = function(){
    getPageWithCaching(url, callback, navpop);
+
getPageWithCaching(url, callback, navpop);
 
return true;
 
return true;
}
+
};
 
if (navpop.visible || !getValueOf('popupLazyDownloads')) { go(); }
 
if (navpop.visible || !getValueOf('popupLazyDownloads')) { go(); }
else { navpop.addHook(go, 'unhide', 'before', 'DOWNLOAD_'+queryType+'_QUERY_DATA'); }
+
else { navpop.addHook(go, 'unhide', 'after', 'DOWNLOAD_IMAGE_QUERY_DATA'); }
 +
 
 
}
 
}
  
function linkList(list) {
+
function popupsInsertImage(id, navpop, download) {
list.sort(function(x,y) { return (x==y ? 0 : (x<y ? -1 : 1)); });
+
log( "popupsInsertImage");
var buf=[];
+
var imageinfo;
for (var i=0; i<list.length; ++i) {
+
try {
buf.push(wikiLink({article: new Title(list[i]),
+
var jsObj=getJsObj(download.data);
  text:    list[i].split(' ').join('&nbsp;'),
+
var imagepage=anyChild(jsObj.query.pages);
  action:  'view'}));
+
if (typeof imagepage.imageinfo === 'undefined') return;
 +
imageinfo = imagepage.imageinfo[0];
 +
} catch (someError) {
 +
log( "popupsInsertImage failed :(" );
 +
return;
 
}
 
}
return buf.join(', ');
 
}
 
  
function getTimeOffset(tz) {
+
var popupImage = document.getElementById("popupImg"+id);
if( tz ) {
+
if (!popupImage) {
if( tz.indexOf('|') > -1 ) {
+
log( "could not find insertion point for image");
// New format
+
return;
return parseInt(tz.split('|')[1],10);
 
} else if ( tz.indexOf(':') > -1 ) {
 
// Old format
 
return( parseInt(tz,10)*60 + parseInt(tz.split(':')[1],10) );
 
}
 
 
}
 
}
return 0;
 
}
 
  
function editPreviewTable(article, h, reallyContribs, timeOffset) {
+
popupImage.width=getValueOf('popupImageSize');
var html=['<table>'];
+
popupImage.style.display='inline';
var day=null;
+
 
var curart=article;
+
// Set the source for the image.
for (var i=0; i<h.length; ++i) {
+
if( imageinfo.thumburl )
if (reallyContribs) {  
+
popupImage.src=imageinfo.thumburl;
    var page=h[i]['title']; curart = new Title(page);
+
else if( imageinfo.mime.indexOf("image") === 0 ){
 +
popupImage.src=imageinfo.url;
 +
log( "a thumb could not be found, using original image" );
 +
} else log( "fullsize imagethumb, but not sure if it's an image");
 +
 
 +
 
 +
var a=document.getElementById("popupImageLink"+id);
 +
if (a === null) { return null; }
 +
 
 +
// Determine the action of the surrouding imagelink.
 +
switch (getValueOf('popupThumbAction')) {
 +
case 'imagepage':
 +
if (pg.current.article.namespaceId()!=pg.nsImageId) {
 +
a.href=imageinfo.descriptionurl;
 +
// FIXME: unreliable pg.idNumber
 +
popTipsSoonFn('popupImage' + id)();
 +
break;
 
}
 
}
var minor=typeof h[i]['minor']=='undefined' ? '' : '<b>m </b>';
+
/* falls through */
var editDate=adjustDate(getDateFromTimestamp(h[i].timestamp), timeOffset);
+
case 'sizetoggle':
var thisDay = dayFormat(editDate);
+
a.onclick=toggleSize;
var thisTime = timeFormat(editDate);
+
a.title=popupString('Toggle image size');
if (thisDay==day) { thisDay=''; }
+
return;
else { day=thisDay; }
+
case 'linkfull':
if (thisDay) {
+
a.href = imageinfo.url;
html.push( '<tr><td colspan=3><span class="popup_history_date">' +
+
a.title=popupString('Open full-size image');
  thisDay+'</span></td></tr>' );
+
return;
}
 
html.push('<tr class="popup_history_row_' + ( (i%2) ? 'odd' : 'even') + '">');
 
html.push('<td>(<a href="' + pg.wiki.titlebase + new Title(curart).urlString() +
 
'&diff=prev&oldid=' + h[i]['revid'] + '">' + popupString('last') + '</a>)</td>');
 
html.push('<td>' +
 
'<a href="' + pg.wiki.titlebase + new Title(curart).urlString() +
 
'&oldid=' + h[i]['revid'] + '">' + thisTime + '</a></td>');
 
var col3url='', col3txt='';
 
if (!reallyContribs) {
 
var user=h[i]['user'];
 
col3url=pg.wiki.titlebase + pg.ns.user + ':' + new Title(user).urlString();
 
col3txt=escapeQuotesHTML(user);
 
} else {
 
col3url=pg.wiki.titlebase + curart.urlString();
 
col3txt=escapeQuotesHTML(page);
 
}
 
html.push('<td>' + (reallyContribs ? minor : '') +
 
'<a href="' + col3url + '">' + col3txt + '</a></td>');
 
var comment='';
 
var c=h[i].comment || h[i]['*'];
 
if (c) {
 
comment=new Previewmaker(c, new Title(curart).toUrl()).editSummaryPreview();
 
}
 
html.push('<td>' + (!reallyContribs ? minor : '') + comment + '</td>');
 
html.push('</tr>');
 
html=[html.join('')];
 
 
}
 
}
html.push('</table>');
 
return html.join('');
 
}
 
  
function getDateFromTimestamp(t) {
 
var s=t.split(/[^0-9]/);
 
switch(s.length) {
 
case 0: return null;
 
case 1: return new Date(s[0]);
 
case 2: return new Date(s[0], s[1]-1);
 
case 3: return new Date(s[0], s[1]-1, s[2]);
 
case 4: return new Date(s[0], s[1]-1, s[2], s[3]);
 
case 5: return new Date(s[0], s[1]-1, s[2], s[3], s[4]);
 
case 6: return new Date(s[0], s[1]-1, s[2], s[3], s[4], s[5]);
 
default: return new Date(s[0], s[1]-1, s[2], s[3], s[4], s[5], s[6]);
 
}
 
 
}
 
}
  
function adjustDate(d, offset) {
+
// Toggles the image between inline small and navpop fullwidth.
// offset is in minutes
+
// It's the same image, no actual sizechange occurs, only display width.
var o=offset * 60 * 1000;
+
function toggleSize() {
return new Date( +d + o);
+
var imgContainer=this;
}
+
if (!imgContainer) {
 +
alert('imgContainer is null :/');
 +
return;
 +
}
 +
var img=imgContainer.firstChild;
 +
if (!img) {
 +
alert('img is null :/');
 +
return;
 +
}
  
function dayFormat(editDate, utc) {
+
if (!img.style.width || img.style.width==='') {
if (utc) { return map(zeroFill, [editDate.getUTCFullYear(), editDate.getUTCMonth()+1, editDate.getUTCDate()]).join('-'); }
+
img.style.width='100%';
return map(zeroFill, [editDate.getFullYear(), editDate.getMonth()+1, editDate.getDate()]).join('-');
+
} else {
 +
img.style.width='';
 +
}
 
}
 
}
  
function timeFormat(editDate, utc) {
+
// Returns one title of an image from wikiText.
if (utc) { return map(zeroFill, [editDate.getUTCHours(), editDate.getUTCMinutes(), editDate.getUTCSeconds()]).join(':'); }
+
function getValidImageFromWikiText(wikiText) {
return map(zeroFill, [editDate.getHours(), editDate.getMinutes(), editDate.getSeconds()]).join(':');
+
// nb in pg.re.image we're interested in the second bracketed expression
}
+
// this may change if the regex changes :-(
 +
//var match=pg.re.image.exec(wikiText);
 +
var matched=null;
 +
var match;
 +
// strip html comments, used by evil bots :-(
 +
var t = removeMatchesUnless(wikiText, RegExp('(<!--[\\s\\S]*?-->)'), 1,
 +
RegExp('^<!--[^[]*popup', 'i'));
  
function showAPIPreview(queryType, html, id, navpop, download) {
+
while ( ( match = pg.re.image.exec(t) ) ) {
    // DJ: done
+
// now find a sane image name - exclude templates by seeking {
var target='popupPreview';
+
var m = match[2] || match[6];
switch (queryType) {
+
if ( isValidImageName(m) ) {
case 'imagelinks':
+
matched=m;
case 'category':
+
break;
case 'userinfo':
+
}
target='popupPostPreview'; break;
 
 
}
 
}
setPopupTipsAndHTML(html, target, id);
+
pg.re.image.lastIndex=0;
completedNavpopTask(navpop);
+
if (!matched) { return null; }
 +
return mw.config.get('wgFormattedNamespaces')[pg.nsImageId]+':'+upcaseFirst(matched);
 
}
 
}
  
function APIbacklinksPreviewHTML(article, download, navpop) {
+
function removeMatchesUnless(str, re1, parencount, re2) {
    try {
+
var split=str.parenSplit(re1);
    var jsObj=getJsObj(download.data);
+
var c=parencount + 1;
      var list=jsObj.query.backlinks;
+
for (var i=0; i<split.length; ++i) {
} catch (someError) { return 'backlinksPreviewHTML went wonky'; }
+
if ( i%c === 0 || re2.test(split[i]) ) { continue; }
var html=[];
+
split[i]='';
if (!list) { return popupString('No backlinks found'); }
 
for ( i in list ) {
 
var t=new Title(list[i]['title']);
 
html.push('<a href="' + pg.wiki.titlebase + t.urlString() + '">' + t + '</a>');
 
 
}
 
}
html=html.join(', ');
+
return split.join('');
if (jsObj['query-continue'] && jsObj['query-continue'].backlinks && jsObj['query-continue'].backlinks.blcontinue) {
 
html += popupString(' and more');
 
}
 
return html;
 
 
}
 
}
  
function APIsharedImagePagePreviewHTML(obj) {
+
//</NOLITE>
log( "APIsharedImagePagePreviewHTML" );
+
// ENDFILE: images.js
var popupid = obj['requestid'];
+
// STARTFILE: namespaces.js
if( obj['query'] && obj['query']['pages'] )
+
// Set up namespaces and other non-strings.js localization
{
+
// (currently that means redirs too)
var page=anyChild(obj['query']['pages']);
 
var content=(page && page.revisions ) ? page.revisions[0]['*'] : null;
 
if( content )
 
{
 
/* Not entirely safe, but the best we can do */
 
var p=new Previewmaker(content, pg.current.link.navpopup.article, pg.current.link.navpopup);
 
p.makePreview();
 
setPopupHTML( p.html, "popupSecondPreview", popupid );
 
}
 
}
 
}
 
  
function APIimagepagePreviewHTML(article, download, navpop) {
+
function setNamespaces() {
try {
+
pg.nsSpecialId  = -1;
    var jsObj=getJsObj(download.data);
+
pg.nsMainspaceId = 0;
var page=anyChild(jsObj.query.pages);
+
pg.nsImageId    = 6;
var content=(page && page.revisions ) ? page.revisions[0]['*'] : null;
+
pg.nsUserId      = 2;
} catch (someError) {
+
pg.nsUsertalkId  = 3;
return 'API imagepage preview failed :(';
+
pg.nsCategoryId = 14;
}
+
pg.nsTemplateId  = 10;
var ret='';
 
if (content) {
 
var p=prepPreviewmaker(content, article, navpop);
 
p.makePreview();
 
if (p.html) { ret += '<hr>' + p.html; }
 
}
 
if (content!==null && getValueOf('popupSummaryData')) {
 
var info=getPageInfo(content, download);
 
log(info);
 
setPopupTrailer(info, navpop.idNumber);
 
}
 
if (page && page.imagerepository == "shared" ) {
 
var art=new Title(article).urlString();
 
var shared_url = pg.wiki.commonsbase + '/api.php?format=json&callback=APIsharedImagePagePreviewHTML' +
 
'&requestid=' + navpop.idNumber +
 
'&action=query&prop=revisions&rvprop=content&titles=' + art;
 
ret = ret +'<hr>' + popupString( 'Image from Commons') +
 
': <a href="' + pg.wiki.commonsbase + '/index.php?title=' + art + '">' +
 
popupString( 'Description page') + '</a>';
 
importScriptURI( shared_url );
 
}
 
showAPIPreview('imagelinks', APIimagelinksPreviewHTML(article,download), navpop.idNumber, download);
 
return ret;
 
 
}
 
}
  
function APIimagelinksPreviewHTML(article, download) {
 
try {
 
var jsobj=getJsObj(download.data);
 
var list=jsobj.query.imageusage;
 
if (!list) { return popupString('No image links found'); }
 
} catch(someError) { return 'Image links preview generation failed :('; }
 
var ret=[];
 
for (var i=0; i < list.length; i++) {
 
ret.push(list[i]['title']);
 
}
 
if (ret.length === 0) { return popupString('No image links found'); }
 
return '<h2>' + popupString('File links') + '</h2>' + linkList(ret);
 
}
 
  
function APIcategoryPreviewHTML(article, download) {
+
function setRedirs() {
    try{
+
var r='redirect';
        var jsobj=getJsObj(download.data);
+
var R='REDIRECT';
        var list=jsobj.query.categorymembers;
+
var redirLists={
    } catch(someError) { return 'Category preview failed :('; }
+
//<NOLITE>
var ret=[];
+
'ar':  [ R, 'تحويل' ],
for (var p=0; p < list.length; p++) {
+
'be':  [ r, 'перанакіраваньне' ],
  ret.push(list[p]['title']);
+
'bg':  [ r, 'пренасочване', 'виж' ],
}
+
'bs':  [ r, 'Preusmjeri', 'preusmjeri', 'PREUSMJERI' ],
if (ret.length === 0) { return popupString('Empty category'); }
+
'cs':  [ R, 'PŘESMĚRUJ' ],
ret = '<h2>' + tprintf('Category members (%s shown)', [ret.length]) + '</h2>' +linkList(ret);
+
'cy':  [ r, 'ail-cyfeirio' ],
if (jsobj['query-continue'] && jsobj['query-continue'].categorymembers && jsobj['query-continue'].categorymembers.cmcontinue) {
+
'de':  [ R, 'WEITERLEITUNG' ],
ret += popupString(' and more');
+
'el':  [ R, 'ΑΝΑΚΑΤΕΥΘΥΝΣΗ'],
}
+
'eo':  [ R, 'ALIDIREKTU', 'ALIDIREKTI' ],
return ret;
+
'es':  [ R, 'REDIRECCIÓN' ],
}
+
'et':  [ r, 'suuna' ],
 
+
'ga':  [ r, 'athsheoladh' ],
function APIuserInfoPreviewHTML(article, download) {
+
'gl':  [ r, 'REDIRECCIÓN', 'REDIRECIONAMENTO'],
try{
+
'he':  [ R, 'הפניה' ],
var jsobj=getJsObj(download.data);
+
'hu':  [ R, 'ÁTIRÁNYÍTÁS' ],
var user=anyChild(jsobj.query.users);
+
'is':  [ r, 'tilvísun', 'TILVÍSUN' ],
} catch(someError) { return 'Userinfo preview failed :('; }
+
'it':  [ R, 'RINVIA', 'Rinvia'],
if (!user || user.invalid == '') {
+
'ja':  [ R, '転送' ],
return '<hr>' + popupString( 'Invalid or IP user');
+
'mk':  [ r, 'пренасочување', 'види' ],
} else if (user.missing == '') {
+
'nds': [ r, 'wiederleiden' ],
return '<hr>' + popupString( 'Not a registered username');
+
'nl':  [ R, 'DOORVERWIJZING' ],
}
+
'nn': [ r, 'omdiriger' ],
var ret=[];
+
'pl':  [ R, 'PATRZ', 'PRZEKIERUJ', 'TAM' ],
if( user.blockedby )
+
'pt':  [ R, 'redir' ],
ret.push('<b>' + popupString('BLOCKED') + '</b>');
+
'ru':  [ R, 'ПЕРЕНАПРАВЛЕНИЕ', 'ПЕРЕНАПР' ],
for( var i=0; (user.groups && i < user.groups.length); i++)
+
'sk':  [ r, 'presmeruj' ],
{
+
'sr':  [ r, 'Преусмери', 'преусмери', 'ПРЕУСМЕРИ', 'Preusmeri', 'preusmeri', 'PREUSMERI' ],
ret.push( user.groups[i] );
+
'tt':  [ R, 'yünältü', 'перенаправление', 'перенапр' ],
}
+
'uk':  [ R, 'ПЕРЕНАПРАВЛЕННЯ', 'ПЕРЕНАПР' ],
if( user.editcount || user.registration )
+
'vi':  [ r, 'đổi' ],
ret.push( (user.editcount?user.editcount:'') + popupString(' edits since: ') + (user.registration?dayFormat(getDateFromTimestamp(user.registration)):'') );
+
'zh':  [ R, '重定向'] // no comma
ret = '<hr>' + ret.join( ', ' );
+
//</NOLITE>
return ret;
+
};
 +
var redirList=redirLists[ pg.wiki.lang ] || [r, R];
 +
// Mediawiki is very tolerant about what comes after the #redirect at the start
 +
pg.re.redirect=RegExp('^\\s*[#](' + redirList.join('|') + ').*?\\[{2}([^\\|\\]]*)(|[^\\]]*)?\\]{2}\\s*(.*)', 'i');
 
}
 
}
  
function APIcontribsPreviewHTML(article, download, navpop) {
+
function setInterwiki() {
    return APIhistoryPreviewHTML(article, download, navpop, true);
+
if (pg.wiki.wikimedia) {
 +
// From https://meta.wikimedia.org/wiki/List_of_Wikipedias
 +
pg.wiki.interwiki='aa|ab|ace|af|ak|als|am|an|ang|ar|arc|arz|as|ast|av|ay|az|ba|bar|bat-smg|bcl|be|be-x-old|bg|bh|bi|bjn|bm|bn|bo|bpy|br|bs|bug|bxr|ca|cbk-zam|cdo|ce|ceb|ch|cho|chr|chy|ckb|co|cr|crh|cs|csb|cu|cv|cy|da|de|diq|dsb|dv|dz|ee|el|eml|en|eo|es|et|eu|ext|fa|ff|fi|fiu-vro|fj|fo|fr|frp|frr|fur|fy|ga|gag|gan|gd|gl|glk|gn|got|gu|gv|ha|hak|haw|he|hi|hif|ho|hr|hsb|ht|hu|hy|hz|ia|id|ie|ig|ii|ik|ilo|io|is|it|iu|ja|jbo|jv|ka|kaa|kab|kbd|kg|ki|kj|kk|kl|km|kn|ko|koi|kr|krc|ks|ksh|ku|kv|kw|ky|la|lad|lb|lbe|lg|li|lij|lmo|ln|lo|lt|ltg|lv|map-bms|mdf|mg|mh|mhr|mi|mk|ml|mn|mo|mr|mrj|ms|mt|mus|mwl|my|myv|mzn|na|nah|nap|nds|nds-nl|ne|new|ng|nl|nn|no|nov|nrm|nv|ny|oc|om|or|os|pa|pag|pam|pap|pcd|pdc|pfl|pi|pih|pl|pms|pnb|pnt|ps|pt|qu|rm|rmy|rn|ro|roa-rup|roa-tara|ru|rue|rw|sa|sah|sc|scn|sco|sd|se|sg|sh|si|simple|sk|sl|sm|sn|so|sq|sr|srn|ss|st|stq|su|sv|sw|szl|ta|te|tet|tg|th|ti|tk|tl|tn|to|tpi|tr|ts|tt|tum|tw|ty|udm|ug|uk|ur|uz|ve|vec|vi|vls|vo|wa|war|wo|wuu|xal|xh|yi|yo|za|zea|zh|zh-classical|zh-min-nan|zh-yue|zu';
 +
pg.re.interwiki=RegExp('^'+pg.wiki.interwiki+':');
 +
} else {
 +
pg.wiki.interwiki=null;
 +
pg.re.interwiki=RegExp('^$');
 +
}
 
}
 
}
  
function APIhistoryPreviewHTML(article, download, navpop, reallyContribs) {
+
// return a regexp pattern matching all variants to write the given namespace
    try {
+
function nsRe(namespaceId) {
var jsobj=getJsObj(download.data);
+
var imageNamespaceVariants = [];
var tz=jsobj.query.userinfo.options.timecorrection;
+
jQuery.each(mw.config.get('wgNamespaceIds'), function(_localizedNamespaceLc, _namespaceId) {
if( reallyContribs )
+
if (_namespaceId!=namespaceId) return;
    var edits=jsobj.query.usercontribs;
+
_localizedNamespaceLc = upcaseFirst(_localizedNamespaceLc);
else
+
imageNamespaceVariants.push(mw.util.escapeRegExp(_localizedNamespaceLc).split(' ').join('[ _]'));
    var edits=anyChild(jsobj.query.pages)['revisions'];
+
imageNamespaceVariants.push(mw.util.escapeRegExp(encodeURI(_localizedNamespaceLc)));
} catch (someError) {
+
});
return 'History preview failed :-(';
 
}
 
var timeOffset = getTimeOffset(tz);
 
Cookie.create('popTz', timeOffset, 1);
 
  
var ret=editPreviewTable(article, edits, reallyContribs, timeOffset);
+
return '(?:' + imageNamespaceVariants.join('|') + ')';
return ret;
 
 
}
 
}
  
 
+
function nsReImage() {
//</NOLITE>
+
return nsRe(pg.nsImageId);
// ENDFILE: querypreview.js
+
}
// STARTFILE: debug.js
+
// ENDFILE: namespaces.js
////////////////////////////////////////////////////////////////////
+
// STARTFILE: selpop.js
// Debugging functions
 
////////////////////////////////////////////////////////////////////
 
 
 
function log(){}; // dummy to stop errors
 
function setupDebugging() {
 
 
//<NOLITE>
 
//<NOLITE>
if (window.popupDebug) { // popupDebug is set from .version
+
function getEditboxSelection() {
window.log=function(x) { //if(gMsg!='')gMsg += '\n'; gMsg+=time() + ' ' + x; };
+
// see http://www.webgurusforum.com/8/12/0
window.console.log(x);
+
var editbox;
}
+
try {
window.errlog=function(x) {
+
editbox=document.editform.wpTextbox1;
window.console.error(x);
+
} catch (dang) { return; }
}
+
// IE, Opera
log('Initializing logger');
+
if (document.selection) { return document.selection.createRange().text; }
} else {
+
// Mozilla
//</NOLITE>
+
var selStart = editbox.selectionStart;
window.log = function(x) {};
+
var selEnd = editbox.selectionEnd;
window.errlog = function(x) {};
+
return (editbox.value).substring(selStart, selEnd);
//<NOLITE>
 
}
 
//</NOLITE>
 
 
}
 
}
// ENDFILE: debug.js
 
// STARTFILE: images.js
 
//<NOLITE>
 
// FIXME rewrite ALL of this
 
// How the URLs for images in the popup come about
 
  
//  loadPreview
+
function doSelectionPopup() {
//          |
+
// popup if the selection looks like [[foo|anything afterwards at all
//      getWiki
+
// or [[foo|bar]]text without ']]'
//          |<----------------see other schematic for details
+
// or [[foo|bar]]
//    insertPreview      (insertPreview = onComplete)
+
var sel=getEditboxSelection();
//         |
+
var open=sel.indexOf('[[');
//          |            insertPreview gets a wikiText fragment from
+
var pipe=sel.indexOf('|');
//          |                      the wikiText downloaded by getWiki
+
var close=sel.indexOf(']]');
//          |
+
if (open == -1 || ( pipe == -1 && close == -1) ) { return; }
// [wikiMarkupToAddressFragment]
+
if (pipe != -1 && open > pipe || close != -1 && open > close) { return; }
//       |
+
if (getValueOf('popupOnEditSelection')=='boxpreview') {
//      |                    mouseOverWikiLink  (gets an "address fragment",
+
return doSeparateSelectionPopup(sel);
//      |                            |            no processing needed)
+
}
//      \->-*loadThisImage---<----loadImages
+
var article=new Title(sel.substring(open+2, (pipe < 0) ? close : pipe)).urlString();
//                  |
+
if (close > 0 && sel.substring(close+2).indexOf('[[') >= 0) {  
//          [image(Thumb)URL]-->--hopefully valid image urls
+
return;  
 
+
}
// FIXME get rid of pg.idNumber
+
var a=document.createElement('a');
 
+
a.href=pg.wiki.titlebase + article;
function sequentialLoadThisImage (image) {
+
mouseOverWikiLink2(a);
if (!getValueOf('popupImages')) { return false; }
+
if (a.navpopup) {
if (!isValidImageName(image)) { return false; }
+
a.navpopup.addHook(function(){runStopPopupTimer(a.navpopup);}, 'unhide', 'after');
 
+
}
var imageUrls=getImageUrls(image);
+
}
if (!imageUrls) { return null; }
 
 
 
var img=new Image();
 
img.isNew=true;
 
img.pg.idNumber=pg.idNumber;
 
img.counter=1;
 
 
 
img.onload = function () {
 
// clear status thingy
 
setImageStatus('');
 
 
 
var i=findThis(imageUrls, this.src);
 
var goodSrc=this.src;
 
 
 
var setPopupImage=function () {
 
var popupImage=document.getElementById("popupImage"+this.pg.idNumber);
 
if (popupImage && typeof popupImage.src != 'undefined') {
 
clearInterval(pg.timer.image);
 
popupImage.src=goodSrc;
 
popupImage.width=getValueOf('popupImageSize');
 
popupImage.style.display='inline';
 
setPopupImageLink(image, pg.wiki.imageSources[i].wiki);
 
return true;
 
} else { return false; }
 
};
 
pg.timer.image=setInterval(setPopupImage, 250);
 
pg.cache.images.push(goodSrc);
 
};
 
  
img.onerror = function () {
+
function doSeparateSelectionPopup(str) {
pg.cache.badImageUrls.push(this.src);
+
var div=document.getElementById('selectionPreview');
};
+
if (!div) {
 
+
div = document.createElement('div');
img.setNext = function () {
+
div.id='selectionPreview';
var currentSrc=null;
+
try {
var newSrc;
+
var box=document.editform.wpTextbox1;
if (!this.isNew) { currentSrc=this.src; }
+
box.parentNode.insertBefore(div, box);
this.isNew=false;
+
} catch (error) {
 
+
return;
newSrc= (currentSrc) ? nextOne(imageUrls, currentSrc) : imageUrls[0];
 
 
 
while (findThis(pg.cache.badImageUrls, newSrc))  {
 
newSrc=nextOne(imageUrls, newSrc);
 
if (!newSrc) {
 
setImageStatus (' :-(');
 
return;
 
}
 
 
}
 
}
setImageStatus(' '+findThis(imageUrls, newSrc));
 
this.src=newSrc;
 
};
 
 
// start the ball rolling
 
img.setNext();
 
 
}
 
 
function loadThisImageAtThisUrl(image, url) {
 
log('loading "best" image:\n'+url);
 
pg.misc.gImage=new Title(image.toString());
 
pg.misc.imageArray = [];
 
pg.misc.imageArray[0] = new Image();
 
pg.misc.imageArray[0].src=url;
 
if (pg.timer.image || pg.timer.image===0) {
 
clearInterval(pg.timer.image);
 
pg.counter.checkImages=0;
 
 
}
 
}
pg.timer.image=setInterval(checkImages, 250);
+
div.innerHTML=wiki2html(str);
return;
+
div.ranSetupTooltipsAlready = false;
 +
popTipsSoonFn('selectionPreview')();
 
}
 
}
 +
//</NOLITE>
 +
// ENDFILE: selpop.js
 +
// STARTFILE: navpopup.js
 +
/**
 +
  @fileoverview  Defines two classes: {@link Navpopup} and {@link Mousetracker}.
  
// methinks this is unbelievably silly
+
  <code>Navpopup</code> describes popups: when they appear, where, what
// it dovetails with the parallel image loader function
+
  they look like and so on.
function checkImages() {
 
//log('checkImages: pg.counter.loop='+pg.counter.loop+'; pg.counter.checkImages='+pg.counter.checkImages);
 
if (pg.timer.checkImages || pg.timer.checkImages===0) {
 
clearInterval(pg.timer.checkImages);
 
pg.timer.checkImages=null;
 
if (pg.counter.loop > 10) {pg.counter.loop=0; log('too many iterations of checkImages'); return;}
 
pg.counter.loop++;
 
} else pg.counter.checkImages++;
 
  
var status =  ( pg.counter.checkImages % 2 ) ? ':' : '.' ;
+
  <code>Mousetracker</code> "captures" the mouse using
setImageStatus(status);
+
  <code>document.onmousemove</code>.
 +
*/
  
if (pg.counter.checkImages > 100) {
 
pg.counter.checkImages = 0;
 
log ('pg.counter.checkImages too big in checkImages; returning');
 
clearInterval(pg.timer.image);
 
}
 
  
var popupImage=null;
+
/**
popupImage=document.getElementById("popupImg"+pg.idNumber);
+
  Creates a new Mousetracker.
if (popupImage == null) {
+
  @constructor
// this doesn't seem to happen any more in practise for some reason
+
  @class The Mousetracker class. This monitors mouse movements and manages associated hooks.
// still, I'll leave it in
+
*/
log('checkImages: document.getElementById("popupImg'+pg.idNumber+'") is null! retrying in 333ms...');
+
function Mousetracker() {
pg.timer.checkImages=setInterval("checkImages()",333);
+
/**
return;
+
  Interval to regularly run the hooks anyway, in milliseconds.
}
+
  @type Integer
 +
*/
 +
this.loopDelay=400;
  
log('checkImages: found element popupImg'+pg.idNumber+', and src='+popupImage.src);
+
/**
 +
  Timer for the loop.
 +
  @type Timer
 +
*/
 +
this.timer=null;
  
// get the first image to successfully load
+
/**
// and put it in the popupImage
+
  Flag - are we switched on?
for(var i = 0; i < pg.misc.imageArray.length; ++i) {
+
  @type Boolean
if(isImageOk(pg.misc.imageArray[i])) {
+
*/
// stop all the gubbins, assign the image and return
+
this.active=false;
 +
/**
 +
  Flag - are we probably inaccurate, i.e. not reflecting the actual mouse position?
 +
*/
 +
this.dirty=true;
 +
/**
 +
  Array of hook functions.
 +
  @private
 +
  @type Array
 +
*/
 +
this.hooks=[];
 +
}
  
log('checkImages: got at pos '+i+', src='+pg.misc.imageArray[i].src);
+
/**
clearInterval(pg.timer.image);
+
  Adds a hook, to be called when we get events.
 
+
  @param {Function} f A function which is called as
if(pg.misc.gImage && pg.misc.gImage.namespace() == pg.ns.image) {
+
  <code>f(x,y)</code>. It should return <code>true</code> when it
popupImage.src=pg.misc.imageArray[i].src;
+
  wants to be removed, and <code>false</code> otherwise.
popupImage.width=getValueOf('popupImageSize');
+
*/
popupImage.style.display='inline';
+
Mousetracker.prototype.addHook = function (f) {
// should we check to see if it's already there? maybe...
+
this.hooks.push(f);
pg.cache.images.push(pg.misc.imageArray[i].src);
+
};
 
 
setPopupImageLink(pg.misc.gImage, pg.wiki.imageSources[i].wiki);
 
stopImagesDownloading();
 
}
 
 
 
setImageStatus('');
 
  
// reset evil nonconstant globals
+
/**
delete pg.misc.imageArray; pg.misc.imageArray=[];
+
  Runs hooks, passing them the x
pg.timer.image=null;
+
  and y coords of the mouse.  Hook functions that return true are
 
+
  passed to {@link Mousetracker#removeHooks} for removal.
pg.counter.checkImages=0;
+
  @private
pg.counter.loop=0;
+
*/
 
+
Mousetracker.prototype.runHooks = function () {
return popupImage.src;
+
if (!this.hooks || !this.hooks.length) { return; }
 +
//log('Mousetracker.runHooks; we got some hooks to run');
 +
var remove=false;
 +
var removeObj={};
 +
// this method gets called a LOT -
 +
// pre-cache some variables
 +
var x=this.x, y=this.y, len = this.hooks.length;
 +
 
 +
for (var i=0; i<len; ++i) {
 +
//~ run the hook function, and remove it if it returns true
 +
if (this.hooks[i](x, y)===true) {
 +
remove=true;
 +
removeObj[i]=true;
 
}
 
}
 
}
 
}
log('checkImages: no good image found. retrying in a tic...');
+
if (remove) { this.removeHooks(removeObj); }
pg.timer.checkImages=setInterval("checkImages()",333);
+
};
}
 
  
function stopImagesDownloading() {
+
/**
pg.misc.gImage=null;
+
  Removes hooks.
if (pg.misc.imageArray == null) { return null; }
+
  @private
for (var i=0; i<pg.misc.imageArray.length; ++i) {
+
  @param {Object} removeObj An object whose keys are the index
//pg.misc.imageArray[i].src=''; // this is a REALLY BAD IDEA
+
  numbers of functions for removal, with values that evaluate to true
delete pg.misc.imageArray[i];
+
*/
//pg.misc.imageArray[i] = new Image();
+
Mousetracker.prototype.removeHooks = function(removeObj) {
 +
var newHooks=[];
 +
var len = this.hooks.length;
 +
for (var i=0; i<len; ++i) {
 +
if (! removeObj[i]) { newHooks.push(this.hooks[i]); }
 
}
 
}
pg.misc.imageArray = [];
+
this.hooks=newHooks;
}
+
};
  
function toggleSize() {
 
var imgContainer=this;
 
if (!imgContainer) { alert('imgContainer is null :/'); return;}
 
img=imgContainer.firstChild;
 
if (!img) { alert('img is null :/'); return;}
 
if (!img.style.width || img.style.width=='') { img.style.width='100%'; }
 
else { img.style.width=''; }
 
}
 
  
function setPopupImageLink (img, wiki) {
+
/**
if( wiki === null || img === null ) { return null; }
+
  Event handler for mouse wiggles.
 
+
  We simply grab the event, set x and y and run the hooks.
var a=document.getElementById("popupImageLink"+pg.idNumber);
+
  This makes the cpu all hot and bothered :-(
if (a === null) { return null; }
+
  @private
 
+
  @param {Event} e Mousemove event
switch (getValueOf('popupThumbAction')) {
+
*/
case 'imagepage':
+
Mousetracker.prototype.track=function (e) {
if (pg.current.article.namespace()!=pg.ns.image) {
+
//~ Apparently this is needed in IE.
a.href=pg.wiki.titlebase + img.urlString();
+
e = e || window.event;
// FIXME: unreliable pg.idNumber
+
var x, y;
popTipsSoonFn('popupImage' + pg.idNumber)();
+
if (e) {
break;
+
if (e.pageX) { x=e.pageX; y=e.pageY; }
} // else fall through
+
else if (typeof e.clientX!='undefined') {
case 'sizetoggle':
+
var left, top, docElt = document.documentElement;
a.onclick=toggleSize;
 
a.title=popupString('Toggle image size');
 
return;
 
case 'linkfull':
 
var linkURL = imageURL(img, wiki);
 
if (linkURL) {
 
a.href = linkURL;
 
a.title=popupString('Open full-size image');
 
}
 
return;
 
}
 
}
 
  
function isImageOk(img) {
+
if (docElt) { left=docElt.scrollLeft; }
// IE test
+
left = left || document.body.scrollLeft || document.scrollLeft || 0;
if (!img.complete) { return false; }
 
  
// gecko test
+
if (docElt) { top=docElt.scrollTop; }
if (typeof img.naturalWidth != "undefined" && img.naturalWidth == 0) { return false; }
+
top = top || document.body.scrollTop || document.scrollTop || 0;
  
// test for konqueror and opera
+
x=e.clientX + left;
 
+
y=e.clientY + top;
// note that img.width must not be defined in the html with a width="..."
+
} else { return; }
// for this to work.
+
this.setPosition(x,y);
 
 
// konq seems to give "broken images" width 16, presumably an icon width
 
// this test would probably work in gecko too, *except for very small images*
 
if (typeof img.width == 'undefined' || img.width <=  16) { return false; }
 
 
 
// No other way of checking: assume it's ok.
 
return true;
 
}
 
 
 
// those odd a/a5/ bits of image urls
 
function imagePathComponent(article) { // article is string, no namespace
 
// FIXME needs testing with odd characters
 
var forhash=article.split(' ').join('_');
 
var hash=hex_md5(forhash);
 
return hash.substring(0,1) + '/' + hash.substring(0,2) + '/';
 
}
 
 
 
function getImageUrlStart(wiki) { // this returns a trailing slash
 
switch (wiki) {
 
case 'en.wikipedia.org':  return '//upload.wikimedia.org/wikipedia/en/';
 
case pg.wiki.commons:    return '//upload.wikimedia.org/wikipedia/commons/';
 
case 'en.wiktionary.org': return '//en.wiktionary.org/upload/en/';
 
case 'secure.wikimedia.org':
 
    return joinPath(['http://upload.wikimedia.org', pg.wiki.prePath]) + '/'; break;
 
default: // unsupported - take a guess
 
if (pg.wiki.wikimedia) {
 
return '//upload.wikimedia.org/wikipedia/' + pg.wiki.lang +'/';
 
}
 
/* this should work for wikicities */
 
return 'http://' + wiki + '/images/';
 
 
}
 
}
}
+
};
  
function imageURL(img, wiki) {
+
/**
if (getValueOf('popupImagesFromThisWikiOnly') && wiki != pg.wiki.hostname) return null;
+
  Sets the x and y coordinates stored and takes appropriate action,
var imgurl=null;
+
  running hooks as appropriate.
var pathcpt = imagePathComponent(img.stripNamespace());
+
  @param {Integer} x, y Screen coordinates to set
imgurl=getImageUrlStart(wiki) + pathcpt + img.stripNamespace().split(' ').join('_');
+
*/
return imgurl;
 
}
 
  
function imageThumbURL(img, wiki, width) {
+
Mousetracker.prototype.setPosition=function(x,y) {
//
+
this.x = x;
// eg //upload.wikimedia.org/wikipedia/en/thumb/6/61/
+
this.y = y;
//          Rubiks_cube_solved.jpg/120px-Rubiks_cube_solved.jpg
+
if (this.dirty || this.hooks.length === 0) { this.dirty=false; return; }
//          ^^^^^^^^^^^^^^^^^^^^^^^
+
if (typeof this.lastHook_x != 'number') { this.lastHook_x = -100; this.lastHook_y=-100; }
//          wikicities omits this bit
+
var diff = (this.lastHook_x - x)*(this.lastHook_y - y);
//  AND wikicities needs a new pathcpt for each filename including thumbs
+
diff = (diff >= 0) ? diff : -diff;
 
+
if ( diff > 1 ) {
if (getValueOf('popupImagesFromThisWikiOnly') && wiki != pg.wiki.hostname) return null;
+
this.lastHook_x=x;
if (getValueOf('popupNeverGetThumbs')) return null;
+
this.lastHook_y=y;
 
+
if (this.dirty) { this.dirty = false; }
var imgurl=null;
+
else { this.runHooks(); }
var stripped=img.stripNamespace();
 
var pathcpt;
 
if (pg.wiki.wikimedia) pathcpt = imagePathComponent(stripped);
 
else pathcpt = imagePathComponent(width+'px-'+stripped);
 
imgurl=getImageUrlStart(wiki) +  "thumb/" + pathcpt;
 
if (pg.wiki.wikimedia) imgurl += stripped + '/';
 
imgurl += width +"px-" + stripped;
 
return imgurl;
 
}
 
 
 
function loadImages(image) {
 
if (typeof image.stripNamespace != 'function') { alert('loadImages bad'); }
 
if (getValueOf('popupLoadImagesSequentially')) { return sequentialLoadThisImage(image); }
 
return parallelLoadThisImage(image);
 
}
 
 
 
function getImageUrls(image) {
 
if (typeof image.stripNamespace != 'function') { alert('getImageUrls bad'); }
 
var imageUrls=[];
 
for (var i=0; i<pg.wiki.imageSources.length; ++i) {
 
var url;
 
if (pg.wiki.imageSources[i].thumb) {
 
url=imageThumbURL(image, pg.wiki.imageSources[i].wiki, pg.wiki.imageSources[i].width);
 
} else { url=imageURL(image, pg.wiki.imageSources[i].wiki); }
 
for (var j=0; j<pg.cache.images.length; ++j) {
 
if (url == pg.cache.images[j]) {
 
loadThisImageAtThisUrl(image, url);
 
return null;
 
}
 
}
 
if (url!=null) imageUrls.push(url);
 
 
}
 
}
return imageUrls;
+
};
}
 
  
 +
/**
 +
  Sets things in motion, unless they are already that is, registering an event handler on <code>document.onmousemove</code>.
 +
  A half-hearted attempt is made to preserve the old event handler if there is one.
 +
*/
 +
Mousetracker.prototype.enable = function () {
 +
if (this.active) { return; }
 +
this.active=true;
 +
//~ Save the current handler for mousemove events. This isn't too
 +
//~ robust, of course.
 +
this.savedHandler=document.onmousemove;
 +
//~ Gotta save @tt{this} again for the closure, and use apply for
 +
//~ the member function.
 +
var savedThis=this;
 +
document.onmousemove=function (e) {savedThis.track.apply(savedThis, [e]);};
 +
if (this.loopDelay) { this.timer = setInterval(function() { //log('loop delay in mousetracker is working');
 +
savedThis.runHooks();}, this.loopDelay); }
 +
};
  
// this is probably very wasteful indeed of bandwidth
+
/**
// hey ho
+
  Disables the tracker, removing the event handler.
 +
*/
 +
Mousetracker.prototype.disable = function () {
 +
if (!this.active) { return; }
 +
if ($.isFunction(this.savedHandler)) {
 +
document.onmousemove=this.savedHandler;
 +
} else { delete document.onmousemove; }
 +
if (this.timer) { clearInterval(this.timer); }
 +
this.active=false;
 +
};
  
function parallelLoadThisImage (image) {
+
/**
if (typeof image.stripNamespace != 'function') { alert('parallelLoadThisImage bad'); }
+
  Creates a new Navpopup.
if (!getValueOf('popupImages')) return;
+
  Gets a UID for the popup and
if (!isValidImageName(image)) return false;
+
  @param init Contructor object. If <code>init.draggable</code> is true or absent, the popup becomes draggable.
 
+
  @constructor
var imageUrls=getImageUrls(image);
+
  @class The Navpopup class. This generates popup hints, and does some management of them.
if (!imageUrls) return null;
+
*/
 
+
function Navpopup(/*init*/) {
for (var i=0; i<imageUrls.length; ++i) {
+
//alert('new Navpopup(init)');
var url = imageUrls[i];
+
/** UID for each Navpopup instance.
pg.misc.imageArray[i]=new Image();
+
Read-only.
pg.misc.imageArray[i].src=url;
+
@type integer
}
+
*/
if (pg.timer.image != null) {
+
this.uid=Navpopup.uid++;
clearInterval(pg.timer.image);
+
/**
pg.counter.checkImages=0;
+
  Read-only flag for current visibility of the popup.
}
+
  @type boolean
pg.misc.gImage=new Title(image.toString());
+
  @private
pg.timer.image=setInterval("checkImages()", 250);
+
*/
return true;
+
this.visible=false;
}
+
/** Flag to be set when we want to cancel a previous request to
 
+
show the popup in a little while.
function getValidImageFromWikiText(wikiText) {
+
@private
var imagePage=null;
+
@type boolean
// nb in pg.re.image we're interested in the second bracketed expression
+
*/
// this may change if the regex changes :-(
+
this.noshow=false;
//var match=pg.re.image.exec(wikiText);
+
/** Categorised list of hooks.
var matched=null;
+
@see #runHooks
var match;
+
@see #addHook
// strip html comments, used by evil bots :-(
+
@private
var t = removeMatchesUnless(wikiText, RegExp('(<!--[\\s\\S]*?-->)'), 1,
+
@type Object
    RegExp('^<!--[^[]*popup', 'i'));
+
*/
 
+
this.hooks={
while ( match = pg.re.image.exec(t) ) {
+
'create': [],
// now find a sane image name - exclude templates by seeking {
+
'unhide': [],
var m = match[2] || match[6];
+
'hide': []
var pxWidth=match[4];
+
};
if ( isValidImageName(m) &&
+
/** list of unique IDs of hook functions, to avoid duplicates
    (!pxWidth || parseInt(pxWidth,10) >= getValueOf('popupMinImageWidth')) ) {
+
@private
matched=m;
+
*/
break;
+
this.hookIds={};
}
+
/** List of downloads associated with the popup.
}
+
@private
pg.re.image.lastIndex=0;
+
@type Array
if (!matched) { return null; }
+
*/
return pg.ns.image+':'+upcaseFirst(matched);
+
this.downloads=[];
}
+
/** Number of uncompleted downloads.
 
+
@type integer
function removeMatchesUnless(str, re1, parencount, re2) {
+
*/
    var split=str.parenSplit(re1);
+
this.pending=null;
    var c=parencount + 1;
+
/** Tolerance in pixels when detecting whether the mouse has left the popup.
    for (var i=0; i<split.length; ++i) {
+
@type integer
if ( i%c === 0 || re2.test(split[i]) ) { continue; }
+
*/
split[i]='';
+
this.fuzz=5;
    }
+
/** Flag to toggle running {@link #limitHorizontalPosition} to regulate the popup's position.
    return split.join('');
+
@type boolean
}
+
*/
 +
this.constrained=true;
 +
/** The popup width in pixels.
 +
@private
 +
@type integer
 +
*/
 +
this.width=0;
 +
/** The popup width in pixels.
 +
@private
 +
@type integer
 +
*/
 +
this.height=0;
 +
/** The main content DIV element.
 +
@type HTMLDivElement
 +
*/
 +
this.mainDiv=null;
 +
this.createMainDiv();
  
//</NOLITE>
+
// if (!init || typeof init.popups_draggable=='undefined' || init.popups_draggable) {
// ENDFILE: images.js
+
// this.makeDraggable(true);
// STARTFILE: namespaces.js
+
// }
// Set up namespaces and other non-strings.js localization
 
// (currently that means redirs too)
 
 
 
// Put the right namespace list into pg.ns.list, based on pg.wiki.lang
 
// Default to english if nothing seems to fit
 
function setNamespaceList() {
 
var m="Media";
 
var list = [m, "Special", "Talk", "User", "User talk", "Wikipedia", "Wikipedia talk", "File", "File talk", "MediaWiki", "MediaWiki talk", "Template", "Template talk", "Help", "Help talk", "Category", "Category talk", "Portal", "Portal talk"];
 
var nsIndex = { '': 0, 'Special': 1,
 
'Talk': 2, 'User': 3, 'User talk': 4, 'Wikipedia': 5,
 
'Wikipedia talk': 6, 'Image': 7, 'File': 7, 'Image talk': 8, 'File talk' : 8, 'MediaWiki': 9,
 
'MediaWiki talk': 10, 'Template': 11, 'Template talk': 12,
 
'Help': 13, 'Help talk': 14, 'Category': 15, 'Category talk':16,
 
'Portal': 17, 'Portal talk': 18};
 
var nsLists = {
 
//<NOLITE>
 
"af": [m, "Spesiaal", "Bespreking", "Gebruiker", "Gebruikerbespreking", "Wikipedia", "Wikipediabespreking", "Beeld", "Beeldbespreking", "MediaWiki", "MediaWikibespreking", "Sjabloon", "Sjabloonbespreking", "Hulp", "Hulpbespreking", "Kategorie", "Kategoriebespreking"],
 
"als": [m, "Spezial", "Diskussion", "Benutzer", "Benutzer Diskussion", "Wikipedia", "Wikipedia Diskussion", "Bild", "Bild Diskussion", "MediaWiki", "MediaWiki Diskussion", "Vorlage", "Vorlage Diskussion", "Hilfe", "Hilfe Diskussion", "Kategorie", "Kategorie Diskussion"],
 
"ar": ["ملف", "خاص", "نقاش", "مستخدم", "نقاش المستخدم", "ويكيبيديا", "نقاش ويكيبيديا", "صورة", "نقاش الصورة", "ميدياويكي", "نقاش ميدياويكي", "Template", "نقاش Template", "مساعدة", "نقاش المساعدة", "تصنيف", "نقاش التصنيف"],
 
"ast": [m, "Especial", "Discusión", "Usuariu", "Usuariu discusión", "Uiquipedia", "Uiquipedia discusión", "Imaxen", "Imaxen discusión", "MediaWiki", "MediaWiki discusión", "Plantilla", "Plantilla discusión", "Ayuda", "Ayuda discusión", "Categoría", "Categoría discusión"],
 
"be": ["Мэдыя", "Спэцыяльныя", "Абмеркаваньне", "Удзельнік", "Гутаркі ўдзельніка", "Вікіпэдыя", "Абмеркаваньне Вікіпэдыя", "Выява", "Абмеркаваньне выявы", "MediaWiki", "Абмеркаваньне MediaWiki", "Шаблён", "Абмеркаваньне шаблёну", "Дапамога", "Абмеркаваньне дапамогі", "Катэгорыя", "Абмеркаваньне катэгорыі"],
 
"bg": ["Медия", "Специални", "Беседа", "Потребител", "Потребител беседа", "Уикипедия", "Уикипедия беседа", "Картинка", "Картинка беседа", "МедияУики", "МедияУики беседа", "Шаблон", "Шаблон беседа", "Помощ", "Помощ беседа", "Категория", "Категория беседа"],
 
"bm": [m, "Special", "Discuter", "Utilisateur", "Discussion Utilisateur", "Wikipedia", "Discussion Wikipedia", "Image", "Discussion Image", "MediaWiki", "Discussion MediaWiki", "Modèle", "Discussion Modèle", "Aide", "Discussion Aide", "Catégorie", "Discussion Catégorie"],
 
"bn": ["বিশেষ", "আলাপ", "ব্যবহারকারী", "ব্যবহারকারী আলাপ", "উইকিপেডিয়া", "উইকিপেডিয়া আলাপ", "চিত্র", "চিত্র আলাপ", "MediaWik i আলাপ", m, "MediaWiki", "Template", "Template talk", "Help", "Help talk", "Category", "Category talk"],
 
"br": [m, "Dibar", "Kaozeal", "Implijer", "Kaozeadenn Implijer", "Wikipedia", "Kaozeadenn Wikipedia", "Skeudenn", "Kaozeadenn Skeudenn", "MediaWiki", "Kaozeadenn MediaWiki", "Patrom", "Kaozeadenn Patrom", "Skoazell", "Kaozeadenn Skoazell", "Rummad", "Kaozeadenn Rummad"],
 
"ca": [m, "Especial", "Discussió", "Usuari", "Usuari Discussió", "Viquipèdia", "Viquipèdia Discussió", "Imatge", "Imatge Discussió", "MediaWiki", "MediaWiki Discussió", "Template", "Template Discussió", "Ajuda", "Ajuda Discussió", "Categoria", "Categoria Discussió"],
 
"cs": ["Média", "Speciální", "Diskuse", "Wikipedista", "Wikipedista diskuse", "Wikipedie", "Wikipedie diskuse", "Soubor", "Soubor diskuse", "MediaWiki", "MediaWiki diskuse", "Šablona", "Šablona diskuse", "Nápověda", "Nápověda diskuse", "Kategorie", "Kategorie diskuse"],
 
"csb": [m, "Specjalnô", "Diskùsëjô", "Brëkòwnik", "Diskùsëjô brëkòwnika", "Wiki", "Diskùsëjô Wiki", "Òbrôzk", "Diskùsëjô òbrôzków", "MediaWiki", "Diskùsëjô MediaWiki", "Szablóna", "Diskùsëjô Szablónë", "Pòmòc", "Diskùsëjô Pòmòcë", "Kategòrëjô", "Diskùsëjô Kategòrëji"],
 
"cv": ["Медиа", "Ятарлă", "Сӳтсе явасси", "Хутшăнакан", "Хутшăнаканăн канашлу страници", "Wikipedia", "0", "Ӳкерчĕк", "Ӳкерчĕке сӳтсе явмалли", "MediaWiki", "MediaWiki сӳтсе явмалли", "Шаблон", "Шаблона сӳтсе явмалли", "Пулăшу", "Пулăшăва сӳтсе явмалли", "Категори", "Категорине сӳтсе явмалли"],
 
"cy": [m, "Arbennig", "Sgwrs", "Defnyddiwr", "Sgwrs Defnyddiwr", "Wicipedia", "Sgwrs Wicipedia", "Delwedd", "Sgwrs Delwedd", "MediaWiki", "Sgwrs MediaWiki", "Nodyn", "Sgwrs Nodyn", "Help", "Help talk", "Category", "Category talk"],
 
"da": [m, "Speciel", "Diskussion", "Bruger", "Brugerdiskussion", "Wikipedia", "Wikipedia-diskussion", "Billede", "Billeddiskussion", "MediaWiki", "MediaWiki-diskussion", "Skabelon", "Skabelondiskussion", "Hjælp", "Hjælpdiskussion", "Kategori", "Kategoridiskussion", "Portal", "Portaldiskussion"],
 
"de": [m, "Spezial", "Diskussion", "Benutzer", "Benutzer Diskussion", "Wikipedia", "Wikipedia Diskussion", "Bild", "Bild Diskussion", "MediaWiki", "MediaWiki Diskussion", "Vorlage", "Vorlage Diskussion", "Hilfe", "Hilfe Diskussion", "Kategorie", "Kategorie Diskussion", "Portal", "Portal Diskussion"],
 
"el": ["Μέσον", "Ειδικό", "Συζήτηση", "Χρήστης", "Συζήτηση χρήστη", "Βικιπαίδεια", "Βικιπαίδεια συζήτηση", "Εικόνα", "Συζήτηση εικόνας", "MediaWiki", "MediaWiki talk", "Πρότυπο", "Συζήτηση προτύπου", "Βοήθεια", "Συζήτηση βοήθειας", "Κατηγορία", "Συζήτηση κατηγορίας"],
 
"eo": [m, "Speciala", "Diskuto", "Vikipediisto", "Vikipediista diskuto", "Vikipedio", "Vikipedio diskuto", "Dosiero", "Dosiera diskuto", "MediaWiki", "MediaWiki diskuto", "Ŝablono", "Ŝablona diskuto", "Helpo", "Helpa diskuto", "Kategorio", "Kategoria diskuto"],
 
"es": [m, "Especial", "Discusión", "Usuario", "Usuario Discusión", "Wikipedia", "Wikipedia Discusión", "Imagen", "Imagen Discusión", "MediaWiki", "MediaWiki Discusión", "Plantilla", "Plantilla Discusión", "Ayuda", "Ayuda Discusión", "Categoría", "Categoría Discusión"],
 
"et": ["Meedia", "Eri", "Arutelu", "Kasutaja", "Kasutaja arutelu", "Vikipeedia", "Vikipeedia arutelu", "Pilt", "Pildi arutelu", "MediaWiki", "MediaWiki arutelu", "Mall", "Malli arutelu", "Juhend", "Juhendi arutelu", "Kategooria", "Kategooria arutelu"],
 
"eu": [m, "Aparteko", "Eztabaida", "Lankide", "Lankide eztabaida", "Wikipedia", "Wikipedia eztabaida", "Irudi", "Irudi eztabaida", "MediaWiki", "MediaWiki eztabaida", "Template", "Template talk", "Help", "Help talk", "Category", "Category talk"],
 
"fa": ["مدیا", "ویژه", "بحث", "کاربر", "بحث کاربر", "ویکی‌پدیا", "بحث ویکی‌پدیا", "تصویر", "بحث تصویر", "مدیاویکی", "بحث مدیاویکی", "الگو", "بحث الگو", "راهنما", "بحث راهنما", "رده", "بحث رده"],
 
"fi": [m, "Toiminnot", "Keskustelu", "Käyttäjä", "Keskustelu käyttäjästä", "Wikipedia", "Keskustelu Wikipediasta", "Kuva", "Keskustelu kuvasta", "MediaWiki", "MediaWiki talk", "Malline", "Keskustelu mallineesta", "Ohje", "Keskustelu ohjeesta", "Luokka", "Keskustelu luokasta"],
 
"fo": ["Miðil", "Serstakur", "Kjak", "Brúkari", "Brúkari kjak", "Wikipedia", "Wikipedia kjak", "Mynd", "Mynd kjak", "MidiaWiki", "MidiaWiki kjak", "Fyrimynd", "Fyrimynd kjak", "Hjálp", "Hjálp kjak", "Bólkur", "Bólkur kjak"],
 
"fr": [m, "Spécial", "Discuter", "Utilisateur", "Discussion Utilisateur", "Wikipédia", "Discussion Wikipédia", "Image", "Discussion Image", "MediaWiki", "Discussion MediaWiki", "Modèle", "Discussion Modèle", "Aide", "Discussion Aide", "Catégorie", "Discussion Catégorie", "Portail", "Discussion Portail"],
 
"fur": [m, "Speciâl", "Discussion", "Utent", "Discussion utent", "Vichipedie", "Discussion Vichipedie", "Figure", "Discussion figure", "MediaWiki", "Discussion MediaWiki", "Model", "Discussion model", "Jutori", "Discussion jutori", "Categorie", "Discussion categorie"],
 
"fy": [m, "Wiki", "Oerlis", "Meidogger", "Meidogger oerlis", "Wikipedy", "Wikipedy oerlis", "Ofbyld", "Ofbyld oerlis", "MediaWiki", "MediaWiki oerlis", "Berjocht", "Berjocht oerlis", "Hulp", "Hulp oerlis", "Kategory", "Kategory oerlis"],
 
"ga": ["Meán", "Speisialta", "Plé", "Úsáideoir", "Plé úsáideora", "Vicipéid", "Plé Vicipéide", "Íomhá", "Plé íomhá", "MediaWiki", "Plé MediaWiki", "Teimpléad", "Plé teimpléid", "Cabhair", "Plé cabhrach", "Catagóir", "Plé catagóire"],
 
"gu": [m, "Special", "Talk", "User", "User talk", "વિકિપીડિયા", "વિકિપીડિયા talk", "Image", "Image talk", "MediaWiki", "MediaWiki talk", "Template", "Template talk", "Help", "Help talk", "Category", "Category talk"],
 
"he": [m, "מיוחד", "שיחה", "משתמש", "שיחת משתמש", "ויקיפדיה", "שיחת ויקיפדיה", "תמונה", "שיחת תמונה", "MediaWiki", "שיחת MediaWiki", "תבנית", "שיחת תבנית", "עזרה", "שיחת עזרה", "קטגוריה", "שיחת קטגוריה"],
 
"hi": [m, "विशेष", "वार्ता", "सदस्य", "सदस्य वार्ता", "विकिपीडिया", "विकिपीडिया वार्ता", "चित्र", "चित्र वार्ता", "MediaWiki", "MediaWiki talk", "Template", "Template talk", "श्रेणी", "श्रेणी वार्ता", "Help", "Help talk"],
 
"hr": ["Mediji", "Posebno", "Razgovor", "Suradnik", "Razgovor sa suradnikom", "Wikipedia", "Razgovor Wikipedia", "Slika", "Razgovor o slici", "MediaWiki", "MediaWiki razgovor", "Predložak", "Razgovor o predlošku", "Pomoć", "Razgovor o pomoći", "Kategorija", "Razgovor o kategoriji"],
 
"hu": [ "Média", "Speciális", "Vita", "Szerkesztő", "Szerkesztővita", "Wikipédia", "Wikipédia-vita", "Kép", "Képvita", "MediaWiki", "MediaWiki-vita", "Sablon", "Sablonvita", "Segítség", "Segítségvita", "Kategória", "Kategóriavita", "Portál", "Portálvita"],
 
"ia": [m, "Special", "Discussion", "Usator", "Discussion Usator", "Wikipedia", "Discussion Wikipedia", "Imagine", "Discussion Imagine", "MediaWiki", "Discussion MediaWiki", "Template", "Template talk", "Help", "Help talk", "Category", "Category talk"],
 
"id": [m, "Istimewa", "Bicara", "Pengguna", "Bicara Pengguna", "Wikipedia", "Pembicaraan Wikipedia", "Gambar", "Pembicaraan Gambar", "MediaWiki", "Pembicaraan MediaWiki", "Templat", "Pembicaraan Templat", "Bantuan", "Pembicaraan Bantuan", "Kategori", "Pembicaraan Kategori"],
 
"is": ["Miðill", "Kerfissíða", "Spjall", "Notandi", "Notandaspjall", "Wikipedia", "Wikipediaspjall", "Mynd", "Myndaspjall", "Melding", "Meldingarspjall", "Snið", "Sniðaspjall", "Hjálp", "Hjálparspjall", "Flokkur", "Flokkaspjall"],
 
"it": [m, "Speciale", "Discussione", "Utente", "Discussioni utente", "Wikipedia", "Discussioni Wikipedia", "File", "Discussioni file", "MediaWiki", "Discussioni MediaWiki", "Template", "Discussioni template", "Aiuto", "Discussioni aiuto", "Categoria", "Discussioni categoria", "Portale", "Discussioni portale", "Progetto", "Discussioni progetto"],
 
"ja": [m, "特別", "ノート", "利用者", "利用者‐会話", "Wikipedia", "Wikipedia‐ノート", "画像", "画像‐ノート", "MediaWiki", "MediaWiki‐ノート", "Template", "Template‐ノート", "Help", "Help‐ノート", "Category", "Category‐ノート"],
 
"ka": ["მედია", "სპეციალური", "განხილვა", "მომხმარებელი", "მომხმარებელი განხილვა", "ვიკიპედია", "ვიკიპედია განხილვა", "სურათი", "სურათი განხილვა", "მედიავიკი", "მედიავიკი განხილვა", "თარგი", "თარგი განხილვა", "დახმარება", "დახმარება განხილვა", "კატეგორია", "კატეგორია განხილვა"],
 
"ko": [m, "특수기능", "토론", "사용자", "사용자토론", "위키백과", "위키백과토론", "그림", "그림토론", "분류", "분류토론", "MediaWiki", "MediaWiki talk", "Template", "Template talk", "Help", "Help talk"],
 
"ku": ["Medya", "Taybet", "Nîqaş", "Bikarhêner", "Bikarhêner nîqaş", "Wîkîpediya", "Wîkîpediya nîqaş", "Wêne", "Wêne nîqaş", "MediaWiki", "MediaWiki nîqaş", "Şablon", "Şablon nîqaş", "Alîkarî", "Alîkarî nîqaş", "Kategorî", "Kategorî nîqaş"],
 
"la": ["Specialis", "Disputatio", "Usor", "Disputatio Usoris", "Vicipaedia", "Disputatio Vicipaediae", "Imago", "Disputatio Imaginis", "MediaWiki", "Disputatio MediaWiki", "Formula", "Disputatio Formulae", "Auxilium", "Disputatio Auxilii", "Categoria", "Disputatio Categoriae", m],
 
"li": [m, "Speciaal", "Euverlik", "Gebroeker", "Euverlik gebroeker", "Wikipedia", "Euverlik Wikipedia", "Aafbeilding", "Euverlik afbeelding", "MediaWiki", "Euverlik MediaWiki", "Sjabloon", "Euverlik sjabloon", "Help", "Euverlik help", "Kategorie", "Euverlik kategorie"],
 
"lt": ["Medija", "Specialus", "Aptarimas", "Naudotojas", "Naudotojo aptarimas", "Wikipedia", "Wikipedia aptarimas", "Vaizdas", "Vaizdo aptarimas", "MediaWiki", "MediaWiki aptarimas", "Šablonas", "Šablono aptarimas", "Pagalba", "Pagalbos aptarimas", "Kategorija", "Kategorijos aptarimas"],
 
"mk": ["Медија", "Специјални", "Разговор", "Корисник", "Корисник разговор", "Wikipedia", "Wikipedia разговор", "Слика", "Слика разговор", "МедијаВики", "МедијаВики разговор", "Шаблон", "Шаблон разговор", "Помош", "Помош разговор", "Категорија", "Категорија разговор"],
 
"ms": [m, "Istimewa", "Perbualan", "Pengguna", "Perbualan Pengguna", "Wikipedia", "Perbualan Wikipedia", "Imej", "Imej Perbualan", "MediaWiki", "MediaWiki Perbualan", "Template", "Template talk", "Help", "Help talk", "Category", "Category talk"],
 
"mt": [m, "Special", "Talk", "User", "User talk", "Wikipedija", "Wikipedija talk", "Image", "Image talk", "MediaWiki", "MediaWiki talk", "Template", "Template talk", "Help", "Help talk", "Category", "Category talk"],
 
"nap": [m, "Speciale", "Discussione", "Utente", "Discussioni utente", "Wikipedia", "Discussioni Wikipedia", "Immagine", "Discussioni immagine", "MediaWiki", "Discussioni MediaWiki", "Template", "Discussioni template", "Aiuto", "Discussioni aiuto", "Categoria", "Discussioni categoria"],
 
"nds": [m, "Spezial", "Diskuschoon", "Bruker", "Bruker Diskuschoon", "Wikipedia", "Wikipedia Diskuschoon", "Bild", "Bild Diskuschoon", "MediaWiki", "MediaWiki Diskuschoon", "Vörlaag", "Vörlaag Diskuschoon", "Hülp", "Hülp Diskuschoon", "Kategorie", "Kategorie Diskuschoon"],
 
"nl": [m, "Speciaal", "Overleg", "Gebruiker", "Overleg gebruiker", "Wikipedia", "Overleg Wikipedia", "Afbeelding", "Overleg afbeelding", "MediaWiki", "Overleg MediaWiki", "Sjabloon", "Overleg sjabloon", "Help", "Overleg help", "Categorie", "Overleg categorie"],
 
"nn": ["Filpeikar", "Spesial", "Diskusjon", "Brukar", "Brukardiskusjon", "Wikipedia", "Wikipedia-diskusjon", "Fil", "Fildiskusjon", "MediaWiki", "MediaWiki-diskusjon", "Mal", "Maldiskusjon", "Hjelp", "Hjelpdiskusjon", "Kategori", "Kategoridiskusjon"],
 
"no": ["Medium", "Spesial", "Diskusjon", "Bruker", "Brukerdiskusjon", "Wikipedia", "Wikipedia-diskusjon", "Bilde", "Bildediskusjon", "MediaWiki", "MediaWiki-diskusjon", "Mal", "Maldiskusjon", "Hjelp", "Hjelpdiskusjon", "Kategori", "Kategoridiskusjon"],
 
"nv": [m, "Special", "Naaltsoos baa yinísht'į́", "Choinish'įįhí", "Choinish'įįhí baa yinísht'į́", "Wikiibíídiiya", "Wikiibíídiiya baa yinísht'į́", "E'elyaaígíí", "E'elyaaígíí baa yinísht'į́", "MediaWiki", "MediaWiki baa yinísht'į́", "Template", "Template talk", "Aná'álwo'", "Aná'álwo' baa yinísht'į́", "T'ááłáhági át'éego", "T'ááłáhági át'éego baa yinísht'į́"],
 
"oc": ["Especial", "Discutir", "Utilisator", "Discutida Utilisator", "Oiquipedià", "Discutida Oiquipedià", "Image", "Discutida Image", "MediaWiki", "MediaWiki talk", "Template", "Template talk", m, "Help", "Help talk", "Category", "Category talk"],
 
"os": [m, "Сæрмагонд", "Дискусси", "Архайæг", "Архайæджы дискусси", "Wikipedia", "0", "Ныв", "Нывы тыххæй дискусси", "MediaWiki", "Дискусси MediaWiki", "Шаблон", "Шаблоны тыххæй дискусси", "Æххуыс", "Æххуысы тыххæй дискусси", "Категори", "Категорийы тыххæй дискусси"],
 
"pa": ["ਮੀਡੀਆ", "ਖਾਸ", "ਚਰਚਾ", "ਮੈਂਬਰ", "ਮੈਂਬਰ ਚਰਚਾ", "Wikipedia", "Wikipedia ਚਰਚਾ", "ਤਸਵੀਰ", "ਤਸਵੀਰ ਚਰਚਾ", "ਮੀਡੀਆਵਿਕਿ", "ਮੀਡੀਆਵਿਕਿ ਚਰਚਾ", "ਨਮੂਨਾ", "ਨਮੂਨਾ ਚਰਚਾ", "ਮਦਦ", "ਮਦਦ ਚਰਚਾ", "ਸ਼੍ਰੇਣੀ", "ਸ਼੍ਰੇਣੀ ਚਰਚਾ"],
 
"pl": [m, "Specjalna", "Dyskusja", "Wikipedysta", "Dyskusja wikipedysty", "Wikipedia", "Dyskusja Wikipedii", "Plik", "Dyskusja pliku", "MediaWiki", "Dyskusja MediaWiki", "Szablon", "Dyskusja szablonu", "Pomoc", "Dyskusja pomocy", "Kategoria", "Dyskusja kategorii", "Portal", "Dyskusja portalu","Wikiprojekt","Dyskusja Wikiprojektu"],
 
"pt": [m, "Especial", "Discussão", "Usuário", "Usuário Discussão", "Wikipedia", "Wikipedia Discussão", "Imagem", "Imagem Discussão", "MediaWiki", "MediaWiki Discussão", "Predefinição", "Predefinição Discussão", "Ajuda", "Ajuda Discussão", "Categoria", "Categoria Discussão"],
 
"ro": [m, "Special", "Discuţie", "Utilizator", "Discuţie Utilizator", "Wikipedia", "Discuţie Wikipedia", "Imagine", "Discuţie Imagine", "MediaWiki", "Discuţie MediaWiki", "Format", "Discuţie Format", "Ajutor", "Discuţie Ajutor", "Categorie", "Discuţie Categorie"],
 
"ru": ["Медиа", "Служебная", "Обсуждение", "Участник", "Обсуждение участника", "Википедия", "Обсуждение Википедии", "Изображение", "Обсуждение изображения", "MediaWiki", "Обсуждение MediaWiki", "Шаблон", "Обсуждение шаблона", "Справка", "Обсуждение справки", "Категория", "Обсуждение категории"],
 
"sc": ["Speciale", "Contièndha", "Utente", "Utente discussioni", "Wikipedia", "Wikipedia discussioni", "Immàgini", "Immàgini contièndha", m, "MediaWiki", "MediaWiki talk", "Template", "Template talk", "Help", "Help talk", "Category", "Category talk"],
 
"sk": ["Médiá", "Špeciálne", "Diskusia", "Redaktor", "Diskusia s redaktorom", "Wikipédia", "Diskusia k Wikipédii", "Obrázok", "Diskusia k obrázku", "MediaWiki", "Diskusia k MediaWiki", "Šablóna", "Diskusia k šablóne", "Pomoc", "Diskusia k pomoci", "Kategória", "Diskusia ku kategórii"],
 
"sl": [m, "Posebno", "Pogovor", "Uporabnik", "Uporabniški pogovor", "Wikipedija", "Pogovor k Wikipediji", "Slika", "Pogovor k sliki", "MediaWiki", "MediaWiki talk", "Template", "Template talk", "Help", "Help talk", "Category", "Category talk"],
 
"sq": [m, "Speciale", "Diskutim", "Përdoruesi", "Përdoruesi diskutim", "Wikipedia", "Wikipedia diskutim", "Figura", "Figura diskutim", "MediaWiki", "MediaWiki diskutim", "Stampa", "Stampa diskutim", "Ndihmë", "Ndihmë diskutim", "Category", "Category talk"],
 
"sr": [m, "Посебно", "Разговор", "Корисник", "Разговор са корисником", "Википедија", "Разговор о Википедији", "Слика", "Разговор о слици", "МедијаВики", "Разговор о МедијаВикију", "Шаблон", "Разговор о шаблону", "Помоћ", "Разговор о помоћи", "Категорија", "Разговор о категорији", "Портал", "Разговор о порталу"],
 
"sv": [m, "Special", "Diskussion", "Användare", "Användardiskussion", "Wikipedia", "Wikipediadiskussion", "Bild", "Bilddiskussion", "MediaWiki", "MediaWiki diskussion", "Mall", "Malldiskussion", "Hjälp", "Hjälp diskussion", "Kategori", "Kategoridiskussion"],
 
"ta": ["ஊடகம்", "சிறப்பு", "பேச்சு", "பயனர்", "பயனர் பேச்சு", "Wikipedia", "Wikipedia பேச்சு", "படிமம்", "படிமப் பேச்சு", "மீடியாவிக்கி", "மீடியாவிக்கி பேச்சு", "வார்ப்புரு", "வார்ப்புரு பேச்சு", "உதவி", "உதவி பேச்சு", "பகுப்பு", "பகுப்பு பேச்சு"],
 
"th": [m, "พิเศษ", "พูดคุย", "ผู้ใช้", "คุยเกี่ยวกับผู้ใช้", "Wikipedia", "Wikipedia talk", "ภาพ", "คุยเกี่ยวกับภาพ", "MediaWiki", "คุยเกี่ยวกับ MediaWiki", "Template", "Template talk", "Help", "Help talk", "Category", "Category talk"],
 
"tlh": ["Doch", "le'", "ja'chuq", "lo'wI'", "lo'wI' ja'chuq", "wIqIpe'DIya", "wIqIpe'DIya ja'chuq", "nagh beQ", "nagh beQ ja'chuq", "MediaWiki", "MediaWiki ja'chuq", "chen'ay'", "chen'ay' ja'chuq", "QaH", "QaH ja'chuq", "Segh", "Segh ja'chuq"],
 
"tr": [m, "Özel", "Tartışma", "Kullanıcı", "Kullanıcı mesaj", "Vikipedi", "Vikipedi tartışma", "Resim", "Resim tartışma", "MedyaViki", "MedyaViki tartışma", "Şablon", "Şablon tartışma", "Yardım", "Yardım tartışma", "Kategori", "Kategori tartışma"],
 
"tt": [m, "Maxsus", "Bäxäs", "Äğzä", "Äğzä bäxäse", "Wikipedia", "Wikipedia bäxäse", "Räsem", "Räsem bäxäse", "MediaWiki", "MediaWiki bäxäse", "Ürnäk", "Ürnäk bäxäse", "Yärdäm", "Yärdäm bäxäse", "Törkem", "Törkem bäxäse"],
 
"uk": ["Медіа", "Спеціальні", "Обговорення", "Користувач", "Обговорення користувача", "Wikipedia", "Обговорення Wikipedia", "Зображення", "Обговорення зображення", "MediaWiki", "Обговорення MediaWiki", "Шаблон", "Обговорення шаблону", "Довідка", "Обговорення довідки", "Категорія", "Обговорення категорії"],
 
"vi": ["Phương tiện", "Đặc biệt", "Thảo luận", "Thành viên", "Thảo luận Thành viên", "Wikipedia", "Thảo luận Wikipedia", "Hình", "Thảo luận Hình", "MediaWiki", "Thảo luận MediaWiki", "Tiêu bản", "Thảo luận Tiêu bản", "Trợ giúp", "Thảo luận Trợ giúp", "Thể loại", "Thảo luận Thể loại"],
 
"wa": [m, "Sipeciås", "Copene", "Uzeu", "Uzeu copene", "Wikipedia", "Wikipedia copene", "Imådje", "Imådje copene", "MediaWiki", "MediaWiki copene", "Modele", "Modele copene", "Aidance", "Aidance copene", "Categoreye", "Categoreye copene"]
 
//</NOLITE>
 
};
 
pg.ns.list = nsLists[pg.wiki.lang] || list;
 
pg.ns.index = nsIndex;
 
 
}
 
}
  
function namespaceListToRegex(list) {return RegExp('^('+list.join('|').split(' ').join('[ _]')+'):');};
+
/**
// function setNamespaceList is ugly as sin, moved to later in the code
+
  A UID for each Navpopup. This constructor property is just a counter.
 +
  @type integer
 +
  @private
 +
*/
 +
Navpopup.uid=0;
  
function setNamespaces() {
+
/**
setNamespaceList();
+
  Retrieves the {@link #visible} attribute, indicating whether the popup is currently visible.
pg.ns.withTalkList=[null]; // NB root (article) corresponds with this entry, null
+
  @type boolean
pg.ns.talkList=[pg.ns.list[2]];
+
*/
 +
Navpopup.prototype.isVisible=function() {
 +
return this.visible;
 +
};
  
// if the number of namespaces changes then this will have to be changed
+
/**
// maybe the easiest way is to specify the arrays by hand as in the comments following the loop
+
  Repositions popup using CSS style.
 +
  @private
 +
  @param {integer} x x-coordinate (px)
 +
  @param {integer} y y-coordinate (px)
 +
  @param {boolean} noLimitHor Don't call {@link #limitHorizontalPosition}
 +
*/
 +
Navpopup.prototype.reposition= function (x,y, noLimitHor) {
 +
log ('reposition('+x+','+y+','+noLimitHor+')');
 +
if (typeof x != 'undefined' && x !== null) { this.left=x; }
 +
if (typeof y != 'undefined' && y !== null) { this.top=y; }
 +
if (typeof this.left != 'undefined' && typeof this.top != 'undefined') {
 +
this.mainDiv.style.left=this.left + 'px';
 +
this.mainDiv.style.top=this.top + 'px';
 +
}
 +
if (!noLimitHor) { this.limitHorizontalPosition(); }
 +
//console.log('navpop'+this.uid+' - (left,top)=(' + this.left + ',' + this.top + '), css=('
 +
//+ this.mainDiv.style.left + ',' + this.mainDiv.style.top + ')');
 +
};
 +
 
 +
/**
 +
  Prevents popups from being in silly locations. Hopefully.
 +
  Should not be run if {@link #constrained} is true.
 +
  @private
 +
*/
 +
Navpopup.prototype.limitHorizontalPosition=function() {
 +
if (!this.constrained || this.tooWide) { return; }
 +
this.updateDimensions();
 +
var x=this.left;
 +
var w=this.width;
 +
var cWidth=document.body.clientWidth;
  
for (var i=3; i+1<pg.ns.list.length; i=i+2) {
 
pg.ns.withTalkList.push(pg.ns.list[i]);
 
pg.ns.talkList.push(pg.ns.list[i+1]);
 
}
 
  
// ALERT! SILLY HARDCODED VALUES FOLLOW!
+
// log('limitHorizontalPosition: x='+x+
pg.ns.special  = pg.ns.list[pg.ns.index.Special];
+
// ', this.left=' + this.left +
pg.ns.image    = pg.ns.list[pg.ns.index.File];
+
// ', this.width=' + this.width +
pg.ns.user      = pg.ns.list[pg.ns.index.User];
+
// ', cWidth=' + cWidth);
pg.ns.usertalk  = pg.ns.list[pg.ns.index['User talk']];
 
pg.ns.category  = pg.ns.list[pg.ns.index.Category];
 
pg.ns.template  = pg.ns.list[pg.ns.index.Template];
 
pg.ns.nonArticleList=pg.ns.list.slice(0,2).concat(pg.ns.list.slice(2));
 
}
 
  
  
function setRedirs() {
+
if ( (x+w) >= cWidth ||
var r='redirect';
+
( x > 0 &&
var R='REDIRECT';
+
this.maxWidth &&
var redirLists={
+
this.width < this.maxWidth &&
//<NOLITE>
+
this.height > this.width &&
'ar':  [ R, 'تحويل' ],
+
x > cWidth - this.maxWidth ) ) {
'be':  [ r, 'перанакіраваньне' ],
+
// This is a very nasty hack. There has to be a better way!
'bg':  [ r, 'пренасочване', 'виж' ],
+
// We find the "natural" width of the div by positioning it at the far left
'bs':  [ r, 'Preusmjeri', 'preusmjeri', 'PREUSMJERI' ],
+
// then reset it so that it should be flush right (well, nearly)
'cs':  [ R, 'PŘESMĚRUJ' ],
+
this.mainDiv.style.left='-10000px';
'cy':  [ r, 'ail-cyfeirio' ],
+
this.mainDiv.style.width = this.maxWidth + 'px';
'et':  [ r, 'suuna' ],
+
var naturalWidth=parseInt(this.mainDiv.offsetWidth, 10);
'ga':  [ r, 'athsheoladh' ],
+
var newLeft=cWidth - naturalWidth - 1;
'he':  [ R, 'הפניה' ],
+
if (newLeft < 0) { newLeft = 0; this.tooWide=true; } // still unstable for really wide popups?
'hu':  [ R, 'ÁTIRÁNYÍTÁS' ],
+
log ('limitHorizontalPosition: moving to ('+newLeft + ','+ this.top+');' + ' naturalWidth=' + naturalWidth + ', clientWidth=' + cWidth);
'is':  [ r, 'tilvísun', 'TILVÍSUN' ],
+
this.reposition(newLeft, null, true);
'it':  [ R, 'RINVIA', 'Rinvia'],
 
'mk':  [ r, 'пренасочување', 'види' ],
 
'nds': [ r, 'wiederleiden' ],
 
'nn':  [ r, 'omdiriger' ],
 
'pl':  [ R, 'PATRZ', 'PRZEKIERUJ', 'TAM' ],
 
'pt':  [ R, 'redir' ],
 
'ru':  [ R, 'ПЕРЕНАПРАВЛЕНИЕ', 'ПЕРЕНАПР' ],
 
'sk':  [ r, 'presmeruj' ],
 
'sr':  [ r, 'Преусмери', 'преусмери', 'ПРЕУСМЕРИ', 'Preusmeri', 'preusmeri', 'PREUSMERI' ],
 
'tt':  [ 'yünältü' ],
 
'vi':  [ r, 'đổi' ] // no comma
 
//</NOLITE>
 
};
 
var redirList=redirLists[ pg.wiki.lang ] || [r, R];
 
// Mediawiki is very tolerant about what comes after the #redirect at the start
 
pg.re.redirect=RegExp('^\\s*[#](' + redirList.join('|') + ').*?\\[{2}([^\\|\\]]*)(|[^\\]]*)?\\]{2}\\s*(.*)', 'i');
 
}
 
 
 
function setInterwiki() {
 
if (pg.wiki.wikimedia) {
 
pg.wiki.interwiki='aa|ab|af|ak|als|am|an|ang|ar|arc|arz|as|ast|av|ay|az|ba|be|ber|bg|bh|bi|bm|bn|bdf|bo|br|bs|ca|ce|ceb|ch|cho|chr|chy|co|commons|cr|cs|csb|cu|cv|cy|da|de|dsb|dv|dz|el|en|eo|es|et|eu|fa|ff|fi|fiu-vro|fj|fo|fr|fur|fy|ga|gd|gil|gl|gn|got|gu|gv|ha|haw|he|hi|ho|hr|hsb|ht|hu|hy|hz|ia|id|ie|ig|ii|ik|ilo|io|is|it|iu|ja|jbo|jv|ka|kg|ki|kj|kk|kl|km|kn|ko|kr|ks|ksh|ku|kv|kw|ky|la|lad|lan|lb|lg|li|ln|lmo|lo|lt|lu|lv|map-bms|mg|mh|mi|mk|ml|mn|mo|mr|ms|mt|stq|mus|my|na|nah|nap|nb|nd|nds|nds-nl|ne|new|ng|nl|nn|no|nr|nv|ny|oc|oj|om|or|os|pa|pam|pi|pl|pms|ps|pt|qu|rm|rn|ro|roa-rup|ru|rw|sa|sc|scn|sco|sd|se|sg|sh|si|simple|sk|sl|sm|smg|sn|so|sq|sr|ss|st|stq|su|sv|sw|szl|ta|te|tg|th|ti|tk|tl|tlh|tn|to|tpi|tr|ts|tt|tum|tw|ty|ug|uk|ur|uz|ve|vi|vk|vo|wa|war|wen|wo|xh|yi|yo|za|zh|zh-min-nan|zh-yue|zu';
 
pg.re.interwiki=RegExp('^'+pg.wiki.interwiki+':');
 
} else {
 
pg.wiki.interwiki=null;
 
pg.re.interwiki=RegExp('^$');
 
 
}
 
}
}
+
};
  
function nsRe(label) {
+
/**
var l=upcaseFirst(label);
+
  Counter indicating the z-order of the "highest" popup.
return nsRegexString(pg.ns.list[pg.ns.index[l]], l);
+
  We start the z-index at 1000 so that popups are above everything
}
+
  else on the screen.
 
+
  @private
function nsReImage() {
+
  @type integer
var str = pg.ns.list[pg.ns.index["File"]];
+
*/
return '(?:' + str + '|' + encodeURI(str) + '|' + upcaseFirst(str) + '|Image|' + upcaseFirst('Image') + ')';
+
Navpopup.highest=1000;
}
 
  
function nsRegexString(str, extra) {
+
/**
return '(?:' + str + '|' + encodeURI(str) + (extra ? '|' + extra : '') + ')';
+
  Brings popup to the top of the z-order.
}
+
  We increment the {@link #highest} property of the contructor here.
 +
  @private
 +
*/
 +
Navpopup.prototype.raise = function () {
 +
this.mainDiv.style.zIndex=Navpopup.highest + 1;
 +
++Navpopup.highest;
 +
};
  
function nsRegex(str, extra) {
+
/**
return RegExp(nsRegexString(str, extra));
+
  Shows the popup provided {@link #noshow} is not true.
}
+
  Updates the position, brings the popup to the top of the z-order and unhides it.
// ENDFILE: namespaces.js
+
*/
// STARTFILE: selpop.js
+
Navpopup.prototype.show = function () {
//<NOLITE>
+
//document.title+='s';
function getEditboxSelection() {
+
if (this.noshow) { return; }
// see http://www.webgurusforum.com/8/12/0
+
//document.title+='t';
try {
+
this.reposition();
var editbox=document.editform.wpTextbox1;
+
this.raise();
} catch (dang) { return; }
+
this.unhide();
// IE, Opera
+
};
if (document.selection) { return document.selection.createRange().text; }
 
// Mozilla
 
var selStart = editbox.selectionStart;
 
var selEnd = editbox.selectionEnd;
 
return (editbox.value).substring(selStart, selEnd);
 
}
 
  
function doSelectionPopup() {
+
/**
// popup if the selection looks like [[foo|anything afterwards at all
+
  Checks to see if the mouse pointer has
// or [[foo|bar]]text without ']]'
+
  stabilised (checking every <code>time</code>/2 milliseconds) and runs the
// or [[foo|bar]]
+
  {@link #show} method if it has.
var sel=getEditboxSelection();
+
  @param {integer} time The minimum time (ms) before the popup may be shown.
var open=sel.indexOf('[[');
 
var pipe=sel.indexOf('|');
 
var close=sel.indexOf(']]');
 
if (open == -1 || ( pipe == -1 && close == -1) ) { return; }
 
if (pipe != -1 && open > pipe || close != -1 && open > close) { return; }
 
if (getValueOf('popupOnEditSelection')=='boxpreview') {
 
return doSeparateSelectionPopup(sel);
 
}
 
var article=new Title(sel.substring(open+2, (pipe < 0) ? close : pipe)).urlString();
 
if (close > 0 && sel.substring(close+2).indexOf('[[') >= 0) {
 
return;
 
}
 
var a=document.createElement('a');
 
a.href=pg.wiki.titlebase + article;
 
mouseOverWikiLink2(a);
 
if (a.navpopup) {
 
a.navpopup.addHook(function(){runStopPopupTimer(a.navpopup);}, 'unhide', 'after');
 
}
 
}
 
 
 
function doSeparateSelectionPopup(str) {
 
var div=document.getElementById('selectionPreview');
 
if (!div) {
 
div = document.createElement('div');
 
div.id='selectionPreview';
 
try { var box=document.editform.wpTextbox1; }
 
catch (oopsie) { return; }
 
box.parentNode.insertBefore(div, box);
 
}
 
div.innerHTML=wiki2html(str);
 
div.ranSetupTooltipsAlready = false;
 
popTipsSoonFn('selectionPreview')();
 
}
 
//</NOLITE>
 
// ENDFILE: selpop.js
 
// STARTFILE: navpopup.js
 
/**
 
  @fileoverview  Defines two classes: {@link Navpopup} and {@link Mousetracker}.
 
 
 
  <code>Navpopup</code> describes popups: when they appear, where, what
 
  they look like and so on.
 
 
 
  <code>Mousetracker</code> "captures" the mouse using
 
  <code>document.onmousemove</code>.
 
 
*/
 
*/
 +
Navpopup.prototype.showSoonIfStable = function (time) {
 +
log ('showSoonIfStable, time='+time);
 +
if (this.visible) { return; }
 +
this.noshow = false;
  
 +
//~ initialize these variables so that we never run @tt{show} after
 +
//~ just half the time
 +
this.stable_x = -10000; this.stable_y = -10000;
 +
 +
var stableShow = function() {
 +
log('stableShow called');
 +
var new_x = Navpopup.tracker.x, new_y = Navpopup.tracker.y;
 +
var dx = savedThis.stable_x - new_x, dy = savedThis.stable_y - new_y;
 +
var fuzz2 = 0; // savedThis.fuzz * savedThis.fuzz;
 +
//document.title += '[' + [savedThis.stable_x,new_x, savedThis.stable_y,new_y, dx, dy, fuzz2].join(',') + '] ';
 +
if ( dx * dx <= fuzz2 && dy * dy <= fuzz2 ) {
 +
log ('mouse is stable');
 +
clearInterval(savedThis.showSoonStableTimer);
 +
savedThis.reposition.apply(savedThis, [new_x + 2, new_y + 2]);
 +
savedThis.show.apply(savedThis, []);
 +
savedThis.limitHorizontalPosition.apply(savedThis, []);
 +
return;
 +
}
 +
savedThis.stable_x = new_x; savedThis.stable_y = new_y;
 +
};
 +
var savedThis = this;
 +
this.showSoonStableTimer = setInterval(stableShow, time/2);
 +
};
  
 
/**
 
/**
   Creates a new Mousetracker.
+
   Sets the {@link #noshow} flag and hides the popup. This should be called
   @constructor
+
   when the mouse leaves the link before
   @class The Mousetracker class. This monitors mouse movements and manages associated hooks.
+
   (or after) it's actually been displayed.
 
*/
 
*/
function Mousetracker() {
+
Navpopup.prototype.banish = function () {
/**
+
log ('banish called');
  Interval to regularly run the hooks anyway, in milliseconds.
+
// hide and prevent showing with showSoon in the future
  @type Integer
+
this.noshow=true;
*/
+
if (this.showSoonStableTimer) {
this.loopDelay=400;
+
log('clearing showSoonStableTimer');
 +
clearInterval(this.showSoonStableTimer);
 +
}
 +
this.hide();
 +
};
  
/**
+
/**
  Timer for the loop.
+
  Runs hooks added with {@link #addHook}.
  @type Timer
+
  @private
*/
+
  @param {String} key Key name of the {@link #hooks} array - one of 'create', 'unhide', 'hide'
this.timer=null;
+
   @param {String} when Controls exactly when the hook is run: either 'before' or 'after'
 
 
/**
 
  Flag - are we switched on?
 
  @type Boolean
 
*/
 
this.active=false;
 
/**
 
  Flag - are we probably inaccurate, i.e. not reflecting the actual mouse position?
 
*/
 
this.dirty=true;
 
/**
 
  Array of hook functions.
 
  @private
 
  @type Array
 
*/
 
this.hooks=[];
 
}
 
 
 
/**
 
  Adds a hook, to be called when we get events.
 
   @param {Function} f A function which is called as
 
  <code>f(x,y)</code>. It should return <code>true</code> when it
 
  wants to be removed, and <code>false</code> otherwise.
 
 
*/
 
*/
Mousetracker.prototype.addHook = function (f) {
+
Navpopup.prototype.runHooks = function (key, when) {
this.hooks.push(f);
+
if (!this.hooks[key]) { return; }
 +
var keyHooks=this.hooks[key];
 +
var len=keyHooks.length;
 +
for (var i=0; i< len; ++i) {
 +
if (keyHooks[i] && keyHooks[i].when == when) {
 +
if (keyHooks[i].hook.apply(this, [])) {
 +
// remove the hook
 +
if (keyHooks[i].hookId) {
 +
delete this.hookIds[keyHooks[i].hookId];
 +
}
 +
keyHooks[i]=null;
 +
}
 +
}
 +
}
 
};
 
};
  
 
/**
 
/**
   Runs hooks, passing them the x
+
   Adds a hook to the popup. Hook functions are run with <code>this</code> set to refer to the Navpopup instance, and no arguments.
   and y coords of the mouse. Hook functions that return true are
+
   @param {Function} hook The hook function. Functions that return true are deleted.
   passed to {@link Mousetracker#removeHooks} for removal.
+
   @param {String} key Key name of the {@link #hooks} array - one of 'create', 'unhide', 'hide'
   @private
+
  @param {String} when Controls exactly when the hook is run: either 'before' or 'after'
 +
   @param {String} uid A truthy string identifying the hook function; if it matches another hook in this position, it won't be added again.
 
*/
 
*/
Mousetracker.prototype.runHooks = function () {
+
Navpopup.prototype.addHook = function ( hook, key, when, uid ) {
if (!this.hooks || !this.hooks.length) { return; }
+
when = when || 'after';
//log('Mousetracker.runHooks; we got some hooks to run');
+
if (!this.hooks[key]) { return; }
var remove=false;
+
// if uid is specified, don't add duplicates
var removeObj={};
+
var hookId=null;
// this method gets called a LOT -
+
if (uid) {
// pre-cache some variables
+
hookId=[key,when,uid].join('|');
var x=this.x, y=this.y, len = this.hooks.length;
+
if (this.hookIds[hookId]) {
 
+
return;
for (var i=0; i<len; ++i) {
 
//~ run the hook function, and remove it if it returns true
 
if (this.hooks[i](x, y)===true) {
 
remove=true;
 
removeObj[i]=true;
 
 
}
 
}
 +
this.hookIds[hookId]=true;
 
}
 
}
if (remove) { this.removeHooks(removeObj); }
+
this.hooks[key].push( {hook: hook, when: when, hookId: hookId} );
 
};
 
};
  
 
/**
 
/**
   Removes hooks.
+
   Creates the main DIV element, which contains all the actual popup content.
 +
  Runs hooks with key 'create'.
 
   @private
 
   @private
  @param {Object} removeObj An object whose keys are the index
 
  numbers of functions for removal, with values that evaluate to true
 
 
*/
 
*/
Mousetracker.prototype.removeHooks = function(removeObj) {
+
Navpopup.prototype.createMainDiv = function () {
var newHooks=[];
+
if (this.mainDiv) { return; }
var len = this.hooks.length;
+
this.runHooks('create', 'before');
for (var i=0; i<len; ++i) {
+
var mainDiv=document.createElement('div');
if (! removeObj[i]) { newHooks.push(this.hooks[i]); }
 
}
 
this.hooks=newHooks;
 
};
 
  
 +
var savedThis=this;
 +
mainDiv.onclick=function(e) {savedThis.onclickHandler(e);};
 +
mainDiv.className=(this.className) ? this.className : 'navpopup_maindiv';
 +
mainDiv.id=mainDiv.className + this.uid;
  
 +
mainDiv.style.position='absolute';
 +
mainDiv.style.minWidth = '350px';
 +
mainDiv.style.display='none';
 +
mainDiv.className='navpopup';
 +
 +
// easy access to javascript object through DOM functions
 +
mainDiv.navpopup=this;
 +
 +
this.mainDiv=mainDiv;
 +
document.body.appendChild(mainDiv);
 +
this.runHooks('create', 'after');
 +
};
 
/**
 
/**
   Event handler for mouse wiggles.
+
   Calls the {@link #raise} method.
  We simply grab the event, set x and y and run the hooks.
 
  This makes the cpu all hot and bothered :-(
 
 
   @private
 
   @private
  @param {Event} e Mousemove event
 
 
*/
 
*/
Mousetracker.prototype.track=function (e) {
+
Navpopup.prototype.onclickHandler=function(/*e*/) {
//~ Apparently this is needed in IE.
+
this.raise();
e = e || window.event;
 
var x, y;
 
if (e) {
 
if (e.pageX) { x=e.pageX; y=e.pageY; }
 
else if (typeof e.clientX!='undefined') {
 
var left, top, docElt = window.document.documentElement;
 
 
 
if (docElt) { left=docElt.scrollLeft; }
 
left = left || window.document.body.scrollLeft || window.document.scrollLeft || 0;
 
 
 
if (docElt) { top=docElt.scrollTop; }
 
top = top || window.document.body.scrollTop || window.document.scrollTop || 0;
 
 
 
x=e.clientX + left;
 
y=e.clientY + top;
 
} else { return; }
 
this.setPosition(x,y);
 
}
 
 
};
 
};
 
 
/**
 
/**
   Sets the x and y coordinates stored and takes appropriate action,
+
   Makes the popup draggable, using a {@link Drag} object.
  running hooks as appropriate.
+
   @private
   @param {Integer} x, y Screen coordinates to set
 
 
*/
 
*/
 
+
Navpopup.prototype.makeDraggable=function(handleName) {
Mousetracker.prototype.setPosition=function(x,y) {
+
if (!this.mainDiv) { this.createMainDiv(); }
this.x = x;
+
var drag=new Drag();
this.y = y;
+
if (!handleName) {
if (this.dirty || this.hooks.length === 0) { this.dirty=false; return; }
+
drag.startCondition=function(e) {
if (typeof this.lastHook_x != 'number') { this.lastHook_x = -100; this.lastHook_y=-100; }
+
try { if (!e.shiftKey) { return false; } } catch (err) { return false; }
var diff = (this.lastHook_x - x)*(this.lastHook_y - y);
+
return true;
diff = (diff >= 0) ? diff : -diff;
+
};
if ( diff > 1 ) {
 
this.lastHook_x=x;
 
this.lastHook_y=y;
 
if (this.dirty) { this.dirty = false; }
 
else { this.runHooks(); }
 
 
}
 
}
}
+
var dragHandle;
 +
if (handleName) dragHandle = document.getElementById(handleName);
 +
if (!dragHandle) dragHandle = this.mainDiv;
 +
var np=this;
 +
drag.endHook=function(x,y) {
 +
Navpopup.tracker.dirty=true;
 +
np.reposition(x,y);
 +
};
 +
drag.init(dragHandle,this.mainDiv);
 +
};
 +
 
 +
/** Hides the popup using CSS. Runs hooks with key 'hide'.
 +
Sets {@link #visible} appropriately. {@link #banish} should be called externally instead of this method.
  
/**
+
@private
  Sets things in motion, unless they are already that is, registering an event handler on <code>document.onmousemove</code>.
 
  A half-hearted attempt is made to preserve the old event handler if there is one.
 
 
*/
 
*/
Mousetracker.prototype.enable = function () {
+
Navpopup.prototype.hide = function () {
if (this.active) { return; }
+
this.runHooks('hide', 'before');
this.active=true;
+
this.abortDownloads();
//~ Save the current handler for mousemove events. This isn't too
+
if (typeof this.visible != 'undefined' && this.visible) {
//~ robust, of course.
+
this.mainDiv.style.display='none';
this.savedHandler=document.onmousemove;
+
this.visible=false;
//~ Gotta save @tt{this} again for the closure, and use apply for
+
}
//~ the member function.
+
this.runHooks('hide', 'after');
var savedThis=this;
 
document.onmousemove=function (e) {savedThis.track.apply(savedThis, [e]);};
 
if (this.loopDelay) { this.timer = setInterval(function() { //log('loop delay in mousetracker is working');
 
    savedThis.runHooks();}, this.loopDelay); }
 
 
};
 
};
  
/**
+
/** Shows the popup using CSS. Runs hooks with key 'unhide'.
  Disables the tracker, removing the event handler.
+
Sets {@link #visible} appropriately.  {@link #show} should be called externally instead of this method.
 +
@private
 
*/
 
*/
Mousetracker.prototype.disable = function () {
+
Navpopup.prototype.unhide = function () {
if (!this.active) { return; }
+
this.runHooks('unhide', 'before');
if (typeof this.savedHandler=='function') {
+
if (typeof this.visible != 'undefined' && !this.visible) {
document.onmousemove=this.savedHandler;
+
this.mainDiv.style.display='inline';
} else { delete document.onmousemove; }
+
this.visible=true;
if (this.timer) { clearInterval(this.timer); }
+
}
this.active=false;
+
this.runHooks('unhide', 'after');
 +
};
 +
 
 +
/**
 +
  Sets the <code>innerHTML</code> attribute of the main div containing the popup content.
 +
  @param {String} html The HTML to set.
 +
*/
 +
Navpopup.prototype.setInnerHTML = function (html) {
 +
this.mainDiv.innerHTML = html;
 
};
 
};
  
 
/**
 
/**
   Creates a new Navpopup.
+
   Updates the {@link #width} and {@link #height} attributes with the CSS properties.
  Gets a UID for the popup and
+
   @private
  @param init Contructor object. If <code>init.draggable</code> is true or absent, the popup becomes draggable.
 
   @constructor
 
  @class The Navpopup class. This generates popup hints, and does some management of them.
 
 
*/
 
*/
function Navpopup(init) {
+
Navpopup.prototype.updateDimensions = function () {
//alert('new Navpopup(init)');
+
this.width=parseInt(this.mainDiv.offsetWidth, 10);
/** UID for each Navpopup instance.
+
this.height=parseInt(this.mainDiv.offsetHeight, 10);
    Read-only.
+
};
    @type integer
+
 
*/
+
/**
this.uid=Navpopup.uid++;
+
  Checks if the point (x,y) is within {@link #fuzz} of the
/**
+
  {@link #mainDiv}.
  Read-only flag for current visibility of the popup.
+
   @param {integer} x x-coordinate (px)
  @type boolean
+
   @param {integer} y y-coordinate (px)
  @private
 
*/
 
this.visible=false;
 
/** Flag to be set when we want to cancel a previous request to
 
    show the popup in a little while.
 
    @private
 
    @type boolean
 
*/
 
this.noshow=false;
 
/** Categorised list of hooks.
 
    @see #runHooks
 
    @see #addHook
 
    @private
 
    @type Object
 
*/
 
this.hooks={
 
'create': [],
 
'unhide': [],
 
'hide': []
 
};
 
/** list of unique IDs of hook functions, to avoid duplicates
 
    @private
 
*/
 
this.hookIds={};
 
/** List of downloads associated with the popup.
 
    @private
 
    @type Array
 
*/
 
this.downloads=[];
 
/** Number of uncompleted downloads.
 
    @type integer
 
*/
 
this.pending=null;
 
/** Tolerance in pixels when detecting whether the mouse has left the popup.
 
    @type integer
 
*/
 
this.fuzz=5;
 
/** Flag to toggle running {@link #limitHorizontalPosition} to regulate the popup's position.
 
    @type boolean
 
*/
 
this.constrained=true;
 
/** The popup width in pixels.
 
    @private
 
    @type integer
 
*/
 
this.width=0;
 
/** The popup width in pixels.
 
    @private
 
    @type integer
 
*/
 
this.height=0;
 
/** The main content DIV element.
 
    @type HTMLDivElement
 
*/
 
this.mainDiv=null;
 
this.createMainDiv();
 
 
 
// if (!init || typeof init.popups_draggable=='undefined' || init.popups_draggable) {
 
// this.makeDraggable(true);
 
// }
 
}
 
 
 
/**
 
  A UID for each Navpopup. This constructor property is just a counter.
 
   @type integer
 
   @private
 
*/
 
Navpopup.uid=0;
 
 
 
/**
 
  Retrieves the {@link #visible} attribute, indicating whether the popup is currently visible.
 
 
   @type boolean
 
   @type boolean
 
*/
 
*/
Navpopup.prototype.isVisible=function() {
+
Navpopup.prototype.isWithin = function(x,y) {
return this.visible;
+
//~ If we're not even visible, no point should be considered as
 +
//~ being within the popup.
 +
if (!this.visible) { return false; }
 +
this.updateDimensions();
 +
var fuzz=this.fuzz || 0;
 +
//~ Use a simple box metric here.
 +
return (x+fuzz >= this.left && x-fuzz <= this.left + this.width &&
 +
y+fuzz >= this.top  && y-fuzz <= this.top  + this.height);
 
};
 
};
  
 
/**
 
/**
   Repositions popup using CSS style.
+
   Adds a download to {@link #downloads}.
  @private
+
   @param {Downloader} download
   @param {integer} x x-coordinate (px)
+
*/
  @param {integer} y y-coordinate (px)
+
Navpopup.prototype.addDownload=function(download) {
   @param {boolean} noLimitHor Don't call {@link #limitHorizontalPosition}
+
if (!download) { return; }
 +
this.downloads.push(download);
 +
};
 +
/**
 +
   Aborts the downloads listed in {@link #downloads}.
 +
  @see Downloader#abort
 
*/
 
*/
Navpopup.prototype.reposition= function (x,y, noLimitHor) {
+
Navpopup.prototype.abortDownloads=function() {
log ('reposition('+x+','+y+','+noLimitHor+')');
+
for(var i=0; i<this.downloads.length; ++i) {
if (typeof x != 'undefined' && x!==null) { this.left=x; }
+
var d=this.downloads[i];
if (typeof y != 'undefined' && y!==null) { this.top=y; }
+
if (d && d.abort) { d.abort(); }
if (typeof this.left != 'undefined' && typeof this.top != 'undefined') {
 
this.mainDiv.style.left=this.left + 'px';
 
this.mainDiv.style.top=this.top + 'px';
 
 
}
 
}
if (!noLimitHor) { this.limitHorizontalPosition(); }
+
this.downloads=[];
//console.log('navpop'+this.uid+' - (left,top)=(' + this.left + ',' + this.top + '), css=('
 
//+ this.mainDiv.style.left + ',' + this.mainDiv.style.top + ')');
 
 
};
 
};
 +
  
 
/**
 
/**
   Prevents popups from being in silly locations. Hopefully.
+
   A {@link Mousetracker} instance which is a property of the constructor (pseudo-global).
  Should not be run if {@link #constrained} is true.
 
  @private
 
 
*/
 
*/
Navpopup.prototype.limitHorizontalPosition=function() {
+
Navpopup.tracker=new Mousetracker();
if (!this.constrained || this.tooWide) { return; }
+
// ENDFILE: navpopup.js
this.updateDimensions();
+
// STARTFILE: diff.js
var x=this.left;
+
//<NOLITE>
var w=this.width;
+
/*
var cWidth=document.body.clientWidth;
+
* Javascript Diff Algorithm
 +
*  By John Resig (http://ejohn.org/) and [[:en:User:Lupin]]
 +
*
 +
* More Info:
 +
*  http://ejohn.org/projects/javascript-diff-algorithm/
 +
*/
  
 +
function delFmt(x) {
 +
if (!x.length) { return ''; }
 +
return "<del class='popupDiff'>" + x.join('') +"</del>";
 +
}
 +
function insFmt(x) {
 +
if (!x.length) { return ''; }
 +
return "<ins class='popupDiff'>" + x.join('') +"</ins>";
 +
}
  
// log('limitHorizontalPosition: x='+x+
+
function countCrossings(a, b, i, eject) {
//     ', this.left=' + this.left +
+
// count the crossings on the edge starting at b[i]
//     ', this.width=' + this.width +
+
if (!b[i].row && b[i].row !== 0) { return -1; }
//     ', cWidth=' + cWidth);
+
var count=0;
 
+
for (var j=0; j<a.length; ++j) {
 
+
if (!a[j].row && a[j].row !== 0) { continue; }
if ( (x+w) >= cWidth ||
+
if ( (j-b[i].row)*(i-a[j].row) > 0) {
    ( x > 0 && this.maxWidth && this.width < this.maxWidth && this.height > this.width
+
if(eject) { return true; }
      && x > cWidth - this.maxWidth ) ) {
+
count++;
// This is a very nasty hack. There has to be a better way!
+
}
// We find the "natural" width of the div by positioning it at the far left
 
// then reset it so that it should be flush right (well, nearly)
 
this.mainDiv.style.left='-10000px';
 
this.mainDiv.style.width = this.maxWidth + 'px';
 
var naturalWidth=parseInt(this.mainDiv.offsetWidth, 10);
 
var newLeft=cWidth - naturalWidth - 1;
 
if (newLeft < 0) { newLeft = 0; this.tooWide=true; } // still unstable for really wide popups?
 
log ('limitHorizontalPosition: moving to ('+newLeft + ','+ this.top+');' + ' naturalWidth=' + naturalWidth + ', clientWidth=' + cWidth);
 
this.reposition(newLeft, null, true);
 
 
}
 
}
};
+
return count;
 +
}
  
/**
+
function shortenDiffString(str, context) {
  Counter indicating the z-order of the "highest" popup.
+
var re=RegExp('(<del[\\s\\S]*?</del>|<ins[\\s\\S]*?</ins>)');
  We start the z-index at 1000 so that popups are above everything
+
var splitted=str.parenSplit(re);
  else on the screen.
+
var ret=[''];
  @private
+
for (var i=0; i<splitted.length; i+=2) {
  @type integer
+
if (splitted[i].length < 2*context) {
*/
+
ret[ret.length-1] += splitted[i];
Navpopup.highest=1000;
+
if (i+1<splitted.length) { ret[ret.length-1] += splitted[i+1]; }
 +
continue;
 +
}
 +
else {
 +
if (i > 0) { ret[ret.length-1] += splitted[i].substring(0,context); }
 +
if (i+1 < splitted.length) {
 +
ret.push(splitted[i].substring(splitted[i].length-context) +
 +
splitted[i+1]);
 +
}
 +
}
 +
}
 +
while (ret.length > 0 && !ret[0]) { ret = ret.slice(1); }
 +
return ret;
 +
}
  
/**
 
  Brings popup to the top of the z-order.
 
  We increment the {@link #highest} property of the contructor here.
 
  @private
 
*/
 
Navpopup.prototype.raise = function () {
 
this.mainDiv.style.zIndex=Navpopup.highest + 1;
 
++Navpopup.highest;
 
};
 
  
/**
+
function diffString( o, n, simpleSplit ) {
  Shows the popup provided {@link #noshow} is not true.
+
var splitRe=RegExp('([[]{2}|[\\]]{2}|[{]{2,3}|[}]{2,3}|[|]|=|<|>|[*:]+|\\s|\\b)');
  Updates the position, brings the popup to the top of the z-order and unhides it.
 
*/
 
Navpopup.prototype.show = function () {
 
//document.title+='s';
 
if (this.noshow) { return; }
 
//document.title+='t';
 
this.reposition();
 
this.raise();
 
this.unhide();
 
};
 
  
 +
//  We need to split the strings o and n first, and entify() the parts
 +
//  individually, so that the HTML entities are never cut apart. (AxelBoldt)
 +
var out, i, oSplitted, nSplitted;
 +
if (simpleSplit) {
 +
oSplitted=o.split(/\b/);
 +
nSplitted=n.split(/\b/);
 +
} else {
 +
oSplitted=o.parenSplit(splitRe);
 +
nSplitted=n.parenSplit(splitRe);
 +
}
 +
for (i=0; i<oSplitted.length; ++i) {oSplitted[i]=oSplitted[i].entify();}
 +
for (i=0; i<nSplitted.length; ++i) {nSplitted[i]=nSplitted[i].entify();}
 +
 +
out = diff (oSplitted, nSplitted);
 +
var str = "";
 +
var acc=[]; // accumulator for prettier output
  
/**
+
// crossing pairings -- eg 'A B' vs 'B A' -- cause problems, so let's iron them out
  Runs the {@link #show} method in a little while, unless we're
+
// this doesn't always do things optimally but it should be fast enough
  already visible.
+
var maxOutputPair=0;
  @param {integer} time Delay in milliseconds
+
for (i=0; i<out.n.length; ++i) {
  @see #showSoonIfStable
+
if ( out.n[i].paired ) {
*/
+
if( maxOutputPair > out.n[i].row ) {
Navpopup.prototype.showSoon = function (time) {
+
// tangle - delete pairing
if (this.visible) { return; }
+
out.o[ out.n[i].row ]=out.o[ out.n[i].row ].text;
this.noshow=false;
+
out.n[i]=out.n[i].text;
//~ We have to save the value of @tt{this} so that the closure below
+
}
//~ works.
+
if (maxOutputPair < out.n[i].row) { maxOutputPair = out.n[i].row; }
var savedThis=this;
 
//this.start_x = Navpopup.tracker.x;
 
//this.start_y = Navpopup.tracker.y;
 
setTimeout(function () {
 
if (Navpopup.tracker.active) {
 
savedThis.reposition.apply(savedThis, [Navpopup.tracker.x + 2, Navpopup.tracker.y + 2]);
 
 
}
 
}
//~ Have to use apply to invoke his member function here
+
}
savedThis.show.apply(savedThis, []);
 
}, time);
 
};
 
  
/**
+
// output the stuff preceding the first paired old line
  Checks to see if the mouse pointer has
+
for (i=0; i<out.o.length && !out.o[i].paired; ++i) { acc.push( out.o[i] ); }
  stabilised (checking every <code>time</code>/2 milliseconds) and runs the
+
str += delFmt(acc); acc=[];
  {@link #show} method if it has. This method makes {@link #showSoon} redundant.
 
  @param {integer} time The minimum time (ms) before the popup may be shown.
 
*/
 
Navpopup.prototype.showSoonIfStable = function (time) {
 
log ('showSoonIfStable, time='+time);
 
if (this.visible) { return; }
 
this.noshow = false;
 
  
//~ initialize these variables so that we never run @tt{show} after
+
// main loop
//~ just half the time
+
for ( i = 0; i < out.n.length; ++i ) {
this.stable_x = -10000; this.stable_y = -10000;
+
// output unpaired new "lines"
 +
while ( i < out.n.length && !out.n[i].paired ) { acc.push( out.n[i++] ); }
 +
str += insFmt(acc); acc=[];
 +
if ( i < out.n.length ) { // this new "line" is paired with the (out.n[i].row)th old "line"
 +
str += out.n[i].text;
 +
// output unpaired old rows starting after this new line's partner
 +
var m = out.n[i].row + 1;
 +
while ( m < out.o.length && !out.o[m].paired ) { acc.push ( out.o[m++] ); }
 +
str += delFmt(acc); acc=[];
 +
}
 +
}
 +
return str;
 +
}
  
var stableShow = function() {
+
// see http://developer.mozilla.org/en/docs/Core_JavaScript_1.5_Reference:Global_Objects:Object
log('stableShow called');
+
// FIXME: use obj.hasOwnProperty instead of this kludge!
var new_x = Navpopup.tracker.x, new_y = Navpopup.tracker.y;
+
var jsReservedProperties=RegExp('^(constructor|prototype|__((define|lookup)[GS]etter)__' +
var dx = savedThis.stable_x - new_x, dy = savedThis.stable_y - new_y;
+
  '|eval|hasOwnProperty|propertyIsEnumerable' +
var fuzz2 = 0; // savedThis.fuzz * savedThis.fuzz;
+
  '|to(Source|String|LocaleString)|(un)?watch|valueOf)$');
//document.title += '[' + [savedThis.stable_x,new_x, savedThis.stable_y,new_y, dx, dy, fuzz2].join(',') + '] ';
+
function diffBugAlert(word) {
if ( dx * dx <= fuzz2 && dy * dy <= fuzz2 ) {
+
if (!diffBugAlert.list[word]) {
log ('mouse is stable');
+
diffBugAlert.list[word]=1;
clearInterval(savedThis.showSoonStableTimer);
+
alert('Bad word: '+word+'\n\nPlease report this bug.');
savedThis.reposition.apply(savedThis, [new_x + 2, new_y + 2]);
+
}
savedThis.show.apply(savedThis, []);
+
}
return;
+
diffBugAlert.list={};
}
+
 
savedThis.stable_x = new_x; savedThis.stable_y = new_y;
+
function makeDiffHashtable(src) {
};
+
var ret={};
var savedThis = this;
+
for ( var i = 0; i < src.length; i++ ) {
this.showSoonStableTimer = setInterval(stableShow, time/2);
+
if ( jsReservedProperties.test(src[i]) ) { src[i] += '<!-- -->'; }
};
+
if ( !ret[ src[i] ] ) { ret[ src[i] ] = []; }
 +
try { ret[ src[i] ].push( i ); } catch (err) { diffBugAlert(src[i]); }
 +
}
 +
return ret;
 +
}
  
/**
+
function diff( o, n ) {
  Makes the popup unhidable until we call {@link #unstick}.
 
*/
 
Navpopup.prototype.stick=function() {
 
this.noshow=false;
 
this.sticky=true;
 
};
 
  
/**
+
// pass 1: make hashtable ns with new rows as keys
  Allows the popup to be hidden.
+
var ns = makeDiffHashtable(n);
*/
 
Navpopup.prototype.unstick=function() {
 
this.sticky=false;
 
};
 
  
/**
+
// pass 2: make hashtable os with old rows as keys
  Sets the {@link #noshow} flag and hides the popup. This should be called
+
var os = makeDiffHashtable(o);
  when the mouse leaves the link before
+
 
  (or after) it's actually been displayed.
+
// pass 3: pair unique new rows and matching unique old rows
*/
+
var i;
Navpopup.prototype.banish = function () {
+
for ( i in ns ) {
log ('banish called');
+
if ( ns[i].length == 1 && os[i] && os[i].length == 1 ) {
// hide and prevent showing with showSoon in the future
+
n[ ns[i][0] ] = { text: n[ ns[i][0] ], row: os[i][0], paired: true };
this.noshow=true;
+
o[ os[i][0] ] = { text: o[ os[i][0] ], row: ns[i][0], paired: true };
if (this.showSoonStableTimer) {
+
}
log('clearing showSoonStableTimer');
 
clearInterval(this.showSoonStableTimer);
 
 
}
 
}
this.hide();
 
};
 
  
/**
+
// pass 4: pair matching rows immediately following paired rows (not necessarily unique)
  Runs hooks added with {@link #addHook}.
+
for ( i = 0; i < n.length - 1; i++ ) {
  @private
+
if ( n[i].paired && ! n[i+1].paired && n[i].row + 1 < o.length && ! o[ n[i].row + 1 ].paired &&
  @param {String} key Key name of the {@link #hooks} array - one of 'create', 'unhide', 'hide'
+
n[i+1] == o[ n[i].row + 1 ] ) {
  @param {String} when Controls exactly when the hook is run: either 'before' or 'after'
+
n[i+1] = { text: n[i+1], row: n[i].row + 1, paired: true };
*/
+
o[n[i].row+1] = { text: o[n[i].row+1], row: i + 1, paired: true };
Navpopup.prototype.runHooks = function (key, when) {
 
if (!this.hooks[key]) { return; }
 
var keyHooks=this.hooks[key];
 
var len=keyHooks.length;
 
for (var i=0; i< len; ++i) {
 
if (keyHooks[i] && keyHooks[i].when == when) {
 
if (keyHooks[i].hook.apply(this, [])) {
 
// remove the hook
 
if (keyHooks[i].hookId) {
 
delete this.hookIds[keyHooks[i].hookId];
 
}
 
keyHooks[i]=null;
 
}
 
 
}
 
}
 
}
 
}
};
 
  
/**
+
// pass 5: pair matching rows immediately preceding paired rows (not necessarily unique)
  Adds a hook to the popup. Hook functions are run with <code>this</code> set to refer to the Navpopup instance, and no arguments.
+
for ( i = n.length - 1; i > 0; i-- ) {
  @param {Function} hook The hook function. Functions that return true are deleted.
+
if ( n[i].paired && ! n[i-1].paired && n[i].row > 0 && ! o[ n[i].row - 1 ].paired &&
  @param {String} key Key name of the {@link #hooks} array - one of 'create', 'unhide', 'hide'
+
n[i-1] == o[ n[i].row - 1 ] ) {
  @param {String} when Controls exactly when the hook is run: either 'before' or 'after'
+
n[i-1] = { text: n[i-1], row: n[i].row - 1, paired: true };
  @param {String} uid A truthy string identifying the hook function; if it matches another hook in this position, it won't be added again.
+
o[n[i].row-1] = { text: o[n[i].row-1], row: i - 1, paired: true };
*/
 
Navpopup.prototype.addHook = function ( hook, key, when, uid ) {
 
when = when || 'after';
 
if (!this.hooks[key]) { return; }
 
// if uid is specified, don't add duplicates
 
var hookId=null;
 
if (uid) {
 
hookId=[key,when,uid].join('|');
 
if (this.hookIds[hookId]) {
 
return;
 
 
}
 
}
this.hookIds[hookId]=true;
 
 
}
 
}
this.hooks[key].push( {hook: hook, when: when, hookId: hookId} );
 
};
 
  
/**
+
return { o: o, n: n };
  Creates the main DIV element, which contains all the actual popup content.
+
}
  Runs hooks with key 'create'.
+
//</NOLITE>
  @private
+
// ENDFILE: diff.js
*/
+
// STARTFILE: init.js
Navpopup.prototype.createMainDiv = function () {
+
function setSiteInfo() {
if (this.mainDiv) { return; }
+
if (window.popupLocalDebug) {
this.runHooks('create', 'before');
+
pg.wiki.hostname = 'en.wikipedia.org';
var mainDiv=document.createElement('div');
+
} else {
 +
pg.wiki.hostname = location.hostname; // use in preference to location.hostname for flexibility (?)
 +
}
 +
pg.wiki.wikimedia=RegExp('(wiki([pm]edia|source|books|news|quote|versity)|wiktionary|mediawiki)[.]org').test(pg.wiki.hostname);
 +
pg.wiki.wikia=RegExp('[.]wikia[.]com$', 'i').test(pg.wiki.hostname);
 +
pg.wiki.isLocal=RegExp('^localhost').test(pg.wiki.hostname);
 +
pg.wiki.commons=( pg.wiki.wikimedia && pg.wiki.hostname != 'commons.wikimedia.org') ? 'commons.wikimedia.org' : null;
 +
pg.wiki.lang = mw.config.get('wgContentLanguage');
 +
var port = location.port ? ':' + location.port : '';
 +
pg.wiki.sitebase = pg.wiki.hostname + port;
 +
}
  
var savedThis=this;
+
function setUserInfo() {
mainDiv.onclick=function(e) {savedThis.onclickHandler(e);};
+
var api = new mw.Api( {
mainDiv.className=(this.className) ? this.className : 'navpopup_maindiv';
+
    ajax: {
mainDiv.id=mainDiv.className + this.uid;
+
        headers: { 'Api-User-Agent': pg.misc.userAgent }
 +
    }
 +
} );
 +
var params = {
 +
action: 'query',
 +
list: 'users',
 +
ususers: mw.config.get('wgUserName'),
 +
usprop: 'rights'
 +
};
 +
   
 +
pg.user.canReview = false;
 +
    if (getValueOf('popupReview')) {
 +
api.get(params).done(function(data){
 +
var rights = data.query.users[0].rights;
 +
pg.user.canReview = rights.indexOf('review') !== -1; // TODO: Should it be a getValueOf('ReviewRight') ?
 +
});
 +
    }
 +
}
 +
 
 +
function setTitleBase() {
 +
var protocol = ( window.popupLocalDebug ? 'http:' : location.protocol );
 +
pg.wiki.articlePath = mw.config.get('wgArticlePath').replace(/\/\$1/, "");  // as in http://some.thing.com/wiki/Article
 +
pg.wiki.botInterfacePath = mw.config.get('wgScript');
 +
pg.wiki.APIPath = mw.config.get('wgScriptPath') +"/api.php";
 +
// default mediawiki setting is paths like http://some.thing.com/articlePath/index.php?title=foo
 +
 
 +
var titletail = pg.wiki.botInterfacePath + '?title=';
 +
//var titletail2 = joinPath([pg.wiki.botInterfacePath, 'wiki.phtml?title=']);
  
mainDiv.style.position='absolute';
+
// other sites may need to add code here to set titletail depending on how their urls work
mainDiv.style.display='none';
 
mainDiv.className='navpopup';
 
  
// easy access to javascript object through DOM functions
+
pg.wiki.titlebase  = protocol + '//' + pg.wiki.sitebase + titletail;
mainDiv.navpopup=this;
+
//pg.wiki.titlebase2  = protocol + '//' + joinPath([pg.wiki.sitebase, titletail2]);
 +
pg.wiki.wikibase = protocol + '//' + pg.wiki.sitebase + pg.wiki.botInterfacePath;
 +
pg.wiki.apiwikibase = protocol + '//' + pg.wiki.sitebase + pg.wiki.APIPath;
 +
pg.wiki.articlebase = protocol + '//' + pg.wiki.sitebase + pg.wiki.articlePath;
 +
pg.wiki.commonsbase = protocol + '//' + pg.wiki.commons  + pg.wiki.botInterfacePath;
 +
pg.wiki.apicommonsbase = protocol + '//' + pg.wiki.commons  + pg.wiki.APIPath;
 +
pg.re.basenames = RegExp( '^(' +
 +
  map( literalizeRegex, [ pg.wiki.titlebase, //pg.wiki.titlebase2,
 +
  pg.wiki.articlebase ]).join('|') + ')' );
 +
}
  
this.mainDiv=mainDiv;
 
document.body.appendChild(mainDiv);
 
this.runHooks('create', 'after');
 
};
 
/**
 
  Calls the {@link #raise} method.
 
  @private
 
*/
 
Navpopup.prototype.onclickHandler=function(e) {
 
this.raise();
 
};
 
/**
 
  Makes the popup draggable, using a {@link Drag} object.
 
  @private
 
*/
 
Navpopup.prototype.makeDraggable=function(handleName) {
 
if (!this.mainDiv) { this.createMainDiv(); }
 
var drag=new Drag();
 
if (!handleName) {
 
    drag.startCondition=function(e) {
 
try { if (!e.shiftKey) { return false; } } catch (err) { return false; }
 
return true;
 
    };
 
}
 
var dragHandle = document.getElementById(handleName) || this.mainDiv;
 
var np=this;
 
drag.endHook=function(x,y) {
 
Navpopup.tracker.dirty=true;
 
np.reposition(x,y);
 
};
 
drag.init(dragHandle,this.mainDiv);
 
};
 
  
/** Hides the popup using CSS. Runs hooks with key 'hide'.
+
//////////////////////////////////////////////////
    Sets {@link #visible} appropriately.    {@link #banish} should be called externally instead of this method.
+
// Global regexps
  
    @private
+
function setMainRegex() {
*/
+
var reStart='[^:]*://';
Navpopup.prototype.hide = function () {
+
var preTitles = literalizeRegex( mw.config.get('wgScriptPath') ) + '/(?:index[.]php|wiki[.]phtml)[?]title=';
this.runHooks('hide', 'before');
+
preTitles += '|' + literalizeRegex( pg.wiki.articlePath + '/' );
this.abortDownloads();
+
 
if (this.sticky) { return; }
+
var reEnd='(' + preTitles + ')([^&?#]*)[^#]*(?:#(.+))?';
if (typeof this.visible != 'undefined' && this.visible) {
+
pg.re.main = RegExp(reStart + literalizeRegex(pg.wiki.sitebase) + reEnd);
this.mainDiv.style.display='none';
+
}
this.visible=false;
 
}
 
this.runHooks('hide', 'after');
 
};
 
  
/** Shows the popup using CSS. Runs hooks with key 'unhide'.
+
function setRegexps() {
    Sets {@link #visible} appropriately.   {@link #show} should be called externally instead of this method.
+
// TODO: We shoud use an api call to get the aliases for special pages, now it does not work for non-English wikipedias:
    @private
+
// E.g., https://ru.wikipedia.org/w/api.php?action=query&meta=siteinfo&siprop=specialpagealiases&formatversion=2
*/
+
setMainRegex();
Navpopup.prototype.unhide = function () {
+
var sp=nsRe(pg.nsSpecialId);
this.runHooks('unhide', 'before');
+
pg.re.urlNoPopup=RegExp('((title=|/)' + sp + '(?:%3A|:)|section=[0-9]|^#$)') ;
if (typeof this.visible != 'undefined' && !this.visible) {
+
pg.re.contribs  =RegExp('(title=|/)'  + sp + '(?:%3A|:)Contributions' + '(&target=|/|/' + nsRe(pg.nsUserId)+':)(.*)') ;
this.mainDiv.style.display='inline';
+
pg.re.email     =RegExp('(title=|/)' + sp + '(?:%3A|:)EmailUser' + '(&target=|/|/(?:' + nsRe(pg.nsUserId)+':)?)(.*)') ;
this.visible=true;
+
pg.re.backlinks =RegExp('(title=|/)' + sp + '(?:%3A|:)WhatLinksHere' + '(&target=|/)([^&]*)');
}
+
pg.re.specialdiff=RegExp('/'         + sp + '(?:%3A|:)Diff/([^?#]*)');
this.runHooks('unhide', 'after');
 
};
 
  
/**
+
//<NOLITE>
  Sets the <code>innerHTML</code> attribute of the main div containing the popup content.
+
var im=nsReImage();
  @param {String} html The HTML to set.
+
// note: tries to get images in infobox templates too, e.g. movie pages, album pages etc
*/
+
//   (^|\[\[)image: *([^|\]]*[^|\] ]) *
Navpopup.prototype.setInnerHTML = function (html) {
+
//   (^|\[\[)image: *([^|\]]*[^|\] ])([^0-9\]]*([0-9]+) *px)?
this.mainDiv.innerHTML = html;
+
// $4 = 120 as in 120px
};
+
pg.re.image = RegExp('(^|\\[\\[)' + im + ': *([^|\\]]*[^|\\] ])' +
 +
'([^0-9\\]]*([0-9]+) *px)?|(?:\\n *[|]?|[|]) *' +
 +
'(' + getValueOf('popupImageVarsRegexp') + ')' +
 +
' *= *(?:\\[\\[ *)?(?:' + im + ':)?' +
 +
'([^|]*?)(?:\\]\\])? *[|]? *\\n', 'img') ;
 +
pg.re.imageBracketCount = 6;
  
/**
+
pg.re.category = RegExp('\\[\\[' +nsRe(pg.nsCategoryId) +
  Updates the {@link #width} and {@link #height} attributes with the CSS properties.
+
': *([^|\\]]*[^|\\] ]) *', 'i');
  @private
+
pg.re.categoryBracketCount = 1;
*/
 
Navpopup.prototype.updateDimensions = function () {
 
this.width=parseInt(this.mainDiv.offsetWidth, 10);
 
this.height=parseInt(this.mainDiv.offsetHeight, 10);
 
};
 
  
/**
+
pg.re.ipUser=RegExp('^' +
  Checks if the point (x,y) is within {@link #fuzz} of the
+
// IPv6
  {@link #mainDiv}.
+
'(?::(?::|(?::[0-9A-Fa-f]{1,4}){1,7})|[0-9A-Fa-f]{1,4}(?::[0-9A-Fa-f]{1,4}){0,6}::|[0-9A-Fa-f]{1,4}(?::[0-9A-Fa-f]{1,4}){7})' +
  @param {integer} x x-coordinate (px)
+
// IPv4
  @param {integer} y y-coordinate (px)
+
'|(((25[0-5]|2[0-4][0-9]|1[0-9][0-9]|[1-9][0-9]|[0-9])\\.){3}' +
  @type boolean
+
'(25[0-5]|2[0-4][0-9]|1[0-9][0-9]|[1-9][0-9]|[0-9]))$');
*/
+
 
Navpopup.prototype.isWithin = function(x,y) {
+
pg.re.stub= RegExp(getValueOf('popupStubRegexp'), 'im');
//~ If we're not even visible, no point should be considered as
+
pg.re.disambig=RegExp(getValueOf('popupDabRegexp'), 'im');
//~ being within the popup.
+
 
if (!this.visible) { return false; }
+
//</NOLITE>
this.updateDimensions();
+
// FIXME replace with general parameter parsing function, this is daft
var fuzz=this.fuzz || 0;
+
pg.re.oldid=RegExp('[?&]oldid=([^&]*)');
//~ Use a simple box metric here.
+
pg.re.diff=RegExp('[?&]diff=([^&]*)');
return (x+fuzz >= this.left && x-fuzz <= this.left + this.width &&
+
}
y+fuzz >= this.top  && y-fuzz <= this.top  + this.height);
 
};
 
  
/**
 
  Adds a download to {@link #downloads}.
 
  @param {Downloader} download
 
*/
 
Navpopup.prototype.addDownload=function(download) {
 
if (!download) { return; }
 
this.downloads.push(download);
 
};
 
/**
 
  Aborts the downloads listed in {@link #downloads}.
 
  @see Downloader#abort
 
*/
 
Navpopup.prototype.abortDownloads=function() {
 
for(var i=0; i<this.downloads.length; ++i) {
 
var d=this.downloads[i];
 
if (d && d.abort) { d.abort(); }
 
}
 
this.downloads=[];
 
};
 
  
 +
//////////////////////////////////////////////////
 +
// miscellany
  
/**
+
function setupCache() {
  A {@link Mousetracker} instance which is a property of the constructor (pseudo-global).
+
// page caching
*/
+
pg.cache.pages = [];
Navpopup.tracker=new Mousetracker();
+
}
// ENDFILE: navpopup.js
+
 
// STARTFILE: diff.js
+
function setMisc() {
//<NOLITE>
+
pg.current.link=null;
/*
+
pg.current.links=[];
* Javascript Diff Algorithm
+
pg.current.linksHash={};
*  By John Resig (http://ejohn.org/) and [[:en:User:Lupin]]
+
 
*
+
setupCache();
* More Info:
 
*  http://ejohn.org/projects/javascript-diff-algorithm/
 
*/
 
  
function delFmt(x) {
+
pg.timer.checkPopupPosition=null;
if (!x.length) { return ''; }
+
pg.counter.loop=0;
return "<del class='popupDiff'>" + x.join('') +"</del>";
 
}
 
function insFmt(x) {
 
if (!x.length) { return ''; }
 
return "<ins class='popupDiff'>" + x.join('') +"</ins>";
 
}
 
  
function countCrossings(a, b, i, eject) {
+
// ids change with each popup: popupImage0, popupImage1 etc
// count the crossings on the edge starting at b[i]
+
pg.idNumber=0;
if (!b[i].row && b[i].row !== 0) { return -1; }
 
var count=0;
 
for (var j=0; j<a.length; ++j) {
 
if (!a[j].row && a[j].row !== 0) { continue; }
 
if ( (j-b[i].row)*(i-a[j].row) > 0) {
 
if(eject) { return true; }
 
count++;
 
}
 
}
 
return count;
 
}
 
  
function shortenDiffString(str, context) {
+
// for myDecodeURI
var re=RegExp('(<del[\\s\\S]*?</del>|<ins[\\s\\S]*?</ins>)');
+
pg.misc.decodeExtras = [
var splitted=str.parenSplit(re);
+
{from: '%2C', to: ',' },
var ret=[''];
+
{from: '_',  to: ' ' },
for (var i=0; i<splitted.length; i+=2) {
+
{from: '%24', to: '$'},
if (splitted[i].length < 2*context) {
+
{from: '%26',  to: '&' } // no ,
ret[ret.length-1] += splitted[i];
+
];
if (i+1<splitted.length) { ret[ret.length-1] += splitted[i+1]; }
+
 
continue;
+
pg.misc.userAgent = 'Navigation popups/1.0 (' + mw.config.get( 'wgServerName' ) +')';
}
+
}
else {
+
 
if (i > 0) { ret[ret.length-1] += splitted[i].substring(0,context); }
+
// We need a callback since this might end up asynchronous because of
if (i+1 < splitted.length) {
+
// the mw.loader.using() call.
    ret.push(splitted[i].substring(splitted[i].length-context) +
+
function setupPopups( callback ) {
    splitted[i+1]);
+
if ( setupPopups.completed ) {
}
+
if ( $.isFunction( callback ) ) {
 +
callback();
 
}
 
}
 +
return;
 
}
 
}
while (ret.length > 0 && !ret[0]) { ret = ret.slice(1); }
+
// These dependencies are also enforced from the gadget,
return ret;
+
// but not everyone loads this as a gadget, so double check
}
+
mw.loader.using( ['mediawiki.util', 'mediawiki.user', 'user.options'] ).then( function() {
 +
// NB translatable strings should be set up first (strings.js)
 +
// basics
 +
setupDebugging();
 +
setSiteInfo();
 +
setTitleBase();
 +
setOptions(); // see options.js
 +
setUserInfo();
 +
 
 +
// namespaces etc
 +
setNamespaces();
 +
setInterwiki();
  
 +
// regexps
 +
setRegexps();
 +
setRedirs();
  
function diffString( o, n, simpleSplit ) {
+
// other stuff
var splitRe=RegExp('([[]{2}|[\]]{2}|[{]{2,3}|[}]{2,3}|[|]|=|[*:]+|\\s|\\b)');
+
setMisc();
 +
setupLivePreview();
  
o=o.entify(); n=n.entify();
+
// main deal here
var out, i;
+
setupTooltips();
if (simpleSplit) { out = diff( o.split(/\b/), n.split(/\b/) ); }
+
log('In setupPopups(), just called setupTooltips()');
else { out = diff( o.parenSplit(splitRe), n.parenSplit(splitRe) ); }
+
Navpopup.tracker.enable();
var str = "";
 
var acc=[]; // accumulator for prettier output
 
  
// crossing pairings -- eg 'A B' vs 'B A' -- cause problems, so let's iron them out
+
setupPopups.completed = true;
// this doesn't always do things optimally but it should be fast enough
+
if ( $.isFunction( callback ) ) {
var maxOutputPair=0;
+
callback();
for (i=0; i<out.n.length; ++i) {
 
    if ( out.n[i].paired ) {
 
if( maxOutputPair > out.n[i].row ) {
 
    // tangle - delete pairing
 
    out.o[ out.n[i].row ]=out.o[ out.n[i].row ].text;
 
    out.n[i]=out.n[i].text;
 
 
}
 
}
if (maxOutputPair < out.n[i].row) { maxOutputPair = out.n[i].row; }
+
});
    }
+
}
 +
// ENDFILE: init.js
 +
// STARTFILE: navlinks.js
 +
//<NOLITE>
 +
//////////////////////////////////////////////////
 +
// navlinks... let the fun begin
 +
//
 +
 
 +
function defaultNavlinkSpec() {
 +
var str='';
 +
str += '<b><<mainlink|shortcut= >></b>';
 +
if (getValueOf('popupLastEditLink')) {
 +
str += '*<<lastEdit|shortcut=/>>|<<lastContrib>>|<<sinceMe>>if(oldid){|<<oldEdit>>|<<diffCur>>}';
 
}
 
}
  
// output the stuff preceding the first paired old line
+
// user links
for (i=0; i<out.o.length && !out.o[i].paired; ++i) { acc.push( out.o[i] ); }
+
// contribs - log - count - email - block
str += delFmt(acc); acc=[];
+
// count only if applicable; block only if popupAdminLinks
 +
str += 'if(user){<br><<contribs|shortcut=c>>*<<userlog|shortcut=L|log>>';
 +
str+='if(ipuser){*<<arin>>}if(wikimedia){*<<count|shortcut=#>>}';
 +
str+='if(ipuser){}else{*<<email|shortcut=E>>}if(admin){*<<block|shortcut=b>>|<<blocklog|log>>}}';
 +
 
 +
// editing links
 +
// talkpage  -> edit|new - history - un|watch - article|edit
 +
// other page -> edit - history - un|watch - talk|edit|new
 +
var editstr='<<edit|shortcut=e>>';
 +
var editOldidStr='if(oldid){<<editOld|shortcut=e>>|<<revert|shortcut=v|rv>>|<<edit|cur>>}else{' + editstr + '}';
 +
var historystr='<<history|shortcut=h>>|<<editors|shortcut=E|>>';
 +
var watchstr='<<unwatch|unwatchShort>>|<<watch|shortcut=w|watchThingy>>';
 +
 
 +
str+='<br>if(talk){' +
 +
editOldidStr+'|<<new|shortcut=+>>' + '*' + historystr+'*'+watchstr + '*' +
 +
'<b><<article|shortcut=a>></b>|<<editArticle|edit>>' +
 +
'}else{' + // not a talk page
 +
editOldidStr + '*' + historystr + '*' + watchstr + '*' +
 +
'<b><<talk|shortcut=t>></b>|<<editTalk|edit>>|<<newTalk|shortcut=+|new>>}';
 +
 
 +
// misc links
 +
str += '<br><<whatLinksHere|shortcut=l>>*<<relatedChanges|shortcut=r>>*<<move|shortcut=m>>';
  
// main loop
+
// admin links
for ( i = 0; i < out.n.length; ++i ) {
+
str += 'if(admin){<br><<unprotect|unprotectShort>>|<<protect|shortcut=p>>|<<protectlog|log>>*' +
// output unpaired new "lines"
+
'<<undelete|undeleteShort>>|<<delete|shortcut=d>>|<<deletelog|log>>}';
while ( i < out.n.length && !out.n[i].paired ) { acc.push( out.n[i++] ); }
 
str += insFmt(acc); acc=[];
 
if ( i < out.n.length ) { // this new "line" is paired with the (out.n[i].row)th old "line"
 
str += out.n[i].text;
 
// output unpaired old rows starting after this new line's partner
 
var m = out.n[i].row + 1;
 
while ( m < out.o.length && !out.o[m].paired ) { acc.push ( out.o[m++] ); }
 
str += delFmt(acc); acc=[];
 
}
 
}
 
 
return str;
 
return str;
 
}
 
}
  
// see http://developer.mozilla.org/en/docs/Core_JavaScript_1.5_Reference:Global_Objects:Object
+
function navLinksHTML (article, hint, params) { //oldid, rcid) {
// FIXME: use obj.hasOwnProperty instead of this kludge!
+
var str = '<span class="popupNavLinks">' + defaultNavlinkSpec() + '</span>';
window.jsReservedProperties=RegExp('^(constructor|prototype|__((define|lookup)[GS]etter)__' +
+
// BAM
  '|eval|hasOwnProperty|propertyIsEnumerable' +
+
return navlinkStringToHTML(str, article, params);
  '|to(Source|String|LocaleString)|(un)?watch|valueOf)$');
+
}
function diffBugAlert(word) {
 
if (!diffBugAlert.list[word]) {
 
diffBugAlert.list[word]=1;
 
alert('Bad word: '+word+'\n\nPlease report this bug.');
 
}
 
}
 
diffBugAlert.list={};
 
  
function makeDiffHashtable(src) {
+
function expandConditionalNavlinkString(s,article,z,recursionCount) {
var ret={};
+
var oldid=z.oldid, rcid=z.rcid, diff=z.diff;
for ( var i = 0; i < src.length; i++ ) {
+
// nested conditionals (up to 10 deep) are ok, hopefully! (work from the inside out)
if ( jsReservedProperties.test(src[i]) ) { src[i] += '<!-- -->'; }
+
if (typeof recursionCount!=typeof 0) { recursionCount=0; }
if ( !ret[ src[i] ] ) { ret[ src[i] ] = []; }
+
var conditionalSplitRegex=RegExp(
try { ret[ src[i] ].push( i ); } catch (err) { diffBugAlert(src[i]); }
+
//(1 if \\( (2 2) \\)   {(3 3)}  (4  else   {(5 5)} 4)1)
}
+
'(;?\\s*if\\s*\\(\\s*([\\w]*)\\s*\\)\\s*\\{([^{}]*)\\}(\\s*else\\s*\\{([^{}]*?)\\}|))', 'i');
return ret;
+
var splitted=s.parenSplit(conditionalSplitRegex);
}
+
// $1: whole conditional
 +
// $2: test condition
 +
// $3: true expansion
 +
// $4: else clause (possibly empty)
 +
// $5: false expansion (possibly null)
 +
var numParens=5;
 +
var ret = splitted[0];
 +
for (var i=1; i<splitted.length; i=i+numParens+1) {
  
function diff( o, n ) {
+
var testString=splitted[i+2-1];
 +
var trueString=splitted[i+3-1];
 +
var falseString=splitted[i+5-1];
 +
if (typeof falseString=='undefined' || !falseString) { falseString=''; }
 +
var testResult=null;
  
// pass 1: make hashtable ns with new rows as keys
+
switch (testString) {
var ns = makeDiffHashtable(n);
+
case 'user':
 
+
testResult=(article.userName())?true:false;
// pass 2: make hashtable os with old rows as keys
+
break;
var os = makeDiffHashtable(o);
+
case 'talk':
 
+
testResult=(article.talkPage())?false:true; // talkPage converts _articles_ to talkPages
// pass 3: pair unique new rows and matching unique old rows
+
break;
var i;
+
case 'admin':
for ( i in ns ) {
+
testResult=getValueOf('popupAdminLinks')?true:false;
if ( ns[i].length == 1 && os[i] && os[i].length == 1 ) {
+
break;
n[ ns[i][0] ] = { text: n[ ns[i][0] ], row: os[i][0], paired: true };
+
case 'oldid':
o[ os[i][0] ] = { text: o[ os[i][0] ], row: ns[i][0], paired: true };
+
testResult=(typeof oldid != 'undefined' && oldid)?true:false;
 +
break;
 +
case 'rcid':
 +
testResult=(typeof rcid != 'undefined' && rcid)?true:false;
 +
break;
 +
case 'ipuser':
 +
testResult=(article.isIpUser())?true:false;
 +
break;
 +
case 'mainspace_en':
 +
testResult=isInMainNamespace(article) &&
 +
pg.wiki.hostname=='en.wikipedia.org';
 +
break;
 +
case 'wikimedia':
 +
testResult=(pg.wiki.wikimedia) ? true : false;
 +
break;
 +
case 'diff':
 +
testResult=(typeof diff != 'undefined' && diff)?true:false;
 +
break;
 
}
 
}
}
 
  
// pass 4: pair matching rows immediately following paired rows (not necessarily unique)
+
switch(testResult) {
for ( i = 0; i < n.length - 1; i++ ) {
+
case null: ret+=splitted[i];  break;
if ( n[i].paired && ! n[i+1].paired && n[i].row + 1 < o.length && ! o[ n[i].row + 1 ].paired &&
+
case true: ret+=trueString;  break;
    n[i+1] == o[ n[i].row + 1 ] ) {
+
case false: ret+=falseString; break;
n[i+1] = { text: n[i+1], row: n[i].row + 1, paired: true };
 
o[n[i].row+1] = { text: o[n[i].row+1], row: i + 1, paired: true };
 
 
}
 
}
 +
 +
// append non-conditional string
 +
ret += splitted[i+numParens];
 +
}
 +
if (conditionalSplitRegex.test(ret) && recursionCount < 10) {
 +
return expandConditionalNavlinkString(ret,article,z,recursionCount+1);
 
}
 
}
 +
return ret;
 +
}
  
// pass 5: pair matching rows immediately preceding paired rows (not necessarily unique)
+
function navlinkStringToArray(s, article, params) {
for ( i = n.length - 1; i > 0; i-- ) {
+
s=expandConditionalNavlinkString(s,article,params);
if ( n[i].paired && ! n[i-1].paired && n[i].row > 0 && ! o[ n[i].row - 1 ].paired &&
+
var splitted=s.parenSplit(RegExp('<<(.*?)>>'));
    n[i-1] == o[ n[i].row - 1 ] ) {
+
var ret=[];
n[i-1] = { text: n[i-1], row: n[i].row - 1, paired: true };
+
for (var i=0; i<splitted.length; ++i) {
o[n[i].row-1] = { text: o[n[i].row-1], row: i - 1, paired: true };
+
if (i%2) { // i odd, so s is a tag
 +
var t=new navlinkTag();
 +
var ss=splitted[i].split('|');
 +
t.id=ss[0];
 +
for (var j=1; j<ss.length; ++j) {
 +
var sss=ss[j].split('=');
 +
if (sss.length>1) {
 +
t[sss[0]]=sss[1];
 +
}
 +
else { // no assignment (no "="), so treat this as a title (overwriting the last one)
 +
t.text=popupString(sss[0]);
 +
}
 +
}
 +
t.article=article;
 +
var oldid=params.oldid, rcid=params.rcid, diff=params.diff;
 +
if (typeof oldid !== 'undefined' && oldid !== null) { t.oldid=oldid; }
 +
if (typeof rcid !== 'undefined' && rcid !== null) { t.rcid=rcid; }
 +
if (typeof diff !== 'undefined' && diff !== null) { t.diff=diff; }
 +
if (!t.text && t.id !== 'mainlink') { t.text=popupString(t.id); }
 +
ret.push(t);
 +
}
 +
else { // plain HTML
 +
ret.push(splitted[i]);
 
}
 
}
 
}
 
}
 
+
return ret;
return { o: o, n: n };
 
}
 
//</NOLITE>
 
// ENDFILE: diff.js
 
// STARTFILE: init.js
 
function setSiteInfo() {
 
if (window.popupLocalDebug) {
 
pg.wiki.hostname = 'en.wikipedia.org';
 
} else {
 
pg.wiki.hostname = location.hostname; // use in preference to location.hostname for flexibility (?)
 
}
 
pg.wiki.wikimedia=RegExp('(wiki([pm]edia|source|books|news|quote|versity)|wiktionary|mediawiki)[.]org').test(pg.wiki.hostname);
 
pg.wiki.wikia=RegExp('[.]wikia[.]com$', 'i').test(pg.wiki.hostname);
 
pg.wiki.isLocal=RegExp('^localhost').test(pg.wiki.hostname);
 
pg.wiki.commons=( pg.wiki.wikimedia && pg.wiki.hostname != 'commons.wikimedia.org') ? 'commons.wikimedia.org' : null;
 
pg.wiki.commonslang = pg.wiki.commons ? pg.wiki.commons.split('.')[0] : null;
 
pg.wiki.lang = pg.wiki.hostname.split('.')[0];
 
// toolDbName needs pg.wiki.lang and pg.wiki.hostname
 
pg.wiki.prePath='';
 
if (pg.wiki.hostname == 'secure.wikimedia.org') {
 
    var s=document.location.href.split('/');
 
    pg.wiki.prePath=s.slice(3,5).join('/');
 
    pg.wiki.lang=s[4];
 
}
 
var port = location.port ? ':' + location.port : '';
 
pg.wiki.sitebase = joinPath([pg.wiki.hostname + port, pg.wiki.prePath]);
 
 
}
 
}
  
function getArticlePath() {
 
if (isFunction(window.siteArticlePath)) {
 
return siteArticlePath();
 
}
 
return 'wiki';
 
}
 
  
function getBotInterfacePath() {
+
function navlinkSubstituteHTML(s) {
if (isFunction(window.siteBotInterfacePath)) {
+
return s.split('*').join(getValueOf('popupNavLinkSeparator'))
return siteBotInterfacePath();
+
.split('<menurow>').join('<li class="popup_menu_row">')
}
+
.split('</menurow>').join('</li>')
var botInterfacePath = pg.wiki.articlePath.replace(/\/index[.]php$/, '');
+
.split('<menu>').join('<ul class="popup_menu">')
if (pg.wiki.wikimedia) { botInterfacePath = 'w'; } // as in http://some.thing.com/w/index.php?title=foo
+
.split('</menu>').join('</ul>');
else if (pg.wiki.wikia) { botInterfacePath = ''; }
 
return botInterfacePath;
 
}
 
  
function setTitleBase() {
+
}
var protocol = ( window.popupLocalDebug ? 'http:' : location.protocol );
 
pg.wiki.articlePath = getArticlePath();  // as in http://some.thing.com/wiki/Article
 
pg.wiki.botInterfacePath = getBotInterfacePath();
 
// default mediawiki setting is paths like http://some.thing.com/articlePath/index.php?title=foo
 
  
var titletail = joinPath([pg.wiki.botInterfacePath, 'index.php?title=']);
+
function navlinkDepth(magic,s) {
var titletail2 = joinPath([pg.wiki.botInterfacePath, 'wiki.phtml?title=']);
+
return s.split('<' + magic + '>').length - s.split('</' + magic + '>').length;
 
 
// other sites may need to add code here to set titletail depending on how their urls work
 
 
 
pg.wiki.titlebase  = protocol + '//' + joinPath([pg.wiki.sitebase, titletail]);
 
pg.wiki.titlebase2  = protocol + '//' + joinPath([pg.wiki.sitebase, titletail2]);
 
pg.wiki.wikibase    = protocol + '//' + joinPath([pg.wiki.sitebase, pg.wiki.botInterfacePath]);
 
pg.wiki.articlebase = protocol + '//' + joinPath([pg.wiki.sitebase, pg.wiki.articlePath]);
 
pg.wiki.commonsbase = protocol + '//' + joinPath([pg.wiki.commons, pg.wiki.botInterfacePath]);
 
pg.re.basenames = RegExp( '^(' +
 
  map( literalizeRegex, [ pg.wiki.titlebase, pg.wiki.titlebase2,
 
  pg.wiki.articlebase ]).join('|') + ')' );
 
 
}
 
}
  
  
//////////////////////////////////////////////////
+
// navlinkString: * becomes the separator
// Global regexps
+
// <<foo|bar=baz|fubar>> becomes a foo-link with attribute bar='baz'
 +
//   and visible text 'fubar'
 +
// if(test){...} and if(test){...}else{...} work too (nested ok)
  
function setMainRegex() {
+
function navlinkStringToHTML(s,article,params) {
var reStart='[^:]*://';
+
//limitAlert(navlinkStringToHTML, 5, 'navlinkStringToHTML\n' + article + '\n' + (typeof article));
var preTitles = joinPath([literalizeRegex(pg.wiki.botInterfacePath), '(?:index[.]php|wiki[.]phtml)[?]title=']);
+
var p=navlinkStringToArray(s,article,params);
// slightly ugly hack when pg.wiki.articlePath is empty
+
var html='';
preTitles += '|' + literalizeRegex( ( pg.wiki.articlePath ? pg.wiki.articlePath + '/' : ''));
+
var menudepth = 0; // nested menus not currently allowed, but doesn't do any harm to code for it
 
+
var menurowdepth = 0;
var reEnd='/(' + preTitles + ')([^&?#]*)[^#]*(?:#(.+))?';
+
for (var i=0; i<p.length; ++i) {
pg.re.main = RegExp(reStart + literalizeRegex(pg.wiki.sitebase) + reEnd);
+
if (typeof p[i] == typeof '') {
 +
html+=navlinkSubstituteHTML(p[i]);
 +
menudepth += navlinkDepth('menu', p[i]);
 +
menurowdepth += navlinkDepth('menurow', p[i]);
 +
// if (menudepth === 0) {
 +
// tagType='span';
 +
// } else if (menurowdepth === 0) {
 +
// tagType='li';
 +
// } else {
 +
// tagType = null;
 +
// }
 +
} else if (typeof p[i].type != 'undefined' && p[i].type=='navlinkTag') {
 +
if (menudepth > 0 && menurowdepth === 0) {
 +
html += '<li class="popup_menu_item">' + p[i].html() + '</li>';
 +
} else {
 +
html+=p[i].html();
 +
}
 +
}
 +
}
 +
return html;
 
}
 
}
  
function setRegexps() {
+
function navlinkTag() {
setMainRegex();
+
this.type='navlinkTag';
var sp=nsRe('Special');
+
}
pg.re.urlNoPopup=RegExp('((title=|/)' + sp +  '(?:%3A|:)|section=[0-9])') ;
 
pg.re.contribs  =RegExp('(title=|/)'  + sp + '(?:%3A|:)Contributions' + '(&target=|/|/' + pg.ns.user+':)(.*)') ;
 
pg.re.email    =RegExp('(title=|/)'  + sp + '(?:%3A|:)Emailuser'    + '(&target=|/|/(?:' + pg.ns.user+':)?)(.*)') ;
 
pg.re.backlinks =RegExp('(title=|/)'  + sp + '(?:%3A|:)Whatlinkshere' + '(&target=|/)([^&]*)');
 
  
//<NOLITE>
+
navlinkTag.prototype.html=function () {
var im=nsReImage();
+
this.getNewWin();
// note: tries to get images in infobox templates too, e.g. movie pages, album pages etc
+
this.getPrintFunction();
//                      (^|\[\[)image: *([^|\]]*[^|\] ]) *
+
var html='';
//                      (^|\[\[)image: *([^|\]]*[^|\] ])([^0-9\]]*([0-9]+) *px)?
+
var opening, closing;
//                                                        $4 = 120 as in 120px
+
var tagType='span';
pg.re.image = RegExp('(^|\\[\\[)' + im + ': *([^|\\]]*[^|\\] ])' +
+
if (!tagType) {
    '([^0-9\\]]*([0-9]+) *px)?|(?:\\n *[|]?|[|]) *' +
+
opening = ''; closing = '';
    '(' + getValueOf('popupImageVarsRegexp') + ')' +
+
} else {
    ' *= *(?:\\[\\[ *)?(?:' + im + ':)?' +
+
opening = '<' + tagType + ' class="popup_' + this.id + '">';
    '([^|]*?)(?:\\]\\])? *[|]? *\\n', 'img') ;
+
closing = '</' + tagType + '>';
pg.re.imageBracketCount = 6;
+
}
 +
if (typeof this.print!='function') {
 +
errlog ('Oh dear - invalid print function for a navlinkTag, id='+this.id);
 +
} else {
 +
html=this.print(this);
 +
if (typeof html != typeof '') {html='';}
 +
else if (typeof this.shortcut!='undefined') html=addPopupShortcut(html, this.shortcut);
 +
}
 +
return opening + html + closing;
 +
};
  
pg.re.category = RegExp('\\[\\[' +nsRe('Category') +
+
navlinkTag.prototype.getNewWin=function() {
': *([^|\\]]*[^|\\] ]) *', 'i');
+
getValueOf('popupLinksNewWindow');
pg.re.categoryBracketCount = 1;
+
if (typeof pg.option.popupLinksNewWindow[this.id] === 'undefined') { this.newWin=null; }
 +
this.newWin=pg.option.popupLinksNewWindow[this.id];
 +
};
  
pg.re.ipUser=RegExp('('+nsRe('User')+':)?' +
+
navlinkTag.prototype.getPrintFunction=function() { //think about this some more
    '((25[0-5]|2[0-4][0-9]|1[0-9][0-9]|[1-9][0-9]|[0-9])\\.){3}' +
+
// this.id and this.article should already be defined
    '(25[0-5]|2[0-4][0-9]|1[0-9][0-9]|[1-9][0-9]|[0-9])');
+
if (typeof this.id!=typeof '' || typeof this.article!=typeof {} ) { return; }
  
pg.re.stub= RegExp(getValueOf('popupStubRegexp'), 'im');
+
this.noPopup=1;
pg.re.disambig=RegExp(getValueOf('popupDabRegexp'), 'im');
+
switch (this.id) {
 
+
case 'contribs': case 'history': case 'whatLinksHere':
//</NOLITE>
+
case 'userPage': case 'monobook': case 'userTalk':
// FIXME replace with general parameter parsing function, this is daft
+
case 'talk': case 'article': case 'lastEdit':
pg.re.oldid=RegExp('[?&]oldid=([^&]*)');
+
this.noPopup=null;
pg.re.diff=RegExp('[?&]diff=([^&]*)');
+
}
}
+
switch (this.id) {
 +
case 'email': case 'contribs':  case 'block': case 'unblock':
 +
case 'userlog':  case 'userSpace': case 'deletedContribs':
 +
this.article=this.article.userName();
 +
}
  
 
+
switch (this.id) {
//<NOLITE>
+
case 'userTalk': case 'newUserTalk': case 'editUserTalk':
//////////////////////////////////////////////////
+
case 'userPage': case 'monobook': case 'editMonobook': case 'blocklog':
// Image sources
+
this.article=this.article.userName(true);
 
+
/* fall through */
function setImageSources() {
+
case 'pagelog': case 'deletelog': case 'protectlog':
pg.wiki.imageSources=[];
+
delete this.oldid;
 
 
// frequently seen thumbs
 
pg.wiki.imageSources.push(
 
{wiki: pg.wiki.hostname, thumb: true,  width: 180}, // default
 
{wiki: pg.wiki.hostname, thumb: true,  width: 120} // gallery
 
);
 
 
 
// frequently seen thumbs on commons
 
if (pg.wiki.commons) {
 
pg.wiki.imageSources.push(
 
{wiki: pg.wiki.commons, thumb: true,  width: 180},
 
{wiki: pg.wiki.commons, thumb: true,  width: 120}
 
);
 
 
}
 
}
  
// unusual thumb sizes and full-size
+
if (this.id=='editMonobook' || this.id=='monobook') { this.article.append('/monobook.js'); }
pg.wiki.imageSources.push(
 
{wiki: pg.wiki.hostname, thumb: true,  width: 200}, // common?
 
{wiki: pg.wiki.hostname, thumb: true,  width: 250}, // common?
 
{wiki: pg.wiki.hostname, thumb: true,  width: 300},
 
{wiki: pg.wiki.hostname, thumb: true,  width: 210},
 
{wiki: pg.wiki.hostname, thumb: true,  width: 230},
 
{wiki: pg.wiki.hostname, thumb: false, width: 0} // no comma
 
);
 
  
// full-size on commons
+
if (this.id != 'mainlink') {
if (pg.wiki.commons) {
+
// FIXME anchor handling should be done differently with Title object
pg.wiki.imageSources.push({wiki: pg.wiki.commons, thumb: false, width: 0});
+
this.article=this.article.removeAnchor();
 +
// if (typeof this.text=='undefined') this.text=popupString(this.id);
 
}
 
}
}
 
//</NOLITE>
 
  
//////////////////////////////////////////////////
+
switch (this.id) {
// miscellany
+
case 'undelete':      this.print=specialLink; this.specialpage='Undelete'; this.sep='/'; break;
 +
case 'whatLinksHere':  this.print=specialLink; this.specialpage='Whatlinkshere'; break;
 +
case 'relatedChanges': this.print=specialLink; this.specialpage='Recentchangeslinked'; break;
 +
case 'move':          this.print=specialLink; this.specialpage='Movepage'; break;
 +
case 'contribs':      this.print=specialLink; this.specialpage='Contributions'; break;
 +
case 'deletedContribs':this.print=specialLink; this.specialpage='Deletedcontributions'; break;
 +
case 'email':          this.print=specialLink; this.specialpage='EmailUser'; this.sep='/'; break;
 +
case 'block':          this.print=specialLink; this.specialpage='Blockip'; this.sep='&ip='; break;
 +
case 'unblock':        this.print=specialLink; this.specialpage='Ipblocklist'; this.sep='&action=unblock&ip='; break;
 +
case 'userlog':        this.print=specialLink; this.specialpage='Log'; this.sep='&user='; break;
 +
case 'blocklog':      this.print=specialLink; this.specialpage='Log'; this.sep='&type=block&page='; break;
 +
case 'pagelog':        this.print=specialLink; this.specialpage='Log'; this.sep='&page='; break;
 +
case 'protectlog':    this.print=specialLink; this.specialpage='Log'; this.sep='&type=protect&page='; break;
 +
case 'deletelog':      this.print=specialLink; this.specialpage='Log'; this.sep='&type=delete&page='; break;
 +
case 'userSpace':      this.print=specialLink; this.specialpage='PrefixIndex'; this.sep='&namespace=2&prefix='; break;
 +
case 'search':        this.print=specialLink; this.specialpage='Search'; this.sep='&fulltext=Search&search='; break;
 +
case 'thank':          this.print=specialLink; this.specialpage='Thanks'; this.sep='/'; this.article.value = this.diff; break;
 +
case 'unwatch': case 'watch':
 +
this.print=magicWatchLink; this.action=this.id+'&autowatchlist=1&autoimpl=' + popupString('autoedit_version') + '&actoken='+autoClickToken(); break;
 +
case 'history': case 'historyfeed':
 +
case 'unprotect': case 'protect':
 +
this.print=wikiLink; this.action=this.id; break;
  
function setupCache() {
+
case 'delete':
// page caching
+
this.print=wikiLink; this.action='delete';
pg.cache.pages = [];
+
if (this.article.namespaceId()==pg.nsImageId) {
pg.cache.images = [];
+
var img=this.article.stripNamespace();
 +
this.action+='&image='+img;
 +
}
 +
break;
  
// global array for 404'ed image urls
+
case 'markpatrolled':
pg.cache.badImageUrls=[];
+
case 'edit': // editOld should keep the oldid, but edit should not.
}
+
delete this.oldid;
 
+
/* fall through */
function setMisc() {
+
case 'view': case 'purge': case 'render':
pg.current.link=null;
+
this.print=wikiLink;
pg.current.links=[];
+
this.action=this.id; break;
pg.current.linksHash={};
+
case 'raw':
 
+
this.print=wikiLink; this.action='raw'; break;
// downloading images are put here
+
case 'new':
pg.misc.imageArray=[];
+
this.print=wikiLink; this.action='edit&section=new'; break;
 
+
case 'mainlink':
setupCache();
+
if (typeof this.text=='undefined') { this.text=this.article.toString().entify(); }
// FIXME what is this for?
+
if (getValueOf('popupSimplifyMainLink') && isInStrippableNamespace(this.article)) {
pg.misc.gImage=null; // global for image
+
// only show the /subpage part of the title text
 
+
var s=this.text.split('/'); this.text=s[s.length-1];
// check to see if images are done with this timer
+
if (this.text==='' && s.length > 1) { this.text=s[s.length-2]; }
pg.timer.image=null;
+
}
 
+
this.print=titledWikiLink;
// These are for checkImages()
+
if (typeof this.title==='undefined' && pg.current.link && typeof pg.current.link.href !== 'undefined') {
pg.counter.checkImages=0;
+
this.title=safeDecodeURI((pg.current.link.originalTitle)?pg.current.link.originalTitle:this.article);
pg.timer.checkImages=null;
+
if (typeof this.oldid !== 'undefined' && this.oldid) {
pg.timer.checkPopupPosition=null;
+
this.title=tprintf('Revision %s of %s', [this.oldid, this.title]);
pg.counter.loop=0;
+
}
 
+
}
// ids change with each popup: popupImage0, popupImage1 etc
+
this.action='view'; break;
pg.idNumber=0;
+
case 'userPage':
 
+
case 'article':
// for myDecodeURI
+
case 'monobook':
pg.misc.decodeExtras = [
+
case 'editMonobook':
{from: '%2C', to: ',' },
+
case 'editArticle':
{from: '_',  to: ' ' },
+
delete this.oldid;
{from: '%24', to: '$'},
+
//alert(this.id+'\n'+this.article + '\n'+ typeof this.article);
{from: '%26',  to: '&' } // no ,
+
this.article=this.article.articleFromTalkOrArticle();
];
+
//alert(this.id+'\n'+this.article + '\n'+ typeof this.article);
 
+
this.print=wikiLink;
}
+
if (this.id.indexOf('edit')===0) {
 
+
this.action='edit';
function leadingInteger(s){
+
} else { this.action='view';}
var n=s.match(/^(\d*)/)[1];
+
break;
if (n) { return +n; }
+
case 'userTalk':
return null;
+
case 'talk':
}
+
this.article=this.article.talkPage();
 
+
delete this.oldid;
function setBrowserHacks() {
+
this.print=wikiLink;
var useOriginal=false;
+
this.action='view'; break;
// browser-specific hacks
+
case 'arin':
if (typeof window.opera != 'undefined') {
+
this.print=arinLink; break;
//if (leadingInteger(opera.version()) < 9)
+
case 'count':
{ useOriginal=true; } // v9 beta still seems to have buggy css
+
this.print=editCounterLink; break;
setDefault('popupNavLinkSeparator', ' &#183; ');
+
case 'google':
} else if (navigator.appName=='Konqueror') {
+
this.print=googleLink; break;
setDefault('popupNavLinkSeparator', ' &bull; ');
+
case 'editors':
pg.flag.isKonq=true;
+
this.print=editorListLink; break;
} else if ( navigator.vendor && navigator.vendor.toLowerCase().indexOf('apple computer')===0) {
+
case 'globalsearch':
pg.flag.isSafari=true;
+
this.print=globalSearchLink; break;
var webkit=+navigator.userAgent.replace(RegExp('^.*AppleWebKit[/](\\d+).*', 'i'), '$1');
+
case 'lastEdit':
if (webkit < 420) { useOriginal=true; }
+
this.print=titledDiffLink;
} else if (navigator.appName.indexOf("Microsoft")!=-1) {
+
this.title=popupString('Show the last edit');
setDefault('popupNavLinkSeparator', ' &#183; ');
+
this.from='prev'; this.to='cur'; break;
useOriginal=true;
+
case 'oldEdit':
var ver=+navigator.userAgent.replace(RegExp('^.*MSIE (\\d+).*'), '$1');
+
this.print=titledDiffLink;
pg.flag.isIE=true;
+
this.title=popupString('Show the edit made to get revision') + ' ' + this.oldid;
pg.flag.IEVersion=ver;
+
this.from='prev'; this.to=this.oldid; break;
 +
case 'editOld':
 +
this.print=wikiLink; this.action='edit'; break;
 +
case 'undo':
 +
this.print=wikiLink; this.action='edit&undo='; break;
 +
case 'revert':
 +
this.print=wikiLink; this.action='revert'; break;
 +
case 'nullEdit':
 +
this.print=wikiLink; this.action='nullEdit'; break;
 +
case 'diffCur':
 +
this.print=titledDiffLink;
 +
this.title=tprintf('Show changes since revision %s', [this.oldid]);
 +
this.from=this.oldid; this.to='cur'; break;
 +
case 'editUserTalk':
 +
case 'editTalk':
 +
delete this.oldid;
 +
this.article=this.article.talkPage();
 +
this.action='edit'; this.print=wikiLink; break;
 +
case 'newUserTalk':
 +
case 'newTalk':
 +
this.article=this.article.talkPage();
 +
this.action='edit&section=new'; this.print=wikiLink; break;
 +
case 'lastContrib':
 +
case 'sinceMe':
 +
this.print=magicHistoryLink;
 +
break;
 +
case 'togglePreviews':
 +
this.text=popupString(pg.option.simplePopups ? 'enable previews' : 'disable previews');
 +
/* fall through */
 +
case 'disablePopups': case 'purgePopups':
 +
this.print=popupMenuLink;
 +
break;
 +
default:
 +
this.print=function () {return 'Unknown navlink type: '+this.id+'';};
 
}
 
}
if ((pg.flag.isIE && pg.flag.IEVersion < 7) || pg.flag.isKonq || (pg.flag.isSafari && webkit < 420)) {
+
};
pg.flag.linksLikeIE6=true;
+
//
 +
//  end navlinks
 +
//////////////////////////////////////////////////
 +
//</NOLITE>
 +
// ENDFILE: navlinks.js
 +
// STARTFILE: shortcutkeys.js
 +
//<NOLITE>
 +
function popupHandleKeypress(evt) {
 +
var keyCode = window.event ? window.event.keyCode : ( evt.keyCode ? evt.keyCode : evt.which);
 +
if (!keyCode || !pg.current.link || !pg.current.link.navpopup) { return; }
 +
if (keyCode==27) { // escape
 +
killPopup();
 +
return false; // swallow keypress
 
}
 
}
if (useOriginal && pg.structures.original) {
 
setDefault('popupStructure','original');
 
}
 
}
 
  
function setupPopups() {
+
var letter=String.fromCharCode(keyCode);
// NB translatable strings should be set up first (strings.js)
+
var links=pg.current.link.navpopup.mainDiv.getElementsByTagName('A');
// basics
+
var startLink=0;
setupDebugging();
+
var i,j;
setSiteInfo();
 
setTitleBase();
 
setOptions(); // see options.js
 
  
// namespaces etc
+
if (popupHandleKeypress.lastPopupLinkSelected) {
setNamespaces();
+
for (i=0; i<links.length; ++i) {
setInterwiki();
+
if (links[i]==popupHandleKeypress.lastPopupLinkSelected) { startLink=i; }
 
+
}
// regexps
+
}
setRegexps();
+
for (j=0; j<links.length; ++j) {
setRedirs();
+
i=(startLink + j + 1) % links.length;
 +
if (links[i].getAttribute('popupkey')==letter) {
 +
if (evt && evt.preventDefault) evt.preventDefault();
 +
links[i].focus();
 +
popupHandleKeypress.lastPopupLinkSelected=links[i];
 +
return false; // swallow keypress
 +
}
 +
}
  
// other stuff
+
// pass keypress on
window.setImageSources && setImageSources();
+
if (document.oldPopupOnkeypress) { return document.oldPopupOnkeypress(evt); }
setBrowserHacks();
+
return true;
setMisc();
+
}
setupLivePreview();
 
  
// main deal here
+
function addPopupShortcuts() {
setupTooltips();
+
if (document.onkeypress!=popupHandleKeypress) {
Navpopup.tracker.enable();
+
document.oldPopupOnkeypress=document.onkeypress;
 +
}
 +
document.onkeypress=popupHandleKeypress;
 +
}
  
setupPopups.completed = true;
+
function rmPopupShortcuts() {
 +
popupHandleKeypress.lastPopupLinkSelected=null;
 +
try {
 +
if (document.oldPopupOnkeypress && document.oldPopupOnkeypress==popupHandleKeypress) {
 +
// panic
 +
document.onkeypress=null; //function () {};
 +
return;
 +
}
 +
document.onkeypress=document.oldPopupOnkeypress;
 +
} catch (nasties) { /* IE goes here */ }
 
}
 
}
// ENDFILE: init.js
 
// STARTFILE: navlinks.js
 
//<NOLITE>
 
//////////////////////////////////////////////////
 
// navlinks... let the fun begin
 
//
 
  
function defaultNavlinkSpec() {
 
var str='';
 
str += '<b><<mainlink|shortcut= >></b>';
 
if (getValueOf('popupLastEditLink')) {
 
str += '*<<lastEdit|shortcut=/>>|<<lastContrib>>|<<sinceMe>>if(oldid){|<<oldEdit>>|<<diffCur>>}';
 
}
 
  
// user links
+
function addLinkProperty(html, property) {
// contribs - log - count - email - block
+
// take "<a href=...>...</a> and add a property
// count only if applicable; block only if popupAdminLinks
+
// not sophisticated at all, easily broken
str += 'if(user){<br><<contribs|shortcut=c>>*<<userlog|shortcut=L|log>>';
+
var i=html.indexOf('>');
str+='if(ipuser){*<<arin>>}if(wikimedia){*<<count|shortcut=#>>}';
+
if (i<0) { return html; }
str+='if(ipuser){}else{*<<email|shortcut=E>>}if(admin){*<<block|shortcut=b>>|<<blocklog|log>>}}';
+
return html.substring(0,i) + ' ' + property + html.substring(i);
 
 
// editing links
 
// talkpage  -> edit|new - history - un|watch - article|edit
 
// other page -> edit - history - un|watch - talk|edit|new
 
var editstr='<<edit|shortcut=e>>';
 
var editOldidStr='if(oldid){<<editOld|shortcut=e>>|<<revert|shortcut=v|rv>>|<<edit|cur>>}else{' + editstr + '}'
 
var historystr='<<history|shortcut=h>>if(mainspace_en){|<<editors|shortcut=E|>>}';
 
var watchstr='<<unwatch|unwatchShort>>|<<watch|shortcut=w|watchThingy>>';
 
 
 
str+='<br>if(talk){' +
 
editOldidStr+'|<<new|shortcut=+>>' + '*' + historystr+'*'+watchstr + '*' +
 
'<b><<article|shortcut=a>></b>|<<editArticle|edit>>' +
 
'}else{' + // not a talk page
 
editOldidStr + '*' + historystr + '*' + watchstr + '*' +
 
'<b><<talk|shortcut=t>></b>|<<editTalk|edit>>|<<newTalk|shortcut=+|new>>'
 
+ '}';
 
 
 
// misc links
 
str += '<br><<whatLinksHere|shortcut=l>>*<<relatedChanges|shortcut=r>>*<<move|shortcut=m>>';
 
 
 
// admin links
 
str += 'if(admin){<br><<unprotect|unprotectShort>>|<<protect|shortcut=p>>|<<protectlog|log>>*' +
 
'<<undelete|undeleteShort>>|<<delete|shortcut=d>>|<<deletelog|log>>}';
 
return str;
 
 
}
 
}
  
function navLinksHTML (article, hint, params) { //oldid, rcid) {
+
function addPopupShortcut(html, key) {
var str = '<span class="popupNavLinks">' + defaultNavlinkSpec() + '</span>';
+
if (!getValueOf('popupShortcutKeys')) { return html; }
// BAM
+
var ret= addLinkProperty(html, 'popupkey="'+key+'"');
return navlinkStringToHTML(str, article, params);
+
if (key==' ') { key=popupString('spacebar'); }
 +
return ret.replace(RegExp('^(.*?)(title=")(.*?)(".*)$', 'i'),'$1$2$3 ['+key+']$4');
 +
}
 +
//</NOLITE>
 +
// ENDFILE: shortcutkeys.js
 +
// STARTFILE: diffpreview.js
 +
//<NOLITE>
 +
//lets jump through hoops to find the rev ids we need to retrieve
 +
function loadDiff(article, oldid, diff, navpop) {
 +
navpop.diffData={ oldRev: {}, newRev: {} };
 +
mw.loader.using( 'mediawiki.api' ).then( function() {
 +
var api = new mw.Api( {
 +
    ajax: {
 +
        headers: { 'Api-User-Agent': pg.misc.userAgent }
 +
    }
 +
} );
 +
var params = {
 +
action: 'compare',
 +
prop: 'ids|title'
 +
};
 +
if(article.title){
 +
params.fromtitle = article.title;
 +
}
 +
 +
switch (diff) {
 +
case 'cur':
 +
switch ( oldid ) {
 +
case null:
 +
case '':
 +
case 'prev':
 +
// this can only work if we have the title
 +
// cur -> prev
 +
params.torelative = 'prev';
 +
break;
 +
default:
 +
params.fromrev = oldid;
 +
params.torelative = 'cur';
 +
break;
 +
}
 +
break;
 +
case 'prev':
 +
if( oldid ) {
 +
params.fromrev = oldid;
 +
} else {
 +
params.fromtitle;
 +
}
 +
params.torelative = 'prev';
 +
break;
 +
case 'next':
 +
params.fromrev = oldid || 0;
 +
params.torelative = 'next';
 +
break;
 +
default:
 +
params.fromrev = oldid || 0;
 +
params.torev = diff || 0;
 +
break;
 +
}
 +
 +
api.get( params ).then( function( data ) {
 +
navpop.diffData.oldRev.revid = data.compare.fromrevid;
 +
navpop.diffData.newRev.revid = data.compare.torevid;
 +
 +
addReviewLink(navpop, 'popupMiscTools');
 +
 
 +
var go = function() {
 +
pendingNavpopTask(navpop);
 +
var url=pg.wiki.apiwikibase + '?format=json&formatversion=2&action=query&';
 +
 +
url += 'revids=' + navpop.diffData.oldRev.revid + '|' + navpop.diffData.newRev.revid;
 +
url += '&prop=revisions&rvprop=ids|timestamp|content';
 +
 +
getPageWithCaching(url, doneDiff, navpop);
 +
 +
return true; // remove hook once run
 +
};
 +
if (navpop.visible || !getValueOf('popupLazyDownloads')) { go(); }
 +
else { navpop.addHook(go, 'unhide', 'before', 'DOWNLOAD_DIFFS'); }
 +
} );
 +
} );
 
}
 
}
  
function expandConditionalNavlinkString(s,article,z,recursionCount) {
+
// Put a "mark patrolled" link to an element target
var oldid=z.oldid, rcid=z.rcid, diff=z.diff;
+
// TODO: Allow patrol a revision, as well as a diff
// nested conditionals (up to 10 deep) are ok, hopefully! (work from the inside out)
+
function addReviewLink (navpop, target) {
if (typeof recursionCount!=typeof 0) { recursionCount=0; }
+
if (! pg.user.canReview) return;
var conditionalSplitRegex=RegExp(
+
// If 'newRev' is older than 'oldRev' than it could be confusing, so we do not show the review link.
//(1    if    \\(    (2    2)    \\)      {(3    3)} (4  else      {(5    5)} 4)1)
+
if (navpop.diffData.newRev.revid <= navpop.diffData.oldRev.revid) return;
'(;?\\s*if\\s*\\(\\s*([\\w]*)\\s*\\)\\s*\\{([^{}]*)\\}(\\s*else\\s*\\{([^{}]*?)\\}|))', 'i');
+
var api = new mw.Api( {
var splitted=s.parenSplit(conditionalSplitRegex);
+
    ajax: {
// $1: whole conditional
+
        headers: { 'Api-User-Agent': pg.misc.userAgent }
// $2: test condition
+
    }
// $3: true expansion
+
} );
// $4: else clause (possibly empty)
+
var params = {
// $5: false expansion (possibly null)
+
action: 'query',
var numParens=5;
+
prop: 'info|flagged',
var ret = splitted[0];
+
revids: navpop.diffData.oldRev.revid,
for (var i=1; i<splitted.length; i=i+numParens+1) {
+
formatversion : 2
 
+
};
var testString=splitted[i+2-1];
+
api.get (params).then(function(data){
var trueString=splitted[i+3-1];
+
var stable_revid = data.query.pages[0].flagged && data.query.pages[0].flagged.stable_revid || 0;
var falseString=splitted[i+5-1];
+
// The diff can be reviewed if the old version is the last reviewed version
if (typeof falseString=='undefined' || !falseString) { falseString=''; }
+
// TODO: Other possible conditions that we may want to implement instead of this one:
var testResult=null;
+
// * old version is patrolled and the new version is not patrolled
 +
// * old version is patrolled and the new version is more recent than the last reviewed version
 +
if (stable_revid == navpop.diffData.oldRev.revid) {
 +
var a = document.createElement('a');
 +
a.innerHTML = popupString('mark patrolled');
 +
a.title=popupString('markpatrolledHint');
 +
a.onclick = function() {
 +
var params = {
 +
action: 'review',
 +
revid: navpop.diffData.newRev.revid,
 +
comment: tprintf('defaultpopupReviewedSummary', [navpop.diffData.oldRev.revid, navpop.diffData.newRev.revid])
 +
};
 +
api.postWithToken('csrf',params).done(function(){
 +
a.style.display = "none";
 +
// TODO: Update current page and other already constructed popups
 +
} ).fail(function(){
 +
alert(popupString('Could not marked this edit as patrolled'));
 +
});
 +
};
 +
setPopupHTML(a, target, navpop.idNumber,null,true);
 +
}
 +
});
 +
}
  
switch (testString) {
+
function doneDiff(download) {
case 'user':
+
if (!download.owner || !download.owner.diffData) { return; }
testResult=(article.userName())?true:false;
+
var navpop=download.owner;
break;
+
completedNavpopTask(navpop);
case 'talk':
+
testResult=(article.talkPage())?false:true; // talkPage converts _articles_ to talkPages
+
var pages, revisions=[];
break;
+
try{
case 'admin':
+
// Process the downloads
testResult=getValueOf('popupAdminLinks')?true:false;
+
pages = getJsObj(download.data).query.pages;
break;
+
for(var i=0; i < pages.length; i++ ) {
case 'oldid':
+
revisions = revisions.concat(pages[i].revisions);
testResult=(typeof oldid != 'undefined' && oldid)?true:false;
 
break;
 
case 'rcid':
 
testResult=(typeof rcid != 'undefined' && rcid)?true:false;
 
break;
 
case 'ipuser':
 
testResult=(article.isIpUser())?true:false;
 
break;
 
case 'mainspace_en':
 
testResult=isInMainNamespace(article) &&
 
pg.wiki.hostname=='en.wikipedia.org';
 
break;
 
case 'wikimedia':
 
testResult=(pg.wiki.wikimedia) ? true : false;
 
break;
 
case 'diff':
 
testResult=(typeof diff != 'undefined' && diff)?true:false;
 
break;
 
 
}
 
}
 
+
for(i=0; i< revisions.length; i++){
switch(testResult) {
+
if(revisions[i].revid == navpop.diffData.oldRev.revid) {
case null: ret+=splitted[i];  break;
+
navpop.diffData.oldRev.revision = revisions[i];
case true: ret+=trueString;  break;
+
} else if (revisions[i].revid == navpop.diffData.newRev.revid) {
case false: ret+=falseString; break;
+
navpop.diffData.newRev.revision = revisions[i];
 +
}
 
}
 
}
 
+
} catch(someError) {
// append non-conditional string
+
errlog( 'Could not get diff' );
ret += splitted[i+numParens];
 
 
}
 
}
if (conditionalSplitRegex.test(ret) && recursionCount < 10) {
+
return expandConditionalNavlinkString(ret,article,z,recursionCount+1);
+
insertDiff(navpop);
}
 
return ret;
 
 
}
 
}
  
function navlinkStringToArray(s, article, params) {
+
function rmBoringLines(a,b,context) {
s=expandConditionalNavlinkString(s,article,params);
+
 
var splitted=s.parenSplit(RegExp('<<(.*?)>>'));
+
if (typeof context == 'undefined') { context=2; }
var ret=[];
+
// this is fairly slow... i think it's quicker than doing a word-based diff from the off, though
for (var i=0; i<splitted.length; ++i) {
+
var aa=[], aaa=[];
if (i%2) { // i odd, so s is a tag
+
var bb=[], bbb=[];
var t=new navlinkTag();
+
var i, j;
var ss=splitted[i].split('|');
+
 
t.id=ss[0];
+
// first, gather all disconnected nodes in a and all crossing nodes in a and b
for (var j=1; j<ss.length; ++j) {
+
for (i=0; i<a.length; ++i ) {
var sss=ss[j].split('=');
+
if(!a[i].paired) { aa[i]=1; }
if (sss.length>1) {
+
else if (countCrossings(b,a,i, true)) {
t[sss[0]]=sss[1];
+
aa[i]=1;
}
+
bb[ a[i].row ] = 1;
else { // no assignment (no "="), so treat this as a title (overwriting the last one)
+
}
t.text=popupString(sss[0]);
+
}
}
+
 
 +
// pick up remaining disconnected nodes in b
 +
for (i=0; i<b.length; ++i ) {
 +
if (bb[i]==1) { continue; }
 +
if(!b[i].paired) { bb[i]=1; }
 +
}
 +
 
 +
// another pass to gather context: we want the neighbours of included nodes which are not yet included
 +
// we have to add in partners of these nodes, but we don't want to add context for *those* nodes in the next pass
 +
for (i=0; i<b.length; ++i) {
 +
if ( bb[i] == 1 ) {
 +
for (j=Math.max(0,i-context); j < Math.min(b.length, i+context); ++j) {
 +
if ( !bb[j] ) { bb[j] = 1; aa[ b[j].row ] = 0.5; }
 
}
 
}
t.article=article;
 
var oldid=params.oldid, rcid=params.rcid, diff=params.diff;
 
if (typeof oldid != 'undefined' && oldid != null) { t.oldid=oldid; }
 
if (typeof rcid != 'undefined' && rcid != null) { t.rcid=rcid; }
 
if (typeof diff != 'undefined' && diff != null) { t.diff=diff; }
 
if (!t.text && t.id != 'mainlink') { t.text=popupString(t.id); }
 
ret.push(t);
 
 
}
 
}
else { // plain HTML
+
}
ret.push(splitted[i]);
+
 
 +
for (i=0; i<a.length; ++i) {
 +
if ( aa[i] == 1 ) {
 +
for (j=Math.max(0,i-context); j < Math.min(a.length, i+context); ++j) {
 +
if ( !aa[j] ) { aa[j] = 1; bb[ a[j].row ] = 0.5; }
 +
}
 
}
 
}
 
}
 
}
return ret;
 
}
 
 
  
function navlinkSubstituteHTML(s) {
+
for (i=0; i<bb.length; ++i) {
return s.split('*').join(getValueOf('popupNavLinkSeparator'))
+
if (bb[i] > 0) { // it's a row we need
.split('<menurow>').join('<li class="popup_menu_row">')
+
if (b[i].paired) { bbb.push(b[i].text); } // joined; partner should be in aa
.split('</menurow>').join('</li>')
+
else {
.split('<menu>').join('<ul class="popup_menu">')
+
bbb.push(b[i]);
.split('</menu>').join('</ul>');
+
}
 +
}
 +
}
 +
for (i=0; i<aa.length; ++i) {
 +
if (aa[i] > 0) { // it's a row we need
 +
if (a[i].paired) { aaa.push(a[i].text); } // joined; partner should be in aa
 +
else {
 +
aaa.push(a[i]);
 +
}
 +
}
 +
}
  
 +
return { a: aaa, b: bbb};
 
}
 
}
  
function navlinkDepth(magic,s) {
+
function stripOuterCommonLines(a,b,context) {
return s.split('<' + magic + '>').length - s.split('</' + magic + '>').length;
+
var i=0;
 +
while (i<a.length && i < b.length && a[i]==b[i]) { ++i; }
 +
var j=a.length-1; var k=b.length-1;
 +
while ( j>=0 && k>=0 && a[j]==b[k] ) { --j; --k; }
 +
 
 +
return { a: a.slice(Math.max(0,i - 1 - context), Math.min(a.length+1, j + context+1)),
 +
b: b.slice(Math.max(0,i - 1 - context), Math.min(b.length+1, k + context+1)) };
 
}
 
}
  
 +
function insertDiff(navpop) {
 +
// for speed reasons, we first do a line-based diff, discard stuff that seems boring, then do a word-based diff
 +
// FIXME: sometimes this gives misleading diffs as distant chunks are squashed together
 +
var oldlines = navpop.diffData.oldRev.revision.content.split('\n');
 +
var newlines = navpop.diffData.newRev.revision.content.split('\n');
 +
var inner=stripOuterCommonLines(oldlines,newlines,getValueOf('popupDiffContextLines'));
 +
oldlines=inner.a; newlines=inner.b;
 +
var truncated=false;
 +
getValueOf('popupDiffMaxLines');
 +
if (oldlines.length > pg.option.popupDiffMaxLines || newlines.length > pg.option.popupDiffMaxLines) {
 +
// truncate
 +
truncated=true;
 +
inner=stripOuterCommonLines(oldlines.slice(0,pg.option.popupDiffMaxLines),
 +
newlines.slice(0,pg.option.popupDiffMaxLines),
 +
pg.option.popupDiffContextLines);
 +
oldlines=inner.a; newlines=inner.b;
 +
}
  
// navlinkString: * becomes the separator
+
var lineDiff=diff(oldlines, newlines);
//                <<foo|bar=baz|fubar>> becomes a foo-link with attribute bar='baz'
+
var lines2=rmBoringLines(lineDiff.o, lineDiff.n);
//                                      and visible text 'fubar'
+
var oldlines2=lines2.a; var newlines2=lines2.b;
//                if(test){...} and if(test){...}else{...} work too (nested ok)
 
  
function navlinkStringToHTML(s,article,params) {
+
var simpleSplit = !String.prototype.parenSplit.isNative;
//limitAlert(navlinkStringToHTML, 5, 'navlinkStringToHTML\n' + article + '\n' + (typeof article));
+
var html='<hr />';
var p=navlinkStringToArray(s,article,params);
+
if (getValueOf('popupDiffDates')) {
var html='';
+
html += diffDatesTable(navpop);
var menudepth = 0; // nested menus not currently allowed, but doesn't do any harm to code for it
+
html += '<hr />';
var menurowdepth = 0;
+
}
var wrapping = null;
+
html += shortenDiffString(
for (var i=0; i<p.length; ++i) {
+
diffString(oldlines2.join('\n'), newlines2.join('\n'), simpleSplit),
if (typeof p[i] == typeof '') {
+
getValueOf('popupDiffContextCharacters') ).join('<hr />');
html+=navlinkSubstituteHTML(p[i]);
+
setPopupTipsAndHTML(html.split('\n').join('<br>') +
menudepth += navlinkDepth('menu', p[i]);
+
(truncated ? '<hr /><b>'+popupString('Diff truncated for performance reasons')+'</b>' : '') ,
menurowdepth += navlinkDepth('menurow', p[i]);
+
'popupPreview', navpop.idNumber);
// if (menudepth === 0) {
 
// tagType='span';
 
// } else if (menurowdepth === 0) {
 
// tagType='li';
 
// } else {
 
// tagType = null;
 
// }
 
} else if (typeof p[i].type != 'undefined' && p[i].type=='navlinkTag') {
 
if (menudepth > 0 && menurowdepth === 0) {
 
html += '<li class="popup_menu_item">' + p[i].html() + '</li>';
 
} else {
 
html+=p[i].html();
 
}
 
}
 
}
 
return html;
 
 
}
 
}
  
function navlinkTag() {
+
function diffDatesTable( navpop ) {
this.type='navlinkTag';
+
var html='<table class="popup_diff_dates">';
 +
html += diffDatesTableRow( navpop.diffData.newRev.revision, tprintf('New revision'));
 +
html += diffDatesTableRow( navpop.diffData.oldRev.revision, tprintf('Old revision'));
 +
html += '</table>';
 +
return html;
 
}
 
}
 
+
function diffDatesTableRow( revision, label ) {
navlinkTag.prototype.html=function () {
+
var txt='';
this.getNewWin();
+
var lastModifiedDate = new Date(revision.timestamp);
this.getPrintFunction();
+
var datePrint=getValueOf('popupDiffDatePrinter');
var html='';
+
if (typeof lastModifiedDate[datePrint] == 'function') {
var opening, closing;
+
var d2 = adjustDate(lastModifiedDate, getTimeOffset());
var tagType='span';
+
txt = dayFormat(d2, true) + ' ' + timeFormat(d2, true);
if (!tagType) {
 
opening = ''; closing = '';
 
 
} else {
 
} else {
opening = '<' + tagType + ' class="popup_' + this.id + '">';
+
txt = tprintf('Invalid %s %s', ['popupDiffDatePrinter', datePrint]);
closing = '</' + tagType + '>';
 
 
}
 
}
if (typeof this.print!='function') {
+
var revlink = generalLink({url: mw.config.get('wgScript') + '?oldid='+revision.revid,
errlog ('Oh dear - invalid print function for a navlinkTag, id='+this.id);
+
  text: label, title: label});
} else {
+
return simplePrintf('<tr><td>%s</td><td>%s</td></tr>', [ revlink, txt ]);
html=this.print(this);
+
}
if (typeof html != typeof '') {html='';}
+
//</NOLITE>
else if (typeof this.shortcut!='undefined') html=addPopupShortcut(html, this.shortcut);
+
// ENDFILE: diffpreview.js
}
+
// STARTFILE: links.js
return opening + html + closing;
+
//<NOLITE>
};
+
/////////////////////
 +
// LINK GENERATION //
 +
/////////////////////
 +
 
 +
// titledDiffLink --> titledWikiLink --> generalLink
 +
// wikiLink   --> titledWikiLink --> generalLink
 +
// editCounterLink --> generalLink
 +
 
 +
// TODO Make these functions return Element objects, not just raw HTML strings.
  
navlinkTag.prototype.getNewWin=function() {
+
function titledDiffLink(l) { // article, text, title, from, to) {
getValueOf('popupLinksNewWindow');
+
return titledWikiLink({article: l.article, action: l.to + '&oldid=' + l.from,
if (typeof pg.option.popupLinksNewWindow[this.id] === 'undefined') { this.newWin=null; }
+
newWin: l.newWin,
this.newWin=pg.option.popupLinksNewWindow[this.id];
+
noPopup: l.noPopup,
 +
text: l.text, title: l.title,
 +
/* hack: no oldid here */
 +
actionName: 'diff'});
 
}
 
}
  
navlinkTag.prototype.getPrintFunction=function() { //think about this some more
 
// this.id and this.article should already be defined
 
if (typeof this.id!=typeof '' || typeof this.article!=typeof {} ) { return; }
 
var html='';
 
var a,t;
 
  
this.noPopup=1;
+
function wikiLink(l) {
switch (this.id) {
+
//{article:article, action:action, text:text, oldid, newid}) {
case 'contribs': case 'history': case 'whatLinksHere':
+
if (! (typeof l.article == typeof {} &&
case 'userPage': case 'monobook': case 'userTalk':
+
typeof l.action == typeof '' &&
case 'talk': case 'article': case 'lastEdit':
+
typeof l.text==typeof '')) return null;
this.noPopup=null;
+
if (typeof l.oldid == 'undefined') { l.oldid=null; }
}
+
var savedOldid = l.oldid;
switch (this.id) {
+
if (!/^(edit|view|revert|render)$|^raw/.test(l.action)) { l.oldid=null; }
case 'email':     case 'contribs':  case 'block':    case 'unblock':
+
var hint=popupString(l.action + 'Hint'); // revertHint etc etc etc
case 'userlog':   case 'userSpace': case 'deletedContribs':
+
var oldidData=[l.oldid, safeDecodeURI(l.article)];
this.article=this.article.userName();
+
var revisionString = tprintf('revision %s of %s', oldidData);
 +
log('revisionString='+revisionString);
 +
switch (l.action) {
 +
case 'edit&section=new': hint = popupString('newSectionHint');  break;
 +
case 'edit&undo=':
 +
if (l.diff && l.diff != 'prev' && savedOldid ) {
 +
  l.action += l.diff + '&undoafter=' + savedOldid;
 +
} else if (savedOldid) {
 +
  l.action += savedOldid;
 +
}
 +
hint = popupString('undoHint');
 +
break;
 +
case 'raw&ctype=text/css': hint=popupString('rawHint'); break;
 +
case 'revert':
 +
var p=parseParams(pg.current.link.href);
 +
l.action='edit&autoclick=wpSave&actoken=' + autoClickToken() + '&autoimpl=' + popupString('autoedit_version') + '&autosummary=' + revertSummary(l.oldid, p.diff);
 +
if (p.diff=='prev') {
 +
l.action += '&direction=prev';
 +
revisionString = tprintf('the revision prior to revision %s of %s', oldidData);
 +
}
 +
if (getValueOf('popupRevertSummaryPrompt')) { l.action += '&autosummaryprompt=true'; }
 +
if (getValueOf('popupMinorReverts')) { l.action += '&autominor=true'; }
 +
log('revisionString is now '+revisionString);
 +
break;
 +
case 'nullEdit':
 +
l.action='edit&autoclick=wpSave&actoken=' + autoClickToken() + '&autoimpl=' + popupString('autoedit_version') + '&autosummary=null';
 +
break;
 +
case 'historyfeed':
 +
l.action='history&feed=rss';
 +
break;
 +
case 'markpatrolled':
 +
l.action='markpatrolled&rcid='+l.rcid;
 
}
 
}
  
switch (this.id) {
+
if (hint) {
case 'userTalk': case 'newUserTalk': case 'editUserTalk':
+
if (l.oldid) {
case 'userPage': case 'monobook': case 'editMonobook': case 'blocklog':
+
hint = simplePrintf(hint, [revisionString]);
this.article=this.article.userName(true);
+
}
// fall through; no break
+
else {
case 'pagelog': case 'deletelog': case 'protectlog':
+
hint = simplePrintf(hint, [safeDecodeURI(l.article)]);
delete this.oldid;
+
}
 +
}
 +
else {
 +
hint = safeDecodeURI(l.article + '&action=' + l.action) + (l.oldid) ? '&oldid='+l.oldid : '';
 
}
 
}
  
if (this.id=='editMonobook' || this.id=='monobook') { this.article.append('/monobook.js'); }
+
return titledWikiLink({article: l.article, action: l.action, text: l.text, newWin:l.newWin,
 +
title: hint, oldid: l.oldid, noPopup: l.noPopup, onclick: l.onclick});
 +
}
  
if (this.id != 'mainlink') {
+
function revertSummary(oldid, diff) {
// FIXME anchor handling should be done differently with Title object
+
var ret='';
this.article=this.article.removeAnchor();
+
if (diff == 'prev') {
// if (typeof this.text=='undefined') this.text=popupString(this.id);
+
ret=getValueOf('popupQueriedRevertToPreviousSummary');
}
+
} else { ret = getValueOf('popupQueriedRevertSummary'); }
 +
return ret + '&autorv=' + oldid;
 +
}
 +
 
 +
function titledWikiLink(l) {
 +
// possible properties of argument:
 +
// article, action, text, title, oldid, actionName, className, noPopup
 +
// oldid = null is fine here
  
switch (this.id) {
+
// article and action are mandatory args
case 'undelete':      this.print=specialLink; this.specialpage='Undelete'; this.sep='/'; break;
 
case 'whatLinksHere':  this.print=specialLink; this.specialpage='Whatlinkshere'; break;
 
case 'relatedChanges': this.print=specialLink; this.specialpage='Recentchangeslinked'; break;
 
case 'move':          this.print=specialLink; this.specialpage='Movepage'; break;
 
case 'contribs':      this.print=specialLink; this.specialpage='Contributions'; break;
 
case 'deletedContribs':this.print=specialLink; this.specialpage='Deletedcontributions'; break;
 
case 'email':          this.print=specialLink; this.specialpage='Emailuser'; break;
 
case 'block':          this.print=specialLink; this.specialpage='Blockip'; this.sep='&ip='; break;
 
case 'unblock':        this.print=specialLink; this.specialpage='Ipblocklist'; this.sep='&action=unblock&ip='; break;
 
case 'userlog':        this.print=specialLink; this.specialpage='Log'; this.sep='&user='; break;
 
case 'blocklog':      this.print=specialLink; this.specialpage='Log'; this.sep='&type=block&page='; break;
 
case 'pagelog':        this.print=specialLink; this.specialpage='Log'; this.sep='&page='; break;
 
case 'protectlog':    this.print=specialLink; this.specialpage='Log'; this.sep='&type=protect&page='; break;
 
case 'deletelog':      this.print=specialLink; this.specialpage='Log'; this.sep='&type=delete&page='; break;
 
case 'userSpace':      this.print=specialLink; this.specialpage='Prefixindex'; this.sep='&namespace=2&prefix='; break;
 
case 'search':        this.print=specialLink; this.specialpage='Search'; this.sep='&fulltext=Search&search='; break;
 
case 'history': case 'historyfeed': case 'unwatch': case 'watch':
 
case 'unprotect': case 'protect':
 
this.print=wikiLink; this.action=this.id; break;
 
  
case 'delete':
+
if (typeof l.article == 'undefined' || typeof l.action=='undefined') {
this.print=wikiLink; this.action='delete';
+
errlog('got undefined article or action in titledWikiLink');
if (this.article.namespace()==pg.ns.image) {
+
return null;
    var img=this.article.stripNamespace();
 
    this.action+='&image='+img;
 
 
}
 
}
break;
 
  
case 'markpatrolled':
+
var base = pg.wiki.titlebase +  l.article.urlString();
case 'edit': // editOld should keep the oldid, but edit should not.
+
var url=base;
delete this.oldid; // fall through
+
 
case 'view': case 'purge': case 'render':
+
if (typeof l.actionName=='undefined' || !l.actionName) { l.actionName='action'; }
this.print=wikiLink;
+
 
this.action=this.id; break;
+
// no need to add &action=view, and this confuses anchors
case 'raw':
+
if (l.action != 'view') { url = base + '&' + l.actionName + '=' + l.action; }
this.print=wikiLink; this.action='raw&ctype=text/css'; break;
+
 
case 'new':
+
if (typeof l.oldid!='undefined' && l.oldid) { url+='&oldid='+l.oldid; }
this.print=wikiLink; this.action='edit&section=new'; break;
+
 
case 'mainlink':
+
var cssClass=pg.misc.defaultNavlinkClassname;
if (typeof this.text=='undefined') { this.text=this.article.toString().entify(); }
+
if (typeof l.className!='undefined' && l.className) { cssClass=l.className; }
if (getValueOf('popupSimplifyMainLink') && isInStrippableNamespace(this.article)) {
+
 
    var s=this.text.split('/'); this.text=s[s.length-1];
+
return generalNavLink({url: url, newWin: l.newWin,
    if (this.text=='' && s.length > 1) { this.text=s[s.length-2]; }
+
title: (typeof l.title != 'undefined') ? l.title : null,
 +
text: (typeof l.text!='undefined')?l.text:null,
 +
className: cssClass, noPopup:l.noPopup, onclick:l.onclick});
 +
}
 +
 
 +
pg.fn.getLastContrib = function getLastContrib(wikipage, newWin) {
 +
getHistoryInfo(wikipage, function(x) {
 +
processLastContribInfo(x, {page: wikipage, newWin: newWin});
 +
});
 +
};
 +
 
 +
function processLastContribInfo(info, stuff) {
 +
if(!info.edits || !info.edits.length) { alert('Popups: an odd thing happened. Please retry.'); return; }
 +
if(!info.firstNewEditor) {
 +
alert(tprintf('Only found one editor: %s made %s edits', [info.edits[0].editor,info.edits.length]));
 +
return;
 +
}
 +
var newUrl=pg.wiki.titlebase + new Title(stuff.page).urlString() + '&diff=cur&oldid='+info.firstNewEditor.oldid;
 +
displayUrl(newUrl, stuff.newWin);
 +
}
 +
 
 +
pg.fn.getDiffSinceMyEdit = function getDiffSinceMyEdit(wikipage, newWin) {
 +
getHistoryInfo(wikipage, function(x){
 +
processDiffSinceMyEdit(x, {page: wikipage, newWin: newWin});
 +
});
 +
};
 +
 
 +
function processDiffSinceMyEdit(info, stuff) {
 +
if(!info.edits || !info.edits.length) { alert('Popups: something fishy happened. Please try again.'); return; }
 +
var friendlyName=stuff.page.split('_').join(' ');
 +
if(!info.myLastEdit) {
 +
alert(tprintf('Couldn\'t find an edit by %s\nin the last %s edits to\n%s',
 +
  [info.userName, getValueOf('popupHistoryLimit'), friendlyName]));
 +
return;
 
}
 
}
this.print=titledWikiLink;
+
if(info.myLastEdit.index === 0) {
if (typeof this.title=='undefined' && pg.current.link && typeof pg.current.link.href != 'undefined') {
+
alert(tprintf("%s seems to be the last editor to the page %s", [info.userName, friendlyName]));
    this.title=safeDecodeURI((pg.current.link.originalTitle)?pg.current.link.originalTitle:this.article);
+
return;
    if (typeof this.oldid != 'undefined' && this.oldid) {
 
this.title=tprintf('Revision %s of %s', [this.oldid, this.title]);
 
    }
 
 
}
 
}
this.action='view'; break;
+
var newUrl=pg.wiki.titlebase + new Title(stuff.page).urlString() + '&diff=cur&oldid='+ info.myLastEdit.oldid;
case 'userPage':
+
displayUrl(newUrl, stuff.newWin);
case 'article':
+
}
case 'monobook':
+
 
case 'editMonobook':
+
function displayUrl(url, newWin){
case 'editArticle':
+
if(newWin) { window.open(url); }
delete this.oldid;
+
else { document.location=url; }
//alert(this.id+'\n'+this.article + '\n'+ typeof this.article);
+
}
this.article=this.article.articleFromTalkOrArticle();
+
 
//alert(this.id+'\n'+this.article + '\n'+ typeof this.article);
+
pg.fn.purgePopups = function purgePopups() {
this.print=wikiLink;
+
processAllPopups(true);
if (this.id.indexOf('edit')==0) {
+
setupCache(); // deletes all cached items (not browser cached, though...)
    this.action='edit';
+
pg.option={};
} else { this.action='view';}
+
abortAllDownloads();
break;
+
};
case 'userTalk':
+
 
case 'talk':
+
function processAllPopups(nullify, banish) {
this.article=this.article.talkPage();
+
for (var i=0; pg.current.links && i<pg.current.links.length; ++i) {
delete this.oldid;
+
if (!pg.current.links[i].navpopup) { continue; }
this.print=wikiLink;
+
if (nullify || banish) pg.current.links[i].navpopup.banish();
this.action='view'; break;
+
pg.current.links[i].simpleNoMore=false;
case 'arin':
+
if (nullify) pg.current.links[i].navpopup=null;
this.print=arinLink; break;
 
case 'count':
 
this.print=editCounterLink; break;
 
case 'google':
 
this.print=googleLink; break;
 
case 'editors':
 
this.print=editorListLink; break;
 
case 'globalsearch':
 
this.print=globalSearchLink; break;
 
case 'lastEdit':
 
this.print=titledDiffLink;
 
this.title=popupString('Show the last edit');
 
this.from='prev'; this.to='cur'; break;
 
case 'oldEdit':
 
this.print=titledDiffLink;
 
this.title=popupString('Show the edit made to get revision') + ' ' + this.oldid;
 
this.from='prev'; this.to=this.oldid; break;
 
case 'editOld':
 
this.print=wikiLink; this.action='edit'; break;
 
case 'undo':
 
this.print=wikiLink; this.action='edit&undo='; break;
 
case 'markpatrolled':
 
this.print=wikiLink; this.action='markpatrolled';
 
case 'revert':
 
this.print=wikiLink; this.action='revert'; break;
 
case 'nullEdit':
 
this.print=wikiLink; this.action='nullEdit'; break;
 
case 'diffCur':
 
this.print=titledDiffLink;
 
this.title=tprintf('Show changes since revision %s', [this.oldid]);
 
this.from=this.oldid; this.to='cur'; break;
 
case 'editUserTalk':
 
case 'editTalk':
 
delete this.oldid;
 
this.article=this.article.talkPage();
 
this.action='edit'; this.print=wikiLink; break;
 
case 'newUserTalk':
 
case 'newTalk':
 
this.article=this.article.talkPage();
 
this.action='edit&section=new'; this.print=wikiLink; break;
 
case 'lastContrib':
 
case 'sinceMe':
 
this.print=magicHistoryLink;
 
break;
 
case 'togglePreviews':
 
this.text=popupString(pg.option.simplePopups ? 'enable previews' : 'disable previews');
 
case 'disablePopups': case 'purgePopups':
 
this.print=popupMenuLink;
 
break;
 
default:
 
this.print=function () {return 'Unknown navlink type: '+this.id+''};
 
 
}
 
}
 +
}
 +
 +
pg.fn.disablePopups = function disablePopups(){
 +
processAllPopups(false, true);
 +
setupTooltips(null, true);
 
};
 
};
//
 
//  end navlinks
 
//////////////////////////////////////////////////
 
//</NOLITE>
 
// ENDFILE: navlinks.js
 
// STARTFILE: shortcutkeys.js
 
//<NOLITE>
 
function popupHandleKeypress(evt) {
 
var keyCode = window.event ? window.event.keyCode : ( evt.keyCode ? evt.keyCode : evt.which);
 
if (!keyCode || !pg.current.link || !pg.current.link.navpopup) { return; }
 
if (keyCode==27) { // escape
 
killPopup();
 
return false; // swallow keypress
 
}
 
  
var letter=String.fromCharCode(keyCode);
+
pg.fn.togglePreviews = function togglePreviews() {
var links=pg.current.link.navpopup.mainDiv.getElementsByTagName('A');
+
processAllPopups(true, true);
var startLink=0;
+
pg.option.simplePopups=!pg.option.simplePopups;
var i,j;
+
abortAllDownloads();
 +
};
 +
 
 +
function magicWatchLink(l) {
 +
//Yuck!! Would require a thorough redesign to add this as a click event though ...
 +
l.onclick = simplePrintf( 'pg.fn.modifyWatchlist(\'%s\',\'%s\');return false;', [l.article.toString(true).split("\\").join("\\\\").split("'").join("\\'"), this.id] );
 +
return wikiLink(l);
 +
}
 +
 
 +
pg.fn.modifyWatchlist = function modifyWatchlist(title, action) {
 +
var reqData = {
 +
'action': 'watch',
 +
'formatversion': 2,
 +
'titles': title,
 +
'uselang': mw.config.get('wgUserLanguage')
 +
};
 +
if ( action === 'unwatch' ) reqData.unwatch = true;
  
if (popupHandleKeypress.lastPopupLinkSelected) {
+
var api = new mw.Api( {
for (i=0; i<links.length; ++i) {
+
    ajax: {
if (links[i]==popupHandleKeypress.lastPopupLinkSelected) { startLink=i; }
+
        headers: { 'Api-User-Agent': pg.misc.userAgent }
}
+
    }
}
+
} );
for (j=0; j<links.length; ++j) {
+
// Load the Addedwatchtext or Removedwatchtext message and show it
i=(startLink + j + 1) % links.length;
+
var mwTitle = mw.Title.newFromText( title );
if (links[i].getAttribute('popupkey')==letter) {
+
var messageName;
if (evt && evt.preventDefault) evt.preventDefault();
+
if ( mwTitle && mwTitle.getNamespaceId() > 0 && mwTitle.getNamespaceId() % 2 === 1 ) {
links[i].focus();
+
messageName = action === 'watch' ? 'addedwatchtext-talk' : 'removedwatchtext-talk';
popupHandleKeypress.lastPopupLinkSelected=links[i];
+
} else {
return false; // swallow keypress
+
messageName = action === 'watch' ? 'addedwatchtext' : 'removedwatchtext';
}
 
 
}
 
}
 +
$.when(
 +
api.postWithToken( 'watch', reqData ),
 +
mw.loader.using( [ 'mediawiki.api', 'mediawiki.jqueryMsg' ] ).then( function () {
 +
return api.loadMessagesIfMissing( [ messageName ] );
 +
} )
 +
).done( function () {
 +
mw.notify( mw.message( messageName, title ).parseDom() );
 +
} );
 +
};
  
// pass keypress on
+
function magicHistoryLink(l) {
if (document.oldPopupOnkeypress) { return document.oldPopupOnkeypress(evt); }
+
// FIXME use onclick change href trick to sort this out instead of window.open
return true;
 
}
 
  
function addPopupShortcuts() {
+
var jsUrl='', title='', onClick='';
if (document.onkeypress!=popupHandleKeypress) {
+
switch(l.id) {
document.oldPopupOnkeypress=document.onkeypress;
+
case 'lastContrib':
 +
onClick=simplePrintf('pg.fn.getLastContrib(\'%s\',%s)',
 +
[l.article.toString(true).split("\\").join("\\\\").split("'").join("\\'"), l.newWin]);
 +
title=popupString('lastContribHint');
 +
break;
 +
case 'sinceMe':
 +
onClick=simplePrintf('pg.fn.getDiffSinceMyEdit(\'%s\',%s)',
 +
[l.article.toString(true).split("\\").join("\\\\").split("'").join("\\'"), l.newWin]);
 +
title=popupString('sinceMeHint');
 +
break;
 
}
 
}
document.onkeypress=popupHandleKeypress;
+
jsUrl = 'javascript:' + onClick; // jshint ignore:line
 +
onClick += ';return false;';
 +
 
 +
return generalNavLink({url: jsUrl, newWin: false, // can't have new windows with JS links, I think
 +
title: title, text: l.text, noPopup: l.noPopup, onclick: onClick });
 
}
 
}
  
function rmPopupShortcuts() {
+
function popupMenuLink(l) {
popupHandleKeypress.lastPopupLinkSelected=null;
+
var jsUrl=simplePrintf('javascript:pg.fn.%s()', [l.id]); // jshint ignore:line
try {
+
var title=popupString(simplePrintf('%sHint', [l.id]));
if (document.oldPopupOnkeypress && document.oldPopupOnkeypress==popupHandleKeypress) {
+
var onClick=simplePrintf('pg.fn.%s();return false;', [l.id]);
// panic
+
return generalNavLink({url: jsUrl, newWin:false, title:title, text:l.text, noPopup:l.noPopup, onclick: onClick});
document.onkeypress=null; //function () {};
 
return;
 
}
 
document.onkeypress=document.oldPopupOnkeypress;
 
} catch (nasties) { /* IE goes here */ }
 
 
}
 
}
  
 +
function specialLink(l) {
 +
// properties: article, specialpage, text, sep
 +
if (typeof l.specialpage=='undefined'||!l.specialpage) return null;
 +
var base = pg.wiki.titlebase +  mw.config.get('wgFormattedNamespaces')[pg.nsSpecialId]+':'+l.specialpage;
 +
if (typeof l.sep == 'undefined' || l.sep === null) l.sep='&target=';
 +
var article=l.article.urlString({keepSpaces: l.specialpage=='Search'});
 +
var hint=popupString(l.specialpage+'Hint');
 +
switch (l.specialpage) {
 +
case 'Log':
 +
switch (l.sep) {
 +
case '&user=': hint=popupString('userLogHint'); break;
 +
case '&type=block&page=': hint=popupString('blockLogHint'); break;
 +
case '&page=': hint=popupString('pageLogHint'); break;
 +
case '&type=protect&page=': hint=popupString('protectLogHint'); break;
 +
case '&type=delete&page=': hint=popupString('deleteLogHint'); break;
 +
default: log('Unknown log type, sep=' + l.sep); hint='Missing hint (FIXME)';
 +
}
 +
break;
 +
case 'PrefixIndex': article += '/'; break;
 +
}
 +
if (hint) hint = simplePrintf(hint, [safeDecodeURI(l.article)]);
 +
else hint = safeDecodeURI(l.specialpage+':'+l.article) ;
  
function addLinkProperty(html, property) {
+
var url = base + l.sep + article;
// take "<a href=...>...</a> and add a property
+
return generalNavLink({url: url, title: hint, text: l.text, newWin:l.newWin, noPopup:l.noPopup});
// not sophisticated at all, easily broken
 
var i=html.indexOf('>');
 
if (i<0) { return html; }
 
return html.substring(0,i) + ' ' + property + html.substring(i);
 
 
}
 
}
  
function addPopupShortcut(html, key) {
+
function generalLink(l) {
if (!getValueOf('popupShortcutKeys')) { return html; }
+
// l.url, l.text, l.title, l.newWin, l.className, l.noPopup, l.onclick
var ret= addLinkProperty(html, 'popupkey="'+key+'"');
+
if (typeof l.url=='undefined') return null;
if (key==' ') { key=popupString('spacebar'); }
+
 
return ret.replace(RegExp('^(.*?)(title=")(.*?)(".*)$', 'i'),'$1$2$3 ['+key+']$4');
+
// only quotation marks in the url can screw us up now... I think
 +
var url=l.url.split('"').join('%22');
 +
 
 +
var ret='<a href="' + url + '"';
 +
if (typeof l.title!='undefined' && l.title) { ret += ' title="' + pg.escapeQuotesHTML(l.title) + '"'; }
 +
if (typeof l.onclick!='undefined' && l.onclick) { ret += ' onclick="' + pg.escapeQuotesHTML(l.onclick) + '"'; }
 +
if (l.noPopup) { ret += ' noPopup=1'; }
 +
var newWin;
 +
if (typeof l.newWin=='undefined' || l.newWin === null) { newWin=getValueOf('popupNewWindows'); }
 +
else { newWin=l.newWin; }
 +
if (newWin) { ret += ' target="_blank"'; }
 +
if (typeof l.className!='undefined'&&l.className) { ret+=' class="'+l.className+'"'; }
 +
ret += '>';
 +
if (typeof l.text==typeof '') { ret+= l.text; }
 +
ret +='</a>';
 +
return ret;
 
}
 
}
//</NOLITE>
 
// ENDFILE: shortcutkeys.js
 
// STARTFILE: diffpreview.js
 
//<NOLITE>
 
function loadDiff(article, oldid, diff, navpop) {
 
navpop.diffData={};
 
var oldRev, newRev;
 
switch (diff) {
 
case 'cur':
 
switch ( oldid ) {
 
case null:
 
case '':
 
case 'prev':
 
// eg newmessages diff link
 
oldRev='0&direction=prev';
 
newRev=0;
 
break;
 
default:
 
oldRev = oldid;
 
newRev = 0;
 
}
 
break;
 
case 'prev':
 
oldRev = ( oldid || 0 ) + '&direction=prev'; newRev = oldid; break;
 
case 'next':
 
oldRev = oldid; newRev = oldid + '&direction=next';
 
break;
 
default:
 
oldRev = oldid || 0; newRev = diff || 0; break;
 
}
 
oldRev = oldRev || 0;
 
newRev = newRev || 0;
 
  
var go = function() {
+
function appendParamsToLink(linkstr, params) {
pendingNavpopTask(navpop);
+
var sp=linkstr.parenSplit(RegExp('(href="[^"]+?)"', 'i'));
getWiki(article, doneDiffNew, newRev, navpop);
+
if (sp.length<2) return null;
 +
var ret=sp.shift() + sp.shift();
 +
ret += '&' + params + '"';
 +
ret += sp.join('');
 +
return ret;
 +
}
  
pendingNavpopTask(navpop);
+
function changeLinkTargetLink(x) { // newTarget, text, hint, summary, clickButton, minor, title (optional), alsoChangeLabel {
getWiki(article, doneDiffOld, oldRev, navpop);
+
if (x.newTarget) {
 
+
log ('changeLinkTargetLink: newTarget=' + x.newTarget);
var tz = Cookie.read('popTz');
 
if ( (window.wgEnableAPI || wgEnableAPI) && getValueOf('popupAdjustDiffDates') && tz===null) {
 
    pendingNavpopTask(navpop);
 
    getPageWithCaching(pg.wiki.wikibase + '/api.php?format=json&action=query&meta=userinfo&uiprop=options',
 
      function(d) {
 
      completedNavpopTask(navpop);
 
      setTimecorrectionCookie(d);
 
      if (diffDownloadsComplete(navpop)) { insertDiff(navpop); }
 
      },  navpop);
 
}
 
return true; // remove hook once run
 
 
}
 
}
if (navpop.visible || !getValueOf('popupLazyDownloads')) { go(); }
+
if (x.oldTarget !== decodeURIComponent( x.oldTarget ) ) {
else { navpop.addHook(go, 'unhide', 'before', 'DOWNLOAD_DIFFS'); }
+
log ('This might be an input problem: ' + x.oldTarget );
}
 
 
 
function setTimecorrectionCookie(d) {
 
try {
 
var jsobj=getJsObj(d.data);
 
var tz=jsobj.query.userinfo.options.timecorrection;
 
} catch (someError) {
 
logerr( 'setTimecorretion failed' );
 
return;
 
 
}
 
}
    Cookie.create( 'popTz', getTimeOffset(tz), 1);
 
}
 
  
function doneDiff(download, isOld) {
+
// FIXME: first character of page title as well as namespace should be case insensitive
if (!download.owner || !download.owner.diffData) { return; }
+
// eg [[category:X1]] and [[Category:X1]] are equivalent
var navpop=download.owner;
+
// this'll break if charAt(0) is nasty
var label= (isOld) ? 'Old' : 'New';
+
var cA = mw.util.escapeRegExp(x.oldTarget);
var otherLabel=(isOld) ? 'New' : 'Old';
+
var chs = cA.charAt(0).toUpperCase();
navpop.diffData[label]=download;
+
chs='['+chs + chs.toLowerCase()+']';
completedNavpopTask(download.owner);
+
var currentArticleRegexBit=chs+cA.substring(1);
if (diffDownloadsComplete(navpop)) { insertDiff(navpop); }
+
currentArticleRegexBit=currentArticleRegexBit
}
+
.split(RegExp('(?:[_ ]+|%20)', 'g')).join('(?:[_ ]+|%20)')
 +
.split('\\(').join('(?:%28|\\()')
 +
.split('\\)').join('(?:%29|\\))'); // why does this need to match encoded strings ? links in the document ?
 +
// leading and trailing space should be ignored, and anchor bits optional:
 +
currentArticleRegexBit = '\\s*(' + currentArticleRegexBit + '(?:#[^\\[\\|]*)?)\\s*';
 +
// e.g. Computer (archaic) -> \s*([Cc]omputer[_ ](?:%2528|\()archaic(?:%2528|\)))\s*
 +
 
 +
// autoedit=s~\[\[([Cc]ad)\]\]~[[Computer-aided%20design|$1]]~g;s~\[\[([Cc]AD)[|]~[[Computer-aided%20design|~g
  
function diffDownloadsComplete(navpop) {
+
var title=x.title || mw.config.get('wgPageName').split('_').join(' ');
if ( Cookie.read('popTz')===null) { return false; }
+
var lk=titledWikiLink({article: new Title(title), newWin:x.newWin,
return navpop.diffData.Old && navpop.diffData.New;
+
action:  'edit',
 +
text: x.text,
 +
title:  x.hint,
 +
className: 'popup_change_title_link'
 +
});
 +
var cmd='';
 +
if (x.newTarget) {
 +
// escape '&' and other nasties
 +
var t = x.newTarget;
 +
var s = mw.util.escapeRegExp(x.newTarget);
 +
if (x.alsoChangeLabel) {
 +
cmd += 's~\\[\\[' + currentArticleRegexBit + '\\]\\]~[[' + t + ']]~g;';
 +
cmd += 's~\\[\\[' + currentArticleRegexBit + '[|]~[[' + t + '|~g;';
 +
cmd += 's~\\[\\[' + s + '\\|' + s + '\\]\\]~[[' + t + ']]~g';
 +
} else {
 +
cmd += 's~\\[\\[' + currentArticleRegexBit + '\\]\\]~[[' + t + '|$1]]~g;';
 +
cmd += 's~\\[\\[' + currentArticleRegexBit + '[|]~[[' + t + '|~g;';
 +
cmd += 's~\\[\\[' + s + '\\|' + s + '\\]\\]~[[' + t + ']]~g';
 +
}
 +
} else {
 +
cmd += 's~\\[\\['+currentArticleRegexBit+'\\]\\]~$1~g;';
 +
cmd += 's~\\[\\['+currentArticleRegexBit+'[|](.*?)\\]\\]~$2~g';
 +
}
 +
// Build query
 +
cmd = 'autoedit=' + encodeURIComponent ( cmd );
 +
cmd += '&autoclick='+ encodeURIComponent( x.clickButton ) + '&actoken=' + encodeURIComponent( autoClickToken() );
 +
cmd += ( x.minor === null ) ? '' : '&autominor='+ encodeURIComponent( x.minor );
 +
cmd += ( x.watch === null ) ? '' : '&autowatch='+ encodeURIComponent( x.watch );
 +
cmd += '&autosummary='+encodeURIComponent(x.summary);
 +
cmd += '&autoimpl='+encodeURIComponent( popupString('autoedit_version') );
 +
return appendParamsToLink(lk, cmd);
 
}
 
}
  
function doneDiffNew(download) { doneDiff(download, false); }
 
function doneDiffOld(download) { doneDiff(download, true);  }
 
  
function rmBoringLines(a,b,context) {
+
function redirLink(redirMatch, article) {
 +
// NB redirMatch is in wikiText
 +
var ret='';
  
if (typeof context == 'undefined') { context=2; }
+
if (getValueOf('popupAppendRedirNavLinks') && getValueOf('popupNavLinks')) {
// this is fairly slow... i think it's quicker than doing a word-based diff from the off, though
+
ret += '<hr />';
var aa=[], aaa=[];
 
var bb=[], bbb=[];
 
var i, j;
 
  
// first, gather all disconnected nodes in a and all crossing nodes in a and b
+
if (getValueOf('popupFixRedirs') && typeof autoEdit != 'undefined' && autoEdit) {
for (i=0; i<a.length; ++i ) {
+
ret += popupString('Redirects to: (Fix ');
if(!a[i].paired) { aa[i]=1; }
+
log('redirLink: newTarget=' + redirMatch);
else if (countCrossings(b,a,i, true)) {
+
ret += addPopupShortcut(changeLinkTargetLink({
aa[i]=1;
+
newTarget: redirMatch,
bb[ a[i].row ] = 1;
+
text: popupString('target'),
 +
hint: popupString('Fix this redirect, changing just the link target'),
 +
summary: simplePrintf(getValueOf('popupFixRedirsSummary'),[article.toString(), redirMatch]),
 +
oldTarget: article.toString(),
 +
clickButton: getValueOf('popupRedirAutoClick'),
 +
minor: true,
 +
watch: getValueOf('popupWatchRedirredPages')
 +
}), 'R');
 +
ret += popupString(' or ');
 +
ret += addPopupShortcut(changeLinkTargetLink({
 +
newTarget: redirMatch,
 +
text: popupString('target & label'),
 +
hint: popupString('Fix this redirect, changing the link target and label'),
 +
summary: simplePrintf(getValueOf('popupFixRedirsSummary'),[article.toString(), redirMatch]),
 +
oldTarget: article.toString(),
 +
clickButton: getValueOf('popupRedirAutoClick'),
 +
minor: true,
 +
watch: getValueOf('popupWatchRedirredPages'),
 +
alsoChangeLabel: true
 +
}), 'R');
 +
ret += popupString(')');
 
}
 
}
}
+
else ret += popupString('Redirects') + popupString(' to ');
  
// pick up remaining disconnected nodes in b
+
return ret;
for (i=0; i<b.length; ++i ) {
 
if (bb[i]==1) { continue; }
 
if(!b[i].paired) { bb[i]=1; }
 
 
}
 
}
  
// another pass to gather context: we want the neighbours of included nodes which are not yet included
+
else return '<br> ' + popupString('Redirects') + popupString(' to ') +
// we have to add in partners of these nodes, but we don't want to add context for *those* nodes in the next pass
+
titledWikiLink({article: new Title().fromWikiText(redirMatch), action: 'view', /* FIXME: newWin */
for (i=0; i<b.length; ++i) {
+
  text: safeDecodeURI(redirMatch), title: popupString('Bypass redirect')});
if ( bb[i] == 1 ) {
+
}
for (j=max(0,i-context); j < min(b.length, i+context); ++j) {
 
if ( !bb[j] ) { bb[j] = 1; aa[ b[j].row ] = 0.5; }
 
}
 
}
 
}
 
  
for (i=0; i<a.length; ++i) {
+
function arinLink(l) {
if ( aa[i] == 1 ) {
+
if (!saneLinkCheck(l)) { return null; }
for (j=max(0,i-context); j < min(a.length, i+context); ++j) {
+
if ( ! l.article.isIpUser() || ! pg.wiki.wikimedia) return null;
if ( !aa[j] ) { aa[j] = 1; bb[ a[j].row ] = 0.5; }
 
}
 
}
 
}
 
  
for (i=0; i<bb.length; ++i) {
+
var uN=l.article.userName();
if (bb[i] > 0) { // it's a row we need
 
if (b[i].paired) { bbb.push(b[i].text); } // joined; partner should be in aa
 
else {
 
bbb.push(b[i]);
 
}
 
}
 
}
 
for (i=0; i<aa.length; ++i) {
 
if (aa[i] > 0) { // it's a row we need
 
if (a[i].paired) { aaa.push(a[i].text); } // joined; partner should be in aa
 
else {
 
aaa.push(a[i]);
 
}
 
}
 
}
 
  
return { a: aaa, b: bbb};
+
return generalNavLink({url:'http://ws.arin.net/cgi-bin/whois.pl?queryinput=' + encodeURIComponent(uN), newWin:l.newWin,
 +
title: tprintf('Look up %s in ARIN whois database', [uN]),
 +
text: l.text, noPopup:1});
 
}
 
}
  
function stripOuterCommonLines(a,b,context) {
+
function toolDbName(cookieStyle) {
var i=0;
+
var ret = mw.config.get('wgDBname');
while (i<a.length && i < b.length && a[i]==b[i]) { ++i; }
+
if (!cookieStyle) { ret+= '_p'; }
var j=a.length-1; var k=b.length-1;
+
return ret;
while ( j>=0 && k>=0 && a[j]==b[k] ) { --j; --k; }
 
 
 
return { a: a.slice(max(0,i - 1 - context), min(a.length+1, j + context+1)),
 
    b: b.slice(max(0,i - 1 - context), min(b.length+1, k + context+1)) };
 
 
}
 
}
  
function insertDiff(navpop) {
+
function saneLinkCheck(l) {
// for speed reasons, we first do a line-based diff, discard stuff that seems boring, then do a word-based diff
+
if (typeof l.article != typeof {} || typeof l.text != typeof '') { return false; }
// FIXME: sometimes this gives misleading diffs as distant chunks are squashed together
+
return true;
var oldlines=navpop.diffData.Old.data.split('\n');
+
}
var newlines=navpop.diffData.New.data.split('\n');
+
function editCounterLink(l) {
var inner=stripOuterCommonLines(oldlines,newlines,getValueOf('popupDiffContextLines'));
+
if(!saneLinkCheck(l)) return null;
oldlines=inner.a; newlines=inner.b;
+
if (! pg.wiki.wikimedia) return null;
var truncated=false;
+
var uN=l.article.userName();
getValueOf('popupDiffMaxLines');
+
var tool=getValueOf('popupEditCounterTool');
if (oldlines.length > pg.option.popupDiffMaxLines || newlines.length > pg.option.popupDiffMaxLines) {
+
var url;
// truncate
+
var defaultToolUrl='//tools.wmflabs.org/supercount/index.php?user=$1&project=$2.$3';
truncated=true;
+
 
inner=stripOuterCommonLines(oldlines.slice(0,pg.option.popupDiffMaxLines),
+
switch(tool) {
    newlines.slice(0,pg.option.popupDiffMaxLines),
+
case 'custom':
    pg.option.popupDiffContextLines);
+
url=simplePrintf(getValueOf('popupEditCounterUrl'), [ encodeURIComponent(uN), toolDbName() ]);
oldlines=inner.a; newlines=inner.b;
+
break;
 +
case 'soxred':  // no longer available
 +
case 'kate':    // no longer available
 +
case 'interiot':// no longer available
 +
/* fall through */
 +
case 'supercount':
 +
default:
 +
var theWiki=pg.wiki.hostname.split('.');
 +
url=simplePrintf(defaultToolUrl, [ encodeURIComponent(uN), theWiki[0], theWiki[1] ]);
 
}
 
}
 +
return generalNavLink({url:url, title: tprintf('editCounterLinkHint', [uN]),
 +
newWin:l.newWin, text: l.text, noPopup:1});
 +
}
 +
 +
 +
function globalSearchLink(l) {
 +
if(!saneLinkCheck(l)) return null;
  
var lineDiff=diff(oldlines, newlines);
+
var base='http://vs.aka-online.de/cgi-bin/globalwpsearch.pl?timeout=120&search=';
var lines2=rmBoringLines(lineDiff.o, lineDiff.n);
+
var article=l.article.urlString({keepSpaces:true});
var oldlines2=lines2.a; var newlines2=lines2.b;
 
  
var simpleSplit = !String.prototype.parenSplit.isNative;
+
return generalNavLink({url:base + article, newWin:l.newWin,
var html='<hr>';
+
title: tprintf('globalSearchHint', [safeDecodeURI(l.article)]),
if (getValueOf('popupDiffDates')) {
+
text: l.text, noPopup:1});
html += diffDatesTable(navpop.diffData.Old, navpop.diffData.New);
 
html += '<hr>';
 
}
 
html += shortenDiffString(
 
diffString(oldlines2.join('\n'), newlines2.join('\n'), simpleSplit),
 
getValueOf('popupDiffContextCharacters') ).join('<hr>');
 
setPopupTipsAndHTML(html.split('\n').join('<br>') +
 
    (truncated ? '<hr><b>'+popupString('Diff truncated for performance reasons')+'</b>' : '') ,
 
    'popupPreview', navpop.idNumber);
 
 
}
 
}
  
function diffDatesTable( oldDl, newDl ) {
+
function googleLink(l) {
var html='<table class="popup_diff_dates">';
+
if(!saneLinkCheck(l)) return null;
html += diffDatesTableRow( newDl, tprintf('New revision'));
+
 
html += diffDatesTableRow( oldDl, tprintf('Old revision'));
+
var base='https://www.google.com/search?q=';
html += '</table>';
+
var article=l.article.urlString({keepSpaces:true});
return html;
+
 
 +
return generalNavLink({url:base + '%22' + article + '%22', newWin:l.newWin,
 +
title: tprintf('googleSearchHint', [safeDecodeURI(l.article)]),
 +
text: l.text, noPopup:1});
 
}
 
}
function diffDatesTableRow( dl, label ) {
+
 
var txt='';
+
function editorListLink(l) {
if (!dl) {
+
if(!saneLinkCheck(l)) return null;
txt=popupString('Something went wrong :-(');
+
var article= l.article.articleFromTalkPage() || l.article;
} else if (!dl.lastModified) {
+
var url='https://xtools.wmflabs.org/articleinfo/' +
txt= (/^\s*$/.test(dl.data)) ?
+
encodeURI( pg.wiki.hostname ) + '/' +
popupString('Empty revision, maybe non-existent') : popupString('Unknown date');
+
article.urlString() +
} else {
+
'?uselang=' + mw.config.get('wgUserLanguage');
var datePrint=getValueOf('popupDiffDatePrinter');
+
return generalNavLink({url:url,
if (typeof dl.lastModified[datePrint] == 'function') {
+
title: tprintf('editorListHint', [article]),
if (getValueOf('popupAdjustDiffDates')) {
+
newWin:l.newWin, text: l.text, noPopup:1});
var off;
 
if (off=Cookie.read('popTz')) {
 
var d2=adjustDate(dl.lastModified, off);
 
txt = dayFormat(d2, true) + ' ' + timeFormat(d2, true);
 
}
 
} else {
 
txt = dl.lastModified[datePrint]();
 
}
 
} else {
 
txt = tprintf('Invalid %s %s', ['popupDiffDatePrinter', datePrint]);
 
}
 
}
 
var revlink = generalLink({url: dl.url.replace(/&.*?(oldid=[0-9]+(?:&direction=[^&]*)?).*/, '&$1'),
 
  text: label, title: label});
 
return simplePrintf('<tr><td>%s</td><td>%s</td></tr>', [ revlink, txt ]);
 
 
}
 
}
//</NOLITE>
 
// ENDFILE: diffpreview.js
 
// STARTFILE: links.js
 
//<NOLITE>
 
/////////////////////
 
// LINK GENERATION //
 
/////////////////////
 
  
// titledDiffLink --> titledWikiLink --> generalLink
+
function generalNavLink(l) {
// wikiLink      --> titledWikiLink --> generalLink
+
l.className = (l.className === null) ? 'popupNavLink' : l.className;
// editCounterLink --> generalLink
+
return generalLink(l);
 
 
function titledDiffLink(l) { // article, text, title, from, to) {
 
return titledWikiLink({article: l.article, action: l.to + '&oldid=' + l.from,
 
newWin: l.newWin,
 
noPopup: l.noPopup,
 
text: l.text, title: l.title,
 
/* hack: no oldid here */
 
actionName: 'diff'});
 
 
}
 
}
  
 +
//////////////////////////////////////////////////
 +
// magic history links
 +
//
  
function wikiLink(l) {
+
function getHistoryInfo(wikipage, whatNext) {
//{article:article, action:action, text:text, oldid, newid}) {
+
log('getHistoryInfo');
if (! (typeof l.article == typeof {}
+
getHistory(wikipage, whatNext ? function(d){whatNext(processHistory(d));} : processHistory);
      && typeof l.action == typeof '' && typeof l.text==typeof '')) return null;
+
}
if (typeof l.oldid == 'undefined') { l.oldid=null; }
+
 
var savedOldid = l.oldid;
+
// FIXME eliminate pg.idNumber ... how? :-(
if (!/^(edit|view|revert|render)$|^raw/.test(l.action)) { l.oldid=null; }
+
 
var hint=popupString(l.action + 'Hint'); // revertHint etc etc etc
+
function getHistory(wikipage, onComplete) {
var oldidData=[l.oldid, safeDecodeURI(l.article)];
+
log('getHistory');
var revisionString = tprintf('revision %s of %s', oldidData);
+
var url = pg.wiki.apiwikibase + '?format=json&formatversion=2&action=query&prop=revisions&titles=' +
log('revisionString='+revisionString);
+
new Title(wikipage).urlString() + '&rvlimit=' + getValueOf('popupHistoryLimit');
switch (l.action) {
+
log('getHistory: url='+url);
case 'edit&section=new': hint = popupString('newSectionHint');  break;
+
return startDownload(url, pg.idNumber+'history', onComplete);
case 'edit&undo=':
+
}
if (l.diff && l.diff != 'prev' && savedOldid ) {
+
 
  l.action += l.diff + '&undoafter=' + savedOldid;
+
function processHistory(download) {
} else if (savedOldid) {
+
var jsobj = getJsObj(download.data);
  l.action += savedOldid;
+
try {
 +
var revisions = anyChild(jsobj.query.pages).revisions;
 +
var edits=[];
 +
for (var i=0; i<revisions.length; ++i) {
 +
edits.push({ oldid: revisions[i].revid, editor: revisions[i].user });
 
}
 
}
hint = popupString('undoHint');
+
log('processed ' + edits.length + ' edits');
break;
+
return finishProcessHistory( edits, mw.config.get('wgUserName') );
case 'raw&ctype=text/css': hint=popupString('rawHint'); break;
+
} catch (someError) {
case 'revert':
+
log('Something went wrong with JSON business');
    if (!window.wgEnableAPI || !wgEnableAPI) {
+
return finishProcessHistory([]);
    alert( 'This function of navigation popups now requires a MediaWiki ' +  
+
}
'installation with the API enabled.');
+
}
break;
+
 
    }
+
 
var p=parseParams(pg.current.link.href);
+
function finishProcessHistory(edits, userName) {
l.action='edit&autoclick=wpSave&actoken=' + autoClickToken() + '&autosummary=' + revertSummary(l.oldid, p.diff);
+
var histInfo={};
if (p.diff=='prev') {
+
 
l.action += '&direction=prev';
+
histInfo.edits=edits;
revisionString = tprintf('the revision prior to revision %s of %s', oldidData);
+
histInfo.userName=userName;
}
 
if (getValueOf('popupRevertSummaryPrompt')) { l.action += '&autosummaryprompt=true'; }
 
if (getValueOf('popupMinorReverts')) { l.action += '&autominor=true'; }
 
log('revisionString is now '+revisionString);
 
break;
 
case 'nullEdit':
 
l.action='edit&autoclick=wpSave&actoken=' + autoClickToken() + '&autosummary=null';
 
break;
 
case 'historyfeed':
 
l.action='history&feed=rss';
 
break;
 
case 'markpatrolled':
 
l.action='markpatrolled&rcid='+l.rcid;
 
}
 
  
if (hint) {
+
for (var i=0; i<edits.length; ++i) {
if (l.oldid) {
+
if (typeof histInfo.myLastEdit === 'undefined' && userName && edits[i].editor==userName) {
hint = simplePrintf(hint, [revisionString]);
+
histInfo.myLastEdit={index: i, oldid: edits[i].oldid, previd: (i === 0 ? null : edits[i-1].oldid)};
 
}
 
}
else {
+
if (typeof histInfo.firstNewEditor === 'undefined' && edits[i].editor != edits[0].editor) {
hint = simplePrintf(hint, [safeDecodeURI(l.article)]);
+
histInfo.firstNewEditor={index:i, oldid:edits[i].oldid, previd: (i === 0 ? null : edits[i-1].oldid)};
 
}
 
}
 
}
 
}
else {
+
//pg.misc.historyInfo=histInfo;
hint = safeDecodeURI(l.article + '&action=' + l.action) + (l.oldid) ? '&oldid='+l.oldid : '';
+
return histInfo;
 +
}
 +
//</NOLITE>
 +
// ENDFILE: links.js
 +
// STARTFILE: options.js
 +
//////////////////////////////////////////////////
 +
// options
 +
 
 +
// check for existing value, else use default
 +
function defaultize(x) {
 +
if (pg.option[x]===null || typeof pg.option[x]=='undefined') {
 +
if (typeof window[x] != 'undefined' ) pg.option[x]=window[x];
 +
else pg.option[x]=pg.optionDefault[x];
 
}
 
}
 +
}
  
return titledWikiLink({article: l.article, action: l.action, text: l.text, newWin:l.newWin,
+
function newOption(x, def) {
title: hint, oldid: l.oldid, noPopup: l.noPopup});
+
pg.optionDefault[x]=def;
 
}
 
}
  
function revertSummary(oldid, diff) {
+
function setDefault(x, def) {
var ret='';
+
return newOption(x, def);
if (diff == 'prev') {
 
ret=getValueOf('popupQueriedRevertToPreviousSummary');
 
} else { ret = getValueOf('popupQueriedRevertSummary'); }
 
return ret + '&autorv=' + oldid;
 
 
}
 
}
  
function titledWikiLink(l) {
+
function getValueOf(varName) {
// possible properties of argument:
+
defaultize(varName);
// article, action, text, title, oldid, actionName, className, noPopup
+
return pg.option[varName];
// oldid = null is fine here
+
}
  
// article and action are mandatory args
+
/*eslint-disable */
 
+
function useDefaultOptions() { // for testing
if (typeof l.article == 'undefined' || typeof l.action=='undefined') {
+
for (var p in pg.optionDefault) {
errlog('got undefined article or action in titledWikiLink');
+
pg.option[p]=pg.optionDefault[p];
return null;
+
if (typeof window[p]!='undefined') { delete window[p]; }
 
}
 
}
 
var base = pg.wiki.titlebase +  l.article.urlString();
 
var url=base;
 
 
if (typeof l.actionName=='undefined' || !l.actionName) { l.actionName='action'; }
 
 
// no need to add &action=view, and this confuses anchors
 
if (l.action != 'view') { url = base + '&' + l.actionName + '=' + l.action; }
 
 
if (typeof l.oldid!='undefined' && l.oldid) { url+='&oldid='+l.oldid; }
 
 
var cssClass=pg.misc.defaultNavlinkClassname;
 
if (typeof l.className!='undefined' && l.className) { cssClass=l.className; }
 
 
return generalNavLink({url: url, newWin: l.newWin,
 
title: (typeof l.title != 'undefined') ? l.title : null,
 
text: (typeof l.text!='undefined')?l.text:null,
 
className: cssClass, noPopup:l.noPopup});
 
 
}
 
}
 +
/*eslint-enable */
  
function getLastContrib(wikipage, newWin) {
+
function setOptions() {
getHistoryInfo(wikipage, function(x){processLastContribInfo(x,{page: wikipage, newWin: newWin})});
+
// user-settable parameters and defaults
}
+
var userIsSysop = false;
function processLastContribInfo(info, stuff) {
+
if ( mw.config.get('wgUserGroups') ) {
if(!info.edits || !info.edits.length) { alert('Popups: an odd thing happened. Please retry.'); return; }
+
for ( var g = 0; g < mw.config.get('wgUserGroups').length; ++g ) {
if(!info.firstNewEditor) {
+
if ( mw.config.get('wgUserGroups')[g] == "sysop" )
alert(tprintf('Only found one editor: %s made %s edits', [info.edits[0].editor,info.edits.length]));
+
userIsSysop = true;
return;
+
}
 
}
 
}
var newUrl=pg.wiki.titlebase + new Title(stuff.page).urlString() + '&diff=cur&oldid='+info.firstNewEditor.oldid;
 
displayUrl(newUrl, stuff.newWin);
 
}
 
function getDiffSinceMyEdit(wikipage, newWin) {
 
getHistoryInfo(wikipage, function(x){processDiffSinceMyEdit(x,{page: wikipage, newWin: newWin})});
 
}
 
function processDiffSinceMyEdit(info, stuff) {
 
if(!info.edits || !info.edits.length) { alert('Popups: something fishy happened. Please try again.'); return; }
 
var friendlyName=stuff.page.split('_').join(' ');
 
if(!info.myLastEdit) {
 
alert(tprintf('Couldn\'t find an edit by %s\nin the last %s edits to\n%s',
 
      [info.userName, getValueOf('popupHistoryLimit'), friendlyName]));
 
return;
 
}
 
if(info.myLastEdit.index==0) {
 
alert(tprintf("%s seems to be the last editor to the page %s", [info.userName, friendlyName]));
 
return;
 
}
 
var newUrl=pg.wiki.titlebase + new Title(stuff.page).urlString() + '&diff=cur&oldid='+ info.myLastEdit.oldid;
 
displayUrl(newUrl, stuff.newWin);
 
}
 
function displayUrl(url, newWin){
 
if(newWin) { window.open(url); }
 
else { document.location=url; }
 
}
 
  
function purgePopups() {
+
// Basic options
processAllPopups(true);
+
newOption('popupDelay',              0.5);
setupCache(); // deletes all cached items (not browser cached, though...)
+
newOption('popupHideDelay',          0.5);
pg.option={};
+
newOption('simplePopups',            false);
abortAllDownloads();
+
newOption('popupStructure',          'shortmenus');  // see later - default for popupStructure is 'original' if simplePopups is true
}
+
newOption('popupActionsMenu',        true);
 +
newOption('popupSetupMenu',          true);
 +
newOption('popupAdminLinks',          userIsSysop);
 +
newOption('popupShortcutKeys',        false);
 +
newOption('popupHistoricalLinks',    true);
 +
newOption('popupOnlyArticleLinks',    true);
 +
newOption('removeTitles',            true);
 +
newOption('popupMaxWidth',            350);
 +
newOption('popupSimplifyMainLink',    true);
 +
newOption('popupAppendRedirNavLinks', true);
 +
newOption('popupTocLinks',            false);
 +
newOption('popupSubpopups',          true);
 +
newOption('popupDragHandle',          false /* 'popupTopLinks'*/);
 +
newOption('popupLazyPreviews',        true);
 +
newOption('popupLazyDownloads',      true);
 +
newOption('popupAllDabsStubs',        false);
 +
newOption('popupDebugging',          false);
 +
newOption('popupActiveNavlinks',      true);
 +
newOption('popupModifier',            false); // ctrl, shift, alt or meta
 +
newOption('popupModifierAction',      'enable'); // or 'disable'
 +
newOption('popupDraggable',          true);
 +
newOption('popupReview',              false);
 +
 
 +
//<NOLITE>
 +
// images
 +
newOption('popupImages',                true);
 +
newOption('imagePopupsForImages',       true);
 +
newOption('popupNeverGetThumbs',        false);
 +
//newOption('popupImagesToggleSize',      true);
 +
newOption('popupThumbAction',            'imagepage'); //'sizetoggle');
 +
newOption('popupImageSize',              60);
 +
newOption('popupImageSizeLarge',        200);
  
function processAllPopups(nullify, banish) {
+
// redirs, dabs, reversion
for (var i=0; i<pg.current.links.length; ++i) {
+
newOption('popupFixRedirs',             false);
if (!pg.current.links[i].navpopup) { continue; }
+
newOption('popupRedirAutoClick',        'wpDiff');
(nullify || banish) && pg.current.links[i].navpopup.banish();
+
newOption('popupFixDabs',              false);
pg.current.links[i].simpleNoMore=false;
+
newOption('popupDabsAutoClick',        'wpDiff');
nullify && (pg.current.links[i].navpopup=null);
+
newOption('popupRevertSummaryPrompt',  false);
}
+
newOption('popupMinorReverts',          false);
}
+
newOption('popupRedlinkRemoval',        false);
 +
newOption('popupRedlinkAutoClick',      'wpDiff');
 +
newOption('popupWatchDisambiggedPages', null);
 +
newOption('popupWatchRedirredPages',    null);
 +
newOption('popupDabWiktionary',        'last');
  
function disablePopups(){
+
// navlinks
processAllPopups(false, true);
+
newOption('popupNavLinks',          true);
setupTooltips(null, true);
+
newOption('popupNavLinkSeparator',  ' &sdot; ');
}
+
newOption('popupLastEditLink',     true);
 +
newOption('popupEditCounterTool',  'supercount');
 +
newOption('popupEditCounterUrl',   '');
 +
//</NOLITE>
  
function togglePreviews() {
+
// previews etc
processAllPopups(true, true);
+
newOption('popupPreviews',            true);
pg.option.simplePopups=!pg.option.simplePopups;
+
newOption('popupSummaryData',          true);
abortAllDownloads();
+
newOption('popupMaxPreviewSentences',  5);
}
+
newOption('popupMaxPreviewCharacters', 600);
 +
newOption('popupLastModified',         true);
 +
newOption('popupPreviewKillTemplates', true);
 +
newOption('popupPreviewRawTemplates',  true);
 +
newOption('popupPreviewFirstParOnly',  true);
 +
newOption('popupPreviewCutHeadings',  true);
 +
newOption('popupPreviewButton',        false);
 +
newOption('popupPreviewButtonEvent',  'click');
  
function magicHistoryLink(l) {
+
//<NOLITE>
// FIXME use onclick change href trick to sort this out instead of window.open
+
// diffs
 +
newOption('popupPreviewDiffs',          true);
 +
newOption('popupDiffMaxLines',          100);
 +
newOption('popupDiffContextLines',      2);
 +
newOption('popupDiffContextCharacters', 40);
 +
newOption('popupDiffDates',            true);
 +
newOption('popupDiffDatePrinter',      'toLocaleString');
  
var jsUrl='', title='';
+
// edit summaries. God, these are ugly.
switch(l.id) {
+
newOption('popupReviewedSummary',         popupString('defaultpopupReviewedSummary') );
case 'lastContrib':
+
newOption('popupFixDabsSummary',          popupString('defaultpopupFixDabsSummary') );
jsUrl=simplePrintf('javascript:getLastContrib(\'%s\',%s)',
+
newOption('popupExtendedRevertSummary',    popupString('defaultpopupExtendedRevertSummary') );
[l.article.toString(true).split("'").join("\\'"), l.newWin]);
+
newOption('popupRevertSummary',            popupString('defaultpopupRevertSummary') );
title=popupString('lastContribHint');
+
newOption('popupRevertToPreviousSummary', popupString('defaultpopupRevertToPreviousSummary') );
break;
+
newOption('popupQueriedRevertSummary',           popupString('defaultpopupQueriedRevertSummary') );
case 'sinceMe':
+
newOption('popupQueriedRevertToPreviousSummary',  popupString('defaultpopupQueriedRevertToPreviousSummary') );
jsUrl=simplePrintf('javascript:getDiffSinceMyEdit(\'%s\',%s)',
+
newOption('popupFixRedirsSummary',        popupString('defaultpopupFixRedirsSummary') );
[l.article.toString(true).split("'").join("\\'"), l.newWin]);
+
newOption('popupRedlinkSummary',          popupString('defaultpopupRedlinkSummary') );
title=popupString('sinceMeHint');
+
newOption('popupRmDabLinkSummary',        popupString('defaultpopupRmDabLinkSummary') );
break;
+
//</NOLITE>
}
+
// misc
 +
newOption('popupHistoryLimit',        50);
 +
//<NOLITE>
 +
newOption('popupFilters',            [popupFilterStubDetect,    popupFilterDisambigDetect,
 +
      popupFilterPageSize,      popupFilterCountLinks,
 +
      popupFilterCountImages,    popupFilterCountCategories,
 +
      popupFilterLastModified]);
 +
newOption('extraPopupFilters',        []);
 +
newOption('popupOnEditSelection', 'cursor');
 +
newOption('popupPreviewHistory',     true);
 +
newOption('popupImageLinks',          true);
 +
newOption('popupCategoryMembers',    true);
 +
newOption('popupUserInfo',            true);
 +
newOption('popupHistoryPreviewLimit', 25);
 +
newOption('popupContribsPreviewLimit',25);
 +
newOption('popupRevDelUrl',          '//en.wikipedia.org/wiki/Wikipedia:Revision_deletion');
 +
newOption('popupShowGender',          true);
 +
//</NOLITE>
  
return generalNavLink({url: jsUrl, newWin: false, // can't have new windows with JS links, I think
+
// new windows
title: title, text: l.text, noPopup: l.noPopup});
+
newOption('popupNewWindows',     false);
}
+
newOption('popupLinksNewWindow', {'lastContrib': true, 'sinceMe': true});
  
function popupMenuLink(l) {
+
// regexps
var jsUrl=simplePrintf('javascript:%s()', [l.id]);
+
newOption('popupDabRegexp', '(\\{\\{\\s*disambig(?!uation needed)|disambig(uation|)\\s*\\}\\}|disamb\\s*\\}\\}|dab\\s*\\}\\})|\\{\\{\\s*(((geo|hn|road?|school|number)dis)|[234][lc][acw]|(road|ship)index)(\\s*[|][^}]*)?\\s*[}][}]|is a .*disambiguation.*page');
var title=popupString(simplePrintf('%sHint', [l.id]));
+
newOption('popupAnchorRegexp', 'anchors?'); //how to identify an anchors template
return generalNavLink({url: jsUrl, newWin:false, title:title, text:l.text, noPopup:l.noPopup});
+
newOption('popupStubRegexp', '(sect)?stub[}][}]|This .*-related article is a .*stub');
 +
newOption('popupImageVarsRegexp', 'image|image_(?:file|skyline|name|flag|seal)|cover|badge|logo');
 
}
 
}
 +
// ENDFILE: options.js
 +
// STARTFILE: strings.js
 +
//<NOLITE>
 +
//////////////////////////////////////////////////
 +
// Translatable strings
 +
//////////////////////////////////////////////////
 +
//
 +
// See instructions at
 +
// https://en.wikipedia.org/wiki/Wikipedia:Tools/Navigation_popups/Translation
  
function specialLink(l) {
+
pg.string = {
// properties: article, specialpage, text, sep
+
/////////////////////////////////////
if (typeof l.specialpage=='undefined'||!l.specialpage) return null;
+
// summary data, searching etc.
var base = pg.wiki.titlebase +  pg.ns.special+':'+l.specialpage;
+
/////////////////////////////////////
if (typeof l.sep == 'undefined' || l.sep===null) l.sep='&target=';
+
'article': 'article',
var article=l.article.urlString({keepSpaces: l.specialpage=='Search'});
+
'category': 'category',
var hint=popupString(l.specialpage+'Hint');
+
'categories': 'categories',
switch (l.specialpage) {
+
'image': 'image',
case 'Log':
+
'images': 'images',
    switch (l.sep) {
+
'stub': 'stub',
    case '&user=': hint=popupString('userLogHint'); break;
+
'section stub': 'section stub',
    case '&type=block&page=': hint=popupString('blockLogHint'); break;
+
'Empty page': 'Empty page',
    case '&page=': hint=popupString('pageLogHint'); break;
+
'kB': 'kB',
    case '&type=protect&page=': hint=popupString('protectLogHint'); break;
+
'bytes': 'bytes',
    case '&type=delete&page=': hint=popupString('deleteLogHint'); break;
+
'day': 'day',
    default: log('Unknown log type, sep=' + l.sep); hint='Missing hint (FIXME)';
+
'days': 'days',
    }
+
'hour': 'hour',
    break;
+
'hours': 'hours',
case 'Prefixindex': article += '/'; break;
+
'minute': 'minute',
}
+
'minutes': 'minutes',
if (hint) hint = simplePrintf(hint, [safeDecodeURI(l.article)]);
+
'second': 'second',
else hint = safeDecodeURI(l.specialpage+':'+l.article) ;
+
'seconds': 'seconds',
 
+
'week': 'week',
var url = base + l.sep + article;
+
'weeks': 'weeks',
return generalNavLink({url: url, title: hint, text: l.text, newWin:l.newWin, noPopup:l.noPopup});
+
'search': 'search',
}
+
'SearchHint': 'Find English Wikipedia articles containing %s',
 
+
'web': 'web',
function generalLink(l) {
+
'global': 'global',
// l.url, l.text, l.title, l.newWin, l.className, l.noPopup
+
'globalSearchHint': 'Search across Wikipedias in different languages for %s',
if (typeof l.url=='undefined') return null;
+
'googleSearchHint': 'Google for %s',
 
+
/////////////////////////////////////
// only quotation marks in the url can screw us up now... I think
+
// article-related actions and info
var url=l.url.split('"').join('%22');
+
// (some actions also apply to user pages)
 
+
/////////////////////////////////////
var ret='<a href="' + url + '"';
+
'actions': 'actions', ///// view articles and view talk
if (typeof l.title!='undefined' && l.title) { ret += ' title="' + l.title + '"'; }
+
'popupsMenu': 'popups',
if (l.noPopup) { ret += ' noPopup=1'; }
+
'togglePreviewsHint': 'Toggle preview generation in popups on this page',
var newWin;
+
'enable previews': 'enable previews',
if (typeof l.newWin=='undefined' || l.newWin===null) { newWin=getValueOf('popupNewWindows'); }
+
'disable previews': 'disable previews',
else { newWin=l.newWin; }
+
'toggle previews': 'toggle previews',
if (newWin) { ret += ' target="_blank"'; }
+
'show preview': 'show preview',
if (typeof l.className!='undefined'&&l.className) { ret+=' class="'+l.className+'"'; }
+
'reset': 'reset',
ret += '>';
+
'more...': 'more...',
if (typeof l.text==typeof '') { ret+= l.text; }
+
'disable': 'disable popups',
ret +='</a>';
+
'disablePopupsHint': 'Disable popups on this page. Reload page to re-enable.',
return ret;
+
'historyfeedHint': 'RSS feed of recent changes to this page',
}
+
'purgePopupsHint': 'Reset popups, clearing all cached popup data.',
 
+
'PopupsHint': 'Reset popups, clearing all cached popup data.',
function appendParamsToLink(linkstr, params) {
+
'spacebar': 'space',
var sp=linkstr.parenSplit(RegExp('(href="[^"]+?)"', 'i'));
+
'view': 'view',
if (sp.length<2) return null;
+
'view article': 'view article',
var ret=sp.shift() + sp.shift();
+
'viewHint': 'Go to %s',
ret += '&' + params + '"';
+
'talk': 'talk',
ret += sp.join('');
+
'talk page': 'talk page',
return ret;
+
'this&nbsp;revision': 'this&nbsp;revision',
}
+
'revision %s of %s': 'revision %s of %s',
 
+
'Revision %s of %s': 'Revision %s of %s',
function changeLinkTargetLink(x) { // newTarget, text, hint, summary, clickButton, minor, title (optional) {
+
'the revision prior to revision %s of %s': 'the revision prior to revision %s of %s',
if (x.newTarget) {
+
'Toggle image size': 'Click to toggle image size',
log ('changeLinkTargetLink: newTarget=' + x.newTarget);
+
'del': 'del', ///// delete, protect, move
}
+
'delete': 'delete',
// optional: oldTarget (in wikitext)
+
'deleteHint': 'Delete %s',
// if x.newTarget omitted or null, remove the link
+
'undeleteShort': 'un',
 
+
'UndeleteHint': 'Show the deletion history for %s',
//x.text=encodeURI(x.text); // this buggers things up on zh.wikipedia.org and doesn't seem necessary
+
'protect': 'protect',
x.clickButton=encodeURI(x.clickButton);
+
'protectHint': 'Restrict editing rights to %s',
 
+
'unprotectShort': 'un',
// FIXME: first character of page title as well as namespace should be case insensitive
+
'unprotectHint': 'Allow %s to be edited by anyone again',
// eg [[category:foo]] and [[Category:Foo]] are equivalent
+
'send thanks': 'send thanks',
// this'll break if charAt(0) is nasty
+
'ThanksHint': 'Send a thank you notification to this user',
var cA=literalizeRegex(x.oldTarget);
+
'move': 'move',
var chs=cA.charAt(0).toUpperCase();
+
'move page': 'move page',
chs='['+chs + chs.toLowerCase()+']';
+
'MovepageHint': 'Change the title of %s',
var currentArticleRegexBit=encodeURIComponent(chs+cA.substring(1));
+
'edit': 'edit',   ///// edit articles and talk
currentArticleRegexBit=currentArticleRegexBit
+
'edit article': 'edit article',
.split(RegExp('[_ ]+', 'g')).join('[_ ]+')
+
'editHint': 'Change the content of %s',
.split('\\(').join('(?:%2528|\\()')
+
'edit talk': 'edit talk',
.split('\\)').join('(?:%2529|\\))');
+
'new': 'new',
// leading and trailing space should be ignored, and anchor bits optional:
+
'new topic': 'new topic',
currentArticleRegexBit = '\\s*(' + currentArticleRegexBit + '(?:#[^\\[\\|]*)?)\\s*';
+
'newSectionHint': 'Start a new section on %s',
// e.g. Computer (archaic) -> \s*([Cc]omputer[_ ](?:%2528|\()archaic(?:%2528|\)))\s*
+
'null edit': 'null edit',
 
+
'nullEditHint': 'Submit an edit to %s, making no changes ',
// autoedit=s~\[\[([Cc]ad)\]\]~[[Computer-aided%20design|$1]]~g;s~\[\[([Cc]AD)[|]~[[Computer-aided%20design|~g
+
'hist': 'hist',   ///// history, diffs, editors, related
 
+
'history': 'history',
var title=x.title || wgPageName.split('_').join(' ');
+
'historyHint': 'List the changes made to %s',
var lk=titledWikiLink({article: new Title(title), newWin:x.newWin,
+
'last': 'prev', // For labelling the previous revision in history pages; the key is "last" for backwards compatibility
action: 'edit',
+
'lastEdit': 'lastEdit',
text:   x.text,
+
'mark patrolled': 'mark patrolled',
title:   x.hint,
+
'markpatrolledHint': 'Mark this edit as patrolled',
className: 'popup_change_title_link'
+
'Could not marked this edit as patrolled': 'Could not marked this edit as patrolled',
});
+
'show last edit': 'most recent edit',
var cmd='';
+
'Show the last edit': 'Show the effects of the most recent change',
if (x.newTarget) {
+
'lastContrib': 'lastContrib',
// escape '&' and other nasties
+
'last set of edits': 'latest edits',
var t=encodeURIComponent(x.newTarget);
+
'lastContribHint': 'Show the net effect of changes made by the last editor',
var s=encodeURIComponent(literalizeRegex(x.newTarget));
+
'cur': 'cur',
cmd += 's~\\[\\['+currentArticleRegexBit+'\\]\\]~[['+t+'|$1]]~g;';
+
'diffCur': 'diffCur',
cmd += 's~\\[\\['+currentArticleRegexBit+'[|]~[['+t+'|~g;';
+
'Show changes since revision %s': 'Show changes since revision %s',
cmd += 's~\\[\\['+s + '\\|' + s + '\\]\\]~[[' + t + ']]~g';
+
'%s old': '%s old', // as in 4 weeks old
} else {
+
'oldEdit': 'oldEdit',
cmd += 's~\\[\\['+currentArticleRegexBit+'\\]\\]~$1~g;';
+
'purge': 'purge',
cmd += 's~\\[\\['+currentArticleRegexBit+'[|](.*?)\\]\\]~$2~g';
+
'purgeHint': 'Demand a fresh copy of %s',
}
+
'raw': 'source',
cmd += '&autoclick='+x.clickButton + '&actoken=' + autoClickToken();
+
'rawHint': 'Download the source of %s',
cmd += ( x.minor == null ) ? '' : '&autominor='+x.minor;
+
'render': 'simple',
cmd += ( x.watch == null ) ? '' : '&autowatch='+x.watch;
+
'renderHint': 'Show a plain HTML version of %s',
cmd += '&autosummary='+encodeURIComponent(x.summary);
+
'Show the edit made to get revision': 'Show the edit made to get revision',
return appendParamsToLink(lk, 'autoedit='+cmd);
+
'sinceMe': 'sinceMe',
}
+
'changes since mine': 'diff my edit',
 
+
'sinceMeHint': 'Show changes since my last edit',
 
+
'Couldn\'t find an edit by %s\nin the last %s edits to\n%s': 'Couldn\'t find an edit by %s\nin the last %s edits to\n%s',
function redirLink(redirMatch, article) {
+
'eds': 'eds',
// NB redirMatch is in wikiText
+
'editors': 'editors',
var ret='';
+
'editorListHint': 'List the users who have edited %s',
 
+
'related': 'related',
if (getValueOf('popupAppendRedirNavLinks') && getValueOf('popupNavLinks')) {
+
'relatedChanges': 'relatedChanges',
ret += '<hr>';
+
'related changes': 'related changes',
if (getValueOf('popupFixRedirs') && typeof autoEdit != 'undefined' && autoEdit) {
+
'RecentchangeslinkedHint': 'Show changes in articles related to %s',
log('redirLink: newTarget=' + redirMatch);
+
'editOld': 'editOld',   ///// edit old version, or revert
ret += addPopupShortcut(
+
'rv': 'rv',
changeLinkTargetLink(
+
'revert': 'revert',
{newTarget: redirMatch, text: popupString('Redirects'),
+
'revertHint': 'Revert to %s',
hint: popupString('Fix this redirect'),
+
'defaultpopupReviewedSummary': 'Accepted by reviewing the [[Special:diff/%s/%s|difference]] between this version and previously accepted version using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
summary: simplePrintf(getValueOf('popupFixRedirsSummary'),
+
'defaultpopupRedlinkSummary': 'Removing link to empty page [[%s]] using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
      [article.toString(), redirMatch ]),
+
'defaultpopupFixDabsSummary': 'Disambiguate [[%s]] to [[%s]] using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
oldTarget: article.toString(),
+
'defaultpopupFixRedirsSummary': 'Redirect bypass from [[%s]] to [[%s]] using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
clickButton: getValueOf('popupRedirAutoClick'), minor: true,
+
'defaultpopupExtendedRevertSummary': 'Revert to revision dated %s by %s, oldid %s using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
watch: getValueOf('popupWatchRedirredPages')})
+
'defaultpopupRevertToPreviousSummary': 'Revert to the revision prior to revision %s using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
, 'R');
+
'defaultpopupRevertSummary': 'Revert to revision %s using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
ret += popupString(' to ');
+
'defaultpopupQueriedRevertToPreviousSummary': 'Revert to the revision prior to revision $1 dated $2 by $3 using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
}
+
'defaultpopupQueriedRevertSummary': 'Revert to revision $1 dated $2 by $3 using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
else ret += popupString('Redirects') + popupString(' to ');
+
'defaultpopupRmDabLinkSummary': 'Remove link to dab page [[%s]] using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
return ret;
+
'Redirects': 'Redirects', // as in Redirects to ...
}
+
' to ': ' to ',   // as in Redirects to ...
 
+
'Bypass redirect': 'Bypass redirect',
else return '<br> ' + popupString('Redirects') + popupString(' to ') +
+
'Fix this redirect': 'Fix this redirect',
    titledWikiLink({article: new Title().fromWikiText(redirMatch), action: 'view', /* FIXME: newWin */
+
'disambig': 'disambig',   ///// add or remove dab etc.
      text: safeDecodeURI(redirMatch), title: popupString('Bypass redirect')});
+
'disambigHint': 'Disambiguate this link to [[%s]]',
}
+
'Click to disambiguate this link to:': 'Click to disambiguate this link to:',
 
+
'remove this link': 'remove this link',
function arinLink(l) {
+
'remove all links to this page from this article': 'remove all links to this page from this article',
if (!saneLinkCheck(l)) { return null; }
+
'remove all links to this disambig page from this article': 'remove all links to this disambig page from this article',
if ( ! l.article.isIpUser() || ! pg.wiki.wikimedia) return null;
+
'mainlink': 'mainlink',   ///// links, watch, unwatch
 
+
'wikiLink': 'wikiLink',
var uN=l.article.userName();
+
'wikiLinks': 'wikiLinks',
 
+
'links here': 'links here',
return generalNavLink({url:'http://ws.arin.net/cgi-bin/whois.pl?queryinput=' + encodeURIComponent(uN), newWin:l.newWin,
+
'whatLinksHere': 'whatLinksHere',
title: tprintf('Look up %s in ARIN whois database', [uN]),
+
'what links here': 'what links here',
text: l.text, noPopup:1});
+
'WhatlinkshereHint': 'List the pages that are hyperlinked to %s',
}
+
'unwatchShort': 'un',
 
+
'watchThingy': 'watch',  // called watchThingy because {}.watch is a function
function toolDbName(cookieStyle) {
+
'watchHint': 'Add %s to my watchlist',
var ret=null;
+
'unwatchHint': 'Remove %s from my watchlist',
var theWiki=pg.wiki.hostname.split('.')[1];
+
'Only found one editor: %s made %s edits': 'Only found one editor: %s made %s edits',
if (pg.wiki.hostname==pg.wiki.commons) {
+
'%s seems to be the last editor to the page %s': '%s seems to be the last editor to the page %s',
ret = 'commonswiki';
+
'rss': 'rss',
} else {
+
/////////////////////////////////////
switch(theWiki) {
+
// diff previews
case 'wikipedia':
+
/////////////////////////////////////
case 'wikimedia':
+
'Diff truncated for performance reasons': 'Diff truncated for performance reasons',
ret = pg.wiki.lang + 'wiki';
+
'Old revision': 'Old revision',
break;
+
'New revision': 'New revision',
default:
+
'Something went wrong :-(': 'Something went wrong :-(',
ret = pg.wiki.lang + theWiki;
+
'Empty revision, maybe non-existent': 'Empty revision, maybe non-existent',
break;
+
'Unknown date': 'Unknown date',
}
+
/////////////////////////////////////
}
+
// other special previews
if (!cookieStyle) { ret+= '_p'; }
+
/////////////////////////////////////
return ret;
+
'Empty category': 'Empty category',
}
+
'Category members (%s shown)': 'Category members (%s shown)',
 
+
'No image links found': 'No image links found',
function saneLinkCheck(l) {
+
'File links': 'File links',
if (typeof l.article != typeof {} || typeof l.text != typeof '') { return false; }
+
'No image found': 'No image found',
return true;
+
'Image from Commons': 'Image from Commons',
}
+
'Description page': 'Description page',
function editCounterLink(l) {
+
'Alt text:': 'Alt text:',
if(!saneLinkCheck(l)) return null;
+
'revdel':'Hidden revision',
if (! pg.wiki.wikimedia) return null;
+
/////////////////////////////////////
var uN=l.article.userName();
+
// user-related actions and info
var tool=getValueOf('popupEditCounterTool');
+
/////////////////////////////////////
var url;
+
'user': 'user',   ///// user page, talk, email, space
var soxredToolUrl='http://toolserver.org/~soxred93/count/index.php?name=$1&lang=$2&wiki=$3';
+
'user&nbsp;page': 'user&nbsp;page',
var kateToolUrl='http://toolserver.org/~$3/cgi-bin/Tool1/wannabe_kate?username=$1&site=en.wikipedia.org&$2';
+
'user talk': 'user talk',
 
+
'edit user talk': 'edit user talk',
switch(tool) {
+
'leave comment': 'leave comment',
case 'custom':
+
'email': 'email',
url=simplePrintf(getValueOf('popupEditCounterUrl'), [ encodeURIComponent(uN), toolDbName() ]);
+
'email user': 'email user',
break;
+
'EmailuserHint': 'Send an email to %s',
case 'kate':
+
'space': 'space', // short form for userSpace link
case 'interiot':
+
'PrefixIndexHint': 'Show pages in the userspace of %s',
url=simplePrintf(kateToolUrl, [ encodeURIComponent(uN), toolDbName(), tool ]);
+
'count': 'count', ///// contributions, log
break;
+
'edit counter': 'edit counter',
default:
+
'editCounterLinkHint': 'Count the contributions made by %s',
    var theWiki=pg.wiki.hostname.split('.');
+
'contribs': 'contribs',
url=simplePrintf(soxredToolUrl, [ encodeURIComponent(uN), theWiki[0], theWiki[1] ]);
+
'contributions': 'contributions',
}
+
'deletedContribs': 'deleted contributions',
return generalNavLink({url:url, title: tprintf('editCounterLinkHint', [uN]),
+
'DeletedcontributionsHint': 'List deleted edits made by %s',
newWin:l.newWin, text: l.text, noPopup:1});
+
'ContributionsHint': 'List the contributions made by %s',
}
+
'log': 'log',
 
+
'user log': 'user log',
 
+
'userLogHint': 'Show %s\'s user log',
function globalSearchLink(l) {
+
'arin': 'ARIN lookup', ///// ARIN lookup, block user or IP
if(!saneLinkCheck(l)) return null;
+
'Look up %s in ARIN whois database': 'Look up %s in the ARIN whois database',
 
+
'unblockShort': 'un',
var base='http://vs.aka-online.de/cgi-bin/globalwpsearch.pl?timeout=120&search=';
+
'block': 'block',
var article=l.article.urlString({keepSpaces:true});
+
'block user': 'block user',
 
+
'IpblocklistHint': 'Unblock %s',
return generalNavLink({url:base + article, newWin:l.newWin,
+
'BlockipHint': 'Prevent %s from editing',
title: tprintf('globalSearchHint', [article]),
+
'block log': 'block log',
text: l.text, noPopup:1});
+
'blockLogHint': 'Show the block log for %s',
}
+
'protectLogHint': 'Show the protection log for %s',
 
+
'pageLogHint': 'Show the page log for %s',
function googleLink(l) {
+
'deleteLogHint': 'Show the deletion log for %s',
if(!saneLinkCheck(l)) return null;
+
'Invalid %s %s': 'The option %s is invalid: %s',
 
+
'No backlinks found': 'No backlinks found',
var base='http://www.google.com/search?q=';
+
' and more': ' and more',
var article=l.article.urlString({keepSpaces:true});
+
'undo': 'undo',
 
+
'undoHint': 'undo this edit',
return generalNavLink({url:base + '%22' + article + '%22', newWin:l.newWin,
+
'Download preview data': 'Download preview data',
title: tprintf('googleSearchHint', [article]),
+
'Invalid or IP user': 'Invalid or IP user',
text: l.text, noPopup:1});
+
'Not a registered username': 'Not a registered username',
}
+
'BLOCKED': 'BLOCKED',
 
+
' edits since: ': ' edits since: ',
function editorListLink(l) {
+
'last edit on ': 'last edit on ',
if(!saneLinkCheck(l)) return null;
+
/////////////////////////////////////
var article= l.article.articleFromTalkPage() || l.article;
+
// Autoediting
var base='http://toolserver.org/~tim/cgi-bin/contribution-counter?page=';
+
/////////////////////////////////////
return generalNavLink({url:base+article.urlString(),
+
'Enter a non-empty edit summary or press cancel to abort': 'Enter a non-empty edit summary or press cancel to abort',
title: tprintf('editorListHint', [article]),
+
'Failed to get revision information, please edit manually.\n\n': 'Failed to get revision information, please edit manually.\n\n',
newWin:l.newWin, text: l.text, noPopup:1});
+
'The %s button has been automatically clicked. Please wait for the next page to load.': 'The %s button has been automatically clicked. Please wait for the next page to load.',
}
+
'Could not find button %s. Please check the settings in your javascript file.': 'Could not find button %s. Please check the settings in your javascript file.',
 
+
/////////////////////////////////////
function generalNavLink(l) {
+
// Popups setup
l.className = (l.className==null) ? 'popupNavLink' : l.className;
+
/////////////////////////////////////
return generalLink(l);
+
'Open full-size image': 'Open full-size image',
}
+
'zxy': 'zxy',
 +
'autoedit_version': 'np20140416'
 +
};
  
//////////////////////////////////////////////////
 
// magic history links
 
//
 
  
function getHistoryInfo(wikipage, whatNext) {
+
function popupString(str) {
log('getHistoryInfo');
+
if (typeof popupStrings != 'undefined' && popupStrings && popupStrings[str]) { return popupStrings[str]; }
getHistory(wikipage, whatNext ? function(d){whatNext(processHistory(d));} : processHistory);
+
if (pg.string[str]) { return pg.string[str]; }
 +
return str;
 
}
 
}
  
// FIXME eliminate pg.idNumber ... how? :-(
 
  
function getHistory(wikipage, onComplete) {
+
function tprintf(str,subs) {
log('getHistory');
+
if (typeof subs != typeof []) { subs = [subs]; }
if( !window.wgEnableAPI || !wgEnableAPI ) {
+
return simplePrintf(popupString(str), subs);
alert( 'This function of navigation popups now requires a MediaWiki ' +
 
'installation with the API enabled.');
 
return false;
 
}
 
var url = pg.wiki.wikibase + '/api.php?format=json&action=query&prop=revisions&titles=' +
 
new Title(wikipage).urlString() + '&rvlimit=' + getValueOf('popupHistoryLimit');
 
log('getHistory: url='+url);
 
return startDownload(url, pg.idNumber+'history', onComplete);
 
 
}
 
}
  
function processHistory(download) {
+
//</NOLITE>
var jsobj = getJsObj(download.data);
+
// ENDFILE: strings.js
try {
+
// STARTFILE: run.js
window.x=jsobj;
+
////////////////////////////////////////////////////////////////////
var p=jsobj['query']['pages']
+
// Run things
for (var pageid in p) {
+
////////////////////////////////////////////////////////////////////
var revisions=p[pageid]['revisions'];
 
// we only get the first one
 
break;
 
}
 
} catch (someError) {
 
log('Something went wrong with JSON business');
 
return finishProcessHistory([]);
 
}
 
var edits=[];
 
for (var i=0; i<revisions.length; ++i) {
 
edits.push({ oldid: revisions[i]['revid'], editor: revisions[i]['user'] });
 
}
 
log('processed ' + edits.length + ' edits');
 
return finishProcessHistory(edits, wgUserName);
 
}
 
  
  
function finishProcessHistory(edits, userName) {
+
// For some reason popups requires a fully loaded page jQuery.ready(...) causes problems for some.
var histInfo={};
+
// The old addOnloadHook did something similar to the below
 +
if (document.readyState=="complete")
 +
autoEdit(); //will setup popups
 +
else
 +
$( window ).on( 'load', autoEdit );
  
histInfo.edits=edits;
 
histInfo.userName=userName;
 
  
for (var i=0; i<edits.length; ++i) {
+
// Support for MediaWiki's live preview, VisualEditor's saves and Echo's flyout.
if (typeof histInfo.myLastEdit == 'undefined' && userName && edits[i].editor==userName) {
+
( function () {
histInfo.myLastEdit={index: i, oldid: edits[i].oldid, previd: (i==0 ? null : edits[i-1].oldid)};
+
var once = true;
 +
function dynamicContentHandler( $content ) {
 +
// Try to detect the hook fired on initial page load and disregard
 +
// it, we already hook to onload (possibly to different parts of
 +
// page - it's configurable) and running twice might be bad. Ugly…
 +
if ( $content.attr( 'id' ) == 'mw-content-text' ) {
 +
if ( once ) {
 +
once = false;
 +
return;
 +
}
 +
}
 +
 +
function registerHooksForVisibleNavpops () {
 +
for (var i=0; pg.current.links && i<pg.current.links.length; ++i) {
 +
var navpop = pg.current.links[i].navpopup;
 +
if (!navpop || !navpop.isVisible()) { continue; }
 +
 +
Navpopup.tracker.addHook(posCheckerHook(navpop));
 +
}
 
}
 
}
if (typeof histInfo.firstNewEditor == 'undefined' && edits[i].editor != edits[0].editor) {
+
histInfo.firstNewEditor={index:i, oldid:edits[i].oldid, previd: (i==0 ? null : edits[i-1].oldid)};
+
function doIt () {
 +
registerHooksForVisibleNavpops();
 +
$content.each( function () {
 +
this.ranSetupTooltipsAlready = false;
 +
setupTooltips( this );
 +
} );
 
}
 
}
 +
 +
setupPopups( doIt );
 
}
 
}
//pg.misc.historyInfo=histInfo;
 
return histInfo;
 
}
 
//</NOLITE>
 
// ENDFILE: links.js
 
// STARTFILE: options.js
 
//////////////////////////////////////////////////
 
// options
 
 
// check for cookies and existing value, else use default
 
function defaultize(x) {
 
var val=null;
 
if (x!='popupCookies') {
 
defaultize('popupCookies');
 
if (pg.option.popupCookies && (val=Cookie.read(x))) {
 
pg.option[x]=val;
 
return;
 
}
 
}
 
if (pg.option[x]===null || typeof pg.option[x]=='undefined') {
 
if (typeof window[x] != 'undefined' ) pg.option[x]=window[x];
 
else pg.option[x]=pg.optionDefault[x];
 
}
 
}
 
 
function newOption(x, def) {
 
pg.optionDefault[x]=def;
 
}
 
 
function setDefault(x, def) {
 
return newOption(x, def);
 
}
 
 
function getValueOf(varName) {
 
defaultize(varName);
 
return pg.option[varName];
 
}
 
 
function useDefaultOptions() { // for testing
 
for (var p in pg.optionDefault) {
 
pg.option[p]=pg.optionDefault[p];
 
if (typeof window[p]!='undefined') { delete window[p]; }
 
}
 
}
 
 
function setOptions() {
 
// user-settable parameters and defaults
 
 
// Basic options
 
newOption('popupDelay',              0.5);
 
newOption('popupHideDelay',          0.5);
 
newOption('simplePopups',            false);
 
newOption('popupStructure',          'shortmenus');  // see later - default for popupStructure is 'original' if simplePopups is true
 
newOption('popupActionsMenu',        true);
 
newOption('popupSetupMenu',          true);
 
newOption('popupAdminLinks',          false);
 
newOption('popupShortcutKeys',        false);
 
newOption('popupHistoricalLinks',    true);
 
newOption('popupOnlyArticleLinks',    true);
 
newOption('removeTitles',            true);
 
newOption('popupMaxWidth',            350);
 
newOption('popupInitialWidth',        false); // integer or false
 
newOption('popupSimplifyMainLink',    true);
 
newOption('popupAppendRedirNavLinks', true);
 
newOption('popupTocLinks',            false);
 
newOption('popupSubpopups',          true);
 
newOption('popupDragHandle',          false /* 'popupTopLinks'*/);
 
newOption('popupLazyPreviews',        true);
 
newOption('popupLazyDownloads',      true);
 
newOption('popupAllDabsStubs',        false);
 
newOption('popupDebugging',          false);
 
newOption('popupAdjustDiffDates',    true);
 
newOption('popupActiveNavlinks',      true);
 
newOption('popupModifier',            false); // ctrl, shift, alt or meta
 
newOption('popupModifierAction',      'enable'); // or 'disable'
 
newOption('popupDraggable',          true);
 
 
//<NOLITE>
 
// images
 
newOption('popupImages',                true);
 
newOption('imagePopupsForImages',        true);
 
newOption('popupNeverGetThumbs',        false);
 
newOption('popupImagesFromThisWikiOnly', false);
 
newOption('popupMinImageWidth',          50);
 
newOption('popupLoadImagesSequentially', false);
 
//newOption('popupImagesToggleSize',      true);
 
newOption('popupThumbAction',            'imagepage'); //'sizetoggle');
 
newOption('popupImageSize',              60);
 
 
// redirs, dabs, reversion
 
newOption('popupFixRedirs',            false);
 
newOption('popupRedirAutoClick',        'wpDiff');
 
newOption('popupFixDabs',              false);
 
newOption('popupRevertSummaryPrompt',  false);
 
newOption('popupMinorReverts',          false);
 
newOption('popupRedlinkRemoval',        false);
 
newOption('popupWatchDisambiggedPages', null);
 
newOption('popupWatchRedirredPages',    null);
 
newOption('popupDabWiktionary',        'last');
 
 
// navlinks
 
newOption('popupNavLinks',          true);
 
newOption('popupNavLinkSeparator',  ' &sdot; ');
 
newOption('popupLastEditLink',      true);
 
newOption('popupEditCounterTool',  'soxred');
 
newOption('popupEditCounterUrl',    '');
 
newOption('popupExtraUserMenu',    '');
 
//</NOLITE>
 
 
// previews etc
 
newOption('popupPreviews',            true);
 
newOption('popupSummaryData',          true);
 
newOption('popupMaxPreviewSentences',  5);
 
newOption('popupMaxPreviewCharacters', 600);
 
newOption('popupLastModified',        true);
 
newOption('popupPreviewKillTemplates', true);
 
newOption('popupPreviewRawTemplates',  true);
 
newOption('popupPreviewFirstParOnly',  true);
 
newOption('popupPreviewCutHeadings',  true);
 
newOption('popupPreviewButton',        false);
 
newOption('popupPreviewButtonEvent',  'click');
 
 
//<NOLITE>
 
// diffs
 
newOption('popupPreviewDiffs',          true);
 
newOption('popupDiffMaxLines',          100);
 
newOption('popupDiffContextLines',      2);
 
newOption('popupDiffContextCharacters', 40);
 
newOption('popupDiffDates',            true);
 
newOption('popupDiffDatePrinter',      'toLocaleString');
 
 
// edit summaries. God, these are ugly.
 
newOption('popupFixDabsSummary',          popupString('defaultpopupFixDabsSummary') );
 
newOption('popupExtendedRevertSummary',    popupString('defaultpopupExtendedRevertSummary') );
 
newOption('popupTimeOffset',              null);
 
newOption('popupRevertSummary',            popupString('defaultpopupRevertSummary') );
 
newOption('popupRevertToPreviousSummary',  popupString('defaultpopupRevertToPreviousSummary') );
 
newOption('popupQueriedRevertSummary',            popupString('defaultpopupQueriedRevertSummary') );
 
newOption('popupQueriedRevertToPreviousSummary',  popupString('defaultpopupQueriedRevertToPreviousSummary') );
 
newOption('popupFixRedirsSummary',        popupString('defaultpopupFixRedirsSummary') );
 
newOption('popupRedlinkSummary',          popupString('defaultpopupRedlinkSummary') );
 
newOption('popupRmDabLinkSummary',        popupString('defaultpopupRmDabLinkSummary') );
 
//</NOLITE>
 
// misc
 
newOption('popupCookies',            false);
 
newOption('popupHistoryLimit',        50);
 
//<NOLITE>
 
newOption('popupFilters',            [popupFilterStubDetect,    popupFilterDisambigDetect,
 
      popupFilterPageSize,      popupFilterCountLinks,
 
      popupFilterCountImages,    popupFilterCountCategories,
 
      popupFilterLastModified]);
 
newOption('extraPopupFilters',        []);
 
newOption('popupOnEditSelection', 'cursor');
 
newOption('popupPreviewHistory',      true);
 
newOption('popupImageLinks',          true);
 
newOption('popupCategoryMembers',    true);
 
newOption('popupUserInfo',            true);
 
newOption('popupHistoryPreviewLimit', 25);
 
newOption('popupContribsPreviewLimit',25);
 
//</NOLITE>
 
 
// new windows
 
newOption('popupNewWindows',    false);
 
newOption('popupLinksNewWindow', {'lastContrib': true, 'sinceMe': true});
 
 
// regexps
 
newOption('popupDabRegexp', '([{][{]\\s*disambig|disambig\\s*[}][}]|disamb\\s*[}][}]|dab\\s*[}][}])|[{][{]\\s*(((geo|hn|road?|school|number)dis)|[234][lc][acw]|shipindex)(\\s*[|][^}]*)?\\s*[}][}]|is a .*disambiguation.*page');
 
newOption('popupStubRegexp', '(sect)?stub[}][}]|This .*-related article is a .*stub');
 
newOption('popupImageVarsRegexp', 'image|image_(?:file|skyline|name|flag|seal)|cover|badge|logo');
 
}
 
// ENDFILE: options.js
 
// STARTFILE: strings.js
 
//<NOLITE>
 
//////////////////////////////////////////////////
 
// Translatable strings
 
//////////////////////////////////////////////////
 
//
 
// See instructions at
 
// //en.wikipedia.org/wiki/Wikipedia:Tools/Navigation_popups/Translation
 
 
pg.string = {
 
/////////////////////////////////////
 
// summary data, searching etc.
 
/////////////////////////////////////
 
'article': 'article',
 
'category': 'category',
 
'categories': 'categories',
 
'image': 'image',
 
'images': 'images',
 
'stub': 'stub',
 
'section stub': 'section stub',
 
'Empty page': 'Empty page',
 
'kB': 'kB',
 
'bytes': 'bytes',
 
'day': 'day',
 
'days': 'days',
 
'hour': 'hour',
 
'hours': 'hours',
 
'minute': 'minute',
 
'minutes': 'minutes',
 
'second': 'second',
 
'seconds': 'seconds',
 
'week': 'week',
 
'weeks': 'weeks',
 
'search': 'search',
 
'SearchHint': 'Find English Wikipedia articles containing %s',
 
'web': 'web',
 
'global': 'global',
 
'globalSearchHint': 'Search across Wikipedias in different languages for %s',
 
'googleSearchHint': 'Google for %s',
 
/////////////////////////////////////
 
// article-related actions and info
 
// (some actions also apply to user pages)
 
/////////////////////////////////////
 
'actions': 'actions',        ///// view articles and view talk
 
'popupsMenu': 'popups',
 
'togglePreviewsHint': 'Toggle preview generation in popups on this page',
 
'enable previews': 'enable previews',
 
'disable preview': 'disable previews',
 
'toggle previews': 'toggle previews',
 
'show preview': 'show preview',
 
'reset': 'reset',
 
'more...': 'more...',
 
'disable': 'disable popups',
 
'disablePopupsHint': 'Disable popups on this page. Reload page to re-enable.',
 
'historyfeedHint': 'RSS feed of recent changes to this page',
 
'purgePopupsHint': 'Reset popups, clearing all cached popup data.',
 
'PopupsHint': 'Reset popups, clearing all cached popup data.',
 
'spacebar': 'space',
 
'view': 'view',
 
'view article': 'view article',
 
'viewHint': 'Go to %s',
 
'talk': 'talk',
 
'talk page': 'talk page',
 
'this&nbsp;revision': 'this&nbsp;revision',
 
'revision %s of %s': 'revision %s of %s',
 
'Revision %s of %s': 'Revision %s of %s',
 
'the revision prior to revision %s of %s': 'the revision prior to revision %s of %s',
 
'Toggle image size': 'Click to toggle image size',
 
'del': 'del',                ///// delete, protect, move
 
'delete': 'delete',
 
'deleteHint': 'Delete %s',
 
'undeleteShort': 'un',
 
'UndeleteHint': 'Show the deletion history for %s',
 
'protect': 'protect',
 
'protectHint': 'Restrict editing rights to %s',
 
'unprotectShort': 'un',
 
'unprotectHint': 'Allow %s to be edited by anyone again',
 
'move': 'move',
 
'move page': 'move page',
 
'MovepageHint': 'Change the title of %s',
 
'edit': 'edit',              ///// edit articles and talk
 
'edit article': 'edit article',
 
'editHint': 'Change the content of %s',
 
'edit talk': 'edit talk',
 
'new': 'new',
 
'new topic': 'new topic',
 
'newSectionHint': 'Start a new section on %s',
 
'null edit': 'null edit',
 
'nullEditHint': 'Submit an edit to %s, making no changes ',
 
'hist': 'hist',              ///// history, diffs, editors, related
 
'history': 'history',
 
'historyHint': 'List the changes made to %s',
 
'last': 'last',
 
'lastEdit': 'lastEdit',
 
'mark patrolled': 'mark patrolled',
 
'markpatrolledHint': 'Mark this edit as patrolled',
 
'show last edit': 'most recent edit',
 
'Show the last edit': 'Show the effects of the most recent change',
 
'lastContrib': 'lastContrib',
 
'last set of edits': 'latest edits',
 
'lastContribHint': 'Show the net effect of changes made by the last editor',
 
'cur': 'cur',
 
'diffCur': 'diffCur',
 
'Show changes since revision %s': 'Show changes since revision %s',
 
'%s old': '%s old', // as in 4 weeks old
 
'oldEdit': 'oldEdit',
 
'purge': 'purge',
 
'purgeHint': 'Demand a fresh copy of %s',
 
'raw': 'source',
 
'rawHint': 'Download the source of %s',
 
'render': 'simple',
 
'renderHint': 'Show a plain HTML version of %s',
 
'Show the edit made to get revision': 'Show the edit made to get revision',
 
'sinceMe': 'sinceMe',
 
'changes since mine': 'diff my edit',
 
'sinceMeHint': 'Show changes since my last edit',
 
'Couldn\'t find an edit by %s\nin the last %s edits to\n%s': 'Couldn\'t find an edit by %s\nin the last %s edits to\n%s',
 
'eds': 'eds',
 
'editors': 'editors',
 
'editorListHint': 'List the users who have edited %s',
 
'related': 'related',
 
'relatedChanges': 'relatedChanges',
 
'related changes': 'related changes',
 
'RecentchangeslinkedHint': 'Show changes in articles related to %s',
 
'editOld': 'editOld',          ///// edit old version, or revert
 
'rv': 'rv',
 
'revert': 'revert',
 
'revertHint': 'Revert to %s',
 
'defaultpopupRedlinkSummary': 'Removing link to empty page [[%s]] using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
 
'defaultpopupFixDabsSummary': 'Disambiguate [[%s]] to [[%s]] using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
 
'defaultpopupFixRedirsSummary': 'Redirect bypass from [[%s]] to [[%s]] using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
 
'defaultpopupExtendedRevertSummary': 'Revert to revision dated %s by %s, oldid %s using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
 
'defaultpopupRevertToPreviousSummary': 'Revert to the revision prior to revision %s using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
 
'defaultpopupRevertSummary': 'Revert to revision %s using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
 
'defaultpopupQueriedRevertToPreviousSummary': 'Revert to the revision prior to revision $1 dated $2 by $3 using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
 
'defaultpopupQueriedRevertSummary': 'Revert to revision $1 dated $2 by $3 using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
 
'defaultpopupRmDabLinkSummary': 'Remove link to dab page [[%s]] using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
 
'Redirects': 'Redirects', // as in Redirects to ...
 
' to ': ' to ',          // as in Redirects to ...
 
'Bypass redirect': 'Bypass redirect',
 
'Fix this redirect': 'Fix this redirect',
 
'disambig': 'disambig',          ///// add or remove dab etc.
 
'disambigHint': 'Disambiguate this link to [[%s]]',
 
'Click to disambiguate this link to:': 'Click to disambiguate this link to:',
 
'remove this link': 'remove this link',
 
'remove all links to this page from this article': 'remove all links to this page from this article',
 
'remove all links to this disambig page from this article': 'remove all links to this disambig page from this article',
 
'mainlink': 'mainlink',          ///// links, watch, unwatch
 
'wikiLink': 'wikiLink',
 
'wikiLinks': 'wikiLinks',
 
'links here': 'links here',
 
'whatLinksHere': 'whatLinksHere',
 
'what links here': 'what links here',
 
'WhatlinkshereHint': 'List the pages that are hyperlinked to %s',
 
'unwatchShort': 'un',
 
'watchThingy': 'watch',  // called watchThingy because {}.watch is a function
 
'watchHint': 'Add %s to my watchlist',
 
'unwatchHint': 'Remove %s from my watchlist',
 
'Only found one editor: %s made %s edits': 'Only found one editor: %s made %s edits',
 
'%s seems to be the last editor to the page %s': '%s seems to be the last editor to the page %s',
 
'rss': 'rss',
 
/////////////////////////////////////
 
// diff previews
 
/////////////////////////////////////
 
'Diff truncated for performance reasons': 'Diff truncated for performance reasons',
 
'Old revision': 'Old revision',
 
'New revision': 'New revision',
 
'Something went wrong :-(': 'Something went wrong :-(',
 
'Empty revision, maybe non-existent': 'Empty revision, maybe non-existent',
 
'Unknown date': 'Unknown date',
 
/////////////////////////////////////
 
// other special previews
 
/////////////////////////////////////
 
'Empty category': 'Empty category',
 
'Category members (%s shown)': 'Category members (%s shown)',
 
'No image links found': 'No image links found',
 
'File links': 'File links',
 
'No image found': 'No image found',
 
'Image from Commons': 'Image from Commons',
 
'Description page': 'Description page',
 
/////////////////////////////////////
 
// user-related actions and info
 
/////////////////////////////////////
 
'user': 'user',              ///// user page, talk, email, space
 
'user&nbsp;page': 'user&nbsp;page',
 
'user talk': 'user talk',
 
'edit user talk': 'edit user talk',
 
'leave comment': 'leave comment',
 
'email': 'email',
 
'email user': 'email user',
 
'EmailuserHint': 'Send an email to %s',
 
'space': 'space', // short form for userSpace link
 
'PrefixindexHint': 'Show pages in the userspace of %s',
 
'count': 'count',            ///// contributions, log
 
'edit counter': 'edit counter',
 
'editCounterLinkHint': 'Count the contributions made by %s',
 
'contribs': 'contribs',
 
'contributions': 'contributions',
 
'deletedContribs': 'deleted contributions',
 
'DeletedcontributionsHint': 'List deleted edits made by %s',
 
'ContributionsHint': 'List the contributions made by %s',
 
'log': 'log',
 
'user log': 'user log',
 
'userLogHint': 'Show %s\'s user log',
 
'arin': 'ARIN lookup',            ///// ARIN lookup, block user or IP
 
'Look up %s in ARIN whois database': 'Look up %s in the ARIN whois database',
 
'unblockShort': 'un',
 
'block': 'block',
 
'block user': 'block user',
 
'IpblocklistHint': 'Unblock %s',
 
'BlockipHint': 'Prevent %s from editing',
 
'block log': 'block log',
 
'blockLogHint': 'Show the block log for %s',
 
'protectLogHint': 'Show the protection log for %s',
 
'pageLogHint': 'Show the page log for %s',
 
'deleteLogHint': 'Show the deletion log for %s',
 
'Invalid %s %s': 'The option %s is invalid: %s',
 
'No backlinks found': 'No backlinks found',
 
' and more': ' and more',
 
'undo': 'undo',
 
'undoHint': 'undo this edit',
 
'Download preview data': 'Download preview data',
 
'Invalid or IP user': 'Invalid or IP user',
 
'Not a registered username': 'Not a registered username',
 
'BLOCKED': 'BLOCKED',
 
' edits since: ': ' edits since: ',
 
/////////////////////////////////////
 
// Autoediting
 
/////////////////////////////////////
 
'Enter a non-empty edit summary or press cancel to abort': 'Enter a non-empty edit summary or press cancel to abort',
 
'Failed to get revision information, please edit manually.\n\n': 'Failed to get revision information, please edit manually.\n\n',
 
'The %s button has been automatically clicked. Please wait for the next page to load.': 'The %s button has been automatically clicked. Please wait for the next page to load.',
 
'Could not find button %s. Please check the settings in your javascript file.': 'Could not find button %s. Please check the settings in your javascript file.',
 
/////////////////////////////////////
 
// Popups setup
 
/////////////////////////////////////
 
'Open full-size image': 'Open full-size image',
 
'zxy': 'zxy'
 
};
 
 
 
function popupString(str) {
 
if (typeof popupStrings != 'undefined' && popupStrings && popupStrings[str]) { return popupStrings[str]; }
 
if (pg.string[str]) { return pg.string[str]; }
 
return str;
 
}
 
 
 
function tprintf(str,subs) {
 
if (typeof subs != typeof []) { subs = [subs]; }
 
return simplePrintf(popupString(str), subs);
 
}
 
 
//</NOLITE>
 
// ENDFILE: strings.js
 
  
 +
// This hook is also fired after page load.
 +
mw.hook( 'wikipage.content' ).add( dynamicContentHandler );
  
////////////////////////////////////////////////////////////////////
+
mw.hook( 'ext.echo.overlay.beforeShowingOverlay' ).add( function($overlay){
// Run things
+
dynamicContentHandler( $overlay.find(".mw-echo-state") );
////////////////////////////////////////////////////////////////////
+
});
 +
} )();
  
hookEvent('load', setupPopups);
+
});
hookEvent('load', autoEdit);
+
// ENDFILE: run.js

Latest revision as of 19:44, 12 January 2020

// STARTFILE: main.js
// **********************************************************************
// **                                                                  **
// **             changes to this file affect many users.              **
// **           please discuss on the talk page before editing         **
// **                                                                  **
// **********************************************************************
// **                                                                  **
// ** if you do edit this file, be sure that your editor recognizes it **
// ** as utf8, or the weird and wonderful characters in the namespaces **
// **   below will be completely broken. You can check with the show   **
// **            changes button before submitting the edit.            **
// **                      test: مدیا מיוחד Мэдыя                      **
// **                                                                  **
// **********************************************************************
/* eslint-env browser  */
/* global $, jQuery, mw, window */

// Fix later
/* global log, errlog, popupStrings, wikEdUseWikEd, WikEdUpdateFrame */
/* eslint no-mixed-spaces-and-tabs: 0, no-empty: 0 */

$(function () {
//////////////////////////////////////////////////
// Globals
//

// Trying to shove as many of these as possible into the pg (popup globals) object
var pg = {
	re: {},               // regexps
	ns: {},               // namespaces
	string: {},           // translatable strings
	wiki: {},             // local site info
	user: {},             // current user info
	misc: {},             // YUCK PHOOEY
	option: {},           // options, see newOption etc
	optionDefault: {},    // default option values
	flag: {},             // misc flags
	cache: {},            // page and image cache
	structures: {},       // navlink structures
	timer: {},            // all sorts of timers (too damn many)
	counter: {},          // .. and all sorts of counters
	current: {},          // state info
	fn: {},               // functions
	endoflist: null
};
/* Bail if the gadget/script is being loaded twice */
if( window.pg ) {
	return;
}
/* Export to global context */
window.pg = pg;

/// Local Variables: ///
/// mode:c ///
/// End: ///
// ENDFILE: main.js
// STARTFILE: actions.js
function setupTooltips(container, remove, force, popData) {
	log('setupTooltips, container='+container+', remove='+remove);
	if (!container) {
//<NOLITE>
		// the main initial call
		if (getValueOf('popupOnEditSelection') && document && document.editform && document.editform.wpTextbox1) {
			document.editform.wpTextbox1.onmouseup=doSelectionPopup;
		}
//</NOLITE>
		// article/content is a structure-dependent thing
		container = defaultPopupsContainer();
	}

	if (!remove && !force && container.ranSetupTooltipsAlready) { return; }
	container.ranSetupTooltipsAlready = !remove;

	var anchors;
	anchors=container.getElementsByTagName('A');
	setupTooltipsLoop(anchors, 0, 250, 100, remove, popData);
}

function defaultPopupsContainer() {
	if (getValueOf('popupOnlyArticleLinks')) {
		return document.getElementById('mw_content') || 
			document.getElementById('content') ||
			document.getElementById('article') || document;
	}
	return  document;
}

function setupTooltipsLoop(anchors,begin,howmany,sleep, remove, popData) {
	log(simplePrintf('setupTooltipsLoop(%s,%s,%s,%s,%s)', arguments));
	var finish=begin+howmany;
	var loopend = Math.min(finish, anchors.length);
	var j=loopend - begin;
	log ('setupTooltips: anchors.length=' + anchors.length + ', begin=' + begin +
		 ', howmany=' + howmany + ', loopend=' + loopend + ', remove=' + remove);
	var doTooltip= remove ? removeTooltip : addTooltip;
	// try a faster (?) loop construct
	if (j > 0) {
		do {
			var a=anchors[loopend - j];
			if (typeof a==='undefined' || !a || !a.href) {
				log('got null anchor at index ' + loopend - j);
				continue;
			}
			doTooltip(a, popData);
		} while (--j);
	}
	if (finish < anchors.length) {
		setTimeout(function() {
				setupTooltipsLoop(anchors,finish,howmany,sleep,remove,popData);},
			sleep);
	} else {
		if ( !remove && ! getValueOf('popupTocLinks')) { rmTocTooltips(); }
		pg.flag.finishedLoading=true;
	}
}

// eliminate popups from the TOC
// This also kills any onclick stuff that used to be going on in the toc
function rmTocTooltips() {
	var toc=document.getElementById('toc');
	if (toc) {
		var tocLinks=toc.getElementsByTagName('A');
		var tocLen = tocLinks.length;
		for (var j=0; j<tocLen; ++j) {
			removeTooltip(tocLinks[j], true);
		}
	}
}

function addTooltip(a, popData) {
	if ( !isPopupLink(a) ) { return; }
	a.onmouseover=mouseOverWikiLink;
	a.onmouseout= mouseOutWikiLink;
	a.onmousedown = killPopup;
	a.hasPopup = true;
	a.popData = popData;
}

function removeTooltip(a) {
	if ( !a.hasPopup ) { return; }
	a.onmouseover = null;
	a.onmouseout = null;
	if (a.originalTitle) { a.title = a.originalTitle; }
	a.hasPopup=false;
}

function removeTitle(a) {
	if (!a.originalTitle) {
		a.originalTitle=a.title;
	}
		a.title='';
}

function restoreTitle(a) {
	if ( a.title || !a.originalTitle ) { return; }
	a.title = a.originalTitle;
}

function registerHooks(np) {
	var popupMaxWidth=getValueOf('popupMaxWidth');

	if (typeof popupMaxWidth === 'number') {
		var setMaxWidth = function () {
			np.mainDiv.style.maxWidth = popupMaxWidth + 'px';
			np.maxWidth = popupMaxWidth;
		};
		np.addHook(setMaxWidth, 'unhide', 'before');
	}
//<NOLITE>
	np.addHook(addPopupShortcuts, 'unhide', 'after');
	np.addHook(rmPopupShortcuts, 'hide', 'before');
//</NOLITE>
}

function removeModifierKeyHandler(a) {
	//remove listeners for modifier key if any that were added in mouseOverWikiLink
	document.removeEventListener('keydown', a.modifierKeyHandler, false);
	document.removeEventListener('keyup', a.modifierKeyHandler, false);
}

function mouseOverWikiLink(evt) {
	if (!evt && window.event) {evt=window.event;}
	
	// if the modifier is needed, listen for it, 
	// we will remove the listener when we mouseout of this link or kill popup.
	if (getValueOf('popupModifier')) {
		// if popupModifierAction = enable, we should popup when the modifier is pressed
		// if popupModifierAction = disable, we should popup unless the modifier is pressed 
    	var action = getValueOf('popupModifierAction');
    	var key = action=='disable' ? 'keyup' : 'keydown';
    	var a = this;
    	a.modifierKeyHandler = function(evt) {
			mouseOverWikiLink2(a, evt);
		};
    	document.addEventListener(key, a.modifierKeyHandler, false);
	}

	return mouseOverWikiLink2(this, evt);
}

/**
 * Gets the references list item that the provided footnote link targets. This
 * is typically a li element within the ol.references element inside the reflist.
 * @param {Element} a - A footnote link.
 * @returns {Element|boolean} The targeted element, or false if one can't be found. 
 */
function footnoteTarget(a) {
	var aTitle=Title.fromAnchor(a);
	// We want ".3A" rather than "%3A" or "?" here, so use the anchor property directly
	var anch = aTitle.anchor;
	if ( ! /^(cite_note-|_note-|endnote)/.test(anch) ) { return false; }

	var lTitle=Title.fromURL(location.href);
	if ( lTitle.toString(true) !== aTitle.toString(true) ) { return false; }

	var el=document.getElementById(anch);
	while ( el && typeof el.nodeName === 'string') {
		var nt = el.nodeName.toLowerCase();
		if ( nt === 'li' ) { return el; }
		else if ( nt === 'body' ) { return false; }
		else if ( el.parentNode ) { el=el.parentNode; }
		else { return false; }
	}
	return false;
}

function footnotePreview(x, navpop) {
	setPopupHTML('<hr />' + x.innerHTML, 'popupPreview', navpop.idNumber);
}

function modifierPressed(evt) {
		var mod=getValueOf('popupModifier');
		if (!mod) { return false; }

		if (!evt && window.event) {evt=window.event;}

		return ( evt && mod && evt[mod.toLowerCase() + 'Key'] );
}

// Checks if the correct modifier pressed/unpressed if needed
function isCorrectModifier(a,evt) {
	if (!getValueOf('popupModifier')) { return true; }
	// if popupModifierAction = enable, we should popup when the modifier is pressed
	// if popupModifierAction = disable, we should popup unless the modifier is pressed 
	var action = getValueOf('popupModifierAction');
	return ( action ==  'enable' &&  modifierPressed(evt) ||
	         action == 'disable' && !modifierPressed(evt) );
}

function mouseOverWikiLink2(a, evt) {
	if (!isCorrectModifier(a,evt)) { return; }
	if ( getValueOf('removeTitles') ) { removeTitle(a); }
	if ( a==pg.current.link && a.navpopup && a.navpopup.isVisible() ) { return; }
	pg.current.link=a;

	if (getValueOf('simplePopups') && !pg.option.popupStructure) {
		// reset *default value* of popupStructure
		setDefault('popupStructure', 'original');
	}

	var article=(new Title()).fromAnchor(a);
	// set global variable (ugh) to hold article (wikipage)
	pg.current.article = article;

	if (!a.navpopup) {
		a.navpopup=newNavpopup(a, article);
		pg.current.linksHash[a.href] = a.navpopup;
		pg.current.links.push(a);
	}
	if (a.navpopup.pending === null || a.navpopup.pending !== 0) {
		// either fresh popups or those with unfinshed business are redone from scratch
		simplePopupContent(a, article);
	}
	a.navpopup.showSoonIfStable(a.navpopup.delay);

	clearInterval(pg.timer.checkPopupPosition);
	pg.timer.checkPopupPosition=setInterval(checkPopupPosition, 600);

	if(getValueOf('simplePopups')) {
		if (getValueOf('popupPreviewButton') && !a.simpleNoMore) {
			var d=document.createElement('div');
			d.className='popupPreviewButtonDiv';
			var s=document.createElement('span');
			d.appendChild(s);
			s.className='popupPreviewButton';
			s['on' + getValueOf('popupPreviewButtonEvent')] = function() {
				a.simpleNoMore=true;
				d.style.display = "none";
				nonsimplePopupContent(a,article);
			};
			s.innerHTML=popupString('show preview');
			setPopupHTML(d, 'popupPreview', a.navpopup.idNumber);
		}
	}

	if (a.navpopup.pending !== 0 ) {
		nonsimplePopupContent(a, article);
	}
}

// simplePopupContent: the content that do not require additional download
// (it is shown even when simplePopups is true)
function simplePopupContent(a, article) {
	/* FIXME hack */ a.navpopup.hasPopupMenu=false;
	a.navpopup.setInnerHTML(popupHTML(a));
	fillEmptySpans({navpopup:a.navpopup});

	if (getValueOf('popupDraggable'))
	{
		var dragHandle = getValueOf('popupDragHandle') || null;
		if (dragHandle && dragHandle != 'all') {
			dragHandle += a.navpopup.idNumber;
		}
		setTimeout(function(){a.navpopup.makeDraggable(dragHandle);}, 150);
	}

//<NOLITE>
	if (getValueOf('popupRedlinkRemoval') && a.className=='new') {
		setPopupHTML('<br>'+popupRedlinkHTML(article), 'popupRedlink', a.navpopup.idNumber);
	}
//</NOLITE>
}

function debugData(navpopup) {
	if(getValueOf('popupDebugging') && navpopup.idNumber) {
		setPopupHTML('idNumber='+navpopup.idNumber + ', pending=' + navpopup.pending,
				 'popupError', navpopup.idNumber);
	}
}

function newNavpopup(a, article) {
	var navpopup = new Navpopup();
	navpopup.fuzz=5;
	navpopup.delay=getValueOf('popupDelay')*1000;
	// increment global counter now
	navpopup.idNumber = ++pg.idNumber;
	navpopup.parentAnchor = a;
	navpopup.parentPopup = (a.popData && a.popData.owner);
	navpopup.article = article;
	registerHooks(navpopup);
	return navpopup;
}

// Should we show nonsimple context?
// If simplePopups is set to true, then we do not show nonsimple context,
// but if a bottom "show preview" was clicked we do show nonsimple context
function shouldShowNonSimple(a) {
   return !getValueOf('simplePopups') || a.simpleNoMore; 
}

// Should we show nonsimple context govern by the option (e.g. popupUserInfo)?
// If the user explicitly asked for nonsimple context by setting the option to true,
// then we show it even in nonsimple mode.
function shouldShow(a,option) {
	if (shouldShowNonSimple(a)) {
		return getValueOf(option);
	} else {
		return (typeof window[option] != 'undefined' )  && window[option];
	}
}

function nonsimplePopupContent(a, article) {
	var diff=null, history=null;
	var params=parseParams(a.href);
	var oldid=(typeof params.oldid=='undefined' ? null : params.oldid);
//<NOLITE>
	if(shouldShow(a,'popupPreviewDiffs')) {
		diff=params.diff;
	}
	if(shouldShow(a,'popupPreviewHistory')) {
		history=(params.action=='history');
	}
//</NOLITE>
	a.navpopup.pending=0;
	var referenceElement = footnoteTarget(a);
	if (referenceElement) {
		footnotePreview(referenceElement, a.navpopup);
//<NOLITE>
	} else if ( diff || diff === 0 ) {
		loadDiff(article, oldid, diff, a.navpopup);
	} else if ( history ) {
		loadAPIPreview('history', article, a.navpopup);
	} else if ( shouldShowNonSimple(a) && pg.re.contribs.test(a.href) ) {
		loadAPIPreview('contribs', article, a.navpopup);
	} else if ( shouldShowNonSimple(a) && pg.re.backlinks.test(a.href) ) {
		loadAPIPreview('backlinks', article, a.navpopup);
	} else if ( // FIXME should be able to get all preview combinations with options
		article.namespaceId()==pg.nsImageId &&
		( shouldShow(a,'imagePopupsForImages') || ! anchorContainsImage(a) )
		) {
		loadAPIPreview('imagepagepreview', article, a.navpopup);
		loadImage(article, a.navpopup);
//</NOLITE>
	} else {
		if (article.namespaceId() == pg.nsCategoryId &&
				shouldShow(a,'popupCategoryMembers')) {
			loadAPIPreview('category', article, a.navpopup);
		} else if ((article.namespaceId() == pg.nsUserId || article.namespaceId() == pg.nsUsertalkId) &&
				shouldShow(a,'popupUserInfo')) {
			loadAPIPreview('userinfo', article, a.navpopup);
		}
		if (shouldShowNonSimple(a)) startArticlePreview(article, oldid, a.navpopup);
	}
}

function pendingNavpopTask(navpop) {
	if (navpop && navpop.pending === null) { navpop.pending=0; }
	++navpop.pending;
	debugData(navpop);
}

function completedNavpopTask(navpop) {
	if (navpop && navpop.pending) { --navpop.pending; }
	debugData(navpop);
}

function startArticlePreview(article, oldid, navpop) {
	navpop.redir=0;
	loadPreview(article, oldid, navpop);
}

function loadPreview(article, oldid, navpop) {
	if (!navpop.redir) { navpop.originalArticle=article; }
	article.oldid = oldid;
	loadAPIPreview('revision', article, navpop);
}

function loadPreviewFromRedir(redirMatch, navpop) {
	// redirMatch is a regex match
	var target = new Title().fromWikiText(redirMatch[2]);
	// overwrite (or add) anchor from original target
	// mediawiki does overwrite; eg [[User:Lupin/foo3#Done]]
	if ( navpop.article.anchor ) { target.anchor = navpop.article.anchor; }
	navpop.redir++;
	navpop.redirTarget=target;
//<NOLITE>
	var warnRedir = redirLink(target, navpop.article);
	setPopupHTML(warnRedir, 'popupWarnRedir', navpop.idNumber);
//</NOLITE>
	navpop.article=target;
	fillEmptySpans({redir: true, redirTarget: target, navpopup:navpop});
	return loadPreview(target, null,  navpop);
}

function insertPreview(download) {
	if (!download.owner) { return; }

	var redirMatch = pg.re.redirect.exec(download.data);
	if (download.owner.redir === 0 && redirMatch) {
		loadPreviewFromRedir(redirMatch, download.owner);
		return;
	}

	if (download.owner.visible || !getValueOf('popupLazyPreviews')) {
		insertPreviewNow(download);
	} else {
		var id=(download.owner.redir) ? 'PREVIEW_REDIR_HOOK' : 'PREVIEW_HOOK';
		download.owner.addHook( function(){insertPreviewNow(download); return true;},
					'unhide', 'after', id );
	}
}

function insertPreviewNow(download) {
	if (!download.owner) { return; }
	var wikiText=download.data;
	var navpop=download.owner;
	var art=navpop.redirTarget || navpop.originalArticle;

//<NOLITE>
	makeFixDabs(wikiText, navpop);
	if (getValueOf('popupSummaryData')) {
		getPageInfo(wikiText, download);
		setPopupTrailer(getPageInfo(wikiText, download), navpop.idNumber);
	}

	var imagePage='';
	if (art.namespaceId()==pg.nsImageId) { imagePage=art.toString(); }
	else { imagePage=getValidImageFromWikiText(wikiText); }
	if(imagePage) { loadImage(Title.fromWikiText(imagePage), navpop); }
//</NOLITE>

	if (getValueOf('popupPreviews')) { insertArticlePreview(download, art, navpop); }

}

function insertArticlePreview(download, art, navpop) {
	if (download && typeof download.data == typeof ''){
		if (art.namespaceId()==pg.nsTemplateId && getValueOf('popupPreviewRawTemplates')) {
			// FIXME compare/consolidate with diff escaping code for wikitext
			var h='<hr /><span style="font-family: monospace;">' + download.data.entify().split('\\n').join('<br />\\n') + '</span>';
			setPopupHTML(h, 'popupPreview', navpop.idNumber);
		}
		else {
			var p=prepPreviewmaker(download.data, art, navpop);
			p.showPreview();
		}
	}
}

function prepPreviewmaker(data, article, navpop) {
	// deal with tricksy anchors
	var d=anchorize(data, article.anchorString());
	var urlBase=joinPath([pg.wiki.articlebase, article.urlString()]);
	var p=new Previewmaker(d, urlBase, navpop);
	return p;
}


// Try to imitate the way mediawiki generates HTML anchors from section titles
function anchorize(d, anch) {
	if (!anch) { return d; }
	var anchRe=RegExp('(?:=+\\s*' + literalizeRegex(anch).replace(/[_ ]/g, '[_ ]') + '\\s*=+|\\{\\{\\s*'+getValueOf('popupAnchorRegexp')+'\\s*(?:\\|[^|}]*)*?\\s*'+literalizeRegex(anch)+'\\s*(?:\\|[^}]*)?}})');
	var match=d.match(anchRe);
	if(match && match.length > 0 && match[0]) { return d.substring(d.indexOf(match[0])); }

	// now try to deal with == foo [[bar|baz]] boom == -> #foo_baz_boom
	var lines=d.split('\n');
	for (var i=0; i<lines.length; ++i) {
		lines[i]=lines[i].replace(RegExp('[[]{2}([^|\\]]*?[|])?(.*?)[\\]]{2}', 'g'), '$2')
			.replace(/'''([^'])/g, '$1').replace(RegExp("''([^'])", 'g'), '$1');
		if (lines[i].match(anchRe)) {
			return d.split('\n').slice(i).join('\n').replace(RegExp('^[^=]*'), '');
		}
	}
	return d;
}

function killPopup() {
	removeModifierKeyHandler(this);
	if (getValueOf('popupShortcutKeys')) { rmPopupShortcuts(); }
	if (!pg) { return; }
	if (pg.current.link && pg.current.link.navpopup) { pg.current.link.navpopup.banish(); }
	pg.current.link=null;
	abortAllDownloads();
	if (pg.timer.checkPopupPosition) {
		clearInterval(pg.timer.checkPopupPosition);
		pg.timer.checkPopupPosition=null;
	}
	return true; // preserve default action
}
// ENDFILE: actions.js
// STARTFILE: domdrag.js
/**
   @fileoverview
   The {@link Drag} object, which enables objects to be dragged around.

   <pre>
   *************************************************
   dom-drag.js
   09.25.2001
   www.youngpup.net
   **************************************************
   10.28.2001 - fixed minor bug where events
   sometimes fired off the handle, not the root.
   *************************************************
   Pared down, some hooks added by [[User:Lupin]]

   Copyright Aaron Boodman.
   Saying stupid things daily since March 2001.
   </pre>
*/

/**
   Creates a new Drag object. This is used to make various DOM elements draggable.
   @constructor
*/
function Drag () {
	/**
	   Condition to determine whether or not to drag. This function should take one parameter, an Event.
	   To disable this, set it to <code>null</code>.
	   @type Function
	*/
	this.startCondition = null;
	/**
	   Hook to be run when the drag finishes. This is passed the final coordinates of
	   the dragged object (two integers, x and y). To disables this, set it to <code>null</code>.
	   @type Function
	*/
	this.endHook = null;
}

/**
   Gets an event in a cross-browser manner.
   @param {Event} e
   @private
*/
Drag.prototype.fixE = function(e) {
	if (typeof e == 'undefined') { e = window.event; }
	if (typeof e.layerX == 'undefined') { e.layerX = e.offsetX; }
	if (typeof e.layerY == 'undefined') { e.layerY = e.offsetY; }
	return e;
};
/**
   Initialises the Drag instance by telling it which object you want to be draggable, and what you want to drag it by.
   @param {DOMElement} o The "handle" by which <code>oRoot</code> is dragged.
   @param {DOMElement} oRoot The object which moves when <code>o</code> is dragged, or <code>o</code> if omitted.
*/
Drag.prototype.init = function(o, oRoot) {
	var dragObj	  = this;
	this.obj = o;
	o.onmousedown	= function(e) { dragObj.start.apply( dragObj, [e]); };
	o.dragging	   = false;
	o.popups_draggable	  = true;
	o.hmode		  = true;
	o.vmode		  = true;

	o.root = oRoot ? oRoot : o ;

	if (isNaN(parseInt(o.root.style.left, 10))) { o.root.style.left   = "0px"; }
	if (isNaN(parseInt(o.root.style.top,  10))) { o.root.style.top	= "0px"; }

	o.root.onthisStart  = function(){};
	o.root.onthisEnd	= function(){};
	o.root.onthis	   = function(){};
};

/**
   Starts the drag.
   @private
   @param {Event} e
*/
Drag.prototype.start = function(e) {
	var o = this.obj; // = this;
	e = this.fixE(e);
	if (this.startCondition && !this.startCondition(e)) { return; }
	var y = parseInt(o.vmode ? o.root.style.top  : o.root.style.bottom, 10);
	var x = parseInt(o.hmode ? o.root.style.left : o.root.style.right,  10);
	o.root.onthisStart(x, y);

	o.lastMouseX	= e.clientX;
	o.lastMouseY	= e.clientY;

	var dragObj	  = this;
	o.onmousemoveDefault	= document.onmousemove;
	o.dragging			  = true;
	document.onmousemove	= function(e) { dragObj.drag.apply( dragObj, [e] ); };
	document.onmouseup	  = function(e) { dragObj.end.apply( dragObj, [e] ); };
	return false;
};
/**
   Does the drag.
   @param {Event} e
   @private
*/
Drag.prototype.drag = function(e) {
	e = this.fixE(e);
	var o = this.obj;

	var ey	= e.clientY;
	var ex	= e.clientX;
	var y = parseInt(o.vmode ? o.root.style.top  : o.root.style.bottom, 10);
	var x = parseInt(o.hmode ? o.root.style.left : o.root.style.right,  10 );
	var nx, ny;

	nx = x + ((ex - o.lastMouseX) * (o.hmode ? 1 : -1));
	ny = y + ((ey - o.lastMouseY) * (o.vmode ? 1 : -1));

	this.obj.root.style[o.hmode ? "left" : "right"] = nx + "px";
	this.obj.root.style[o.vmode ? "top" : "bottom"] = ny + "px";
	this.obj.lastMouseX	= ex;
	this.obj.lastMouseY	= ey;

	this.obj.root.onthis(nx, ny);
	return false;
};

/**
   Ends the drag.
   @private
*/
Drag.prototype.end = function()  {
	document.onmousemove=this.obj.onmousemoveDefault;
	document.onmouseup   = null;
	this.obj.dragging	= false;
	if (this.endHook) {
		this.endHook( parseInt(this.obj.root.style[this.obj.hmode ? "left" : "right"], 10),
				  parseInt(this.obj.root.style[this.obj.vmode ? "top" : "bottom"], 10));
	}
};
// ENDFILE: domdrag.js
// STARTFILE: structures.js
//<NOLITE>
pg.structures.original={};
pg.structures.original.popupLayout=function () {
	return ['popupError', 'popupImage', 'popupTopLinks', 'popupTitle',
		'popupUserData', 'popupData', 'popupOtherLinks',
		'popupRedir', ['popupWarnRedir', 'popupRedirTopLinks',
				   'popupRedirTitle', 'popupRedirData', 'popupRedirOtherLinks'],
		'popupMiscTools', ['popupRedlink'],
		'popupPrePreviewSep', 'popupPreview', 'popupSecondPreview', 'popupPreviewMore', 'popupPostPreview', 'popupFixDab'];
};
pg.structures.original.popupRedirSpans=function () {
	return ['popupRedir', 'popupWarnRedir', 'popupRedirTopLinks',
		'popupRedirTitle', 'popupRedirData', 'popupRedirOtherLinks'];
};
pg.structures.original.popupTitle=function (x) {
	log ('defaultstructure.popupTitle');
	if (!getValueOf('popupNavLinks')) {
		return navlinkStringToHTML('<b><<mainlink>></b>',x.article,x.params);
	}
	return '';
};
pg.structures.original.popupTopLinks=function (x) {
	log ('defaultstructure.popupTopLinks');
	if (getValueOf('popupNavLinks')) { return navLinksHTML(x.article, x.hint, x.params); }
	return '';
};
pg.structures.original.popupImage=function(x) {
	log ('original.popupImage, x.article='+x.article+', x.navpop.idNumber='+x.navpop.idNumber);
	return imageHTML(x.article, x.navpop.idNumber);
};
pg.structures.original.popupRedirTitle=pg.structures.original.popupTitle;
pg.structures.original.popupRedirTopLinks=pg.structures.original.popupTopLinks;


function copyStructure(oldStructure, newStructure) {
	pg.structures[newStructure]={};
	for (var prop in pg.structures[oldStructure]) {
		pg.structures[newStructure][prop]=pg.structures[oldStructure][prop];
	}
}

copyStructure('original', 'nostalgia');
pg.structures.nostalgia.popupTopLinks=function(x)  {
	var str='';
	str += '<b><<mainlink|shortcut= >></b>';

	// user links
	// contribs - log - count - email - block
	// count only if applicable; block only if popupAdminLinks
	str += 'if(user){<br><<contribs|shortcut=c>>';
	str+='if(wikimedia){*<<count|shortcut=#>>}';
	str+='if(ipuser){}else{*<<email|shortcut=E>>}if(admin){*<<block|shortcut=b>>}}';

	// editing links
	// talkpage   -> edit|new - history - un|watch - article|edit
	// other page -> edit - history - un|watch - talk|edit|new
	var editstr='<<edit|shortcut=e>>';
	var editOldidStr='if(oldid){<<editOld|shortcut=e>>|<<revert|shortcut=v|rv>>|<<edit|cur>>}else{' +
		editstr + '}';
	var historystr='<<history|shortcut=h>>';
	var watchstr='<<unwatch|unwatchShort>>|<<watch|shortcut=w|watchThingy>>';

	str += '<br>if(talk){' +
		editOldidStr+'|<<new|shortcut=+>>' + '*' + historystr+'*'+watchstr + '*' +
		'<b><<article|shortcut=a>></b>|<<editArticle|edit>>' +
		'}else{' + // not a talk page
		editOldidStr + '*' + historystr + '*' + watchstr + '*' +
		'<b><<talk|shortcut=t>></b>|<<editTalk|edit>>|<<newTalk|shortcut=+|new>>}';

	// misc links
	str += '<br><<whatLinksHere|shortcut=l>>*<<relatedChanges|shortcut=r>>';
	str += 'if(admin){<br>}else{*}<<move|shortcut=m>>';

	// admin links
	str += 'if(admin){*<<unprotect|unprotectShort>>|<<protect|shortcut=p>>*' +
	'<<undelete|undeleteShort>>|<<delete|shortcut=d>>}';
	return navlinkStringToHTML(str, x.article, x.params);
};
pg.structures.nostalgia.popupRedirTopLinks=pg.structures.nostalgia.popupTopLinks;

/** -- fancy -- **/
copyStructure('original', 'fancy');
pg.structures.fancy.popupTitle=function (x) {
	return navlinkStringToHTML('<font size=+0><<mainlink>></font>',x.article,x.params);
};
pg.structures.fancy.popupTopLinks=function(x) {
	var hist='<<history|shortcut=h|hist>>|<<lastEdit|shortcut=/|last>>|<<editors|shortcut=E|eds>>';
	var watch='<<unwatch|unwatchShort>>|<<watch|shortcut=w|watchThingy>>';
	var move='<<move|shortcut=m|move>>';
	return navlinkStringToHTML('if(talk){' +
				   '<<edit|shortcut=e>>|<<new|shortcut=+|+>>*' + hist + '*' +
				   '<<article|shortcut=a>>|<<editArticle|edit>>' + '*' + watch + '*' + move +
				   '}else{<<edit|shortcut=e>>*' + hist +
				   '*<<talk|shortcut=t|>>|<<editTalk|edit>>|<<newTalk|shortcut=+|new>>' +
				   '*' + watch + '*' + move+'}<br>', x.article, x.params);
};
pg.structures.fancy.popupOtherLinks=function(x) {
	var admin='<<unprotect|unprotectShort>>|<<protect|shortcut=p>>*<<undelete|undeleteShort>>|<<delete|shortcut=d|del>>';
	var user='<<contribs|shortcut=c>>if(wikimedia){|<<count|shortcut=#|#>>}';
	user+='if(ipuser){|<<arin>>}else{*<<email|shortcut=E|'+
	popupString('email')+'>>}if(admin){*<<block|shortcut=b>>}';

	var normal='<<whatLinksHere|shortcut=l|links here>>*<<relatedChanges|shortcut=r|related>>';
	return navlinkStringToHTML('<br>if(user){' + user + '*}if(admin){'+admin+'if(user){<br>}else{*}}' + normal,
				   x.article, x.params);
};
pg.structures.fancy.popupRedirTitle=pg.structures.fancy.popupTitle;
pg.structures.fancy.popupRedirTopLinks=pg.structures.fancy.popupTopLinks;
pg.structures.fancy.popupRedirOtherLinks=pg.structures.fancy.popupOtherLinks;


/** -- fancy2 -- **/
// hack for [[User:MacGyverMagic]]
copyStructure('fancy', 'fancy2');
pg.structures.fancy2.popupTopLinks=function(x) { // hack out the <br> at the end and put one at the beginning
	return '<br>'+pg.structures.fancy.popupTopLinks(x).replace(RegExp('<br>$','i'),'');
};
pg.structures.fancy2.popupLayout=function () { // move toplinks to after the title
	return ['popupError', 'popupImage', 'popupTitle', 'popupUserData', 'popupData', 'popupTopLinks', 'popupOtherLinks',
		'popupRedir', ['popupWarnRedir', 'popupRedirTopLinks', 'popupRedirTitle', 'popupRedirData', 'popupRedirOtherLinks'],
		'popupMiscTools', ['popupRedlink'],
		'popupPrePreviewSep', 'popupPreview', 'popupSecondPreview', 'popupPreviewMore', 'popupPostPreview', 'popupFixDab'];
};

/** -- menus -- **/
copyStructure('original', 'menus');
pg.structures.menus.popupLayout=function () {
	return ['popupError', 'popupImage', 'popupTopLinks', 'popupTitle', 'popupOtherLinks',
		'popupRedir', ['popupWarnRedir', 'popupRedirTopLinks', 'popupRedirTitle', 'popupRedirData', 'popupRedirOtherLinks'],
		'popupUserData', 'popupData', 'popupMiscTools', ['popupRedlink'],
		'popupPrePreviewSep', 'popupPreview', 'popupSecondPreview', 'popupPreviewMore', 'popupPostPreview', 'popupFixDab'];
};

pg.structures.menus.popupTopLinks = function (x, shorter) {
	// FIXME maybe this stuff should be cached
	var s=[];
	var dropdiv='<div class="popup_drop">';
	var enddiv='</div>';
	var hist='<<history|shortcut=h>>';
	if (!shorter) { hist = '<menurow>' + hist +
			'|<<historyfeed|rss>>|<<editors|shortcut=E>></menurow>'; }
	var lastedit='<<lastEdit|shortcut=/|show last edit>>';
	var thank='if(diff){<<thank|send thanks>>}';
	var jsHistory='<<lastContrib|last set of edits>><<sinceMe|changes since mine>>';
	var linkshere='<<whatLinksHere|shortcut=l|what links here>>';
	var related='<<relatedChanges|shortcut=r|related changes>>';
	var search='<menurow><<search|shortcut=s>>if(wikimedia){|<<globalsearch|shortcut=g|global>>}' +
	'|<<google|shortcut=G|web>></menurow>';
	var watch='<menurow><<unwatch|unwatchShort>>|<<watch|shortcut=w|watchThingy>></menurow>';
	var protect='<menurow><<unprotect|unprotectShort>>|' +
	'<<protect|shortcut=p>>|<<protectlog|log>></menurow>';
	var del='<menurow><<undelete|undeleteShort>>|<<delete|shortcut=d>>|' +
	'<<deletelog|log>></menurow>';
	var move='<<move|shortcut=m|move page>>';
	var nullPurge='<menurow><<nullEdit|shortcut=n|null edit>>|<<purge|shortcut=P>></menurow>';
	var viewOptions='<menurow><<view|shortcut=v>>|<<render|shortcut=S>>|<<raw>></menurow>';
	var editRow='if(oldid){' +
	'<menurow><<edit|shortcut=e>>|<<editOld|shortcut=e|this&nbsp;revision>></menurow>' +
	'<menurow><<revert|shortcut=v>>|<<undo>></menurow>' + '}else{<<edit|shortcut=e>>}';
	var markPatrolled='if(rcid){<<markpatrolled|mark patrolled>>}';
	var newTopic='if(talk){<<new|shortcut=+|new topic>>}';
	var protectDelete='if(admin){' + protect + del + '}';

	if (getValueOf('popupActionsMenu')) {
		s.push( '<<mainlink>>*' + dropdiv + menuTitle('actions'));
	} else {
		s.push( dropdiv + '<<mainlink>>');
	}
	s.push( '<menu>');
	s.push( editRow + markPatrolled + newTopic + hist + lastedit + thank );
	if (!shorter) { s.push(jsHistory); }
	s.push( move + linkshere + related);
	if (!shorter) { s.push(nullPurge + search); }
	if (!shorter) { s.push(viewOptions); }
	s.push('<hr />' + watch + protectDelete);
	s.push('<hr />' +
		   'if(talk){<<article|shortcut=a|view article>><<editArticle|edit article>>}' +
		   'else{<<talk|shortcut=t|talk page>><<editTalk|edit talk>>' +
		   '<<newTalk|shortcut=+|new topic>>}</menu>' + enddiv);

	// user menu starts here
	var email='<<email|shortcut=E|email user>>';
	var contribs=	'if(wikimedia){<menurow>}<<contribs|shortcut=c|contributions>>if(wikimedia){</menurow>}' +
	'if(admin){<menurow><<deletedContribs>></menurow>}';


	s.push('if(user){*' + dropdiv + menuTitle('user'));
	s.push('<menu>');
	s.push('<menurow><<userPage|shortcut=u|user&nbsp;page>>|<<userSpace|space>></menurow>');
	s.push('<<userTalk|shortcut=t|user talk>><<editUserTalk|edit user talk>>' +
		   '<<newUserTalk|shortcut=+|leave comment>>');
	if(!shorter) { s.push( 'if(ipuser){<<arin>>}else{' + email + '}' ); }
	else { s.push( 'if(ipuser){}else{' + email + '}' ); }
	s.push('<hr />' + contribs + '<<userlog|shortcut=L|user log>>');
	s.push('if(wikimedia){<<count|shortcut=#|edit counter>>}');
	s.push('if(admin){<menurow><<unblock|unblockShort>>|<<block|shortcut=b|block user>></menurow>}');
	s.push('<<blocklog|shortcut=B|block log>>');
	s.push('</menu>'  + enddiv + '}');

	// popups menu starts here
	if (getValueOf('popupSetupMenu') && !x.navpop.hasPopupMenu /* FIXME: hack */) {
		x.navpop.hasPopupMenu=true;
		s.push('*' + dropdiv + menuTitle('popupsMenu') + '<menu>');
		s.push('<<togglePreviews|toggle previews>>');
		s.push('<<purgePopups|reset>>');
		s.push('<<disablePopups|disable>>');
		s.push('</menu>'+enddiv);
	}
	return navlinkStringToHTML(s.join(''), x.article, x.params);
};

function menuTitle(s) {
	return '<a href="#" noPopup=1>' + popupString(s) + '</a>';
}

pg.structures.menus.popupRedirTitle=pg.structures.menus.popupTitle;
pg.structures.menus.popupRedirTopLinks=pg.structures.menus.popupTopLinks;

copyStructure('menus', 'shortmenus');
pg.structures.shortmenus.popupTopLinks=function(x) {
	return pg.structures.menus.popupTopLinks(x,true);
};
pg.structures.shortmenus.popupRedirTopLinks=pg.structures.shortmenus.popupTopLinks;

//</NOLITE>
pg.structures.lite={};
pg.structures.lite.popupLayout=function () {
	return ['popupTitle', 'popupPreview' ];
};
pg.structures.lite.popupTitle=function (x) {
	log (x.article + ': structures.lite.popupTitle');
	//return navlinkStringToHTML('<b><<mainlink>></b>',x.article,x.params);
	return '<div><span class="popup_mainlink"><b>' + x.article.toString() + '</b></span></div>';
};
// ENDFILE: structures.js
// STARTFILE: autoedit.js
//<NOLITE>
function substitute(data,cmdBody) {
	// alert('sub\nfrom: '+cmdBody.from+'\nto: '+cmdBody.to+'\nflags: '+cmdBody.flags);
	var fromRe=RegExp(cmdBody.from, cmdBody.flags);
	return data.replace(fromRe, cmdBody.to);
}

function execCmds(data, cmdList) {
	for (var i=0; i<cmdList.length; ++i) {
		data=cmdList[i].action(data, cmdList[i]);
	}
	return data;
}

function parseCmd(str) {
	// returns a list of commands
	if (!str.length) { return []; }
	var p=false;
	switch (str.charAt(0)) {
	case 's':
		p=parseSubstitute(str);
		break;
	default:
		return false;
	}
	if (p) { return [p].concat(parseCmd(p.remainder)); }
	return false;
}

function unEscape(str, sep) {
	return str.split('\\\\').join('\\').split('\\'+sep).join(sep).split('\\n').join('\n');
}


function parseSubstitute(str) {
	// takes a string like s/a/b/flags;othercmds and parses it

	var from,to,flags,tmp;

	if (str.length<4) { return false; }
	var sep=str.charAt(1);
	str=str.substring(2);

	tmp=skipOver(str,sep);
	if (tmp) { from=tmp.segment; str=tmp.remainder; }
	else { return false; }

	tmp=skipOver(str,sep);
	if (tmp) { to=tmp.segment; str=tmp.remainder; }
	else { return false; }

	flags='';
	if (str.length) {
		tmp=skipOver(str,';') || skipToEnd(str, ';');
		if (tmp) {flags=tmp.segment; str=tmp.remainder; }
	}

	return {action: substitute, from: from, to: to, flags: flags, remainder: str};

}

function skipOver(str,sep) {
	var endSegment=findNext(str,sep);
	if (endSegment<0) { return false; }
	var segment=unEscape(str.substring(0,endSegment), sep);
	return {segment: segment, remainder: str.substring(endSegment+1)};
}

/*eslint-disable*/
function skipToEnd(str,sep) {
	return {segment: str, remainder: ''};
}
/*eslint-enable */

function findNext(str, ch) {
	for (var i=0; i<str.length; ++i) {
		if (str.charAt(i)=='\\') { i+=2; }
		if (str.charAt(i)==ch) { return i; }
	}
	return -1;
}

function setCheckbox(param, box) {
	var val=mw.util.getParamValue(param);
	if (val) {
		switch (val) {
		case '1': case 'yes': case 'true':
			box.checked=true;
			break;
		case '0': case 'no':  case 'false':
			box.checked=false;
		}
	}
}

function autoEdit() {
	setupPopups( function () {
		if (mw.util.getParamValue('autoimpl') !== popupString('autoedit_version') ) { return false; }
		if (mw.util.getParamValue('autowatchlist') && mw.util.getParamValue('actoken')===autoClickToken()) {
			pg.fn.modifyWatchlist(mw.util.getParamValue('title'), mw.util.getParamValue('action'));
		}
		if (!document.editform) { return false; }
		if (autoEdit.alreadyRan) { return false; }
		autoEdit.alreadyRan=true;
		var cmdString=mw.util.getParamValue('autoedit');
		if (cmdString) {
			try {
				var editbox=document.editform.wpTextbox1;
				var cmdList=parseCmd(cmdString);
				var input=editbox.value;
				var output=execCmds(input, cmdList);
				editbox.value=output;
			} catch (dang) { return; }
			// wikEd user script compatibility
			if (typeof(wikEdUseWikEd) != 'undefined') {
				if (wikEdUseWikEd === true) {
					WikEdUpdateFrame();
				}
			}
		}
		setCheckbox('autominor', document.editform.wpMinoredit);
		setCheckbox('autowatch', document.editform.wpWatchthis);
	
		var rvid = mw.util.getParamValue('autorv');
		if (rvid) {
			var url=pg.wiki.apiwikibase + '?action=query&format=json&formatversion=2&prop=revisions&revids='+rvid;
			startDownload(url, null, autoEdit2);
		} else { autoEdit2(); }
	} );
}

function autoEdit2(d) {
	var summary=mw.util.getParamValue('autosummary');
	var summaryprompt=mw.util.getParamValue('autosummaryprompt');
	var summarynotice='';
	if (d && d.data && mw.util.getParamValue('autorv')) {
		var s = getRvSummary(summary, d.data);
		if (s === false) {
			summaryprompt=true;
			summarynotice=popupString('Failed to get revision information, please edit manually.\n\n');
			summary = simplePrintf(summary, [mw.util.getParamValue('autorv'), '(unknown)', '(unknown)']);
		} else { summary = s; }
	}
	if (summaryprompt) {
		var txt= summarynotice +
			popupString('Enter a non-empty edit summary or press cancel to abort');
		var response=prompt(txt, summary);
		if (response) { summary=response; }
		else { return; }
	}
	if (summary) { document.editform.wpSummary.value=summary; }
	// Attempt to avoid possible premature clicking of the save button
	// (maybe delays in updates to the DOM are to blame?? or a red herring)
	setTimeout(autoEdit3, 100);
}

function autoClickToken() {
	return mw.user.sessionId();
}

function autoEdit3() {
	if( mw.util.getParamValue('actoken') != autoClickToken()) { return; }

	var btn=mw.util.getParamValue('autoclick');
	if (btn) {
		if (document.editform && document.editform[btn]) {
			var button=document.editform[btn];
			var msg=tprintf('The %s button has been automatically clicked. Please wait for the next page to load.',
					[ button.value ]);
			bannerMessage(msg);
			document.title='('+document.title+')';
			button.click();
		} else {
			alert(tprintf('Could not find button %s. Please check the settings in your javascript file.',
					  [ btn ]));
		}
	}
}

function bannerMessage(s) {
	var headings=document.getElementsByTagName('h1');
	if (headings) {
		var div=document.createElement('div');
		div.innerHTML='<font size=+1><b>' + s + '</b></font>';
		headings[0].parentNode.insertBefore(div, headings[0]);
	}
}

function getRvSummary(template, json) {
	try {
		var o=getJsObj(json);
		var edit = anyChild(o.query.pages).revisions[0];
		var timestamp = edit.timestamp.split(/[A-Z]/g).join(' ').replace(/^ *| *$/g, '');
		return simplePrintf(template, [edit.revid, timestamp, edit.userhidden ? '(hidden)' : edit.user ]);
	} catch (badness) {
		return false;
	}
}

//</NOLITE>
// ENDFILE: autoedit.js
// STARTFILE: downloader.js
/**
   @fileoverview
   {@link Downloader}, a xmlhttprequest wrapper, and helper functions.
*/

/**
   Creates a new Downloader
   @constructor
   @class The Downloader class. Create a new instance of this class to download stuff.
   @param {String} url The url to download. This can be omitted and supplied later.
*/
function Downloader(url) {
	if (typeof XMLHttpRequest!='undefined') { this.http = new XMLHttpRequest(); }
	/**
		The url to download
		@type String
	*/
	this.url = url;
	/**
		A universally unique ID number
		@type integer
	*/
	this.id=null;
	/**
		Modification date, to be culled from the incoming headers
		@type Date
		@private
	*/
	this.lastModified = null;
	/**
		What to do when the download completes successfully
		@type Function
		@private
	*/
	this.callbackFunction = null;
	/**
		What to do on failure
		@type Function
		@private
	*/
	this.onFailure = null;
	/**
		Flag set on <code>abort</code>
		@type boolean
	*/
	this.aborted = false;
	/**
	   HTTP method. See https://www.w3.org/Protocols/rfc2616/rfc2616-sec9.html for possibilities.
	   @type String
	*/
	this.method='GET';
	/**
		Async flag.
		@type boolean
	*/
	this.async=true;
}

new Downloader();

/** Submits the http request. */
Downloader.prototype.send = function (x) {
	if (!this.http) { return null; }
	return this.http.send(x);
};
/** Aborts the download, setting the <code>aborted</code> field to true.  */
Downloader.prototype.abort = function () {
	if (!this.http) { return null; }
	this.aborted=true;
	return this.http.abort();
};
/** Returns the downloaded data. */
Downloader.prototype.getData = function () {if (!this.http) { return null; } return this.http.responseText;};
/** Prepares the download. */
Downloader.prototype.setTarget = function () {
	if (!this.http) { return null; }
	this.http.open(this.method, this.url, this.async);
	this.http.setRequestHeader( 'Api-User-Agent', pg.misc.userAgent );
};
/** Gets the state of the download. */
Downloader.prototype.getReadyState=function () {if (!this.http) { return null; } return this.http.readyState;};

pg.misc.downloadsInProgress = { };

/** Starts the download.
	Note that setTarget {@link Downloader#setTarget} must be run first
*/
Downloader.prototype.start=function () {
	if (!this.http) { return; }
	pg.misc.downloadsInProgress[this.id] = this;
	this.http.send(null);
};

/** Gets the 'Last-Modified' date from the download headers.
	Should be run after the download completes.
	Returns <code>null</code> on failure.
	@return {Date}
*/
Downloader.prototype.getLastModifiedDate=function () {
	if(!this.http) { return null; }
	var lastmod=null;
	try {
		lastmod=this.http.getResponseHeader('Last-Modified');
	} catch (err) {}
	if (lastmod) { return new Date(lastmod); }
	return null;
};

/** Sets the callback function.
	@param {Function} f callback function, called as <code>f(this)</code> on success
*/
Downloader.prototype.setCallback = function (f) {
	if(!this.http) { return; }
	this.http.onreadystatechange = f;
};

Downloader.prototype.getStatus = function() { if (!this.http) { return null; } return this.http.status; };

//////////////////////////////////////////////////
// helper functions

/** Creates a new {@link Downloader} and prepares it for action.
	@param {String} url The url to download
	@param {integer} id The ID of the {@link Downloader} object
	@param {Function} callback The callback function invoked on success
	@return {String/Downloader} the {@link Downloader} object created, or 'ohdear' if an unsupported browser
*/
function newDownload(url, id, callback, onfailure) {
	var d=new Downloader(url);
	if (!d.http) { return 'ohdear'; }
	d.id=id;
	d.setTarget();
	if (!onfailure) {
		onfailure=2;
	}
	var f = function () {
		if (d.getReadyState() == 4) {
			delete pg.misc.downloadsInProgress[this.id];
			try {
				if ( d.getStatus() == 200 ) {
					d.data=d.getData();
					d.lastModified=d.getLastModifiedDate();
					callback(d);
				} else if (typeof onfailure == typeof 1) {
					if (onfailure > 0) {
						// retry
						newDownload(url, id, callback, onfailure - 1);
					}
				} else if ($.isFunction(onfailure)) {
					onfailure(d,url,id,callback);
				}
			} catch (somerr) { /* ignore it */ }
		}
	};
	d.setCallback(f);
	return d;
}
/** Simulates a download from cached data.
	The supplied data is put into a {@link Downloader} as if it had downloaded it.
	@param {String} url The url.
	@param {integer} id The ID.
	@param {Function} callback The callback, which is invoked immediately as <code>callback(d)</code>,
	where <code>d</code> is the new {@link Downloader}.
	@param {String} data The (cached) data.
	@param {Date} lastModified The (cached) last modified date.
*/
function fakeDownload(url, id, callback, data, lastModified, owner) {
	var d=newDownload(url,callback);
	d.owner=owner;
	d.id=id; d.data=data;
	d.lastModified=lastModified;
	return callback(d);
}

/**
   Starts a download.
   @param {String} url The url to download
   @param {integer} id The ID of the {@link Downloader} object
   @param {Function} callback The callback function invoked on success
   @return {String/Downloader} the {@link Downloader} object created, or 'ohdear' if an unsupported browser
*/
function startDownload(url, id, callback) {
	var d=newDownload(url, id, callback);
	if (typeof d == typeof '' ) { return d; }
	d.start();
	return d;
}

/**
   Aborts all downloads which have been started.
*/
function abortAllDownloads() {
	for ( var x in pg.misc.downloadsInProgress ) {
		try {
			pg.misc.downloadsInProgress[x].aborted=true;
			pg.misc.downloadsInProgress[x].abort();
			delete pg.misc.downloadsInProgress[x];
		} catch (e) {}
	}
}
// ENDFILE: downloader.js
// STARTFILE: livepreview.js
// TODO: location is often not correct (eg relative links in previews)
// NOTE: removed md5 and image and math parsing. was broken, lots of bytes.
/**
 * InstaView - a Mediawiki to HTML converter in JavaScript
 * Version 0.6.1
 * Copyright (C) Pedro Fayolle 2005-2006
 * https://en.wikipedia.org/wiki/User:Pilaf
 * Distributed under the BSD license
 *
 * Changelog:
 *
 * 0.6.1
 * - Fixed problem caused by \r characters
 * - Improved inline formatting parser
 *
 * 0.6
 * - Changed name to InstaView
 * - Some major code reorganizations and factored out some common functions
 * - Handled conversion of relative links (i.e. [[/foo]])
 * - Fixed misrendering of adjacent definition list items
 * - Fixed bug in table headings handling
 * - Changed date format in signatures to reflect Mediawiki's
 * - Fixed handling of [[:Image:...]]
 * - Updated MD5 function (hopefully it will work with UTF-8)
 * - Fixed bug in handling of links inside images
 *
 * To do:
 * - Better support for math tags
 * - Full support for <nowiki>
 * - Parser-based (as opposed to RegExp-based) inline wikicode handling (make it one-pass and bullet-proof)
 * - Support for templates (through AJAX)
 * - Support for coloured links (AJAX)
 */


var Insta = {};

function setupLivePreview() {

	// options
	Insta.conf =
	{
		baseUrl: '',

		user: {},

		wiki: {
		lang: pg.wiki.lang,
		interwiki: pg.wiki.interwiki,
		default_thumb_width: 180
		},

		paths: {
		articles: pg.wiki.articlePath + '/',
		// Only used for Insta previews with images. (not in popups)
		math: '/math/',
		images: '//upload.wikimedia.org/wikipedia/en/', // FIXME getImageUrlStart(pg.wiki.hostname),
		images_fallback: '//upload.wikimedia.org/wikipedia/commons/',
		},

		locale: {
		user: mw.config.get('wgFormattedNamespaces')[pg.nsUserId],
		image: mw.config.get('wgFormattedNamespaces')[pg.nsImageId],
		category: mw.config.get('wgFormattedNamespaces')[pg.nsCategoryId],
		// shouldn't be used in popup previews, i think
		months: ['Jan','Feb','Mar','Apr','May','Jun','Jul','Aug','Sep','Oct','Nov','Dec']
		}
	};

	// options with default values or backreferences
	Insta.conf.user.name = Insta.conf.user.name || 'Wikipedian';
	Insta.conf.user.signature = '[['+Insta.conf.locale.user+':'+Insta.conf.user.name+'|'+Insta.conf.user.name+']]';
	//Insta.conf.paths.images = '//upload.wikimedia.org/wikipedia/' + Insta.conf.wiki.lang + '/';

	// define constants
	Insta.BLOCK_IMAGE = new RegExp('^\\[\\[(?:File|Image|'+Insta.conf.locale.image+
        '):.*?\\|.*?(?:frame|thumbnail|thumb|none|right|left|center)', 'i');

}


Insta.dump = function(from, to)
{
	if (typeof from == 'string') { from = document.getElementById(from); }
	if (typeof to == 'string') { to = document.getElementById(to); }
	to.innerHTML = this.convert(from.value);
};

Insta.convert = function(wiki)
{
	var ll = (typeof wiki == 'string')? wiki.replace(/\r/g,'').split(/\n/): wiki, // lines of wikicode
		o  = '', // output
		p  = 0,	 // para flag
		$r;	 // result of passing a regexp to $()

	// some shorthands
	function remain() { return ll.length; }
	function sh() { return ll.shift(); } // shift
	function ps(s) { o += s; } // push

	// similar to C's printf, uses ? as placeholders, ?? to escape question marks
	function f()
	{
		var i=1, a=arguments,  f=a[0], o='', c, p;
		for (; i<a.length; i++) {
			if ((p=f.indexOf('?'))+1) {
				// allow character escaping
				i -= c = f.charAt(p+1)=='?' ? 1 : 0;
				o += f.substring(0,p) + (c ? '?' : a[i]);
				f = f.substr(p+1+c);
			} else { break; }
		}
		return o+f;
	}

	function html_entities(s) {
		return s.replace(/&/g,"&amp;").replace(/</g,"&lt;").replace(/>/g,"&gt;");
	}
	
	// Wiki text parsing to html is a nightmare.
	// The below functions deliberately don't escape the ampersand since this would make it more difficult,
	// and we don't absolutely need to for how we need it.
	// This means that any unescaped ampersands in wikitext will remain unescaped and can cause invalid HTML.
	// Browsers should all be able to handle it though.
	// We also escape significant wikimarkup characters to prevent further matching on the processed text
	function htmlescape_text(s) {
		return s.replace(/</g,"&lt;").replace(/>/g,"&gt;").replace(/:/g,"&#58;").replace(/\[/g,"&#91;").replace(/]/g,"&#93;");
	}
	function htmlescape_attr(s) {
		return htmlescape_text(s).replace(/'/g,"&#39;").replace(/"/g,"&quot;");
	}

	// return the first non matching character position between two strings
	function str_imatch(a, b)
	{
		for (var i=0, l=Math.min(a.length, b.length); i<l; i++) {
			if (a.charAt(i)!=b.charAt(i)) { break; }
		}
		return i;
	}

	// compare current line against a string or regexp
	// if passed a string it will compare only the first string.length characters
	// if passed a regexp the result is stored in $r
	function $(c) { return (typeof c == 'string') ? (ll[0].substr(0,c.length)==c) : ($r = ll[0].match(c)); }

	function $$(c) { return ll[0]==c; } // compare current line against a string
	function _(p) { return ll[0].charAt(p); } // return char at pos p

	function endl(s) { ps(s); sh(); }

	function parse_list()
	{
		var prev='';

		while (remain() && $(/^([*#:;]+)(.*)$/)) {

			var l_match = $r;

			sh();

			var ipos = str_imatch(prev, l_match[1]);

			// close uncontinued lists
			for (var prevPos=prev.length-1; prevPos >= ipos; prevPos--) {

				var pi = prev.charAt(prevPos);

				if (pi=='*') { ps('</ul>'); }
				else if (pi=='#') { ps('</ol>'); }
				// close a dl only if the new item is not a dl item (:, ; or empty)
				else if($.inArray(l_match[1].charAt(prevPos), ['','*','#'])) { ps('</dl>'); }
			}

			// open new lists
			for (var matchPos=ipos; matchPos<l_match[1].length; matchPos++) {

				var li = l_match[1].charAt(matchPos);

				if (li=='*') { ps('<ul>'); }
				else if (li=='#') { ps('<ol>'); }
				// open a new dl only if the prev item is not a dl item (:, ; or empty)
				else if ($.inArray(prev.charAt(matchPos), ['','*','#'])) { ps('<dl>'); }
			}

			switch (l_match[1].charAt(l_match[1].length-1)) {

				case '*': case '#':
					ps('<li>' + parse_inline_nowiki(l_match[2]));
					break;

				case ';':
					ps('<dt>');

					var dt_match = l_match[2].match(/(.*?)(:.*?)$/);

					// handle ;dt :dd format
					if (dt_match) {
						ps(parse_inline_nowiki(dt_match[1]));
						ll.unshift(dt_match[2]);

					} else ps(parse_inline_nowiki(l_match[2]));
					break;

				case ':':
					ps('<dd>' + parse_inline_nowiki(l_match[2]));
			}

			prev=l_match[1];
		}

		// close remaining lists
		for (var i=prev.length-1; i>=0; i--) {
			ps(f('</?>', (prev.charAt(i)=='*')? 'ul': ((prev.charAt(i)=='#')? 'ol': 'dl')));
		}
	}

	function parse_table()
	{
		endl(f('<table>', $(/^\{\|( .*)$/)? $r[1]: ''));

		for (;remain();) if ($('|')) switch (_(1)) {
			case '}':
				endl('</table>');
				return;
			case '-':
				endl(f('<tr>', $(/\|-*(.*)/)[1]));
				break;
			default:
				parse_table_data();
		}
		else if ($('!')) { parse_table_data(); }
		else { sh(); }
	}

	function parse_table_data()
	{
		var td_line, match_i;

		// 1: "|+", '|' or '+'
		// 2: ??
		// 3: attributes ??
		// TODO: finish commenting this regexp
		var td_match = sh().match(/^(\|\+|\||!)((?:([^[|]*?)\|(?!\|))?(.*))$/);

		if (td_match[1] == '|+') ps('<caption');
		else ps('<t' + ((td_match[1]=='|')?'d':'h'));

		if (typeof td_match[3] != 'undefined') {

			//ps(' ' + td_match[3])
			match_i = 4;

		} else match_i = 2;

		ps('>');

		if (td_match[1] != '|+') {

			// use || or !! as a cell separator depending on context
			// NOTE: when split() is passed a regexp make sure to use non-capturing brackets
			td_line = td_match[match_i].split((td_match[1] == '|')? '||': /(?:\|\||!!)/);

			ps(parse_inline_nowiki(td_line.shift()));

			while (td_line.length) ll.unshift(td_match[1] + td_line.pop());

		} else ps(td_match[match_i]);

		var tc = 0, td = [];

		while (remain()) {
			td.push(sh());
			if ($('|')) {
				if (!tc) break; // we're at the outer-most level (no nested tables), skip to td parse
				else if (_(1)=='}') tc--;
			}
			else if (!tc && $('!')) break;
			else if ($('{|')) tc++;
		}

		if (td.length) ps(Insta.convert(td));
	}

	function parse_pre()
	{
		ps('<pre>');
		do {
			endl(parse_inline_nowiki(ll[0].substring(1)) + "\n");
		} while (remain() && $(' '));
		ps('</pre>');
	}

	function parse_block_image()
	{
		ps(parse_image(sh()));
	}

	function parse_image(str)
	{
//<NOLITE>
		// get what's in between "[[Image:" and "]]"
		var tag = str.substring(str.indexOf(':') + 1, str.length - 2);
		/* eslint-disable no-unused-vars */
		var width;
		var attr = [], filename, caption = '';
		var thumb=0, frame=0, center=0;
		var align='';
		/* eslint-enable no-unused-vars */

		if (tag.match(/\|/)) {
			// manage nested links
			var nesting = 0;
			var last_attr;
			for (var i = tag.length-1; i > 0; i--) {
				if (tag.charAt(i) == '|' && !nesting) {
					last_attr = tag.substr(i+1);
					tag = tag.substring(0, i);
					break;
				} else switch (tag.substr(i-1, 2)) {
					case ']]':
						nesting++;
						i--;
						break;
					case '[[':
						nesting--;
						i--;
				}
			}

			attr = tag.split(/\s*\|\s*/);
			attr.push(last_attr);
			filename = attr.shift();

			var w_match;

			for (;attr.length; attr.shift()) {
				w_match = attr[0].match(/^(\d*)(?:[px]*\d*)?px$/);
				if (w_match) width = w_match[1];
				else switch(attr[0]) {
					case 'thumb':
					case 'thumbnail':
						thumb=true;
						frame=true;
						break;
					case 'frame':
						frame=true;
						break;
					case 'none':
					case 'right':
					case 'left':
						center=false;
						align=attr[0];
						break;
					case 'center':
						center=true;
						align='none';
						break;
					default:
						if (attr.length == 1) caption = attr[0];
			}
		}

		} else filename = tag;

		return '';
//</NOLITE>
	}

	function parse_inline_nowiki(str)
	{
		var start, lastend=0;
		var substart=0, nestlev=0, open, close, subloop;
		var html='';

		while (-1 != (start = str.indexOf('<nowiki>', substart))) {
			html += parse_inline_wiki(str.substring(lastend, start));
			start += 8;
			substart = start;
			subloop = true;
			do {
				open = str.indexOf('<nowiki>', substart);
				close = str.indexOf('</nowiki>', substart);
				if (close<=open || open==-1) {
					if (close==-1) {
						return html + html_entities(str.substr(start));
					}
					substart = close+9;
					if (nestlev) {
						nestlev--;
					} else {
						lastend = substart;
						html += html_entities(str.substring(start, lastend-9));
						subloop = false;
					}
				} else {
					substart = open+8;
					nestlev++;
				}
			} while (subloop);
		}

		return html + parse_inline_wiki(str.substr(lastend));
	}

	function parse_inline_images(str)
	{
//<NOLITE>
		var start, substart=0, nestlev=0;
		var loop, close, open, wiki, html;

		while (-1 != (start=str.indexOf('[[', substart))) {
			if(str.substr(start+2).match(RegExp('^(Image|File|' + Insta.conf.locale.image + '):','i'))) {
				loop=true;
				substart=start;
				do {
					substart+=2;
					close=str.indexOf(']]',substart);
					open=str.indexOf('[[',substart);
					if (close<=open||open==-1) {
						if (close==-1) return str;
						substart=close;
						if (nestlev) {
							nestlev--;
						} else {
							wiki=str.substring(start,close+2);
							html=parse_image(wiki);
							str=str.replace(wiki,html);
							substart=start+html.length;
							loop=false;
						}
					} else {
						substart=open;
						nestlev++;
					}
				} while (loop);

			} else break;
		}

//</NOLITE>
		return str;
	}

	// the output of this function doesn't respect the FILO structure of HTML
	// but since most browsers can handle it I'll save myself the hassle
	function parse_inline_formatting(str)
	{
		var em,st,i,li,o='';
		while ((i=str.indexOf("''",li))+1) {
			o += str.substring(li,i);
			li=i+2;
			if (str.charAt(i+2)=="'") {
				li++;
				st=!st;
				o+=st?'<strong>':'</strong>';
			} else {
				em=!em;
				o+=em?'<em>':'</em>';
			}
		}
		return o+str.substr(li);
	}

	function parse_inline_wiki(str)
	{
		str = parse_inline_images(str);
		str = parse_inline_formatting(str);

		// math
		str = str.replace(/<(?:)math>(.*?)<\/math>/ig, '');

		// Build a Mediawiki-formatted date string
		var date = new Date();
		var minutes = date.getUTCMinutes();
		if (minutes < 10) minutes = '0' + minutes;
		date = f("?:?, ? ? ? (UTC)", date.getUTCHours(), minutes, date.getUTCDate(), Insta.conf.locale.months[date.getUTCMonth()], date.getUTCFullYear());

		// text formatting
		return str.
			// signatures
			replace(/~{5}(?!~)/g, date).
			replace(/~{4}(?!~)/g, Insta.conf.user.name+' '+date).
			replace(/~{3}(?!~)/g, Insta.conf.user.name).

			// [[:Category:...]], [[:Image:...]], etc...
			replace(RegExp('\\[\\[:((?:'+Insta.conf.locale.category+'|Image|File|'+Insta.conf.locale.image+'|'+Insta.conf.wiki.interwiki+'):[^|]*?)\\]\\](\\w*)','gi'), function($0,$1,$2){return f("<a href='?'>?</a>", Insta.conf.paths.articles + htmlescape_attr($1), htmlescape_text($1) + htmlescape_text($2));}).
			// remove straight category and interwiki tags
			replace(RegExp('\\[\\[(?:'+Insta.conf.locale.category+'|'+Insta.conf.wiki.interwiki+'):.*?\\]\\]','gi'),'').

			// [[:Category:...|Links]], [[:Image:...|Links]], etc...
			replace(RegExp('\\[\\[:((?:'+Insta.conf.locale.category+'|Image|File|'+Insta.conf.locale.image+'|'+Insta.conf.wiki.interwiki+'):.*?)\\|([^\\]]+?)\\]\\](\\w*)','gi'), function($0,$1,$2,$3){return f("<a href='?'>?</a>", Insta.conf.paths.articles + htmlescape_attr($1), htmlescape_text($2) + htmlescape_text($3));}).

			// [[/Relative links]]
			replace(/\[\[(\/[^|]*?)\]\]/g, function($0,$1){return f("<a href='?'>?</a>", Insta.conf.baseUrl + htmlescape_attr($1), htmlescape_text($1)); }).

			// [[/Replaced|Relative links]]
			replace(/\[\[(\/.*?)\|(.+?)\]\]/g, function($0,$1,$2){return f("<a href='?'>?</a>", Insta.conf.baseUrl + htmlescape_attr($1), htmlescape_text($2)); }).

			// [[Common links]]
			replace(/\[\[([^[|]*?)\]\](\w*)/g, function($0,$1,$2){return f("<a href='?'>?</a>", Insta.conf.paths.articles + htmlescape_attr($1), htmlescape_text($1) + htmlescape_text($2)); }).

			// [[Replaced|Links]]
			replace(/\[\[([^[]*?)\|([^\]]+?)\]\](\w*)/g, function($0,$1,$2,$3){return f("<a href='?'>?</a>", Insta.conf.paths.articles + htmlescape_attr($1), htmlescape_text($2) + htmlescape_text($3)); }).

			// [[Stripped:Namespace|Namespace]]
			replace(/\[\[([^\]]*?:)?(.*?)( *\(.*?\))?\|\]\]/g, function($0,$1,$2,$3){return f("<a href='?'>?</a>", Insta.conf.paths.articles + htmlescape_attr($1) + htmlescape_attr($2) + htmlescape_attr($3), htmlescape_text($2)); }).

			// External links
			replace(/\[(https?|news|ftp|mailto|gopher|irc):(\/*)([^\]]*?) (.*?)\]/g, function($0,$1,$2,$3,$4){return f("<a class='external' href='?:?'>?</a>", htmlescape_attr($1), htmlescape_attr($2) + htmlescape_attr($3), htmlescape_text($4)); }).
			replace(/\[http:\/\/(.*?)\]/g, function($0,$1){return f("<a class='external' href='http://?'>[#]</a>", htmlescape_attr($1)); }).
			replace(/\[(news|ftp|mailto|gopher|irc):(\/*)(.*?)\]/g, function($0,$1,$2,$3){return f("<a class='external' href='?:?'>?:?</a>", htmlescape_attr($1), htmlescape_attr($2) + htmlescape_attr($3), htmlescape_text($1), htmlescape_text($2) + htmlescape_text($3)); }).
			replace(/(^| )(https?|news|ftp|mailto|gopher|irc):(\/*)([^ $]*[^.,!?;: $])/g, function($0,$1,$2,$3,$4){return f("?<a class='external' href='?:?'>?:?</a>", htmlescape_text($1), htmlescape_attr($2), htmlescape_attr($3) + htmlescape_attr($4), htmlescape_text($2), htmlescape_text($3) + htmlescape_text($4)); }).

			replace('__NOTOC__','').
			replace('__NOEDITSECTION__','');
	}

	// begin parsing
	for (;remain();) if ($(/^(={1,6})(.*)\1(.*)$/)) {
		p=0;
		endl(f('<h?>?</h?>?', $r[1].length, parse_inline_nowiki($r[2]), $r[1].length, $r[3]));

	} else if ($(/^[*#:;]/)) {
		p=0;
		parse_list();

	} else if ($(' ')) {
		p=0;
		parse_pre();

	} else if ($('{|')) {
		p=0;
		parse_table();

	} else if ($(/^----+$/)) {
		p=0;
		endl('<hr />');

	} else if ($(Insta.BLOCK_IMAGE)) {
		p=0;
		parse_block_image();

	} else {

		// handle paragraphs
		if ($$('')) {
			p = (remain()>1 && ll[1]===(''));
			if (p) endl('<p><br>');
		} else {
			if(!p) {
				ps('<p>');
				p=1;
			}
			ps(parse_inline_nowiki(ll[0]) + ' ');
		}

		sh();
	}

	return o;
};

function wiki2html(txt,baseurl) {
	Insta.conf.baseUrl=baseurl;
	return Insta.convert(txt);
}
// ENDFILE: livepreview.js
// STARTFILE: pageinfo.js
//<NOLITE>
function popupFilterPageSize(data) {
	return formatBytes(data.length);
}

function popupFilterCountLinks(data) {
	var num=countLinks(data);
	return String(num) + '&nbsp;' + ((num!=1)?popupString('wikiLinks'):popupString('wikiLink'));
}

function popupFilterCountImages(data) {
	var num=countImages(data);
	return String(num) + '&nbsp;' + ((num!=1)?popupString('images'):popupString('image'));
}

function popupFilterCountCategories(data) {
	var num=countCategories(data);
	return String(num) + '&nbsp;' + ((num!=1)?popupString('categories'):popupString('category'));
}


function popupFilterLastModified(data,download) {
	var lastmod=download.lastModified;
	var now=new Date();
	var age=now-lastmod;
	if (lastmod && getValueOf('popupLastModified')) {
		return (tprintf('%s old', [formatAge(age)])).replace(RegExp(' ','g'), '&nbsp;');
	}
	return '';
}

function formatAge(age) {
	// coerce into a number
	var a=0+age, aa=a;

	var seclen  = 1000;
	var minlen  = 60*seclen;
	var hourlen = 60*minlen;
	var daylen  = 24*hourlen;
	var weeklen = 7*daylen;

	var numweeks = (a-a%weeklen)/weeklen; a = a-numweeks*weeklen; var sweeks = addunit(numweeks, 'week');
	var numdays  = (a-a%daylen)/daylen;   a = a-numdays*daylen;   var sdays  = addunit(numdays, 'day');
	var numhours = (a-a%hourlen)/hourlen; a = a-numhours*hourlen; var shours = addunit(numhours,'hour');
	var nummins  = (a-a%minlen)/minlen;   a = a-nummins*minlen;   var smins  = addunit(nummins, 'minute');
	var numsecs  = (a-a%seclen)/seclen;   a = a-numsecs*seclen;   var ssecs  = addunit(numsecs, 'second');

	if (aa > 4*weeklen) { return sweeks; }
	if (aa > weeklen)   { return sweeks + ' ' + sdays; }
	if (aa > daylen)	{ return sdays  + ' ' + shours; }
	if (aa > 6*hourlen) { return shours; }
	if (aa > hourlen)   { return shours + ' ' + smins; }
	if (aa > 10*minlen) { return smins; }
	if (aa > minlen)	{ return smins  + ' ' + ssecs; }
	return ssecs;
}

function addunit(num,str) { return '' + num + ' ' + ((num!=1) ? popupString(str+'s') : popupString(str)) ;}

function runPopupFilters(list, data, download) {
	var ret=[];
	for (var i=0; i<list.length; ++i) {
		if (list[i] && typeof list[i] == 'function') {
			var s=list[i](data, download, download.owner.article);
			if (s) { ret.push(s); }
		}
	}
	return ret;
}

function getPageInfo(data, download) {
	if (!data || data.length === 0) { return popupString('Empty page'); }

	var popupFilters=getValueOf('popupFilters') || [];
	var extraPopupFilters = getValueOf('extraPopupFilters') || [];
	var pageInfoArray = runPopupFilters(popupFilters.concat(extraPopupFilters), data, download);

	var pageInfo=pageInfoArray.join(', ');
	if (pageInfo !== '' ) { pageInfo = upcaseFirst(pageInfo); }
	return pageInfo;
}


// this could be improved!
function countLinks(wikiText) { return wikiText.split('[[').length - 1; }

// if N = # matches, n = # brackets, then
// String.parenSplit(regex) intersperses the N+1 split elements
// with Nn other elements. So total length is
// L= N+1 + Nn = N(n+1)+1. So N=(L-1)/(n+1).

function countImages(wikiText) {
	return (wikiText.parenSplit(pg.re.image).length - 1) / (pg.re.imageBracketCount + 1);
}

function countCategories(wikiText) {
	return (wikiText.parenSplit(pg.re.category).length - 1) / (pg.re.categoryBracketCount + 1);
}

function popupFilterStubDetect(data, download, article)	 {
	var counts=stubCount(data, article);
	if (counts.real) { return popupString('stub'); }
	if (counts.sect) { return popupString('section stub'); }
	return '';
}

function popupFilterDisambigDetect(data, download, article) {
	if (!getValueOf('popupAllDabsStubs') && article.namespace()) { return ''; }
	return (isDisambig(data, article)) ? popupString('disambig') : '';
}

function formatBytes(num) {
	return (num > 949) ? (Math.round(num/100)/10+popupString('kB')) : (num +'&nbsp;' + popupString('bytes')) ;
}
//</NOLITE>
// ENDFILE: pageinfo.js
// STARTFILE: titles.js
/**
   @fileoverview Defines the {@link Title} class, and associated crufty functions.

   <code>Title</code> deals with article titles and their various
   forms.  {@link Stringwrapper} is the parent class of
   <code>Title</code>, which exists simply to make things a little
   neater.

*/

/**
   Creates a new Stringwrapper.
   @constructor

   @class the Stringwrapper class. This base class is not really
   useful on its own; it just wraps various common string operations.
*/
function Stringwrapper() {
	/**
	   Wrapper for this.toString().indexOf()
	   @param {String} x
	   @type integer
	*/
	this.indexOf=function(x){return this.toString().indexOf(x);};
	/**
	   Returns this.value.
	   @type String
	*/
	this.toString=function(){return this.value;};
	/**
	   Wrapper for {@link String#parenSplit} applied to this.toString()
	   @param {RegExp} x
	   @type Array
	*/
	this.parenSplit=function(x){return this.toString().parenSplit(x);};
	/**
	   Wrapper for this.toString().substring()
	   @param {String} x
	   @param {String} y (optional)
	   @type String
	*/
	this.substring=function(x,y){
		if (typeof y=='undefined') { return this.toString().substring(x); }
		return this.toString().substring(x,y);
	};
	/**
	   Wrapper for this.toString().split()
	   @param {String} x
	   @type Array
	*/
	this.split=function(x){return this.toString().split(x);};
	/**
	   Wrapper for this.toString().replace()
	   @param {String} x
	   @param {String} y
	   @type String
	*/
	this.replace=function(x,y){ return this.toString().replace(x,y); };
}


/**
   Creates a new <code>Title</code>.
   @constructor

   @class The Title class. Holds article titles and converts them into
   various forms. Also deals with anchors, by which we mean the bits
   of the article URL after a # character, representing locations
   within an article.

   @param {String} value The initial value to assign to the
   article. This must be the canonical title (see {@link
   Title#value}. Omit this in the constructor and use another function
   to set the title if this is unavailable.
*/
function Title(val) {
	/**
	   The canonical article title. This must be in UTF-8 with no
	   entities, escaping or nasties. Also, underscores should be
	   replaced with spaces.
	   @type String
	   @private
	*/
	this.value=null;
	/**
	   The canonical form of the anchor. This should be exactly as
	   it appears in the URL, i.e. with the .C3.0A bits in.
	   @type String
	*/
	this.anchor='';

	this.setUtf(val);
}
Title.prototype=new Stringwrapper();
/**
   Returns the canonical representation of the article title, optionally without anchor.
   @param {boolean} omitAnchor
   @fixme Decide specs for anchor
   @return String The article title and the anchor.
*/
Title.prototype.toString=function(omitAnchor) {
	return this.value + ( (!omitAnchor && this.anchor) ? '#' + this.anchorString() : '' );
};
Title.prototype.anchorString=function() {
	if (!this.anchor) { return ''; }
	var split=this.anchor.parenSplit(/((?:[.][0-9A-F]{2})+)/);
	var len=split.length;
	for (var j=1; j<len; j+=2) {
		// FIXME s/decodeURI/decodeURIComponent/g ?
		split[j]=decodeURIComponent(split[j].split('.').join('%')).split('_').join(' ');
	}
	return split.join('');
};
Title.prototype.urlAnchor=function() {
	var split=this.anchor.parenSplit('/((?:[%][0-9A-F]{2})+)/');
	var len=split.length;
	for (var j=1; j<len; j+=2) {
		split[j]=split[j].split('%').join('.');
	}
	return split.join('');
};
Title.prototype.anchorFromUtf=function(str) {
	this.anchor=encodeURIComponent(str.split(' ').join('_'))
	.split('%3A').join(':').split("'").join('%27').split('%').join('.');
};
Title.fromURL=function(h) {
	return new Title().fromURL(h);
};
Title.prototype.fromURL=function(h) {
	if (typeof h != 'string') {
		this.value=null;
		return this;
	}

	// NOTE : playing with decodeURI, encodeURI, escape, unescape,
	// we seem to be able to replicate the IE borked encoding

	// IE doesn't do this new-fangled utf-8 thing.
	// and it's worse than that.
	// IE seems to treat the query string differently to the rest of the url
	// the query is treated as bona-fide utf8, but the first bit of the url is pissed around with

	// we fix up & for all browsers, just in case.
	var splitted=h.split('?');
	splitted[0]=splitted[0].split('&').join('%26');

	h=splitted.join('?');

	var contribs=pg.re.contribs.exec(h);
	if (contribs) {
		if (contribs[1]=='title=') { contribs[3]=contribs[3].split('+').join(' '); }
		var u=new Title(contribs[3]);
		this.setUtf(this.decodeNasties(mw.config.get('wgFormattedNamespaces')[pg.nsUserId] + ':' + u.stripNamespace()));
		return this;
	}

	var email=pg.re.email.exec(h);
	if (email) {
		this.setUtf(this.decodeNasties(mw.config.get('wgFormattedNamespaces')[pg.nsUserId] + ':' + new Title(email[3]).stripNamespace()));
		return this;
	}

	var backlinks=pg.re.backlinks.exec(h);
	if (backlinks) {
		this.setUtf(this.decodeNasties(new Title(backlinks[3])));
		return this;
	}

	//A dummy title object for a Special:Diff link.
	var specialdiff=pg.re.specialdiff.exec(h);
	if (specialdiff) {
		this.setUtf(this.decodeNasties(new Title(mw.config.get('wgFormattedNamespaces')[pg.nsSpecialId] + ':Diff')));
		return this;
	}

	// no more special cases to check --
	// hopefully it's not a disguised user-related or specially treated special page
	var m=pg.re.main.exec(h);
	if(m === null) { this.value=null; }
	else {
		var fromBotInterface = /[?](.+[&])?title=/.test(h);
		if (fromBotInterface) {
			m[2]=m[2].split('+').join('_');
		}
		var extracted = m[2] + (m[3] ? '#' + m[3] : '');
		if (pg.flag.isSafari && /%25[0-9A-Fa-f]{2}/.test(extracted)) {
			// Fix Safari issue
			// Safari sometimes encodes % as %25 in UTF-8 encoded strings like %E5%A3 -> %25E5%25A3.
			this.setUtf(decodeURIComponent(unescape(extracted)));
		} else {
			this.setUtf(this.decodeNasties(extracted));
		}
	}
	return this;
};
Title.prototype.decodeNasties=function(txt) {
	var ret= this.decodeEscapes(decodeURI(txt));
	ret = ret.replace(/[_ ]*$/, '');
	return ret;
};
Title.prototype.decodeEscapes=function(txt) {
	var split=txt.parenSplit(/((?:[%][0-9A-Fa-f]{2})+)/);
	var len=split.length;
	for (var i=1; i<len; i=i+2) {
		// FIXME is decodeURIComponent better?
		split[i]=unescape(split[i]);
	}
	return split.join('');
};
Title.fromAnchor=function(a) {
	return new Title().fromAnchor(a);
};
Title.prototype.fromAnchor=function(a) {
	if (!a) { this.value=null; return this; }
	return this.fromURL(a.href);
};
Title.fromWikiText=function(txt) {
	return new Title().fromWikiText(txt);
};
Title.prototype.fromWikiText=function(txt) {
	// FIXME - testing needed
	txt=myDecodeURI(txt);
	this.setUtf(txt);
	return this;
};
Title.prototype.hintValue=function(){
	if(!this.value) { return ''; }
	return safeDecodeURI(this.value);
};
//<NOLITE>
Title.prototype.toUserName=function(withNs) {
	if (this.namespaceId() != pg.nsUserId && this.namespaceId() != pg.nsUsertalkId) {
		this.value=null;
		return;
	}
	this.value = (withNs ? mw.config.get('wgFormattedNamespaces')[pg.nsUserId] + ':' : '') + this.stripNamespace().split('/')[0];
};
Title.prototype.userName=function(withNs) {
	var t=(new Title(this.value));
	t.toUserName(withNs);
	if (t.value) { return t; }
	return null;
};
Title.prototype.toTalkPage=function() {
	// convert article to a talk page, or if we can't, return null
	// In other words: return null if this ALREADY IS a talk page
	// and return the corresponding talk page otherwise
	//
	// Per https://www.mediawiki.org/wiki/Manual:Namespace#Subject_and_talk_namespaces
	// * All discussion namespaces have odd-integer indices
	// * The discussion namespace index for a specific namespace with index n is n + 1
	if (this.value === null) { return null; }
	
	var namespaceId = this.namespaceId();
	if (namespaceId>=0 && namespaceId % 2 === 0) //non-special and subject namespace
	{
		var localizedNamespace = mw.config.get('wgFormattedNamespaces')[namespaceId+1];
		if (typeof localizedNamespace!=='undefined')
		{
			if (localizedNamespace === '') {
				this.value = this.stripNamespace();
			} else {
				this.value = localizedNamespace.split(' ').join('_') + ':' + this.stripNamespace();
			}
			return this.value;
		}
	}

	this.value=null;
	return null;
};
//</NOLITE>
// Return canonical, localized namespace
Title.prototype.namespace=function() {
	return mw.config.get('wgFormattedNamespaces')[this.namespaceId()];
};
Title.prototype.namespaceId=function() {
	var n=this.value.indexOf(':');
	if (n<0) { return 0; } //mainspace
	var namespaceId = mw.config.get('wgNamespaceIds')[this.value.substring(0,n).split(' ').join('_').toLowerCase()];
	if (typeof namespaceId=='undefined') return 0; //mainspace
	return namespaceId;
};
//<NOLITE>
Title.prototype.talkPage=function() {
	var t=new Title(this.value);
	t.toTalkPage();
	if (t.value) { return t; }
	return null;
};
Title.prototype.isTalkPage=function() {
	if (this.talkPage()===null) { return true; }
	return false;
};
Title.prototype.toArticleFromTalkPage=function() {
	//largely copy/paste from toTalkPage above.
	if (this.value === null) { return null; }
	
	var namespaceId = this.namespaceId();
	if (namespaceId >= 0 && namespaceId % 2 == 1) //non-special and talk namespace
	{
		var localizedNamespace = mw.config.get('wgFormattedNamespaces')[namespaceId-1];
		if (typeof localizedNamespace!=='undefined')
		{
			if (localizedNamespace === '') {
				this.value = this.stripNamespace();
			} else {
				this.value = localizedNamespace.split(' ').join('_') + ':' + this.stripNamespace();
			}
			return this.value;
		}
	}

	this.value=null;
	return null;
};
Title.prototype.articleFromTalkPage=function() {
	var t=new Title(this.value);
	t.toArticleFromTalkPage();
	if (t.value) { return t; }
	return null;
};
Title.prototype.articleFromTalkOrArticle=function() {
	var t=new Title(this.value);
	if ( t.toArticleFromTalkPage() ) { return t; }
	return this;
};
Title.prototype.isIpUser=function() {
	return pg.re.ipUser.test(this.userName());
};
//</NOLITE>
Title.prototype.stripNamespace=function(){ // returns a string, not a Title
	var n=this.value.indexOf(':');
	if (n<0) { return this.value; }
	var namespaceId = this.namespaceId();
	if (namespaceId === pg.nsMainspaceId) return this.value;
	return this.value.substring(n+1);
};
Title.prototype.setUtf=function(value){
	if (!value) { this.value=''; return; }
	var anch=value.indexOf('#');
	if(anch < 0) { this.value=value.split('_').join(' '); this.anchor=''; return; }
	this.value=value.substring(0,anch).split('_').join(' ');
	this.anchor=value.substring(anch+1);
	this.ns=null; // wait until namespace() is called
};
Title.prototype.setUrl=function(urlfrag) {
	var anch=urlfrag.indexOf('#');
	this.value=safeDecodeURI(urlfrag.substring(0,anch));
	this.anchor=this.value.substring(anch+1);
};
Title.prototype.append=function(x){
	this.setUtf(this.value + x);
};
Title.prototype.urlString=function(x) {
	if(!x) { x={}; }
	var v=this.toString(true);
	if (!x.omitAnchor && this.anchor) { v+= '#' + this.urlAnchor(); }
	if (!x.keepSpaces) { v=v.split(' ').join('_'); }
	return encodeURI(v).split('&').join('%26').split('?').join('%3F').split('+').join('%2B');
};
Title.prototype.removeAnchor=function() {
	return new Title(this.toString(true));
};
Title.prototype.toUrl=function() {
	return pg.wiki.titlebase + this.urlString();
};

function parseParams(url) {
	var specialDiff = pg.re.specialdiff.exec(url);
	if (specialDiff)
	{
		var split= specialDiff[1].split('/');
		if (split.length==1) return {oldid:split[0], diff: 'prev'};
		else if (split.length==2) return {oldid: split[0], diff: split[1]};
	}

	var ret={};
	if (url.indexOf('?')==-1) { return ret; }
	url = url.split('#')[0];
	var s=url.split('?').slice(1).join();
	var t=s.split('&');
	for (var i=0; i<t.length; ++i) {
		var z=t[i].split('=');
		z.push(null);
		ret[z[0]]=z[1];
	}
	//Diff revision with no oldid is interpreted as a diff to the previous revision by MediaWiki
	if (ret.diff && typeof(ret.oldid)==='undefined')
	{
		ret.oldid = "prev";
	}
	//Documentation seems to say something different, but oldid can also accept prev/next, and Echo is emitting such URLs. Simple fixup during parameter decoding:
	if (ret.oldid && (ret.oldid==='prev' || ret.oldid==='next' || ret.oldid==='cur'))
	{
		var helper = ret.diff;
		ret.diff = ret.oldid;
		ret.oldid = helper;
	}
	return ret;
}

// (a) myDecodeURI (first standard decodeURI, then pg.re.urlNoPopup)
// (b) change spaces to underscores
// (c) encodeURI (just the straight one, no pg.re.urlNoPopup)

function myDecodeURI (str) {
	var ret;
	// FIXME decodeURIComponent??
	try { ret=decodeURI(str.toString()); }
	catch (summat) { return str; }
	for (var i=0; i<pg.misc.decodeExtras.length; ++i) {
		var from=pg.misc.decodeExtras[i].from;
		var to=pg.misc.decodeExtras[i].to;
		ret=ret.split(from).join(to);
	}
	return ret;
}

function safeDecodeURI(str) { var ret=myDecodeURI(str); return ret || str; }

///////////
// TESTS //
///////////

//<NOLITE>
function isDisambig(data, article) {
	if (!getValueOf('popupAllDabsStubs') && article.namespace()) { return false; }
	return ! article.isTalkPage() && pg.re.disambig.test(data);
}

function stubCount(data, article) {
	if (!getValueOf('popupAllDabsStubs') && article.namespace()) { return false; }
	var sectStub=0;
	var realStub=0;
	if (pg.re.stub.test(data)) {
		var s=data.parenSplit(pg.re.stub);
		for (var i=1; i<s.length; i=i+2) {
			if (s[i]) { ++sectStub; }
			else { ++realStub; }
		}
	}
	return { real: realStub, sect: sectStub };
}

function isValidImageName(str){ // extend as needed...
	return ( str.indexOf('{') == -1 );
}

function isInStrippableNamespace(article) {
	// Does the namespace allow subpages
	// Note, would be better if we had access to wgNamespacesWithSubpages
	return ( article.namespaceId() !== 0 );
}

function isInMainNamespace(article) { return article.namespaceId() === 0; }

function anchorContainsImage(a) {
	// iterate over children of anchor a
	// see if any are images
	if (a === null) { return false; }
	var kids=a.childNodes;
	for (var i=0; i<kids.length; ++i) { if (kids[i].nodeName=='IMG') { return true; } }
	return false;
}
//</NOLITE>
function isPopupLink(a) {
	// NB for performance reasons, TOC links generally return true
	// they should be stripped out later

	if (!markNopopupSpanLinks.done) { markNopopupSpanLinks(); }
	if (a.inNopopupSpan) { return false; }

	// FIXME is this faster inline?
	if (a.onmousedown || a.getAttribute('nopopup')) { return false; }
	var h=a.href;
	if (h === document.location.href+'#') { return false; }
	if (!pg.re.basenames.test(h)) { return false; }
	if (!pg.re.urlNoPopup.test(h)) { return true;	}
	return (
		(pg.re.email.test(h) || pg.re.contribs.test(h) || pg.re.backlinks.test(h) || pg.re.specialdiff.test(h)) &&
		h.indexOf('&limit=') == -1 );
}

function markNopopupSpanLinks() {
	if( !getValueOf('popupOnlyArticleLinks'))
		fixVectorMenuPopups();

	var s = $('.nopopups').toArray();
	for (var i=0; i<s.length; ++i) {
		var as=s[i].getElementsByTagName('a');
		for (var j=0; j<as.length; ++j) {
			as[j].inNopopupSpan=true;
		}
	}
	
	markNopopupSpanLinks.done=true;
}

function fixVectorMenuPopups() {
	$('div.vectorMenu h3:first a:first').prop('inNopopupSpan', true);
}
// ENDFILE: titles.js
// STARTFILE: getpage.js
//////////////////////////////////////////////////
// Wiki-specific downloading
//

// Schematic for a getWiki call
//
//             getPageWithCaching
//					|
//	   false		|		  true
// getPage<-[findPictureInCache]->-onComplete(a fake download)
//   \.
//	 (async)->addPageToCache(download)->-onComplete(download)

// check cache to see if page exists

function getPageWithCaching(url, onComplete, owner) {
	log('getPageWithCaching, url='+url);
	var i=findInPageCache(url);
	var d;
	if (i > -1) {
		d=fakeDownload(url, owner.idNumber, onComplete,
			pg.cache.pages[i].data, pg.cache.pages[i].lastModified,
			owner);
	} else {
		d=getPage(url, onComplete, owner);
		if (d && owner && owner.addDownload) {
			owner.addDownload(d);
			d.owner=owner;
		}
	}
}

function getPage(url, onComplete, owner) {
	log('getPage');
	var callback= function (d) { if (!d.aborted) {addPageToCache(d); onComplete(d);} };
	return startDownload(url, owner.idNumber, callback);
}

function findInPageCache(url) {
	for (var i=0; i<pg.cache.pages.length; ++i) {
		if (url==pg.cache.pages[i].url) { return i; }
	}
	return -1;
}

function addPageToCache(download) {
	log('addPageToCache '+download.url);
	var page = {url: download.url, data: download.data, lastModified: download.lastModified};
	return pg.cache.pages.push(page);
}
// ENDFILE: getpage.js
// STARTFILE: parensplit.js
//////////////////////////////////////////////////
// parenSplit

// String.prototype.parenSplit should do what ECMAscript says String.prototype.split does,
// interspersing paren matches (regex capturing groups) between the split elements.
// i.e. 'abc'.split(/(b)/)) should return ['a','b','c'], not ['a','c']

if (String('abc'.split(/(b)/))!='a,b,c') {
	// broken String.split, e.g. konq, IE < 10
	String.prototype.parenSplit=function (re) {
		re=nonGlobalRegex(re);
		var s=this;
		var m=re.exec(s);
		var ret=[];
		while (m && s) {
			// without the following loop, we have
			// 'ab'.parenSplit(/a|(b)/) != 'ab'.split(/a|(b)/)
			for(var i=0; i<m.length; ++i) {
				if (typeof m[i]=='undefined') m[i]='';
			}
			ret.push(s.substring(0,m.index));
			ret = ret.concat(m.slice(1));
			s=s.substring(m.index + m[0].length);
			m=re.exec(s);
		}
		ret.push(s);
		return ret;
	};
} else {
	String.prototype.parenSplit=function (re) { return this.split(re); };
	String.prototype.parenSplit.isNative=true;
}

function nonGlobalRegex(re) {
	var s=re.toString();
	var flags='';
	for (var j=s.length; s.charAt(j) != '/'; --j) {
		if (s.charAt(j) != 'g') { flags += s.charAt(j); }
	}
	var t=s.substring(1,j);
	return RegExp(t,flags);
}
// ENDFILE: parensplit.js
// STARTFILE: tools.js
// IE madness with encoding
// ========================
//
// suppose throughout that the page is in utf8, like wikipedia
//
// if a is an anchor DOM element and a.href should consist of
//
// http://host.name.here/wiki/foo?bar=baz
//
// then IE gives foo as "latin1-encoded" utf8; we have foo = decode_utf8(decodeURI(foo_ie))
// but IE gives bar=baz correctly as plain utf8
//
// ---------------------------------
//
// IE's xmlhttp doesn't understand utf8 urls. Have to use encodeURI here.
//
// ---------------------------------
//
// summat else

// Source: http://aktuell.de.selfhtml.org/artikel/javascript/utf8b64/utf8.htm

//<NOLITE>


function getJsObj(json) {
	try {
		var json_ret = JSON.parse(json);
		if( json_ret.warnings ) {
			for( var w=0; w < json_ret.warnings.length; w++ ) {
				if( json_ret.warnings[w]['*'] ) {
					log( json_ret.warnings[w]['*'] );
				} else {
					log( json_ret.warnings[w]['warnings'] );
				}
			}
		} else if ( json_ret.error ) {
			errlog( json_ret.error.code + ': ' + json_ret.error.info );
		}
		return json_ret;
	} catch (someError) {
		errlog('Something went wrong with getJsObj, json='+json);
		return 1;
	}
}

function anyChild(obj) {
	for (var p in obj) {
		return obj[p];
	}
	return null;
}

//</NOLITE>

function upcaseFirst(str) {
	if (typeof str != typeof '' || str === '') return '';
	return str.charAt(0).toUpperCase() + str.substring(1);
}


function findInArray(arr, foo) {
	if (!arr || !arr.length) { return -1; }
	var len=arr.length;
	for (var i=0; i<len; ++i) { if (arr[i]==foo) { return i; } }
	return -1;
}

/* eslint-disable no-unused-vars */
function nextOne (array, value) {
	// NB if the array has two consecutive entries equal
	//	then this will loop on successive calls
	var i=findInArray(array, value);
	if (i<0) { return null; }
	return array[i+1];
}
/* eslint-enable no-unused-vars */

function literalizeRegex(str){
	return mw.util.escapeRegExp(str);
}

String.prototype.entify=function() {
	//var shy='&shy;';
	return this.split('&').join('&amp;').split('<').join('&lt;').split('>').join('&gt;'/*+shy*/).split('"').join('&quot;');
};

// Array filter function
function removeNulls(val) { return val !== null; }

function joinPath(list) {
	return list.filter(removeNulls).join('/');
}


function simplePrintf(str, subs) {
	if (!str || !subs) { return str; }
	var ret=[];
	var s=str.parenSplit(/(%s|\$[0-9]+)/);
	var i=0;
	do {
		ret.push(s.shift());
		if ( !s.length ) { break; }
		var cmd=s.shift();
		if (cmd == '%s') {
			if ( i < subs.length ) { ret.push(subs[i]); } else { ret.push(cmd); }
			++i;
		} else {
			var j=parseInt( cmd.replace('$', ''), 10 ) - 1;
			if ( j > -1 && j < subs.length ) { ret.push(subs[j]); } else { ret.push(cmd); }
		}
	} while (s.length > 0);
	return ret.join('');
}
/* eslint-disable no-unused-vars */
function isString(x) { return (typeof x === 'string' || x instanceof String); }
function isNumber(x) { return (typeof x === 'number' || x instanceof Number); }
function isRegExp(x) { return x instanceof RegExp; }
function isArray (x) { return x instanceof Array; }
function isObject(x) { return x instanceof Object; }
function isFunction(x) {
	return !isRegExp(x) && ($.isFunction(x) || x instanceof Function);
}
/* eslint-enable no-unused-vars */

function repeatString(s,mult) {
	var ret='';
	for (var i=0; i<mult; ++i) { ret += s; }
	return ret;
}

function zeroFill(s, min) {
	min = min || 2;
	var t=s.toString();
	return repeatString('0', min - t.length) + t;
}

function map(f, o) {
	if (isArray(o)) { return map_array(f,o); }
	return map_object(f,o);
}
function map_array(f,o) {
	var ret=[];
	for (var i=0; i<o.length; ++i) {
		ret.push(f(o[i]));
	}
	return ret;
}
function map_object(f,o) {
	var ret={};
	for (var i in o) { ret[o]=f(o[i]); }
	return ret;
}

pg.escapeQuotesHTML = function ( text ) {
	return text
		.replace(/&/g, "&amp;")
		.replace(/"/g, "&quot;")
		.replace(/</g, "&lt;")
		.replace(/>/g, "&gt;");
};

// ENDFILE: tools.js
// STARTFILE: dab.js
//<NOLITE>
//////////////////////////////////////////////////
// Dab-fixing code
//


function retargetDab(newTarget, oldTarget, friendlyCurrentArticleName, titleToEdit) {
	log('retargetDab: newTarget='+newTarget + ' oldTarget=' + oldTarget);
	return changeLinkTargetLink(
	{newTarget: newTarget,
			text: newTarget.split(' ').join('&nbsp;'),
			hint: tprintf('disambigHint', [newTarget]),
			summary: simplePrintf(
					getValueOf('popupFixDabsSummary'), [friendlyCurrentArticleName, newTarget ]),
			clickButton: getValueOf('popupDabsAutoClick'), minor: true, oldTarget: oldTarget,
			watch: getValueOf('popupWatchDisambiggedPages'),
			title: titleToEdit});
}

function listLinks(wikitext, oldTarget, titleToEdit) {
	// mediawiki strips trailing spaces, so we do the same
	// testcase: https://en.wikipedia.org/w/index.php?title=Radial&oldid=97365633
	var reg=RegExp('\\[\\[([^|]*?) *(\\||\\]\\])', 'gi');
	var ret=[];
	var splitted=wikitext.parenSplit(reg);
	// ^[a-z]+ should match interwiki links, hopefully (case-insensitive)
	// and ^[a-z]* should match those and [[:Category...]] style links too
	var omitRegex=RegExp('^[a-z]*:|^[Ss]pecial:|^[Ii]mage|^[Cc]ategory');
	var friendlyCurrentArticleName= oldTarget.toString();
	var wikPos = getValueOf('popupDabWiktionary');

	for (var i=1; i<splitted.length; i=i+3) {
		if (typeof splitted[i] == typeof 'string' && splitted[i].length>0 && !omitRegex.test(splitted[i])) {
			ret.push( retargetDab(splitted[i], oldTarget, friendlyCurrentArticleName, titleToEdit) );
		} /* if */
	} /* for loop */

	ret = rmDupesFromSortedList(ret.sort());

	if (wikPos) {
		var wikTarget='wiktionary:' +
			friendlyCurrentArticleName.replace( RegExp('^(.+)\\s+[(][^)]+[)]\\s*$'), '$1' );

		var meth;
		if (wikPos.toLowerCase() == 'first') { meth = 'unshift'; }
		else { meth = 'push'; }

		ret[meth]( retargetDab(wikTarget, oldTarget, friendlyCurrentArticleName, titleToEdit) );
	}

	ret.push(changeLinkTargetLink(
	{ newTarget: null,
			text: popupString('remove this link').split(' ').join('&nbsp;'),
			hint: popupString("remove all links to this disambig page from this article"),
			clickButton: getValueOf('popupDabsAutoClick'), oldTarget: oldTarget,
			summary: simplePrintf(getValueOf('popupRmDabLinkSummary'), [friendlyCurrentArticleName]),
			watch: getValueOf('popupWatchDisambiggedPages'),
			title: titleToEdit
			}));
	return ret;
}

function rmDupesFromSortedList(list) {
	var ret=[];
	for (var i=0; i<list.length; ++i) {
		if (ret.length === 0 || list[i]!=ret[ret.length-1]) { ret.push(list[i]); }
	}
	return ret;
}

function makeFixDab(data, navpop) {
	// grab title from parent popup if there is one; default exists in changeLinkTargetLink
	var titleToEdit=(navpop.parentPopup && navpop.parentPopup.article.toString());
	var list=listLinks(data, navpop.originalArticle, titleToEdit);
	if (list.length === 0) { log('listLinks returned empty list'); return null; }
	var html='<hr />' + popupString('Click to disambiguate this link to:') + '<br>';
	html+=list.join(', ');
	return html;
}


function makeFixDabs(wikiText, navpop) {
	if (getValueOf('popupFixDabs') && isDisambig(wikiText, navpop.article) &&
		Title.fromURL(location.href).namespaceId() != pg.nsSpecialId &&
		navpop.article.talkPage() ) {
		setPopupHTML(makeFixDab(wikiText, navpop), 'popupFixDab', navpop.idNumber);
	}
}

function popupRedlinkHTML(article) {
	return changeLinkTargetLink(
		{ newTarget: null, text: popupString('remove this link').split(' ').join('&nbsp;'),
			hint: popupString("remove all links to this page from this article"),
			clickButton: getValueOf('popupRedlinkAutoClick'),
			oldTarget: article.toString(),
			summary: simplePrintf(getValueOf('popupRedlinkSummary'), [article.toString()])});
}
//</NOLITE>
// ENDFILE: dab.js
// STARTFILE: htmloutput.js

// this has to use a timer loop as we don't know if the DOM element exists when we want to set the text
function setPopupHTML (str, elementId, popupId, onSuccess, append) {
	if (typeof popupId === 'undefined') {
		//console.error('popupId is not defined in setPopupHTML, html='+str.substring(0,100));
		popupId = pg.idNumber;
	}

	var popupElement=document.getElementById(elementId+popupId);
	if (popupElement) {
		if (!append) { popupElement.innerHTML=''; }
		if (isString(str)) {
			popupElement.innerHTML+=str;
		} else {
			popupElement.appendChild(str);
		}
		if (onSuccess) { onSuccess(); }
		setTimeout(checkPopupPosition, 100);
		return true;
	} else {
		// call this function again in a little while...
		setTimeout(function(){
				setPopupHTML(str,elementId,popupId,onSuccess);
			}, 600);
	}
	return null;
}

//<NOLITE>
function setPopupTrailer(str,id) {return setPopupHTML(str, 'popupData', id);}
//</NOLITE>

// args.navpopup is mandatory
// optional: args.redir, args.redirTarget
// FIXME: ye gods, this is ugly stuff
function fillEmptySpans(args) { 
	// if redir is present and true then redirTarget is mandatory
	var redir=true;
	var rcid;
	if (typeof args != 'object' || typeof args.redir == 'undefined' || !args.redir) { redir=false; }
	var a=args.navpopup.parentAnchor;

	var article, hint=null, oldid=null, params={};
	if (redir && typeof args.redirTarget == typeof {}) {
		article=args.redirTarget;
		//hint=article.hintValue();
	} else {
		article=(new Title()).fromAnchor(a);
		hint=a.originalTitle || article.hintValue();
		params=parseParams(a.href);
		oldid=(getValueOf('popupHistoricalLinks')) ? params.oldid : null;
		rcid=params.rcid;
	}
	var x={ article:article, hint: hint, oldid: oldid, rcid: rcid, navpop:args.navpopup, params:params };

	var structure=pg.structures[getValueOf('popupStructure')];
	if (typeof structure != 'object') {
		setPopupHTML('popupError', 'Unknown structure (this should never happen): '+
				 pg.option.popupStructure, args.navpopup.idNumber);
		return;
	}
	var spans=flatten(pg.misc.layout);
	var numspans = spans.length;
	var redirs=pg.misc.redirSpans;

	for (var i=0; i<numspans; ++i) {
		var found = redirs && (redirs.indexOf( spans[i] ) !== -1);
		//log('redir='+redir+', found='+found+', spans[i]='+spans[i]);
		if ( (found && !redir) || (!found && redir) ) {
			//log('skipping this set of the loop');
			continue;
		}
		var structurefn=structure[spans[i]];
		var setfn = setPopupHTML;
		if (getValueOf('popupActiveNavlinks') && 
			(spans[i].indexOf('popupTopLinks')===0 || spans[i].indexOf('popupRedirTopLinks')===0)
				) {
			setfn = setPopupTipsAndHTML;
		}
		switch (typeof structurefn) {
		case 'function':
			log('running '+spans[i]+'({article:'+x.article+', hint:'+x.hint+', oldid: '+x.oldid+'})');
			setfn(structurefn(x), spans[i], args.navpopup.idNumber);
			break;
		case 'string':
			setfn(structurefn, spans[i], args.navpopup.idNumber);
			break;
		default:
			errlog('unknown thing with label '+spans[i] + ' (span index was ' + i + ')');
			break;
		}
	}
}

// flatten an array
function flatten(list, start) {
	var ret=[];
	if (typeof start == 'undefined') { start=0; }
	for (var i=start; i<list.length; ++i) {
		if (typeof list[i] == typeof []) {
			return ret.concat(flatten(list[i])).concat(flatten(list, i+1));
		}
		else { ret.push(list[i]); }
	}
	return ret;
}

// Generate html for whole popup
function popupHTML (a) {
	getValueOf('popupStructure');
	var structure=pg.structures[pg.option.popupStructure];
	if (typeof structure != 'object') {
		//return 'Unknown structure: '+pg.option.popupStructure;
		// override user choice
		pg.option.popupStructure=pg.optionDefault.popupStructure;
		return popupHTML(a);
	}
	if (typeof structure.popupLayout != 'function') { return 'Bad layout'; }
	pg.misc.layout=structure.popupLayout();
	if ($.isFunction(structure.popupRedirSpans)) { pg.misc.redirSpans=structure.popupRedirSpans(); }
	else { pg.misc.redirSpans=[]; }
	return makeEmptySpans(pg.misc.layout, a.navpopup);
}

function makeEmptySpans (list, navpop) {
	var ret='';
	for (var i=0; i<list.length; ++i) {
		if (typeof list[i] == typeof '') {
			ret += emptySpanHTML(list[i], navpop.idNumber, 'div');
		} else if (typeof list[i] == typeof [] && list[i].length > 0 ) {
			ret = ret.parenSplit(RegExp('(</[^>]*?>$)')).join(makeEmptySpans(list[i], navpop));
		} else if (typeof list[i] == typeof {} && list[i].nodeType ) {
			ret += emptySpanHTML(list[i].name, navpop.idNumber, list[i].nodeType);
		}
	}
	return ret;
}


function emptySpanHTML(name, id, tag, classname) {
	tag = tag || 'span';
	if (!classname) { classname = emptySpanHTML.classAliases[name]; }
	classname = classname || name;
	if (name == getValueOf('popupDragHandle')) { classname += ' popupDragHandle'; }
	return simplePrintf('<%s id="%s" class="%s"></%s>', [tag, name + id, classname, tag]);
}
emptySpanHTML.classAliases={ 'popupSecondPreview': 'popupPreview' };

// generate html for popup image
// <a id="popupImageLinkn"><img id="popupImagen">
// where n=idNumber
function imageHTML(article, idNumber) {
	return simplePrintf('<a id="popupImageLink$1">' +
				'<img align="right" valign="top" id="popupImg$1" style="display: none;"></img>' +
				'</a>', [ idNumber ]);
}

function popTipsSoonFn(id, when, popData) {
	if (!when) { when=250; }
	var popTips=function(){ setupTooltips(document.getElementById(id), false, true, popData); };
	return function() { setTimeout( popTips, when, popData ); };
}

function setPopupTipsAndHTML(html, divname, idnumber, popData) {
	setPopupHTML(html, divname, idnumber,
			 getValueOf('popupSubpopups') ? 
			 popTipsSoonFn(divname + idnumber, null, popData) : 
			 null);
}
// ENDFILE: htmloutput.js
// STARTFILE: mouseout.js
//////////////////////////////////////////////////
// fuzzy checks

function fuzzyCursorOffMenus(x,y, fuzz, parent) {
	if (!parent) { return null; }
	var uls=parent.getElementsByTagName('ul');
	for (var i=0; i<uls.length; ++i) {
		if (uls[i].className=='popup_menu') {
			if (uls[i].offsetWidth > 0) return false;
		} // else {document.title+='.';}
	}
	return true;
}

function checkPopupPosition () { // stop the popup running off the right of the screen
	// FIXME avoid pg.current.link
	if (pg.current.link && pg.current.link.navpopup)
		pg.current.link.navpopup.limitHorizontalPosition();
}

function mouseOutWikiLink () {
	//console ('mouseOutWikiLink');
	var a=this;
	
	removeModifierKeyHandler(a);
	
	if (a.navpopup === null || typeof a.navpopup === 'undefined') return;
	if ( ! a.navpopup.isVisible() ) {
		a.navpopup.banish();
		return;
	}
	restoreTitle(a);
	Navpopup.tracker.addHook(posCheckerHook(a.navpopup));
}

function posCheckerHook(navpop) {
	return function() {
		if (!navpop.isVisible()) { return true; /* remove this hook */ }
		if (Navpopup.tracker.dirty) {
			return false;
		}
		var x=Navpopup.tracker.x, y=Navpopup.tracker.y;
		var mouseOverNavpop = navpop.isWithin(x,y,navpop.fuzz, navpop.mainDiv) ||
			!fuzzyCursorOffMenus(x,y,navpop.fuzz, navpop.mainDiv);

		// FIXME it'd be prettier to do this internal to the Navpopup objects
		var t=getValueOf('popupHideDelay');
		if (t) { t = t * 1000; }
		if (!t) {
			if(!mouseOverNavpop) {
				if(navpop.parentAnchor) {
					restoreTitle( navpop.parentAnchor );
				}
				navpop.banish();
				return true; /* remove this hook */
			}
			return false;
		}
		// we have a hide delay set
		var d=+(new Date());
		if ( !navpop.mouseLeavingTime ) {
			navpop.mouseLeavingTime = d;
			return false;
		}
		if ( mouseOverNavpop ) {
			navpop.mouseLeavingTime=null;
			return false;
		}
		if (d - navpop.mouseLeavingTime > t) {
			navpop.mouseLeavingTime=null;
			navpop.banish(); return true; /* remove this hook */
		}
		return false;
	};
}

function runStopPopupTimer(navpop) {
	// at this point, we should have left the link but remain within the popup
	// so we call this function again until we leave the popup.
	if (!navpop.stopPopupTimer) {
		navpop.stopPopupTimer=setInterval(posCheckerHook(navpop), 500);
		navpop.addHook(function(){clearInterval(navpop.stopPopupTimer);},
				   'hide', 'before');
	}
}
// ENDFILE: mouseout.js
// STARTFILE: previewmaker.js
/**
   @fileoverview
   Defines the {@link Previewmaker} object, which generates short previews from wiki markup.
*/

/**
   Creates a new Previewmaker
   @constructor
   @class The Previewmaker class. Use an instance of this to generate short previews from Wikitext.
   @param {String} wikiText The Wikitext source of the page we wish to preview.
   @param {String} baseUrl The url we should prepend when creating relative urls.
   @param {Navpopup} owner The navpop associated to this preview generator
*/
function Previewmaker(wikiText, baseUrl, owner) {
	/** The wikitext which is manipulated to generate the preview. */
	this.originalData=wikiText;
	this.baseUrl=baseUrl;
	this.owner=owner;

	this.maxCharacters=getValueOf('popupMaxPreviewCharacters');
	this.maxSentences=getValueOf('popupMaxPreviewSentences');

	this.setData();
}
Previewmaker.prototype.setData=function() {
	var maxSize=Math.max(10000, 2*this.maxCharacters);
	this.data=this.originalData.substring(0,maxSize);
};
/** Remove HTML comments
	@private
*/
Previewmaker.prototype.killComments = function () {
	// this also kills one trailing newline, eg [[diamyo]]
	this.data=this.data.replace(RegExp('^<!--[^$]*?-->\\n|\\n<!--[^$]*?-->(?=\\n)|<!--[^$]*?-->', 'g'), '');
};
/**
   @private
*/
Previewmaker.prototype.killDivs = function () {
	// say goodbye, divs (can be nested, so use * not *?)
	this.data=this.data.replace(RegExp('< *div[^>]* *>[\\s\\S]*?< */ *div *>',
					   'gi'), '');
};
/**
   @private
*/
Previewmaker.prototype.killGalleries = function () {
	this.data=this.data.replace(RegExp('< *gallery[^>]* *>[\\s\\S]*?< */ *gallery *>',
					   'gi'), '');
};
/**
   @private
*/
Previewmaker.prototype.kill = function(opening, closing, subopening, subclosing, repl) {
	var oldk=this.data;
	var k=this.killStuff(this.data, opening, closing, subopening, subclosing, repl);
	while (k.length < oldk.length) {
		oldk=k;
		k=this.killStuff(k, opening, closing, subopening, subclosing, repl);
	}
	this.data=k;
};
/**
   @private
*/
Previewmaker.prototype.killStuff = function (txt, opening, closing, subopening, subclosing, repl) {
	var op=this.makeRegexp(opening);
	var cl=this.makeRegexp(closing, '^');
	var sb=subopening ? this.makeRegexp(subopening, '^') : null;
	var sc=subclosing ? this.makeRegexp(subclosing, '^') : cl;
	if (!op || !cl) {
		alert('Navigation Popups error: op or cl is null! something is wrong.');
		return;
	}
	if (!op.test(txt)) { return txt; }
	var ret='';
	var opResult = op.exec(txt);
	ret = txt.substring(0,opResult.index);
	txt=txt.substring(opResult.index+opResult[0].length);
	var depth = 1;
	while (txt.length > 0) {
		var removal=0;
		if (depth==1 && cl.test(txt)) {
			depth--;
			removal=cl.exec(txt)[0].length;
		} else if (depth > 1 && sc.test(txt)) {
			depth--;
			removal=sc.exec(txt)[0].length;
		}else if (sb && sb.test(txt)) {
			depth++;
			removal=sb.exec(txt)[0].length;
		}
		if ( !removal ) { removal = 1; }
		txt=txt.substring(removal);
		if (depth === 0) { break; }
	}
	return ret + (repl || '') + txt;
};
/**
   @private
*/
Previewmaker.prototype.makeRegexp = function (x, prefix, suffix) {
	prefix = prefix || '';
	suffix = suffix || '';
	var reStr='';
	var flags='';
	if (isString(x)) {
		reStr=prefix + literalizeRegex(x) + suffix;
	} else if (isRegExp(x)) {
		var s=x.toString().substring(1);
		var sp=s.split('/');
		flags=sp[sp.length-1];
		sp[sp.length-1]='';
		s=sp.join('/');
		s=s.substring(0,s.length-1);
		reStr= prefix + s + suffix;
	} else {
		log ('makeRegexp failed');
	}

	log ('makeRegexp: got reStr=' + reStr + ', flags=' + flags);
	return RegExp(reStr, flags);
};
/**
   @private
*/
Previewmaker.prototype.killBoxTemplates = function () {

	// taxobox removal... in fact, there's a saudiprincebox_begin, so let's be more general
	// also, have float_begin, ... float_end
	this.kill(RegExp('[{][{][^{}\\s|]*?(float|box)[_ ](begin|start)', 'i'),	/[}][}]\s*/, '{{');

	// infoboxes etc
	// from [[User:Zyxw/popups.js]]: kill frames too
	this.kill(RegExp('[{][{][^{}\\s|]*?(infobox|elementbox|frame)[_ ]', 'i'), /[}][}]\s*/, '{{');

};
/**
   @private
*/
Previewmaker.prototype.killTemplates = function () {
	this.kill('{{', '}}', '{', '}', ' ');
};
/**
   @private
*/
Previewmaker.prototype.killTables = function () {
	// tables are bad, too
	// this can be slow, but it's an inprovement over a browser hang
	// torture test: [[Comparison_of_Intel_Central_Processing_Units]]
	this.kill('{|', /[|]}\s*/, '{|');
	this.kill(/<table.*?>/i, /<\/table.*?>/i, /<table.*?>/i);
	// remove lines starting with a pipe for the hell of it (?)
	this.data=this.data.replace(RegExp('^[|].*$', 'mg'), '');
};
/**
   @private
*/
Previewmaker.prototype.killImages = function () {
	var forbiddenNamespaceAliases = [];
	jQuery.each(mw.config.get('wgNamespaceIds'), function(_localizedNamespaceLc, _namespaceId) {
		if (_namespaceId!=pg.nsImageId && _namespaceId!=pg.nsCategoryId) return;
		forbiddenNamespaceAliases.push(_localizedNamespaceLc.split(' ').join('[ _]')); //todo: escape regexp fragments!
	});
	
	// images and categories are a nono
	this.kill(RegExp('[[][[]\\s*(' + forbiddenNamespaceAliases.join('|') + ')\\s*:', 'i'),
		  /\]\]\s*/, '[', ']');
};
/**
   @private
*/
Previewmaker.prototype.killHTML = function () {
	// kill <ref ...>...</ref>
	this.kill(/<ref\b[^/>]*?>/i, /<\/ref>/i);

	// let's also delete entire lines starting with <. it's worth a try.
	this.data=this.data.replace(RegExp('(^|\\n) *<.*', 'g'), '\n');

	// and those pesky html tags, but not <nowiki> or <blockquote>
	var splitted=this.data.parenSplit(/(<[\w\W]*?(?:>|$|(?=<)))/);
	var len=splitted.length;
	for (var i=1; i<len; i=i+2) {
		switch (splitted[i]) {
		case '<nowiki>':
		case '</nowiki>':
		case '<blockquote>':
		case '</blockquote>':
			break;
		default:
			splitted[i]='';
		}
	}
	this.data=splitted.join('');
};
/**
   @private
*/
Previewmaker.prototype.killChunks = function() { // heuristics alert
	// chunks of italic text? you crazy, man?
	var italicChunkRegex=new RegExp
	("((^|\\n)\\s*:*\\s*''[^']([^']|'''|'[^']){20}(.|\\n[^\\n])*''[.!?\\s]*\\n)+", 'g');
	// keep stuff separated, though, so stick in \n (fixes [[Union Jack]]?
	this.data=this.data.replace(italicChunkRegex, '\n');
};
/**
   @private
*/
Previewmaker.prototype.mopup = function () {
	// we simply *can't* be doing with horizontal rules right now
	this.data=this.data.replace(RegExp('^-{4,}','mg'),'');

	// no indented lines
	this.data=this.data.replace(RegExp('(^|\\n) *:[^\\n]*','g'), '');

	// replace __TOC__, __NOTOC__ and whatever else there is
	// this'll probably do
	this.data=this.data.replace(RegExp('^__[A-Z_]*__ *$', 'gmi'),'');
};
/**
   @private
*/
Previewmaker.prototype.firstBit = function () {
	// dont't be givin' me no subsequent paragraphs, you hear me?
	/// first we "normalize" section headings, removing whitespace after, adding before
	var d=this.data;

	if (getValueOf('popupPreviewCutHeadings')) {
		this.data=this.data.replace(RegExp('\\s*(==+[^=]*==+)\\s*', 'g'), '\n\n$1 ');
		/// then we want to get rid of paragraph breaks whose text ends badly
		this.data=this.data.replace(RegExp('([:;]) *\\n{2,}', 'g'), '$1\n');

		this.data=this.data.replace(RegExp('^[\\s\\n]*'), '');
		var stuff=(RegExp('^([^\\n]|\\n[^\\n\\s])*')).exec(this.data);
		if (stuff) { d = stuff[0]; }
		if (!getValueOf('popupPreviewFirstParOnly')) { d = this.data; }

		/// now put \n\n after sections so that bullets and numbered lists work
		d=d.replace(RegExp('(==+[^=]*==+)\\s*', 'g'), '$1\n\n');
	}


	// Split sentences. Superfluous sentences are RIGHT OUT.
	// note: exactly 1 set of parens here needed to make the slice work
	d = d.parenSplit(RegExp('([!?.]+["'+"'"+']*\\s)','g'));
	// leading space is bad, mmkay?
	d[0]=d[0].replace(RegExp('^\\s*'), '');

	var notSentenceEnds=RegExp('([^.][a-z][.] *[a-z]|etc|sic|Dr|Mr|Mrs|Ms|St|no|op|cit|\\[[^\\]]*|\\s[A-Zvclm])$', 'i');
	d = this.fixSentenceEnds(d, notSentenceEnds);

	this.fullLength=d.join('').length;
	var n=this.maxSentences;
	var dd=this.firstSentences(d,n); 

	do {
		dd=this.firstSentences(d,n); --n;
	} while ( dd.length > this.maxCharacters && n !== 0 );

	this.data = dd;
};
/**
   @private
*/
Previewmaker.prototype.fixSentenceEnds = function(strs, reg) {
	// take an array of strings, strs
	// join strs[i] to strs[i+1] & strs[i+2] if strs[i] matches regex reg

	for (var i=0; i<strs.length-2; ++i) {
		if (reg.test(strs[i])) {
			var a=[];
			for (var j=0; j<strs.length; ++j) {
				if (j<i)   a[j]=strs[j];
				if (j==i)  a[i]=strs[i]+strs[i+1]+strs[i+2];
				if (j>i+2) a[j-2]=strs[j];
			}
			return this.fixSentenceEnds(a,reg);
		}
	}
	return strs;
};
/**
   @private
*/
Previewmaker.prototype.firstSentences = function(strs, howmany) {
	var t=strs.slice(0, 2*howmany);
	return t.join('');
};
/**
   @private
*/
Previewmaker.prototype.killBadWhitespace = function() {
	// also cleans up isolated '''', eg [[Suntory Sungoliath]]
	this.data=this.data.replace(RegExp('^ *\'+ *$', 'gm'), '');
};
/**
   Runs the various methods to generate the preview.
   The preview is stored in the <code>html</html> field.
   @private
*/
Previewmaker.prototype.makePreview = function() {
	if (this.owner.article.namespaceId()!=pg.nsTemplateId &&
				this.owner.article.namespaceId()!=pg.nsImageId ) {
		this.killComments();
		this.killDivs();
		this.killGalleries();
		this.killBoxTemplates();

		if (getValueOf('popupPreviewKillTemplates')) {
			this.killTemplates();
		} else {
			this.killMultilineTemplates();
		}
		this.killTables();
		this.killImages();
		this.killHTML();
		this.killChunks();
		this.mopup();

		this.firstBit();
		this.killBadWhitespace();
	}
	else
	{
		this.killHTML();
	}
	this.html=wiki2html(this.data, this.baseUrl); // needs livepreview
	this.fixHTML();
	this.stripLongTemplates();
};
/**
   @private
*/
Previewmaker.prototype.esWiki2HtmlPart = function(data) {
  var reLinks = /(?:\[\[([^|\]]*)(?:\|([^|\]]*))*]]([a-z]*))/gi; //match a wikilink
  reLinks.lastIndex = 0; //reset regex

  var match;
  var result = "";
  var postfixIndex = 0;
  while ((match = reLinks.exec(data))) //match all wikilinks
  {
	//FIXME: the way that link is built here isn't perfect. It is clickable, but popups preview won't recognize it in some cases.
	result += pg.escapeQuotesHTML(data.substring(postfixIndex, match.index)) + 
			  '<a href="'+Insta.conf.paths.articles+pg.escapeQuotesHTML(match[1])+'">'+pg.escapeQuotesHTML((match[2]?match[2]:match[1])+match[3])+"</a>";
	postfixIndex = reLinks.lastIndex;
  }
  //append the rest
  result += pg.escapeQuotesHTML(data.substring(postfixIndex));
  
  return result;
};
Previewmaker.prototype.editSummaryPreview=function() {
	var reAes   = /\/\* *(.*?) *\*\//g; //match the first section marker
	reAes.lastIndex = 0; //reset regex
	
	var match;
	
	match = reAes.exec(this.data);
	if (match)
	{
		//we have a section link. Split it, process it, combine it.
		var prefix = this.data.substring(0,match.index-1);
		var section = match[1];
		var postfix = this.data.substring(reAes.lastIndex);
		
		var start = "<span class='autocomment'>";
		var end = "</span>";
		if (prefix.length>0) start = this.esWiki2HtmlPart(prefix) + " " + start + "- ";
		if (postfix.length>0) end = ": " + end + this.esWiki2HtmlPart(postfix);
		

		var t=new Title().fromURL(this.baseUrl);
		t.anchorFromUtf(section);
		var sectionLink = Insta.conf.paths.articles + pg.escapeQuotesHTML(t.toString(true)) + '#' + pg.escapeQuotesHTML(t.anchor);
		return start + '<a href="'+sectionLink+'">&rarr;</a> '+pg.escapeQuotesHTML(section) + end;
	}
	
	//else there's no section link, htmlify the whole thing.
	return this.esWiki2HtmlPart(this.data);
};

//<NOLITE>
/** Test function for debugging preview problems one step at a time.
 */
/*eslint-disable */
function previewSteps(txt) {
	try {
		txt=txt || document.editform.wpTextbox1.value;
	} catch (err) {
		if (pg.cache.pages.length > 0) {
			txt=pg.cache.pages[pg.cache.pages.length-1].data;
		} else {
			alert('provide text or use an edit page');
		}
	}
	txt=txt.substring(0,10000);
	var base=pg.wiki.articlebase + Title.fromURL(document.location.href).urlString();
	var p=new Previewmaker(txt, base, pg.current.link.navpopup);
	if (this.owner.article.namespaceId() != pg.nsTemplateId) {
		p.killComments(); if (!confirm('done killComments(). Continue?\n---\n' + p.data)) { return; }
		p.killDivs(); if (!confirm('done killDivs(). Continue?\n---\n' + p.data)) { return; }
		p.killGalleries(); if (!confirm('done killGalleries(). Continue?\n---\n' + p.data)) { return; }
		p.killBoxTemplates(); if (!confirm('done killBoxTemplates(). Continue?\n---\n' + p.data)) { return; }

		if (getValueOf('popupPreviewKillTemplates')) {
			p.killTemplates(); if (!confirm('done killTemplates(). Continue?\n---\n' + p.data)) { return; }
		} else {
			p.killMultilineTemplates(); if (!confirm('done killMultilineTemplates(). Continue?\n---\n' + p.data)) { return; }
		}

		p.killTables(); if (!confirm('done killTables(). Continue?\n---\n' + p.data)) { return; }
		p.killImages(); if (!confirm('done killImages(). Continue?\n---\n' + p.data)) { return; }
		p.killHTML(); if (!confirm('done killHTML(). Continue?\n---\n' + p.data)) { return; }
		p.killChunks(); if (!confirm('done killChunks(). Continue?\n---\n' + p.data)) { return; }
		p.mopup(); if (!confirm('done mopup(). Continue?\n---\n' + p.data)) { return; }

		p.firstBit(); if (!confirm('done firstBit(). Continue?\n---\n' + p.data)) { return; }
		p.killBadWhitespace(); if (!confirm('done killBadWhitespace(). Continue?\n---\n' + p.data)) { return; }
	}

	p.html=wiki2html(p.data, base); // needs livepreview
	p.fixHTML(); if (!confirm('done fixHTML(). Continue?\n---\n' + p.html)) { return; }
	p.stripLongTemplates(); if (!confirm('done stripLongTemplates(). Continue?\n---\n' + p.html)) { return; }
	alert('finished preview - end result follows.\n---\n' + p.html);
}
/*eslint-enable */
//</NOLITE>

/**
   Works around livepreview bugs.
   @private
*/
Previewmaker.prototype.fixHTML = function() {
	if(!this.html) return;

  var ret = this.html;

	// fix question marks in wiki links
	// maybe this'll break some stuff :-(
	ret=ret.replace(RegExp('(<a href="' + pg.wiki.articlePath + '/[^"]*)[?](.*?")', 'g'), '$1%3F$2');
	ret=ret.replace(RegExp('(<a href=\'' + pg.wiki.articlePath + '/[^\']*)[?](.*?\')', 'g'), '$1%3F$2');
	// FIXME fix up % too
	
	
	this.html=ret;
};
/**
   Generates the preview and displays it in the current popup.

   Does nothing if the generated preview is invalid or consists of whitespace only.
   Also activates wikilinks in the preview for subpopups if the popupSubpopups option is true.
*/
Previewmaker.prototype.showPreview = function () {
	this.makePreview();
	if (typeof this.html != typeof '') return;
	if (RegExp('^\\s*$').test(this.html)) return;
	setPopupHTML('<hr />', 'popupPrePreviewSep', this.owner.idNumber);
	setPopupTipsAndHTML(this.html, 'popupPreview', this.owner.idNumber, { owner: this.owner });
	var more = (this.fullLength > this.data.length) ? this.moreLink() : '';
	setPopupHTML(more, 'popupPreviewMore', this.owner.idNumber);
};
/**
   @private
*/
Previewmaker.prototype.moreLink=function() {
	var a=document.createElement('a');
	a.className='popupMoreLink';
	a.innerHTML=popupString('more...');
	var savedThis=this;
	a.onclick=function() {
		savedThis.maxCharacters+=2000;
		savedThis.maxSentences+=20;
		savedThis.setData();
		savedThis.showPreview();
	};
	return a;
};

/**
   @private
*/
Previewmaker.prototype.stripLongTemplates = function() {
	// operates on the HTML!
	this.html=this.html.replace(RegExp('^.{0,1000}[{][{][^}]*?(<(p|br)( /)?>\\s*){2,}([^{}]*?[}][}])?', 'gi'), '');
	this.html=this.html.split('\n').join(' '); // workaround for <pre> templates
	this.html=this.html.replace(RegExp('[{][{][^}]*<pre>[^}]*[}][}]','gi'), '');
};
/**
   @private
*/
Previewmaker.prototype.killMultilineTemplates = function() {
	this.kill('{{{', '}}}');
	this.kill(RegExp('\\s*[{][{][^{}]*\\n'), '}}', '{{');
};
// ENDFILE: previewmaker.js
// STARTFILE: querypreview.js
function loadAPIPreview(queryType, article, navpop) {
	var art=new Title(article).urlString();
	var url=pg.wiki.apiwikibase + '?format=json&formatversion=2&action=query&';
	var htmlGenerator=function(/*a, d*/){alert('invalid html generator');};
	var usernameart = '';
	switch (queryType) {
	case 'history':
		url += 'titles=' + art + '&prop=revisions&rvlimit=' +
			getValueOf('popupHistoryPreviewLimit');
		htmlGenerator=APIhistoryPreviewHTML;
		break;
	case 'category':
		url += 'list=categorymembers&cmtitle=' + art;
		htmlGenerator=APIcategoryPreviewHTML;
		break;
	case 'userinfo':
		var username = new Title( article ).userName();
		usernameart = encodeURIComponent( username );
		if (pg.re.ipUser.test(username)) {
			url += 'list=blocks&bkprop=range&bkip=' + usernameart;
		} else {
			url += 'list=users|usercontribs&usprop=blockinfo|groups|editcount|registration|gender&ususers=' + usernameart + "&meta=globaluserinfo&guiprop=groups|unattached&guiuser="+ usernameart + "&uclimit=1&ucprop=timestamp&ucuser=" + usernameart;
		}
		htmlGenerator=APIuserInfoPreviewHTML;
		break;
	case 'contribs':
		usernameart = encodeURIComponent( new Title( article ).userName() );
		url += 'list=usercontribs&ucuser=' + usernameart +
			'&uclimit=' + getValueOf('popupContribsPreviewLimit');
		htmlGenerator=APIcontribsPreviewHTML;
		break;
	case 'imagepagepreview':
		var trail='';
		if (getValueOf('popupImageLinks')) { trail = '&list=imageusage&iutitle=' + art; }
		url += 'titles=' + art + '&prop=revisions|imageinfo&rvprop=content' + trail;
		htmlGenerator=APIimagepagePreviewHTML;
		break;
	case 'backlinks':
		url += 'list=backlinks&bltitle=' + art;
		htmlGenerator=APIbacklinksPreviewHTML;
		break;
	case 'revision':
		if (article.oldid) {
			url += 'revids=' + article.oldid;
		} else {
			url += 'titles=' + article.removeAnchor().urlString();
		}
		url += '&prop=revisions|pageprops|info|images|categories&rvprop=ids|timestamp|flags|comment|user|content&cllimit=max&imlimit=max';
		htmlGenerator=APIrevisionPreviewHTML;
		break;
	}
	pendingNavpopTask(navpop);
	var callback=function(d){
		log( "callback of API functions was hit" );
		showAPIPreview(queryType, htmlGenerator(article,d,navpop), navpop.idNumber, navpop, d);
	};
	var go = function(){
		getPageWithCaching(url, callback, navpop);
		return true;
	};

	if (navpop.visible || !getValueOf('popupLazyDownloads')) { go(); }
	else { navpop.addHook(go, 'unhide', 'before', 'DOWNLOAD_'+queryType+'_QUERY_DATA'); }
}

function linkList(list) {
	list.sort(function(x,y) { return (x==y ? 0 : (x<y ? -1 : 1)); });
	var buf=[];
	for (var i=0; i<list.length; ++i) {
		buf.push(wikiLink({article: new Title(list[i]),
				   text:	list[i].split(' ').join('&nbsp;'),
				   action:  'view'}));
	}
	return buf.join(', ');
}

function getTimeOffset() {
	var tz = mw.user.options.get('timecorrection');

	if(tz) {
		if( tz.indexOf('|') > -1 ) {
			// New format
			return parseInt(tz.split('|')[1],10);
		} else if ( tz.indexOf(':') > -1 ) {
			// Old format
			return( parseInt(tz,10)*60 + parseInt(tz.split(':')[1],10) );
		}
	}
	return 0;
}

/*
 * Creates a HTML table that's shown in the history and user-contribs popups.
 * @param {Object[]} h - a list of revisions, returned from the API
 * @param {boolean} reallyContribs - true only if we're displaying user contributions
 */
function editPreviewTable(article, h, reallyContribs, timeOffset) {
	var html=['<table>'];
	var day=null;
	var curart=article;
	var page=null;

	var makeFirstColumnLinks;
	if(reallyContribs) {

		// We're showing user contributions, so make (diff | hist) links
		makeFirstColumnLinks = function(currentRevision) {
			var result = '(';
			result += '<a href="' + pg.wiki.titlebase +
				new Title(currentRevision.title).urlString() + '&diff=prev' +
				'&oldid=' + currentRevision.revid + '">' + popupString('diff') + '</a>';
			result += '&nbsp;|&nbsp;';
			result += '<a href="' + pg.wiki.titlebase + 
				new Title(currentRevision.title).urlString() + '&action=history">' +
				popupString('hist') + '</a>';
			result += ')';
			return result;
		};
	} else {

		// It's a regular history page, so make (cur | last) links
		var firstRevid = h[0].revid;
		makeFirstColumnLinks = function(currentRevision) {
			var result = '(';
			result += '<a href="' + pg.wiki.titlebase + new Title(curart).urlString() +
				'&diff=' + firstRevid + '&oldid=' + currentRevision.revid + '">' + popupString('cur') + '</a>';
			result += '&nbsp;|&nbsp;';
			result += '<a href="' + pg.wiki.titlebase + new Title(curart).urlString() +
				'&diff=prev&oldid=' + currentRevision.revid + '">' + popupString('last') + '</a>';
			result += ')';
			return result;
		};
	}

	for (var i=0; i<h.length; ++i) {
		if (reallyContribs) { 
			page = h[i].title;
			curart = new Title(page);
		}
		var minor = h[i].minor ? '<b>m </b>' : '';
		var editDate = adjustDate(getDateFromTimestamp(h[i].timestamp), timeOffset);
		var thisDay = dayFormat(editDate);
		var thisTime = timeFormat(editDate);
		if (thisDay == day) {
			thisDay = '';
		} else {
			day = thisDay;
		}
		if (thisDay) {
			html.push( '<tr><td colspan=3><span class="popup_history_date">' +
				  thisDay+'</span></td></tr>' );
		}
		html.push('<tr class="popup_history_row_' + ( (i%2) ? 'odd' : 'even') + '">');
		html.push('<td>' + makeFirstColumnLinks(h[i]) + '</td>');
		html.push('<td>' +
			'<a href="' + pg.wiki.titlebase + new Title(curart).urlString() +
			'&oldid=' + h[i].revid + '">' + thisTime + '</a></td>');
		var col3url='', col3txt='';
		if (!reallyContribs) {
			var user=h[i].user;
			if( !h[i].userhidden ) {
				if( pg.re.ipUser.test(user) ) {
					col3url=pg.wiki.titlebase + mw.config.get('wgFormattedNamespaces')[pg.nsSpecialId] + ':Contributions&target=' + new Title(user).urlString();
				} else {
					col3url=pg.wiki.titlebase + mw.config.get('wgFormattedNamespaces')[pg.nsUserId] + ':' + new Title(user).urlString();
				}
				col3txt=pg.escapeQuotesHTML(user);
			} else {
				col3url=getValueOf('popupRevDelUrl');
				col3txt=pg.escapeQuotesHTML( popupString('revdel'));
			}
		} else {
			col3url=pg.wiki.titlebase + curart.urlString();
			col3txt=pg.escapeQuotesHTML(page);
		}
		html.push('<td>' + (reallyContribs ? minor : '') +
			'<a href="' + col3url + '">' + col3txt + '</a></td>');
		var comment='';
		var c=h[i].comment || h[i].content;
		if (c) {
			comment=new Previewmaker(c, new Title(curart).toUrl()).editSummaryPreview();
		} else if ( h[i].commenthidden ) {
			comment=popupString('revdel');
		}
		html.push('<td>' + (!reallyContribs ? minor : '') + comment + '</td>');
		html.push('</tr>');
		html=[html.join('')];
	}
	html.push('</table>');
	return html.join('');
}

function getDateFromTimestamp(t) {
	var s=t.split(/[^0-9]/);
	switch(s.length) {
	case 0: return null;
	case 1: return new Date(s[0]);
	case 2: return new Date(s[0], s[1]-1);
	case 3: return new Date(s[0], s[1]-1, s[2]);
	case 4: return new Date(s[0], s[1]-1, s[2], s[3]);
	case 5: return new Date(s[0], s[1]-1, s[2], s[3], s[4]);
	case 6: return new Date(s[0], s[1]-1, s[2], s[3], s[4], s[5]);
	default: return new Date(s[0], s[1]-1, s[2], s[3], s[4], s[5], s[6]);
	}
}

function adjustDate(d, offset) {
	// offset is in minutes
	var o=offset * 60 * 1000;
	return new Date( +d + o);
}

function dayFormat(editDate, utc) {
	if (utc) { return map(zeroFill, [editDate.getUTCFullYear(), editDate.getUTCMonth()+1, editDate.getUTCDate()]).join('-'); }
	return map(zeroFill, [editDate.getFullYear(), editDate.getMonth()+1, editDate.getDate()]).join('-');
}

function timeFormat(editDate, utc) {
	if (utc) { return map(zeroFill, [editDate.getUTCHours(), editDate.getUTCMinutes(), editDate.getUTCSeconds()]).join(':'); }
	return map(zeroFill, [editDate.getHours(), editDate.getMinutes(), editDate.getSeconds()]).join(':');
}

function showAPIPreview(queryType, html, id, navpop, download) {
	// DJ: done
	var target='popupPreview';
	completedNavpopTask(navpop);

	switch (queryType) {
		case 'imagelinks':
		case 'category':
			target='popupPostPreview'; break;
		case 'userinfo':
			target='popupUserData'; break;
		case 'revision':
			insertPreview(download);
			return;
	}
	setPopupTipsAndHTML(html, target, id);
}

function APIrevisionPreviewHTML(article, download) {
	try{
		var jsObj=getJsObj(download.data);
		var page=anyChild(jsObj.query.pages);
		if( page.missing ) {
			// TODO we need to fix this proper later on
			download.owner = null;
			return;
		}
		var content = (
			page &&
			page.revisions &&
			page.revisions[0].contentmodel === 'wikitext'
		) ? page.revisions[0].content : null;
		if( typeof content === 'string' ) 
		{
			download.data = content;
			download.lastModified = new Date(page.revisions[0].timestamp);
		}
	} catch(someError) {
		return 'Revision preview failed :(';
	}
}

function APIbacklinksPreviewHTML(article, download/*, navpop*/ ) {
	try {
		var jsObj=getJsObj(download.data);
		var list=jsObj.query.backlinks;

		var html=[];
		if (!list) { return popupString('No backlinks found'); }
		for ( var i=0; i < list.length; i++ ) {
			var t=new Title(list[i].title);
			html.push('<a href="' + pg.wiki.titlebase + t.urlString() + '">' + t + '</a>');
		}
		html=html.join(', ');
		if (jsObj['continue'] && jsObj['continue'].blcontinue) {
			html += popupString(' and more');
		}
		return html;
	} catch (someError) {
		return 'backlinksPreviewHTML went wonky';
	}
}

pg.fn.APIsharedImagePagePreviewHTML = function APIsharedImagePagePreviewHTML(obj) {
	log( "APIsharedImagePagePreviewHTML" );
	var popupid = obj.requestid;
	if( obj.query && obj.query.pages )
	{
		var page=anyChild(obj.query.pages );
		var content = (
			page &&
			page.revisions &&
			page.revisions[0].contentmodel === 'wikitext'
		) ? page.revisions[0].content : null;
		if( typeof content === 'string' ) 
		{
			/* Not entirely safe, but the best we can do */
			var p=new Previewmaker(content, pg.current.link.navpopup.article, pg.current.link.navpopup);
			p.makePreview();
			setPopupHTML( p.html, "popupSecondPreview", popupid );
		}
	}
};

function APIimagepagePreviewHTML(article, download, navpop) {
	try {
		var jsObj=getJsObj(download.data);
		var page=anyChild(jsObj.query.pages);
		var content= (
			page &&
			page.revisions &&
			page.revisions[0].contentmodel === 'wikitext'
		) ? page.revisions[0].content : null;
		var ret='';
		var alt='';
		try{alt=navpop.parentAnchor.childNodes[0].alt;} catch(e){}
		if (alt) {
			ret = ret + '<hr /><b>' + popupString('Alt text:') + '</b> ' + pg.escapeQuotesHTML(alt);
		}
		if (typeof content === 'string') {
			var p=prepPreviewmaker(content, article, navpop);
			p.makePreview();
			if (p.html) { ret += '<hr />' + p.html; }
			if (getValueOf('popupSummaryData')) {
				var info=getPageInfo(content, download);
				log(info);
				setPopupTrailer(info, navpop.idNumber);
			}
		}
		if (page && page.imagerepository == "shared" ) {
			var art=new Title(article);
			var encart = encodeURIComponent( "File:" + art.stripNamespace() );
			var shared_url =  pg.wiki.apicommonsbase + '?format=json&formatversion=2' +
								'&callback=pg.fn.APIsharedImagePagePreviewHTML' +
								'&requestid=' + navpop.idNumber +
								'&action=query&prop=revisions&rvprop=content&titles=' + encart;

			ret = ret +'<hr />' + popupString( 'Image from Commons') +
					': <a href="' + pg.wiki.commonsbase + '?title=' + encart + '">' +
					popupString( 'Description page') + '</a>';
			mw.loader.load( shared_url );
		}
		showAPIPreview('imagelinks', APIimagelinksPreviewHTML(article,download), navpop.idNumber, download);
		return ret;
	} catch (someError) {
		return 'API imagepage preview failed :(';
	}
}

function APIimagelinksPreviewHTML(article, download) {
	try {
		var jsobj=getJsObj(download.data);
		var list=jsobj.query.imageusage;
		if (list) {
			var ret=[];
			for (var i=0; i < list.length; i++) {
				ret.push(list[i].title);
			}
			if (ret.length === 0) { return popupString('No image links found'); }
			return '<h2>' + popupString('File links') + '</h2>' + linkList(ret);
		} else {
			return popupString('No image links found');
		}
	} catch(someError) {
		return 'Image links preview generation failed :(';
	}
}

function APIcategoryPreviewHTML(article, download) {
	try{
		var jsobj=getJsObj(download.data);
		var list=jsobj.query.categorymembers;
		var ret=[];
		for (var p=0; p < list.length; p++) { 
		   ret.push(list[p].title); 
		}
		if (ret.length === 0) { return popupString('Empty category'); }
		ret = '<h2>' + tprintf('Category members (%s shown)', [ret.length]) + '</h2>' +linkList(ret);
		if (jsobj['continue'] && jsobj['continue'].cmcontinue) {
			ret += popupString(' and more');
		}
		return ret;
	} catch(someError) {
		return 'Category preview failed :(';
	}
}

function APIuserInfoPreviewHTML(article, download) {
	var ret=[];
	var queryobj = {};
	try{
		queryobj=getJsObj(download.data).query;
	} catch(someError) { return 'Userinfo preview failed :('; }

	var user=anyChild(queryobj.users);
	if (user) {
		var globaluserinfo=queryobj.globaluserinfo;
		if (user.invalid === '') {
			ret.push( popupString( 'Invalid user') );
		} else if (user.missing === '') {
			ret.push( popupString( 'Not a registered username') );
		}
		if( user.blockedby )
			ret.push('<b>' + popupString('BLOCKED') + '</b>');
		if( globaluserinfo && ( 'locked' in globaluserinfo || 'hidden' in globaluserinfo ) ) {
			var lockedSulAccountIsAttachedToThis = true;
			for( var i=0; globaluserinfo.unattached && i < globaluserinfo.unattached.length; i++) {
				if ( globaluserinfo.unattached[i].wiki === mw.config.get('wgDBname') ) {
					lockedSulAccountIsAttachedToThis=false;
					break;
				}
			}
			if (lockedSulAccountIsAttachedToThis) {
				if ( 'locked' in globaluserinfo ) ret.push('<b><i>' + popupString('LOCKED') + '</i></b>');
				if ( 'hidden' in globaluserinfo ) ret.push('<b><i>' + popupString('HIDDEN') + '</i></b>');
			}
		}
		if( getValueOf('popupShowGender') && user.gender ) {
			switch( user.gender ) {
				case "male": ret.push( popupString( "\u2642" ) ); break;
				case "female": ret.push( popupString( "\u2640" ) ); break;
			}
		}
		if( user.groups ) {
			for( var j=0; j < user.groups.length; j++) {
				var currentGroup = user.groups[j];
				if( ["*", "user", "autoconfirmed", "extendedconfirmed"].indexOf( currentGroup ) === -1 ) {
					ret.push( pg.escapeQuotesHTML(user.groups[j]) );
				}
			}
		}
		if( globaluserinfo && globaluserinfo.groups ) {
			for( var k=0; k < globaluserinfo.groups.length; k++) {
				ret.push( '<i>'+pg.escapeQuotesHTML(globaluserinfo.groups[k])+'</i>' );
			}
		}
		if( user.registration )
			ret.push( pg.escapeQuotesHTML((user.editcount?user.editcount:'0') + popupString(' edits since: ') + (user.registration?dayFormat(getDateFromTimestamp(user.registration)):'')) );
	}

	if (queryobj.usercontribs && queryobj.usercontribs.length) {
		ret.push( popupString('last edit on ') + dayFormat(getDateFromTimestamp(queryobj.usercontribs[0].timestamp)) );
	}
	
	if (queryobj.blocks) {
		ret.push( popupString( 'IP user') ); //we only request list=blocks for IPs
		for (var l=0; l<queryobj.blocks.length; l++) {
			ret.push('<b>' + popupString(queryobj.blocks[l].rangestart === queryobj.blocks[l].rangeend ? 'BLOCKED' : 'RANGEBLOCKED') + '</b>' );
		}
	}
	
	ret = '<hr />' + ret.join( ', ' );
	return ret;
}

function APIcontribsPreviewHTML(article, download, navpop) {
	return APIhistoryPreviewHTML(article, download, navpop, true);
}

function APIhistoryPreviewHTML(article, download, navpop, reallyContribs) {
	try {
		var jsobj=getJsObj(download.data);
		var edits = [];
		if( reallyContribs ) {
			edits=jsobj.query.usercontribs;
		} else {
			edits=anyChild(jsobj.query.pages).revisions;
		}

		var ret=editPreviewTable(article, edits, reallyContribs, getTimeOffset());
		return ret;
	} catch (someError) {
		return 'History preview failed :-(';
	}
}


//</NOLITE>
// ENDFILE: querypreview.js
// STARTFILE: debug.js
////////////////////////////////////////////////////////////////////
// Debugging functions
////////////////////////////////////////////////////////////////////

function setupDebugging() {
//<NOLITE>
	if (window.popupDebug) { // popupDebug is set from .version
		window.log=function(x) { //if(gMsg!='')gMsg += '\n'; gMsg+=time() + ' ' + x; };
			window.console.log(x);
		};
		window.errlog=function(x) {
			window.console.error(x);
		};
		log('Initializing logger');
	} else {
//</NOLITE>
		window.log = function() {};
		window.errlog = function() {};
//<NOLITE>
	}
//</NOLITE>
}
// ENDFILE: debug.js
// STARTFILE: images.js

// load image of type Title.
function loadImage(image, navpop) {
	if (typeof image.stripNamespace != 'function') { alert('loadImages bad'); }
	// API call to retrieve image info.

	if ( !getValueOf('popupImages') ) return;
	if ( !isValidImageName(image) ) return false;
	
	var art=image.urlString();

	var url=pg.wiki.apiwikibase + '?format=json&formatversion=2&action=query';
	url += '&prop=imageinfo&iiprop=url|mime&iiurlwidth=' + getValueOf('popupImageSizeLarge');
	url += '&titles=' + art;

	pendingNavpopTask(navpop);
	var callback=function(d){
		popupsInsertImage(navpop.idNumber, navpop, d);
	};
	var go = function(){
		getPageWithCaching(url, callback, navpop);
		return true;
	};
	if (navpop.visible || !getValueOf('popupLazyDownloads')) { go(); }
	else { navpop.addHook(go, 'unhide', 'after', 'DOWNLOAD_IMAGE_QUERY_DATA'); }

}

function popupsInsertImage(id, navpop, download) {
	log( "popupsInsertImage");
	var imageinfo;
	try {
		var jsObj=getJsObj(download.data);
		var imagepage=anyChild(jsObj.query.pages);
		if (typeof imagepage.imageinfo === 'undefined') return;
		imageinfo = imagepage.imageinfo[0];
	} catch (someError) {
		log( "popupsInsertImage failed :(" );
		return;
	}

	var popupImage = document.getElementById("popupImg"+id);
	if (!popupImage) {
		log( "could not find insertion point for image");
		return;
	}

	popupImage.width=getValueOf('popupImageSize');
	popupImage.style.display='inline';

	// Set the source for the image.
	if( imageinfo.thumburl )
		popupImage.src=imageinfo.thumburl;
	else if( imageinfo.mime.indexOf("image") === 0 ){
		popupImage.src=imageinfo.url;
		log( "a thumb could not be found, using original image" );
	} else log( "fullsize imagethumb, but not sure if it's an image");


	var a=document.getElementById("popupImageLink"+id);
	if (a === null) { return null; }

	// Determine the action of the surrouding imagelink.
	switch (getValueOf('popupThumbAction')) {
	case 'imagepage':
		if (pg.current.article.namespaceId()!=pg.nsImageId) {
			a.href=imageinfo.descriptionurl;
			// FIXME: unreliable pg.idNumber
			popTipsSoonFn('popupImage' + id)();
			break;
		}
		/* falls through */
	case 'sizetoggle':
		a.onclick=toggleSize;
		a.title=popupString('Toggle image size');
		return;
	case 'linkfull':
		a.href = imageinfo.url;
		a.title=popupString('Open full-size image');
		return;
	}

}

// Toggles the image between inline small and navpop fullwidth.
// It's the same image, no actual sizechange occurs, only display width.
function toggleSize() {
	var imgContainer=this;
	if (!imgContainer) {
		alert('imgContainer is null :/');
		return;
	}
	var img=imgContainer.firstChild;
	if (!img) {
		alert('img is null :/');
		return;
	}

	if (!img.style.width || img.style.width==='') {
		img.style.width='100%';
	} else {
		img.style.width='';
	}
}

// Returns one title of an image from wikiText.
function getValidImageFromWikiText(wikiText) {
	// nb in pg.re.image we're interested in the second bracketed expression
	// this may change if the regex changes :-(
	//var match=pg.re.image.exec(wikiText);
	var matched=null;
	var match;
	// strip html comments, used by evil bots :-(
	var t = removeMatchesUnless(wikiText, RegExp('(<!--[\\s\\S]*?-->)'), 1,
					RegExp('^<!--[^[]*popup', 'i'));

	while ( ( match = pg.re.image.exec(t) ) ) {
		// now find a sane image name - exclude templates by seeking {
		var m = match[2] || match[6];
		if ( isValidImageName(m) ) {
			matched=m;
			break;
		}
	}
	pg.re.image.lastIndex=0;
	if (!matched) { return null; }
	return mw.config.get('wgFormattedNamespaces')[pg.nsImageId]+':'+upcaseFirst(matched);
}

function removeMatchesUnless(str, re1, parencount, re2) {
	var split=str.parenSplit(re1);
	var c=parencount + 1;
	for (var i=0; i<split.length; ++i) {
	if ( i%c === 0 || re2.test(split[i]) ) { continue; }
	split[i]='';
	}
	return split.join('');
}

//</NOLITE>
// ENDFILE: images.js
// STARTFILE: namespaces.js
// Set up namespaces and other non-strings.js localization
// (currently that means redirs too)

function setNamespaces() {
	pg.nsSpecialId   = -1;
	pg.nsMainspaceId = 0;
	pg.nsImageId     = 6;
	pg.nsUserId      = 2;
	pg.nsUsertalkId  = 3;
	pg.nsCategoryId  = 14;
	pg.nsTemplateId  = 10;
}


function setRedirs() {
	var r='redirect';
	var R='REDIRECT';
	var redirLists={
//<NOLITE>
		'ar':  [ R, 'تحويل' ],
		'be':  [ r, 'перанакіраваньне' ],
		'bg':  [ r, 'пренасочване', 'виж' ],
		'bs':  [ r, 'Preusmjeri', 'preusmjeri', 'PREUSMJERI' ],
		'cs':  [ R, 'PŘESMĚRUJ' ],
		'cy':  [ r, 'ail-cyfeirio' ],
		'de':  [ R, 'WEITERLEITUNG' ],
		'el':  [ R, 'ΑΝΑΚΑΤΕΥΘΥΝΣΗ'],
		'eo':  [ R, 'ALIDIREKTU', 'ALIDIREKTI' ],
		'es':  [ R, 'REDIRECCIÓN' ],
		'et':  [ r, 'suuna' ],
		'ga':  [ r, 'athsheoladh' ],
		'gl':  [ r, 'REDIRECCIÓN', 'REDIRECIONAMENTO'],
		'he':  [ R, 'הפניה' ],
		'hu':  [ R, 'ÁTIRÁNYÍTÁS' ],
		'is':  [ r, 'tilvísun', 'TILVÍSUN' ],
		'it':  [ R, 'RINVIA', 'Rinvia'],
		'ja':  [ R, '転送' ],
		'mk':  [ r, 'пренасочување', 'види' ],
		'nds': [ r, 'wiederleiden' ],
		'nl':  [ R, 'DOORVERWIJZING' ],
		'nn':  [ r, 'omdiriger' ],
		'pl':  [ R, 'PATRZ', 'PRZEKIERUJ', 'TAM' ],
		'pt':  [ R, 'redir' ],
		'ru':  [ R, 'ПЕРЕНАПРАВЛЕНИЕ', 'ПЕРЕНАПР' ],
		'sk':  [ r, 'presmeruj' ],
		'sr':  [ r, 'Преусмери', 'преусмери', 'ПРЕУСМЕРИ', 'Preusmeri', 'preusmeri', 'PREUSMERI' ],
		'tt':  [ R, 'yünältü', 'перенаправление', 'перенапр' ],
		'uk':  [ R, 'ПЕРЕНАПРАВЛЕННЯ', 'ПЕРЕНАПР' ],
		'vi':  [ r, 'đổi' ],
		'zh':  [ R, '重定向'] // no comma
//</NOLITE>
	};
	var redirList=redirLists[ pg.wiki.lang ] || [r, R];
	// Mediawiki is very tolerant about what comes after the #redirect at the start
	pg.re.redirect=RegExp('^\\s*[#](' + redirList.join('|') + ').*?\\[{2}([^\\|\\]]*)(|[^\\]]*)?\\]{2}\\s*(.*)', 'i');
}

function setInterwiki() {
	if (pg.wiki.wikimedia) {
		// From https://meta.wikimedia.org/wiki/List_of_Wikipedias
		pg.wiki.interwiki='aa|ab|ace|af|ak|als|am|an|ang|ar|arc|arz|as|ast|av|ay|az|ba|bar|bat-smg|bcl|be|be-x-old|bg|bh|bi|bjn|bm|bn|bo|bpy|br|bs|bug|bxr|ca|cbk-zam|cdo|ce|ceb|ch|cho|chr|chy|ckb|co|cr|crh|cs|csb|cu|cv|cy|da|de|diq|dsb|dv|dz|ee|el|eml|en|eo|es|et|eu|ext|fa|ff|fi|fiu-vro|fj|fo|fr|frp|frr|fur|fy|ga|gag|gan|gd|gl|glk|gn|got|gu|gv|ha|hak|haw|he|hi|hif|ho|hr|hsb|ht|hu|hy|hz|ia|id|ie|ig|ii|ik|ilo|io|is|it|iu|ja|jbo|jv|ka|kaa|kab|kbd|kg|ki|kj|kk|kl|km|kn|ko|koi|kr|krc|ks|ksh|ku|kv|kw|ky|la|lad|lb|lbe|lg|li|lij|lmo|ln|lo|lt|ltg|lv|map-bms|mdf|mg|mh|mhr|mi|mk|ml|mn|mo|mr|mrj|ms|mt|mus|mwl|my|myv|mzn|na|nah|nap|nds|nds-nl|ne|new|ng|nl|nn|no|nov|nrm|nv|ny|oc|om|or|os|pa|pag|pam|pap|pcd|pdc|pfl|pi|pih|pl|pms|pnb|pnt|ps|pt|qu|rm|rmy|rn|ro|roa-rup|roa-tara|ru|rue|rw|sa|sah|sc|scn|sco|sd|se|sg|sh|si|simple|sk|sl|sm|sn|so|sq|sr|srn|ss|st|stq|su|sv|sw|szl|ta|te|tet|tg|th|ti|tk|tl|tn|to|tpi|tr|ts|tt|tum|tw|ty|udm|ug|uk|ur|uz|ve|vec|vi|vls|vo|wa|war|wo|wuu|xal|xh|yi|yo|za|zea|zh|zh-classical|zh-min-nan|zh-yue|zu';
		pg.re.interwiki=RegExp('^'+pg.wiki.interwiki+':');
	} else {
		pg.wiki.interwiki=null;
		pg.re.interwiki=RegExp('^$');
	}
}

// return a regexp pattern matching all variants to write the given namespace
function nsRe(namespaceId) {
	var imageNamespaceVariants = [];
	jQuery.each(mw.config.get('wgNamespaceIds'), function(_localizedNamespaceLc, _namespaceId) {
		if (_namespaceId!=namespaceId) return;
		_localizedNamespaceLc = upcaseFirst(_localizedNamespaceLc);
		imageNamespaceVariants.push(mw.util.escapeRegExp(_localizedNamespaceLc).split(' ').join('[ _]'));
		imageNamespaceVariants.push(mw.util.escapeRegExp(encodeURI(_localizedNamespaceLc)));
	});

	return '(?:' + imageNamespaceVariants.join('|') + ')';
}

function nsReImage() {
	return nsRe(pg.nsImageId);
}
// ENDFILE: namespaces.js
// STARTFILE: selpop.js
//<NOLITE>
function getEditboxSelection() {
	// see http://www.webgurusforum.com/8/12/0
	var editbox;
	try {
		editbox=document.editform.wpTextbox1;
	} catch (dang) { return; }
	// IE, Opera
	if (document.selection) { return document.selection.createRange().text; }
	// Mozilla
	var selStart = editbox.selectionStart;
	var selEnd = editbox.selectionEnd;
	return (editbox.value).substring(selStart, selEnd);
}

function doSelectionPopup() {
	// popup if the selection looks like [[foo|anything afterwards at all
	// or [[foo|bar]]text without ']]'
	// or [[foo|bar]]
	var sel=getEditboxSelection();
	var open=sel.indexOf('[[');
	var pipe=sel.indexOf('|');
	var close=sel.indexOf(']]');
	if (open == -1 || ( pipe == -1 && close == -1) ) { return; }
	if (pipe != -1 && open > pipe || close != -1 && open > close) { return; }
	if (getValueOf('popupOnEditSelection')=='boxpreview') {
		return doSeparateSelectionPopup(sel);
	}
	var article=new Title(sel.substring(open+2, (pipe < 0) ? close : pipe)).urlString();
	if (close > 0 && sel.substring(close+2).indexOf('[[') >= 0) { 
		return; 
	}
	var a=document.createElement('a');
	a.href=pg.wiki.titlebase + article;
	mouseOverWikiLink2(a);
	if (a.navpopup) {
		a.navpopup.addHook(function(){runStopPopupTimer(a.navpopup);}, 'unhide', 'after');
	}
}

function doSeparateSelectionPopup(str) {
	var div=document.getElementById('selectionPreview');
	if (!div) {
		div = document.createElement('div');
		div.id='selectionPreview';
		try {
			var box=document.editform.wpTextbox1;
			box.parentNode.insertBefore(div, box);
		} catch (error) {
			return;
		}
	}
	div.innerHTML=wiki2html(str);
	div.ranSetupTooltipsAlready = false;
	popTipsSoonFn('selectionPreview')();
}
//</NOLITE>
// ENDFILE: selpop.js
// STARTFILE: navpopup.js
/**
   @fileoverview  Defines two classes: {@link Navpopup} and {@link Mousetracker}.

   <code>Navpopup</code> describes popups: when they appear, where, what
   they look like and so on.

   <code>Mousetracker</code> "captures" the mouse using
   <code>document.onmousemove</code>.
*/


/**
   Creates a new Mousetracker.
   @constructor
   @class The Mousetracker class. This monitors mouse movements and manages associated hooks.
*/
function Mousetracker() {
	/**
	   Interval to regularly run the hooks anyway, in milliseconds.
	   @type Integer
	*/
	this.loopDelay=400;

	/**
	   Timer for the loop.
	   @type Timer
	*/
	this.timer=null;

	/**
	   Flag - are we switched on?
	   @type Boolean
	*/
	this.active=false;
	/**
	   Flag - are we probably inaccurate, i.e. not reflecting the actual mouse position?
	*/
	this.dirty=true;
	/**
	   Array of hook functions.
	   @private
	   @type Array
	*/
	this.hooks=[];
}

/**
   Adds a hook, to be called when we get events.
   @param {Function} f A function which is called as
   <code>f(x,y)</code>. It should return <code>true</code> when it
   wants to be removed, and <code>false</code> otherwise.
*/
Mousetracker.prototype.addHook = function (f) {
	this.hooks.push(f);
};

/**
   Runs hooks, passing them the x
   and y coords of the mouse.  Hook functions that return true are
   passed to {@link Mousetracker#removeHooks} for removal.
   @private
*/
Mousetracker.prototype.runHooks = function () {
	if (!this.hooks || !this.hooks.length) { return; }
	//log('Mousetracker.runHooks; we got some hooks to run');
	var remove=false;
	var removeObj={};
	// this method gets called a LOT -
	// pre-cache some variables
	var x=this.x, y=this.y, len = this.hooks.length;

	for (var i=0; i<len; ++i) {
		//~ run the hook function, and remove it if it returns true
		if (this.hooks[i](x, y)===true) {
			remove=true;
			removeObj[i]=true;
		}
	}
	if (remove) { this.removeHooks(removeObj); }
};

/**
   Removes hooks.
   @private
   @param {Object} removeObj An object whose keys are the index
   numbers of functions for removal, with values that evaluate to true
*/
Mousetracker.prototype.removeHooks = function(removeObj) {
	var newHooks=[];
	var len = this.hooks.length;
	for (var i=0; i<len; ++i) {
		if (! removeObj[i]) { newHooks.push(this.hooks[i]); }
	}
	this.hooks=newHooks;
};


/**
   Event handler for mouse wiggles.
   We simply grab the event, set x and y and run the hooks.
   This makes the cpu all hot and bothered :-(
   @private
   @param {Event} e Mousemove event
*/
Mousetracker.prototype.track=function (e) {
	//~ Apparently this is needed in IE.
	e = e || window.event;
	var x, y;
	if (e) {
		if (e.pageX) { x=e.pageX; y=e.pageY; }
		else if (typeof e.clientX!='undefined') {
			var left, top, docElt = document.documentElement;

			if (docElt) { left=docElt.scrollLeft; }
			left = left || document.body.scrollLeft || document.scrollLeft || 0;

			if (docElt) { top=docElt.scrollTop; }
			top = top || document.body.scrollTop || document.scrollTop || 0;

			x=e.clientX + left;
			y=e.clientY + top;
		} else { return; }
		this.setPosition(x,y);
	}
};

/**
   Sets the x and y coordinates stored and takes appropriate action,
   running hooks as appropriate.
   @param {Integer} x, y Screen coordinates to set
*/

Mousetracker.prototype.setPosition=function(x,y) {
	this.x = x;
	this.y = y;
	if (this.dirty || this.hooks.length === 0) { this.dirty=false; return; }
	if (typeof this.lastHook_x != 'number') { this.lastHook_x = -100; this.lastHook_y=-100; }
	var diff = (this.lastHook_x - x)*(this.lastHook_y - y);
	diff = (diff >= 0) ? diff : -diff;
	if ( diff > 1 ) {
		this.lastHook_x=x;
		this.lastHook_y=y;
		if (this.dirty) { this.dirty = false; }
		else { this.runHooks(); }
	}
};

/**
   Sets things in motion, unless they are already that is, registering an event handler on <code>document.onmousemove</code>.
   A half-hearted attempt is made to preserve the old event handler if there is one.
*/
Mousetracker.prototype.enable = function () {
	if (this.active) { return; }
	this.active=true;
	//~ Save the current handler for mousemove events. This isn't too
	//~ robust, of course.
	this.savedHandler=document.onmousemove;
	//~ Gotta save @tt{this} again for the closure, and use apply for
	//~ the member function.
	var savedThis=this;
	document.onmousemove=function (e) {savedThis.track.apply(savedThis, [e]);};
	if (this.loopDelay) { this.timer = setInterval(function() { //log('loop delay in mousetracker is working');
									savedThis.runHooks();}, this.loopDelay); }
};

/**
   Disables the tracker, removing the event handler.
*/
Mousetracker.prototype.disable = function () {
	if (!this.active) { return; }
	if ($.isFunction(this.savedHandler)) {
		document.onmousemove=this.savedHandler;
	} else { delete document.onmousemove; }
	if (this.timer) { clearInterval(this.timer); }
	this.active=false;
};

/**
   Creates a new Navpopup.
   Gets a UID for the popup and
   @param init Contructor object. If <code>init.draggable</code> is true or absent, the popup becomes draggable.
   @constructor
   @class The Navpopup class. This generates popup hints, and does some management of them.
*/
function Navpopup(/*init*/) {
	//alert('new Navpopup(init)');
	/** UID for each Navpopup instance.
		Read-only.
		@type integer
	*/
	this.uid=Navpopup.uid++;
	/**
	   Read-only flag for current visibility of the popup.
	   @type boolean
	   @private
	*/
	this.visible=false;
	/** Flag to be set when we want to cancel a previous request to
		show the popup in a little while.
		@private
		@type boolean
	*/
	this.noshow=false;
	/** Categorised list of hooks.
		@see #runHooks
		@see #addHook
		@private
		@type Object
	*/
	this.hooks={
		'create': [],
		'unhide': [],
		'hide': []
	};
	/** list of unique IDs of hook functions, to avoid duplicates
		@private
	*/
	this.hookIds={};
	/** List of downloads associated with the popup.
		@private
		@type Array
	*/
	this.downloads=[];
	/** Number of uncompleted downloads.
		@type integer
	*/
	this.pending=null;
	/** Tolerance in pixels when detecting whether the mouse has left the popup.
		@type integer
	*/
	this.fuzz=5;
	/** Flag to toggle running {@link #limitHorizontalPosition} to regulate the popup's position.
		@type boolean
	*/
	this.constrained=true;
	/** The popup width in pixels.
		@private
		@type integer
	*/
	this.width=0;
	/** The popup width in pixels.
		@private
		@type integer
	*/
	this.height=0;
	/** The main content DIV element.
		@type HTMLDivElement
	*/
	this.mainDiv=null;
	this.createMainDiv();

//	if (!init || typeof init.popups_draggable=='undefined' || init.popups_draggable) {
//		this.makeDraggable(true);
//	}
}

/**
   A UID for each Navpopup. This constructor property is just a counter.
   @type integer
   @private
*/
Navpopup.uid=0;

/**
   Retrieves the {@link #visible} attribute, indicating whether the popup is currently visible.
   @type boolean
*/
Navpopup.prototype.isVisible=function() {
	return this.visible;
};

/**
   Repositions popup using CSS style.
   @private
   @param {integer} x x-coordinate (px)
   @param {integer} y y-coordinate (px)
   @param {boolean} noLimitHor Don't call {@link #limitHorizontalPosition}
*/
Navpopup.prototype.reposition= function (x,y, noLimitHor) {
	log ('reposition('+x+','+y+','+noLimitHor+')');
	if (typeof x != 'undefined' && x !== null) { this.left=x; }
	if (typeof y != 'undefined' && y !== null) { this.top=y; }
	if (typeof this.left != 'undefined' && typeof this.top != 'undefined') {
		this.mainDiv.style.left=this.left + 'px';
		this.mainDiv.style.top=this.top + 'px';
	}
	if (!noLimitHor) { this.limitHorizontalPosition(); }
	//console.log('navpop'+this.uid+' - (left,top)=(' + this.left + ',' + this.top + '), css=('
	//+ this.mainDiv.style.left + ',' + this.mainDiv.style.top + ')');
};

/**
   Prevents popups from being in silly locations. Hopefully.
   Should not be run if {@link #constrained} is true.
   @private
*/
Navpopup.prototype.limitHorizontalPosition=function() {
	if (!this.constrained || this.tooWide) { return; }
	this.updateDimensions();
	var x=this.left;
	var w=this.width;
	var cWidth=document.body.clientWidth;


//	log('limitHorizontalPosition: x='+x+
//			', this.left=' + this.left +
//			', this.width=' + this.width +
//			', cWidth=' + cWidth);


	if ( (x+w) >= cWidth ||
		 ( x > 0 &&
		 	this.maxWidth &&
		 	this.width < this.maxWidth &&
		 	this.height > this.width &&
		 	x > cWidth - this.maxWidth ) ) {
		// This is a very nasty hack. There has to be a better way!
		// We find the "natural" width of the div by positioning it at the far left
		// then reset it so that it should be flush right (well, nearly)
		this.mainDiv.style.left='-10000px';
		this.mainDiv.style.width = this.maxWidth + 'px';
		var naturalWidth=parseInt(this.mainDiv.offsetWidth, 10);
		var newLeft=cWidth - naturalWidth - 1;
		if (newLeft < 0) { newLeft = 0; this.tooWide=true; } // still unstable for really wide popups?
		log ('limitHorizontalPosition: moving to ('+newLeft + ','+ this.top+');' + ' naturalWidth=' + naturalWidth + ', clientWidth=' + cWidth);
		this.reposition(newLeft, null, true);
	}
};

/**
   Counter indicating the z-order of the "highest" popup.
   We start the z-index at 1000 so that popups are above everything
   else on the screen.
   @private
   @type integer
*/
Navpopup.highest=1000;

/**
   Brings popup to the top of the z-order.
   We increment the {@link #highest} property of the contructor here.
   @private
*/
Navpopup.prototype.raise = function () {
	this.mainDiv.style.zIndex=Navpopup.highest + 1;
	++Navpopup.highest;
};

/**
   Shows the popup provided {@link #noshow} is not true.
   Updates the position, brings the popup to the top of the z-order and unhides it.
*/
Navpopup.prototype.show = function () {
	//document.title+='s';
	if (this.noshow) { return; }
	//document.title+='t';
	this.reposition();
	this.raise();
	this.unhide();
};

/**
   Checks to see if the mouse pointer has
   stabilised (checking every <code>time</code>/2 milliseconds) and runs the
   {@link #show} method if it has.
   @param {integer} time The minimum time (ms) before the popup may be shown.
*/
Navpopup.prototype.showSoonIfStable = function (time) {
	log ('showSoonIfStable, time='+time);
	if (this.visible) { return; }
	this.noshow = false;

	//~ initialize these variables so that we never run @tt{show} after
	//~ just half the time
	this.stable_x = -10000; this.stable_y = -10000;

	var stableShow = function() {
		log('stableShow called');
		var new_x = Navpopup.tracker.x, new_y = Navpopup.tracker.y;
		var dx = savedThis.stable_x - new_x, dy = savedThis.stable_y - new_y;
		var fuzz2 = 0; // savedThis.fuzz * savedThis.fuzz;
		//document.title += '[' + [savedThis.stable_x,new_x, savedThis.stable_y,new_y, dx, dy, fuzz2].join(',') + '] ';
		if ( dx * dx <= fuzz2 && dy * dy <= fuzz2 ) {
			log ('mouse is stable');
			clearInterval(savedThis.showSoonStableTimer);
			savedThis.reposition.apply(savedThis, [new_x + 2, new_y + 2]);
			savedThis.show.apply(savedThis, []);
			savedThis.limitHorizontalPosition.apply(savedThis, []);
			return;
		}
		savedThis.stable_x = new_x; savedThis.stable_y = new_y;
	};
	var savedThis = this;
	this.showSoonStableTimer = setInterval(stableShow, time/2);
};

/**
   Sets the {@link #noshow} flag and hides the popup. This should be called
   when the mouse leaves the link before
   (or after) it's actually been displayed.
*/
Navpopup.prototype.banish = function () {
	log ('banish called');
	// hide and prevent showing with showSoon in the future
	this.noshow=true;
	if (this.showSoonStableTimer) {
		log('clearing showSoonStableTimer');
		clearInterval(this.showSoonStableTimer);
	}
	this.hide();
};

/**
   Runs hooks added with {@link #addHook}.
   @private
   @param {String} key Key name of the {@link #hooks} array - one of 'create', 'unhide', 'hide'
   @param {String} when Controls exactly when the hook is run: either 'before' or 'after'
*/
Navpopup.prototype.runHooks = function (key, when) {
	if (!this.hooks[key]) { return; }
	var keyHooks=this.hooks[key];
	var len=keyHooks.length;
	for (var i=0; i< len; ++i) {
		if (keyHooks[i] && keyHooks[i].when == when) {
			if (keyHooks[i].hook.apply(this, [])) {
				// remove the hook
				if (keyHooks[i].hookId) {
					delete this.hookIds[keyHooks[i].hookId];
				}
				keyHooks[i]=null;
			}
		}
	}
};

/**
   Adds a hook to the popup. Hook functions are run with <code>this</code> set to refer to the Navpopup instance, and no arguments.
   @param {Function} hook The hook function. Functions that return true are deleted.
   @param {String} key Key name of the {@link #hooks} array - one of 'create', 'unhide', 'hide'
   @param {String} when Controls exactly when the hook is run: either 'before' or 'after'
   @param {String} uid A truthy string identifying the hook function; if it matches another hook in this position, it won't be added again.
*/
Navpopup.prototype.addHook = function ( hook, key, when, uid ) {
	when = when || 'after';
	if (!this.hooks[key]) { return; }
	// if uid is specified, don't add duplicates
	var hookId=null;
	if (uid) {
		hookId=[key,when,uid].join('|');
		if (this.hookIds[hookId]) {
			return;
		}
		this.hookIds[hookId]=true;
	}
	this.hooks[key].push( {hook: hook, when: when, hookId: hookId} );
};

/**
   Creates the main DIV element, which contains all the actual popup content.
   Runs hooks with key 'create'.
   @private
*/
Navpopup.prototype.createMainDiv = function () {
	if (this.mainDiv) { return; }
	this.runHooks('create', 'before');
	var mainDiv=document.createElement('div');

	var savedThis=this;
	mainDiv.onclick=function(e) {savedThis.onclickHandler(e);};
	mainDiv.className=(this.className) ? this.className : 'navpopup_maindiv';
	mainDiv.id=mainDiv.className + this.uid;

	mainDiv.style.position='absolute';
	mainDiv.style.minWidth = '350px';
	mainDiv.style.display='none';
	mainDiv.className='navpopup';

	// easy access to javascript object through DOM functions
	mainDiv.navpopup=this;

	this.mainDiv=mainDiv;
	document.body.appendChild(mainDiv);
	this.runHooks('create', 'after');
};
/**
   Calls the {@link #raise} method.
   @private
*/
Navpopup.prototype.onclickHandler=function(/*e*/) {
	this.raise();
};
/**
   Makes the popup draggable, using a {@link Drag} object.
   @private
*/
Navpopup.prototype.makeDraggable=function(handleName) {
	if (!this.mainDiv) { this.createMainDiv(); }
	var drag=new Drag();
	if (!handleName) {
		drag.startCondition=function(e) {
		try { if (!e.shiftKey) { return false; } } catch (err) { return false; }
		return true;
		};
	}
	var dragHandle;
	if (handleName) dragHandle = document.getElementById(handleName);
	if (!dragHandle) dragHandle = this.mainDiv;
	var np=this;
	drag.endHook=function(x,y) {
		Navpopup.tracker.dirty=true;
		np.reposition(x,y);
	};
	drag.init(dragHandle,this.mainDiv);
};

/** Hides the popup using CSS. Runs hooks with key 'hide'.
	Sets {@link #visible} appropriately.	 {@link #banish} should be called externally instead of this method.

	@private
*/
Navpopup.prototype.hide = function () {
	this.runHooks('hide', 'before');
	this.abortDownloads();
	if (typeof this.visible != 'undefined' && this.visible) {
		this.mainDiv.style.display='none';
		this.visible=false;
	}
	this.runHooks('hide', 'after');
};

/** Shows the popup using CSS. Runs hooks with key 'unhide'.
	Sets {@link #visible} appropriately.   {@link #show} should be called externally instead of this method.
	@private
*/
Navpopup.prototype.unhide = function () {
	this.runHooks('unhide', 'before');
	if (typeof this.visible != 'undefined' && !this.visible) {
		this.mainDiv.style.display='inline';
		this.visible=true;
	}
	this.runHooks('unhide', 'after');
};

/**
   Sets the <code>innerHTML</code> attribute of the main div containing the popup content.
   @param {String} html The HTML to set.
*/
Navpopup.prototype.setInnerHTML = function (html) {
	this.mainDiv.innerHTML = html;
};

/**
   Updates the {@link #width} and {@link #height} attributes with the CSS properties.
   @private
*/
Navpopup.prototype.updateDimensions = function () {
	this.width=parseInt(this.mainDiv.offsetWidth, 10);
	this.height=parseInt(this.mainDiv.offsetHeight, 10);
};

/**
   Checks if the point (x,y) is within {@link #fuzz} of the
   {@link #mainDiv}.
   @param {integer} x x-coordinate (px)
   @param {integer} y y-coordinate (px)
   @type boolean
*/
Navpopup.prototype.isWithin = function(x,y) {
	//~ If we're not even visible, no point should be considered as
	//~ being within the popup.
	if (!this.visible) { return false; }
	this.updateDimensions();
	var fuzz=this.fuzz || 0;
	//~ Use a simple box metric here.
	return (x+fuzz >= this.left && x-fuzz <= this.left + this.width &&
		y+fuzz >= this.top  && y-fuzz <= this.top  + this.height);
};

/**
   Adds a download to {@link #downloads}.
   @param {Downloader} download
*/
Navpopup.prototype.addDownload=function(download) {
	if (!download) { return; }
	this.downloads.push(download);
};
/**
   Aborts the downloads listed in {@link #downloads}.
   @see Downloader#abort
*/
Navpopup.prototype.abortDownloads=function() {
	for(var i=0; i<this.downloads.length; ++i) {
		var d=this.downloads[i];
		if (d && d.abort) { d.abort(); }
	}
	this.downloads=[];
};


/**
   A {@link Mousetracker} instance which is a property of the constructor (pseudo-global).
*/
Navpopup.tracker=new Mousetracker();
// ENDFILE: navpopup.js
// STARTFILE: diff.js
//<NOLITE>
/*
 * Javascript Diff Algorithm
 *  By John Resig (http://ejohn.org/) and [[:en:User:Lupin]]
 *
 * More Info:
 *  http://ejohn.org/projects/javascript-diff-algorithm/
 */

function delFmt(x) {
	if (!x.length) { return ''; }
	return "<del class='popupDiff'>" + x.join('') +"</del>";
}
function insFmt(x) {
	if (!x.length) { return ''; }
	return "<ins class='popupDiff'>" + x.join('') +"</ins>";
}

function countCrossings(a, b, i, eject) {
	// count the crossings on the edge starting at b[i]
	if (!b[i].row && b[i].row !== 0) { return -1; }
	var count=0;
	for (var j=0; j<a.length; ++j) {
		if (!a[j].row && a[j].row !== 0) { continue; }
		if ( (j-b[i].row)*(i-a[j].row) > 0) {
			if(eject) { return true; }
			count++;
		}
	}
	return count;
}

function shortenDiffString(str, context) {
	var re=RegExp('(<del[\\s\\S]*?</del>|<ins[\\s\\S]*?</ins>)');
	var splitted=str.parenSplit(re);
	var ret=[''];
	for (var i=0; i<splitted.length; i+=2) {
		if (splitted[i].length < 2*context) {
			ret[ret.length-1] += splitted[i];
			if (i+1<splitted.length) { ret[ret.length-1] += splitted[i+1]; }
			continue;
		}
		else {
			if (i > 0) { ret[ret.length-1] += splitted[i].substring(0,context); }
			if (i+1 < splitted.length) {
				ret.push(splitted[i].substring(splitted[i].length-context) +
					 splitted[i+1]);
			}
		}
	}
	while (ret.length > 0 && !ret[0]) { ret = ret.slice(1); }
	return ret;
}


function diffString( o, n, simpleSplit ) {
	var splitRe=RegExp('([[]{2}|[\\]]{2}|[{]{2,3}|[}]{2,3}|[|]|=|<|>|[*:]+|\\s|\\b)');

	//  We need to split the strings o and n first, and entify() the parts
	//  individually, so that the HTML entities are never cut apart. (AxelBoldt)
	var out, i, oSplitted, nSplitted;
	if (simpleSplit) { 
		oSplitted=o.split(/\b/); 
		nSplitted=n.split(/\b/); 
	} else { 
		oSplitted=o.parenSplit(splitRe); 
		nSplitted=n.parenSplit(splitRe); 
	}
	for (i=0; i<oSplitted.length; ++i) {oSplitted[i]=oSplitted[i].entify();}
	for (i=0; i<nSplitted.length; ++i) {nSplitted[i]=nSplitted[i].entify();}
		
	out = diff (oSplitted, nSplitted);
	var str = "";
	var acc=[]; // accumulator for prettier output

	// crossing pairings -- eg 'A B' vs 'B A' -- cause problems, so let's iron them out
	// this doesn't always do things optimally but it should be fast enough
	var maxOutputPair=0;
	for (i=0; i<out.n.length; ++i) {
		if ( out.n[i].paired ) {
		if( maxOutputPair > out.n[i].row ) {
			// tangle - delete pairing
			out.o[ out.n[i].row ]=out.o[ out.n[i].row ].text;
			out.n[i]=out.n[i].text;
		}
		if (maxOutputPair < out.n[i].row) { maxOutputPair = out.n[i].row; }
		}
	}

	// output the stuff preceding the first paired old line
	for (i=0; i<out.o.length && !out.o[i].paired; ++i) { acc.push( out.o[i] ); }
	str += delFmt(acc); acc=[];

	// main loop
	for ( i = 0; i < out.n.length; ++i ) {
		// output unpaired new "lines"
		while ( i < out.n.length && !out.n[i].paired ) { acc.push( out.n[i++] ); }
		str += insFmt(acc); acc=[];
		if ( i < out.n.length ) { // this new "line" is paired with the (out.n[i].row)th old "line"
			str += out.n[i].text;
			// output unpaired old rows starting after this new line's partner
			var m = out.n[i].row + 1;
			while ( m < out.o.length && !out.o[m].paired ) { acc.push ( out.o[m++] ); }
			str += delFmt(acc); acc=[];
		}
	}
	return str;
}

// see http://developer.mozilla.org/en/docs/Core_JavaScript_1.5_Reference:Global_Objects:Object
// FIXME: use obj.hasOwnProperty instead of this kludge!
var jsReservedProperties=RegExp('^(constructor|prototype|__((define|lookup)[GS]etter)__' +
				   '|eval|hasOwnProperty|propertyIsEnumerable' +
				   '|to(Source|String|LocaleString)|(un)?watch|valueOf)$');
function diffBugAlert(word) {
	if (!diffBugAlert.list[word]) {
		diffBugAlert.list[word]=1;
		alert('Bad word: '+word+'\n\nPlease report this bug.');
	}
}
diffBugAlert.list={};

function makeDiffHashtable(src) {
	var ret={};
	for ( var i = 0; i < src.length; i++ ) {
		if ( jsReservedProperties.test(src[i]) ) { src[i] += '<!-- -->'; }
		if ( !ret[ src[i] ] ) { ret[ src[i] ] = []; }
		try { ret[ src[i] ].push( i ); } catch (err) { diffBugAlert(src[i]); }
	}
	return ret;
}

function diff( o, n ) {

	// pass 1: make hashtable ns with new rows as keys
	var ns = makeDiffHashtable(n);

	// pass 2: make hashtable os with old rows as keys
	var os = makeDiffHashtable(o);

	// pass 3: pair unique new rows and matching unique old rows
	var i;
	for ( i in ns ) {
		if ( ns[i].length == 1 && os[i] && os[i].length == 1 ) {
			n[ ns[i][0] ] = { text: n[ ns[i][0] ], row: os[i][0], paired: true };
			o[ os[i][0] ] = { text: o[ os[i][0] ], row: ns[i][0], paired: true };
		}
	}

	// pass 4: pair matching rows immediately following paired rows (not necessarily unique)
	for ( i = 0; i < n.length - 1; i++ ) {
		if ( n[i].paired && ! n[i+1].paired && n[i].row + 1 < o.length && ! o[ n[i].row + 1 ].paired &&
			 n[i+1] == o[ n[i].row + 1 ] ) {
			n[i+1] = { text: n[i+1], row: n[i].row + 1, paired: true };
			o[n[i].row+1] = { text: o[n[i].row+1], row: i + 1, paired: true };
		}
	}

	// pass 5: pair matching rows immediately preceding paired rows (not necessarily unique)
	for ( i = n.length - 1; i > 0; i-- ) {
		if ( n[i].paired && ! n[i-1].paired && n[i].row > 0 && ! o[ n[i].row - 1 ].paired &&
			 n[i-1] == o[ n[i].row - 1 ] ) {
			n[i-1] = { text: n[i-1], row: n[i].row - 1, paired: true };
			o[n[i].row-1] = { text: o[n[i].row-1], row: i - 1, paired: true };
		}
	}

	return { o: o, n: n };
}
//</NOLITE>
// ENDFILE: diff.js
// STARTFILE: init.js
function setSiteInfo() {
	if (window.popupLocalDebug) {
		pg.wiki.hostname = 'en.wikipedia.org';
	} else {
		pg.wiki.hostname = location.hostname; // use in preference to location.hostname for flexibility (?)
	}
	pg.wiki.wikimedia=RegExp('(wiki([pm]edia|source|books|news|quote|versity)|wiktionary|mediawiki)[.]org').test(pg.wiki.hostname);
	pg.wiki.wikia=RegExp('[.]wikia[.]com$', 'i').test(pg.wiki.hostname);
	pg.wiki.isLocal=RegExp('^localhost').test(pg.wiki.hostname);
	pg.wiki.commons=( pg.wiki.wikimedia && pg.wiki.hostname != 'commons.wikimedia.org') ? 'commons.wikimedia.org' : null;
	pg.wiki.lang = mw.config.get('wgContentLanguage');
	var port = location.port ? ':' + location.port : '';
	pg.wiki.sitebase = pg.wiki.hostname + port;
}

function setUserInfo() {
	var api = new mw.Api( {
		    ajax: {
		        headers: { 'Api-User-Agent': pg.misc.userAgent }
		    }
		} );
	var params = {
			action: 'query',
			list: 'users',
			ususers: mw.config.get('wgUserName'),
			usprop: 'rights'
		};
    
 	pg.user.canReview = false;
    if (getValueOf('popupReview')) {
		api.get(params).done(function(data){
			var rights = data.query.users[0].rights;
			pg.user.canReview = rights.indexOf('review') !== -1; // TODO: Should it be a getValueOf('ReviewRight') ?
		});
    }
}

function setTitleBase() {
	var protocol = ( window.popupLocalDebug ? 'http:' : location.protocol );
	pg.wiki.articlePath = mw.config.get('wgArticlePath').replace(/\/\$1/, "");   // as in http://some.thing.com/wiki/Article
	pg.wiki.botInterfacePath = mw.config.get('wgScript');
	pg.wiki.APIPath = mw.config.get('wgScriptPath') +"/api.php";
	// default mediawiki setting is paths like http://some.thing.com/articlePath/index.php?title=foo

	var titletail = pg.wiki.botInterfacePath + '?title=';
	//var titletail2 = joinPath([pg.wiki.botInterfacePath, 'wiki.phtml?title=']);

	// other sites may need to add code here to set titletail depending on how their urls work

	pg.wiki.titlebase   = protocol + '//' + pg.wiki.sitebase + titletail;
	//pg.wiki.titlebase2  = protocol + '//' + joinPath([pg.wiki.sitebase, titletail2]);
	pg.wiki.wikibase	= protocol + '//' + pg.wiki.sitebase + pg.wiki.botInterfacePath;
	pg.wiki.apiwikibase = protocol + '//' + pg.wiki.sitebase + pg.wiki.APIPath;
	pg.wiki.articlebase = protocol + '//' + pg.wiki.sitebase + pg.wiki.articlePath;
	pg.wiki.commonsbase = protocol + '//' + pg.wiki.commons  + pg.wiki.botInterfacePath;
	pg.wiki.apicommonsbase = protocol + '//' + pg.wiki.commons  + pg.wiki.APIPath;
	pg.re.basenames = RegExp( '^(' +
				  map( literalizeRegex, [ pg.wiki.titlebase, //pg.wiki.titlebase2,
							  pg.wiki.articlebase ]).join('|') + ')' );
}


//////////////////////////////////////////////////
// Global regexps

function setMainRegex() {
	var reStart='[^:]*://';
	var preTitles = literalizeRegex( mw.config.get('wgScriptPath') ) + '/(?:index[.]php|wiki[.]phtml)[?]title=';
	preTitles += '|' + literalizeRegex( pg.wiki.articlePath + '/' );

	var reEnd='(' + preTitles + ')([^&?#]*)[^#]*(?:#(.+))?';
	pg.re.main = RegExp(reStart + literalizeRegex(pg.wiki.sitebase) + reEnd);
}

function setRegexps() {
	// TODO: We shoud use an api call to get the aliases for special pages, now it does not work for non-English wikipedias: 
	// E.g., https://ru.wikipedia.org/w/api.php?action=query&meta=siteinfo&siprop=specialpagealiases&formatversion=2
	setMainRegex();
	var sp=nsRe(pg.nsSpecialId);
	pg.re.urlNoPopup=RegExp('((title=|/)' + sp + '(?:%3A|:)|section=[0-9]|^#$)') ;
	pg.re.contribs  =RegExp('(title=|/)'  + sp + '(?:%3A|:)Contributions' + '(&target=|/|/' + nsRe(pg.nsUserId)+':)(.*)') ;
	pg.re.email	    =RegExp('(title=|/)'  + sp + '(?:%3A|:)EmailUser'	 + '(&target=|/|/(?:' + nsRe(pg.nsUserId)+':)?)(.*)') ;
	pg.re.backlinks =RegExp('(title=|/)'  + sp + '(?:%3A|:)WhatLinksHere' + '(&target=|/)([^&]*)');
	pg.re.specialdiff=RegExp('/'          + sp + '(?:%3A|:)Diff/([^?#]*)');

//<NOLITE>
	var im=nsReImage();
	// note: tries to get images in infobox templates too, e.g. movie pages, album pages etc
	//					  (^|\[\[)image: *([^|\]]*[^|\] ]) *
	//					  (^|\[\[)image: *([^|\]]*[^|\] ])([^0-9\]]*([0-9]+) *px)?
	//														$4 = 120 as in 120px
	pg.re.image = RegExp('(^|\\[\\[)' + im + ': *([^|\\]]*[^|\\] ])' +
				 '([^0-9\\]]*([0-9]+) *px)?|(?:\\n *[|]?|[|]) *' +
				 '(' + getValueOf('popupImageVarsRegexp') + ')' +
				 ' *= *(?:\\[\\[ *)?(?:' + im + ':)?' +
				 '([^|]*?)(?:\\]\\])? *[|]? *\\n', 'img') ;
	pg.re.imageBracketCount = 6;

	pg.re.category = RegExp('\\[\\[' +nsRe(pg.nsCategoryId) +
				': *([^|\\]]*[^|\\] ]) *', 'i');
	pg.re.categoryBracketCount = 1;

	pg.re.ipUser=RegExp('^' +
				// IPv6
				'(?::(?::|(?::[0-9A-Fa-f]{1,4}){1,7})|[0-9A-Fa-f]{1,4}(?::[0-9A-Fa-f]{1,4}){0,6}::|[0-9A-Fa-f]{1,4}(?::[0-9A-Fa-f]{1,4}){7})' +
				// IPv4
				'|(((25[0-5]|2[0-4][0-9]|1[0-9][0-9]|[1-9][0-9]|[0-9])\\.){3}' +
				'(25[0-5]|2[0-4][0-9]|1[0-9][0-9]|[1-9][0-9]|[0-9]))$');

	pg.re.stub= RegExp(getValueOf('popupStubRegexp'), 'im');
	pg.re.disambig=RegExp(getValueOf('popupDabRegexp'), 'im');

//</NOLITE>
	// FIXME replace with general parameter parsing function, this is daft
	pg.re.oldid=RegExp('[?&]oldid=([^&]*)');
	pg.re.diff=RegExp('[?&]diff=([^&]*)');
}


//////////////////////////////////////////////////
// miscellany

function setupCache() {
	// page caching
	pg.cache.pages = [];
}

function setMisc() {
	pg.current.link=null;
	pg.current.links=[];
	pg.current.linksHash={};

	setupCache();

	pg.timer.checkPopupPosition=null;
	pg.counter.loop=0;

	// ids change with each popup: popupImage0, popupImage1 etc
	pg.idNumber=0;

	// for myDecodeURI
	pg.misc.decodeExtras = [
		{from: '%2C', to: ',' },
		{from: '_',   to: ' ' },
		{from: '%24', to: '$'},
		{from: '%26',   to: '&' } // no ,
		];

	pg.misc.userAgent = 'Navigation popups/1.0 (' + mw.config.get( 'wgServerName' ) +')';
}

// We need a callback since this might end up asynchronous because of
// the mw.loader.using() call.
function setupPopups( callback ) {
	if ( setupPopups.completed ) {
		if ( $.isFunction( callback ) ) {
			callback();
		}
		return;
	}
	// These dependencies are also enforced from the gadget,
	// but not everyone loads this as a gadget, so double check
	mw.loader.using( ['mediawiki.util', 'mediawiki.user', 'user.options'] ).then( function() {
		// NB translatable strings should be set up first (strings.js)
		// basics
		setupDebugging();
		setSiteInfo();
		setTitleBase();
		setOptions(); // see options.js
		setUserInfo();

		// namespaces etc
		setNamespaces();
		setInterwiki();

		// regexps
		setRegexps();
		setRedirs();

		// other stuff
		setMisc();
		setupLivePreview();

		// main deal here
		setupTooltips();
		log('In setupPopups(), just called setupTooltips()');
		Navpopup.tracker.enable();

		setupPopups.completed = true;
		if ( $.isFunction( callback ) ) {
			callback();
		}
	});
}
// ENDFILE: init.js
// STARTFILE: navlinks.js
//<NOLITE>
//////////////////////////////////////////////////
// navlinks... let the fun begin
//

function defaultNavlinkSpec() {
	var str='';
	str += '<b><<mainlink|shortcut= >></b>';
	if (getValueOf('popupLastEditLink')) {
		str += '*<<lastEdit|shortcut=/>>|<<lastContrib>>|<<sinceMe>>if(oldid){|<<oldEdit>>|<<diffCur>>}';
	}

	// user links
	// contribs - log - count - email - block
	// count only if applicable; block only if popupAdminLinks
	str += 'if(user){<br><<contribs|shortcut=c>>*<<userlog|shortcut=L|log>>';
	str+='if(ipuser){*<<arin>>}if(wikimedia){*<<count|shortcut=#>>}';
	str+='if(ipuser){}else{*<<email|shortcut=E>>}if(admin){*<<block|shortcut=b>>|<<blocklog|log>>}}';

	// editing links
	// talkpage   -> edit|new - history - un|watch - article|edit
	// other page -> edit - history - un|watch - talk|edit|new
	var editstr='<<edit|shortcut=e>>';
	var editOldidStr='if(oldid){<<editOld|shortcut=e>>|<<revert|shortcut=v|rv>>|<<edit|cur>>}else{' + editstr + '}';
	var historystr='<<history|shortcut=h>>|<<editors|shortcut=E|>>';
	var watchstr='<<unwatch|unwatchShort>>|<<watch|shortcut=w|watchThingy>>';

	str+='<br>if(talk){' +
		editOldidStr+'|<<new|shortcut=+>>' + '*' + historystr+'*'+watchstr + '*' +
		'<b><<article|shortcut=a>></b>|<<editArticle|edit>>' +
		'}else{' + // not a talk page
		editOldidStr + '*' + historystr + '*' + watchstr + '*' +
		'<b><<talk|shortcut=t>></b>|<<editTalk|edit>>|<<newTalk|shortcut=+|new>>}';

	// misc links
	str += '<br><<whatLinksHere|shortcut=l>>*<<relatedChanges|shortcut=r>>*<<move|shortcut=m>>';

	// admin links
	str += 'if(admin){<br><<unprotect|unprotectShort>>|<<protect|shortcut=p>>|<<protectlog|log>>*' +
		'<<undelete|undeleteShort>>|<<delete|shortcut=d>>|<<deletelog|log>>}';
	return str;
}

function navLinksHTML (article, hint, params) { //oldid, rcid) {
	var str = '<span class="popupNavLinks">' + defaultNavlinkSpec() + '</span>';
	// BAM
	return navlinkStringToHTML(str, article, params);
}

function expandConditionalNavlinkString(s,article,z,recursionCount) {
	var oldid=z.oldid, rcid=z.rcid, diff=z.diff;
	// nested conditionals (up to 10 deep) are ok, hopefully! (work from the inside out)
	if (typeof recursionCount!=typeof 0) { recursionCount=0; }
	var conditionalSplitRegex=RegExp(
		//(1	 if	\\(	(2	2)	\\)	  {(3	3)}  (4   else	  {(5	 5)}  4)1)
		'(;?\\s*if\\s*\\(\\s*([\\w]*)\\s*\\)\\s*\\{([^{}]*)\\}(\\s*else\\s*\\{([^{}]*?)\\}|))', 'i');
	var splitted=s.parenSplit(conditionalSplitRegex);
	// $1: whole conditional
	// $2: test condition
	// $3: true expansion
	// $4: else clause (possibly empty)
	// $5: false expansion (possibly null)
	var numParens=5;
	var ret = splitted[0];
	for (var i=1; i<splitted.length; i=i+numParens+1) {

		var testString=splitted[i+2-1];
		var trueString=splitted[i+3-1];
		var falseString=splitted[i+5-1];
		if (typeof falseString=='undefined' || !falseString) { falseString=''; }
		var testResult=null;

		switch (testString) {
		case 'user':
			testResult=(article.userName())?true:false;
			break;
		case 'talk':
			testResult=(article.talkPage())?false:true; // talkPage converts _articles_ to talkPages
			break;
		case 'admin':
			testResult=getValueOf('popupAdminLinks')?true:false;
			break;
		case 'oldid':
			testResult=(typeof oldid != 'undefined' && oldid)?true:false;
			break;
		case 'rcid':
			testResult=(typeof rcid != 'undefined' && rcid)?true:false;
			break;
		case 'ipuser':
			testResult=(article.isIpUser())?true:false;
			break;
		case 'mainspace_en':
			testResult=isInMainNamespace(article) &&
				pg.wiki.hostname=='en.wikipedia.org';
			break;
		case 'wikimedia':
			testResult=(pg.wiki.wikimedia) ? true : false;
			break;
		case 'diff':
			testResult=(typeof diff != 'undefined' && diff)?true:false;
			break;
		}

		switch(testResult) {
		case null: ret+=splitted[i];  break;
		case true: ret+=trueString;   break;
		case false: ret+=falseString; break;
		}

		// append non-conditional string
		ret += splitted[i+numParens];
	}
	if (conditionalSplitRegex.test(ret) && recursionCount < 10) {
		return expandConditionalNavlinkString(ret,article,z,recursionCount+1);
	}
	return ret;
}

function navlinkStringToArray(s, article, params) {
	s=expandConditionalNavlinkString(s,article,params);
	var splitted=s.parenSplit(RegExp('<<(.*?)>>'));
	var ret=[];
	for (var i=0; i<splitted.length; ++i) {
		if (i%2) { // i odd, so s is a tag
			var t=new navlinkTag();
			var ss=splitted[i].split('|');
			t.id=ss[0];
			for (var j=1; j<ss.length; ++j) {
				var sss=ss[j].split('=');
				if (sss.length>1) {
					t[sss[0]]=sss[1];
				}
				else { // no assignment (no "="), so treat this as a title (overwriting the last one)
					t.text=popupString(sss[0]);
				}
			}
			t.article=article;
			var oldid=params.oldid, rcid=params.rcid, diff=params.diff;
			if (typeof oldid !== 'undefined' && oldid !== null) { t.oldid=oldid; }
			if (typeof rcid !== 'undefined' && rcid !== null) { t.rcid=rcid; }
			if (typeof diff !== 'undefined' && diff !== null) { t.diff=diff; }
			if (!t.text && t.id !== 'mainlink') { t.text=popupString(t.id); }
			ret.push(t);
		}
		else { // plain HTML
			ret.push(splitted[i]);
		}
	}
	return ret;
}


function navlinkSubstituteHTML(s) {
	return s.split('*').join(getValueOf('popupNavLinkSeparator'))
		.split('<menurow>').join('<li class="popup_menu_row">')
		.split('</menurow>').join('</li>')
		.split('<menu>').join('<ul class="popup_menu">')
		.split('</menu>').join('</ul>');

}

function navlinkDepth(magic,s) {
	return s.split('<' + magic + '>').length - s.split('</' + magic + '>').length;
}


// navlinkString: * becomes the separator
//				<<foo|bar=baz|fubar>> becomes a foo-link with attribute bar='baz'
//									  and visible text 'fubar'
//				if(test){...} and if(test){...}else{...} work too (nested ok)

function navlinkStringToHTML(s,article,params) {
	//limitAlert(navlinkStringToHTML, 5, 'navlinkStringToHTML\n' + article + '\n' + (typeof article));
	var p=navlinkStringToArray(s,article,params);
	var html='';
	var menudepth = 0; // nested menus not currently allowed, but doesn't do any harm to code for it
	var menurowdepth = 0;
	for (var i=0; i<p.length; ++i) {
		if (typeof p[i] == typeof '') {
			html+=navlinkSubstituteHTML(p[i]);
			menudepth += navlinkDepth('menu', p[i]);
			menurowdepth += navlinkDepth('menurow', p[i]);
//			if (menudepth === 0) {
//				tagType='span';
//			} else if (menurowdepth === 0) {
//				tagType='li';
//			} else {
//				tagType = null;
//			}
		} else if (typeof p[i].type != 'undefined' && p[i].type=='navlinkTag') {
			if (menudepth > 0 && menurowdepth === 0) {
				html += '<li class="popup_menu_item">' + p[i].html() + '</li>';
			} else {
				html+=p[i].html();
			}
		}
	}
	return html;
}

function navlinkTag() {
	this.type='navlinkTag';
}

navlinkTag.prototype.html=function () {
	this.getNewWin();
	this.getPrintFunction();
	var html='';
	var opening, closing;
	var tagType='span';
	if (!tagType) {
		opening = ''; closing = '';
	} else {
		opening = '<' + tagType + ' class="popup_' + this.id + '">';
		closing = '</' + tagType + '>';
	}
	if (typeof this.print!='function') {
		errlog ('Oh dear - invalid print function for a navlinkTag, id='+this.id);
	} else {
		html=this.print(this);
		if (typeof html != typeof '') {html='';}
		else if (typeof this.shortcut!='undefined') html=addPopupShortcut(html, this.shortcut);
	}
	return opening + html + closing;
};

navlinkTag.prototype.getNewWin=function() {
	getValueOf('popupLinksNewWindow');
	if (typeof pg.option.popupLinksNewWindow[this.id] === 'undefined') { this.newWin=null; }
	this.newWin=pg.option.popupLinksNewWindow[this.id];
};

navlinkTag.prototype.getPrintFunction=function() { //think about this some more
	// this.id and this.article should already be defined
	if (typeof this.id!=typeof '' || typeof this.article!=typeof {} ) { return; }

	this.noPopup=1;
	switch (this.id) {
	case 'contribs': case 'history': case 'whatLinksHere':
	case 'userPage': case 'monobook': case 'userTalk':
	case 'talk': case 'article': case 'lastEdit':
		this.noPopup=null;
	}
	switch (this.id) {
	case 'email':	 case 'contribs':  case 'block':	 case 'unblock':
	case 'userlog':   case 'userSpace': case 'deletedContribs':
		this.article=this.article.userName();
	}

	switch (this.id) {
	case 'userTalk': case 'newUserTalk': case 'editUserTalk':
	case 'userPage': case 'monobook': case 'editMonobook': case 'blocklog':
		this.article=this.article.userName(true);
		/* fall through */
	case 'pagelog': case 'deletelog': case 'protectlog':
	delete this.oldid;
	}

	if (this.id=='editMonobook' || this.id=='monobook') { this.article.append('/monobook.js'); }

	if (this.id != 'mainlink') {
		// FIXME anchor handling should be done differently with Title object
		this.article=this.article.removeAnchor();
		// if (typeof this.text=='undefined') this.text=popupString(this.id);
	}

	switch (this.id) {
	case 'undelete':       this.print=specialLink; this.specialpage='Undelete'; this.sep='/'; break;
	case 'whatLinksHere':  this.print=specialLink; this.specialpage='Whatlinkshere'; break;
	case 'relatedChanges': this.print=specialLink; this.specialpage='Recentchangeslinked'; break;
	case 'move':           this.print=specialLink; this.specialpage='Movepage'; break;
	case 'contribs':       this.print=specialLink; this.specialpage='Contributions'; break;
	case 'deletedContribs':this.print=specialLink; this.specialpage='Deletedcontributions'; break;
	case 'email':          this.print=specialLink; this.specialpage='EmailUser'; this.sep='/'; break;
	case 'block':          this.print=specialLink; this.specialpage='Blockip'; this.sep='&ip='; break;
	case 'unblock':        this.print=specialLink; this.specialpage='Ipblocklist'; this.sep='&action=unblock&ip='; break;
	case 'userlog':        this.print=specialLink; this.specialpage='Log'; this.sep='&user='; break;
	case 'blocklog':       this.print=specialLink; this.specialpage='Log'; this.sep='&type=block&page='; break;
	case 'pagelog':        this.print=specialLink; this.specialpage='Log'; this.sep='&page='; break;
	case 'protectlog':     this.print=specialLink; this.specialpage='Log'; this.sep='&type=protect&page='; break;
	case 'deletelog':      this.print=specialLink; this.specialpage='Log'; this.sep='&type=delete&page='; break;
	case 'userSpace':      this.print=specialLink; this.specialpage='PrefixIndex'; this.sep='&namespace=2&prefix='; break;
	case 'search':         this.print=specialLink; this.specialpage='Search'; this.sep='&fulltext=Search&search='; break;
	case 'thank':          this.print=specialLink; this.specialpage='Thanks'; this.sep='/'; this.article.value = this.diff; break;
	case 'unwatch': case 'watch':
		this.print=magicWatchLink; this.action=this.id+'&autowatchlist=1&autoimpl=' + popupString('autoedit_version') + '&actoken='+autoClickToken(); break;
	case 'history': case 'historyfeed': 
	case 'unprotect': case 'protect':
		this.print=wikiLink; this.action=this.id; break;

	case 'delete':
		this.print=wikiLink; this.action='delete';
		if (this.article.namespaceId()==pg.nsImageId) {
			var img=this.article.stripNamespace();
			this.action+='&image='+img;
		}
	break;

	case 'markpatrolled':
	case 'edit': // editOld should keep the oldid, but edit should not.
		delete this.oldid;
		/* fall through */
	case 'view': case 'purge': case 'render':
		this.print=wikiLink;
		this.action=this.id; break;
	case 'raw':
		this.print=wikiLink; this.action='raw'; break;
	case 'new':
		this.print=wikiLink; this.action='edit&section=new'; break;
	case 'mainlink':
		if (typeof this.text=='undefined') { this.text=this.article.toString().entify(); }
		if (getValueOf('popupSimplifyMainLink') && isInStrippableNamespace(this.article)) {
			// only show the /subpage part of the title text
			var s=this.text.split('/'); this.text=s[s.length-1];
			if (this.text==='' && s.length > 1) { this.text=s[s.length-2]; }
		}
		this.print=titledWikiLink;
		if (typeof this.title==='undefined' && pg.current.link && typeof pg.current.link.href !== 'undefined') {
			this.title=safeDecodeURI((pg.current.link.originalTitle)?pg.current.link.originalTitle:this.article);
			if (typeof this.oldid !== 'undefined' && this.oldid) {
			this.title=tprintf('Revision %s of %s', [this.oldid, this.title]);
			}
		}
		this.action='view'; break;
	case 'userPage':
	case 'article':
	case 'monobook':
	case 'editMonobook':
	case 'editArticle':
		delete this.oldid;
		//alert(this.id+'\n'+this.article + '\n'+ typeof this.article);
			this.article=this.article.articleFromTalkOrArticle();
		//alert(this.id+'\n'+this.article + '\n'+ typeof this.article);
		this.print=wikiLink;
		if (this.id.indexOf('edit')===0) {
			this.action='edit';
		} else { this.action='view';}
		break;
	case 'userTalk':
	case 'talk':
		this.article=this.article.talkPage();
		delete this.oldid;
		this.print=wikiLink;
		this.action='view'; break;
	case 'arin':
		this.print=arinLink; break;
	case 'count':
		this.print=editCounterLink; break;
	case 'google':
		this.print=googleLink; break;
	case 'editors':
		this.print=editorListLink; break;
	case 'globalsearch':
		this.print=globalSearchLink; break;
	case 'lastEdit':
		this.print=titledDiffLink;
		this.title=popupString('Show the last edit');
		this.from='prev'; this.to='cur'; break;
	case 'oldEdit':
		this.print=titledDiffLink;
		this.title=popupString('Show the edit made to get revision') + ' ' + this.oldid;
		this.from='prev'; this.to=this.oldid; break;
	case 'editOld':
		this.print=wikiLink; this.action='edit'; break;
	case 'undo':
		this.print=wikiLink; this.action='edit&undo='; break;
	case 'revert':
		this.print=wikiLink; this.action='revert'; break;
	case 'nullEdit':
		this.print=wikiLink; this.action='nullEdit'; break;
	case 'diffCur':
		this.print=titledDiffLink;
		this.title=tprintf('Show changes since revision %s', [this.oldid]);
		this.from=this.oldid; this.to='cur'; break;
	case 'editUserTalk':
	case 'editTalk':
	delete this.oldid;
		this.article=this.article.talkPage();
		this.action='edit'; this.print=wikiLink; break;
	case 'newUserTalk':
	case 'newTalk':
		this.article=this.article.talkPage();
		this.action='edit&section=new'; this.print=wikiLink; break;
	case 'lastContrib':
	case 'sinceMe':
		this.print=magicHistoryLink;
	break;
	case 'togglePreviews':
		this.text=popupString(pg.option.simplePopups ? 'enable previews' : 'disable previews');
	/* fall through */
	case 'disablePopups': case 'purgePopups':
		this.print=popupMenuLink;
	break;
	default:
		this.print=function () {return 'Unknown navlink type: '+this.id+'';};
	}
};
//
//  end navlinks
//////////////////////////////////////////////////
//</NOLITE>
// ENDFILE: navlinks.js
// STARTFILE: shortcutkeys.js
//<NOLITE>
function popupHandleKeypress(evt) {
	var keyCode = window.event ? window.event.keyCode : ( evt.keyCode ? evt.keyCode : evt.which);
	if (!keyCode || !pg.current.link || !pg.current.link.navpopup) { return; }
	if (keyCode==27) { // escape
		killPopup();
		return false; // swallow keypress
	}

	var letter=String.fromCharCode(keyCode);
	var links=pg.current.link.navpopup.mainDiv.getElementsByTagName('A');
	var startLink=0;
	var i,j;

	if (popupHandleKeypress.lastPopupLinkSelected) {
		for (i=0; i<links.length; ++i) {
			if (links[i]==popupHandleKeypress.lastPopupLinkSelected) { startLink=i; }
		}
	}
	for (j=0; j<links.length; ++j) {
		i=(startLink + j + 1) % links.length;
		if (links[i].getAttribute('popupkey')==letter) {
			if (evt && evt.preventDefault) evt.preventDefault();
			links[i].focus();
			popupHandleKeypress.lastPopupLinkSelected=links[i];
			return false; // swallow keypress
		}
	}

	// pass keypress on
	if (document.oldPopupOnkeypress) { return document.oldPopupOnkeypress(evt); }
	return true;
}

function addPopupShortcuts() {
	if (document.onkeypress!=popupHandleKeypress) {
		document.oldPopupOnkeypress=document.onkeypress;
	}
	document.onkeypress=popupHandleKeypress;
}

function rmPopupShortcuts() {
	popupHandleKeypress.lastPopupLinkSelected=null;
	try {
		if (document.oldPopupOnkeypress && document.oldPopupOnkeypress==popupHandleKeypress) {
			// panic
			document.onkeypress=null; //function () {};
			return;
		}
		document.onkeypress=document.oldPopupOnkeypress;
	} catch (nasties) { /* IE goes here */ }
}


function addLinkProperty(html, property) {
	// take "<a href=...>...</a> and add a property
	// not sophisticated at all, easily broken
	var i=html.indexOf('>');
	if (i<0) { return html; }
	return html.substring(0,i) + ' ' + property + html.substring(i);
}

function addPopupShortcut(html, key) {
	if (!getValueOf('popupShortcutKeys')) { return html; }
	var ret= addLinkProperty(html, 'popupkey="'+key+'"');
	if (key==' ') { key=popupString('spacebar'); }
	return ret.replace(RegExp('^(.*?)(title=")(.*?)(".*)$', 'i'),'$1$2$3 ['+key+']$4');
}
//</NOLITE>
// ENDFILE: shortcutkeys.js
// STARTFILE: diffpreview.js
//<NOLITE>
//lets jump through hoops to find the rev ids we need to retrieve
function loadDiff(article, oldid, diff, navpop) {
	navpop.diffData={ oldRev: {}, newRev: {} };
	mw.loader.using( 'mediawiki.api' ).then( function() {
		var api = new mw.Api( {
		    ajax: {
		        headers: { 'Api-User-Agent': pg.misc.userAgent }
		    }
		} );
		var params = {
			action: 'compare',
			prop: 'ids|title'
		};
		if(article.title){
			params.fromtitle = article.title;
		}
		
		switch (diff) {
			case 'cur':
				switch ( oldid ) {
				case null:
				case '':
				case 'prev':
					// this can only work if we have the title
					// cur -> prev
					params.torelative = 'prev';
					break;
				default:
					params.fromrev = oldid;
					params.torelative = 'cur';
					break;
				}
				break;
			case 'prev':
				if( oldid ) {
					params.fromrev = oldid;
				} else {
					params.fromtitle;
				}
				params.torelative = 'prev';
				break;
			case 'next':
				params.fromrev = oldid || 0;
				params.torelative = 'next';
				break;
			default:
				params.fromrev = oldid || 0;
				params.torev = diff || 0;
				break;
			}
		
		api.get( params ).then( function( data ) {
			navpop.diffData.oldRev.revid = data.compare.fromrevid;
			navpop.diffData.newRev.revid = data.compare.torevid;
			
			addReviewLink(navpop, 'popupMiscTools');

			var go = function() {
				pendingNavpopTask(navpop);
				var url=pg.wiki.apiwikibase + '?format=json&formatversion=2&action=query&';
	
				url += 'revids=' + navpop.diffData.oldRev.revid + '|' + navpop.diffData.newRev.revid;
				url += '&prop=revisions&rvprop=ids|timestamp|content';
			
				getPageWithCaching(url, doneDiff, navpop);
		
				return true; // remove hook once run
			};
			if (navpop.visible || !getValueOf('popupLazyDownloads')) { go(); }
			else { navpop.addHook(go, 'unhide', 'before', 'DOWNLOAD_DIFFS'); }
		} );
	} );
}

// Put a "mark patrolled" link to an element target 
// TODO: Allow patrol a revision, as well as a diff
function addReviewLink (navpop, target) {
	if (! pg.user.canReview) return;
	// If 'newRev' is older than 'oldRev' than it could be confusing, so we do not show the review link.
	if (navpop.diffData.newRev.revid <= navpop.diffData.oldRev.revid) return;
	var api = new mw.Api( {
		    ajax: {
		        headers: { 'Api-User-Agent': pg.misc.userAgent }
		    }
		} );
	var params = {
		action: 'query',
		prop: 'info|flagged',
		revids: navpop.diffData.oldRev.revid,
		formatversion : 2
	};
	api.get (params).then(function(data){
		var stable_revid = data.query.pages[0].flagged && data.query.pages[0].flagged.stable_revid || 0;
		// The diff can be reviewed if the old version is the last reviewed version
		// TODO: Other possible conditions that we may want to implement instead of this one:
		//  * old version is patrolled and the new version is not patrolled
		//  * old version is patrolled and the new version is more recent than the last reviewed version
		if (stable_revid == navpop.diffData.oldRev.revid) {
			var a = document.createElement('a');
			a.innerHTML = popupString('mark patrolled');
			a.title=popupString('markpatrolledHint');
			a.onclick = function() {
				var params = {
					action: 'review',
					revid: navpop.diffData.newRev.revid,
					comment: tprintf('defaultpopupReviewedSummary', [navpop.diffData.oldRev.revid, navpop.diffData.newRev.revid])
				};
				api.postWithToken('csrf',params).done(function(){
					a.style.display = "none";
					// TODO: Update current page and other already constructed popups 
				} ).fail(function(){
					alert(popupString('Could not marked this edit as patrolled'));
				});
			};
			setPopupHTML(a, target, navpop.idNumber,null,true);
		}
	});
}

function doneDiff(download) {
	if (!download.owner || !download.owner.diffData) { return; }
	var navpop=download.owner;
	completedNavpopTask(navpop);
	
	var pages, revisions=[];
	try{
		// Process the downloads
		pages = getJsObj(download.data).query.pages;
		for(var i=0; i < pages.length; i++ ) {
			revisions = revisions.concat(pages[i].revisions);
		}
		for(i=0; i< revisions.length; i++){
			if(revisions[i].revid == navpop.diffData.oldRev.revid) {
				navpop.diffData.oldRev.revision = revisions[i];
			} else if (revisions[i].revid == navpop.diffData.newRev.revid) {
				navpop.diffData.newRev.revision = revisions[i];
			}
		}
	} catch(someError) {
		errlog( 'Could not get diff' );
	}
	
	insertDiff(navpop);
}

function rmBoringLines(a,b,context) {

	if (typeof context == 'undefined') { context=2; }
	// this is fairly slow... i think it's quicker than doing a word-based diff from the off, though
	var aa=[], aaa=[];
	var bb=[], bbb=[];
	var i, j;

	// first, gather all disconnected nodes in a and all crossing nodes in a and b
	for (i=0; i<a.length; ++i ) {
		if(!a[i].paired) { aa[i]=1; }
		else if (countCrossings(b,a,i, true)) {
			aa[i]=1;
			bb[ a[i].row ] = 1;
		}
	}

	// pick up remaining disconnected nodes in b
	for (i=0; i<b.length; ++i ) {
		if (bb[i]==1) { continue; }
		if(!b[i].paired) { bb[i]=1; }
	}

	// another pass to gather context: we want the neighbours of included nodes which are not yet included
	// we have to add in partners of these nodes, but we don't want to add context for *those* nodes in the next pass
	for (i=0; i<b.length; ++i) {
		if ( bb[i] == 1 ) {
			for (j=Math.max(0,i-context); j < Math.min(b.length, i+context); ++j) {
				if ( !bb[j] ) { bb[j] = 1; aa[ b[j].row ] = 0.5; }
			}
		}
	}

	for (i=0; i<a.length; ++i) {
		if ( aa[i] == 1 ) {
			for (j=Math.max(0,i-context); j < Math.min(a.length, i+context); ++j) {
				if ( !aa[j] ) { aa[j] = 1; bb[ a[j].row ] = 0.5; }
			}
		}
	}

	for (i=0; i<bb.length; ++i) {
		if (bb[i] > 0) { // it's a row we need
			if (b[i].paired) { bbb.push(b[i].text); } // joined; partner should be in aa
			else {
				bbb.push(b[i]);
			}
		}
	}
	for (i=0; i<aa.length; ++i) {
		if (aa[i] > 0) { // it's a row we need
			if (a[i].paired) { aaa.push(a[i].text); } // joined; partner should be in aa
			else {
				aaa.push(a[i]);
			}
		}
	}

	return { a: aaa, b: bbb};
}

function stripOuterCommonLines(a,b,context) {
	var i=0;
	while (i<a.length && i < b.length && a[i]==b[i]) { ++i; }
	var j=a.length-1; var k=b.length-1;
	while ( j>=0 && k>=0 && a[j]==b[k] ) { --j; --k; }

	return { a: a.slice(Math.max(0,i - 1 - context), Math.min(a.length+1, j + context+1)),
				b: b.slice(Math.max(0,i - 1 - context), Math.min(b.length+1, k + context+1)) };
}

function insertDiff(navpop) {
	// for speed reasons, we first do a line-based diff, discard stuff that seems boring, then do a word-based diff
	// FIXME: sometimes this gives misleading diffs as distant chunks are squashed together
	var oldlines = navpop.diffData.oldRev.revision.content.split('\n');
	var newlines = navpop.diffData.newRev.revision.content.split('\n');
	var inner=stripOuterCommonLines(oldlines,newlines,getValueOf('popupDiffContextLines'));
	oldlines=inner.a; newlines=inner.b;
	var truncated=false;
	getValueOf('popupDiffMaxLines');
	if (oldlines.length > pg.option.popupDiffMaxLines || newlines.length > pg.option.popupDiffMaxLines) {
		// truncate
		truncated=true;
		inner=stripOuterCommonLines(oldlines.slice(0,pg.option.popupDiffMaxLines),
						newlines.slice(0,pg.option.popupDiffMaxLines),
						pg.option.popupDiffContextLines);
		oldlines=inner.a; newlines=inner.b;
	}

	var lineDiff=diff(oldlines, newlines);
	var lines2=rmBoringLines(lineDiff.o, lineDiff.n);
	var oldlines2=lines2.a; var newlines2=lines2.b;

	var simpleSplit = !String.prototype.parenSplit.isNative;
	var html='<hr />';
	if (getValueOf('popupDiffDates')) {
		html += diffDatesTable(navpop);
		html += '<hr />';
	}
	html += shortenDiffString(
		diffString(oldlines2.join('\n'), newlines2.join('\n'), simpleSplit),
		getValueOf('popupDiffContextCharacters') ).join('<hr />');
	setPopupTipsAndHTML(html.split('\n').join('<br>') +
			 (truncated ? '<hr /><b>'+popupString('Diff truncated for performance reasons')+'</b>' : '') ,
				'popupPreview', navpop.idNumber);
}

function diffDatesTable( navpop ) {
	var html='<table class="popup_diff_dates">';
	html += diffDatesTableRow( navpop.diffData.newRev.revision, tprintf('New revision'));
	html += diffDatesTableRow( navpop.diffData.oldRev.revision, tprintf('Old revision'));
	html += '</table>';
	return html;
}
function diffDatesTableRow( revision, label ) {
	var txt='';
	var lastModifiedDate = new Date(revision.timestamp);
	var datePrint=getValueOf('popupDiffDatePrinter');
	if (typeof lastModifiedDate[datePrint] == 'function') {
		var d2 = adjustDate(lastModifiedDate, getTimeOffset());
		txt = dayFormat(d2, true) + ' ' + timeFormat(d2, true);
	} else {
		txt = tprintf('Invalid %s %s', ['popupDiffDatePrinter', datePrint]);
	}
	var revlink = generalLink({url: mw.config.get('wgScript') + '?oldid='+revision.revid,
				   text: label, title: label});
	return simplePrintf('<tr><td>%s</td><td>%s</td></tr>', [ revlink, txt ]);
}
//</NOLITE>
// ENDFILE: diffpreview.js
// STARTFILE: links.js
//<NOLITE>
/////////////////////
// LINK GENERATION //
/////////////////////

// titledDiffLink --> titledWikiLink --> generalLink
// wikiLink	   --> titledWikiLink --> generalLink
// editCounterLink --> generalLink

// TODO Make these functions return Element objects, not just raw HTML strings.

function titledDiffLink(l) { // article, text, title, from, to) {
	return titledWikiLink({article: l.article, action: l.to + '&oldid=' + l.from,
				newWin: l.newWin,
				noPopup: l.noPopup,
				text: l.text, title: l.title,
				/* hack: no oldid here */
				actionName: 'diff'});
}


function wikiLink(l) {
	//{article:article, action:action, text:text, oldid, newid}) {
	if (! (typeof l.article == typeof {} &&
		typeof l.action == typeof '' &&
		typeof l.text==typeof '')) return null;
	if (typeof l.oldid == 'undefined') { l.oldid=null; }
	var savedOldid = l.oldid;
	if (!/^(edit|view|revert|render)$|^raw/.test(l.action)) { l.oldid=null; }
	var hint=popupString(l.action + 'Hint'); // revertHint etc etc etc
	var oldidData=[l.oldid, safeDecodeURI(l.article)];
	var revisionString = tprintf('revision %s of %s', oldidData);
	log('revisionString='+revisionString);
	switch (l.action) {
	case 'edit&section=new': hint = popupString('newSectionHint');  break;
	case 'edit&undo=':
		if (l.diff && l.diff != 'prev' && savedOldid ) {
		  l.action += l.diff + '&undoafter=' + savedOldid;
		} else if (savedOldid) {
		  l.action += savedOldid;
		}
		hint = popupString('undoHint');
		break;
	case 'raw&ctype=text/css': hint=popupString('rawHint'); break;
	case 'revert':
		var p=parseParams(pg.current.link.href);
		l.action='edit&autoclick=wpSave&actoken=' + autoClickToken() + '&autoimpl=' + popupString('autoedit_version') + '&autosummary=' + revertSummary(l.oldid, p.diff);
		if (p.diff=='prev') {
			l.action += '&direction=prev';
			revisionString = tprintf('the revision prior to revision %s of %s', oldidData);
		}
		if (getValueOf('popupRevertSummaryPrompt')) { l.action += '&autosummaryprompt=true'; }
		if (getValueOf('popupMinorReverts')) { l.action += '&autominor=true'; }
		log('revisionString is now '+revisionString);
		break;
	case 'nullEdit':
		l.action='edit&autoclick=wpSave&actoken=' + autoClickToken() + '&autoimpl=' + popupString('autoedit_version') + '&autosummary=null';
		break;
	case 'historyfeed':
		l.action='history&feed=rss';
		break;
	case 'markpatrolled':
		l.action='markpatrolled&rcid='+l.rcid;
	}

	if (hint) {
		if (l.oldid) {
			hint = simplePrintf(hint, [revisionString]);
		}
		else {
			hint = simplePrintf(hint, [safeDecodeURI(l.article)]);
		}
	}
	else {
		hint = safeDecodeURI(l.article + '&action=' + l.action) + (l.oldid) ? '&oldid='+l.oldid : '';
	}

	return titledWikiLink({article: l.article, action: l.action, text: l.text, newWin:l.newWin,
				title: hint, oldid: l.oldid, noPopup: l.noPopup, onclick: l.onclick});
}

function revertSummary(oldid, diff) {
	var ret='';
	if (diff == 'prev') {
		ret=getValueOf('popupQueriedRevertToPreviousSummary');
	} else { ret = getValueOf('popupQueriedRevertSummary'); }
	return ret + '&autorv=' + oldid;
}

function titledWikiLink(l) {
	// possible properties of argument:
	// article, action, text, title, oldid, actionName, className, noPopup
	// oldid = null is fine here

	// article and action are mandatory args

	if (typeof l.article == 'undefined' || typeof l.action=='undefined') {
		errlog('got undefined article or action in titledWikiLink');
		return null;
	}

	var base = pg.wiki.titlebase +  l.article.urlString();
	var url=base;

	if (typeof l.actionName=='undefined' || !l.actionName) { l.actionName='action'; }

	// no need to add &action=view, and this confuses anchors
	if (l.action != 'view') { url = base + '&' + l.actionName + '=' + l.action; }

	if (typeof l.oldid!='undefined' && l.oldid) { url+='&oldid='+l.oldid; }

	var cssClass=pg.misc.defaultNavlinkClassname;
	if (typeof l.className!='undefined' && l.className) { cssClass=l.className; }

	return generalNavLink({url: url, newWin: l.newWin,
				title: (typeof l.title != 'undefined') ? l.title : null,
				text: (typeof l.text!='undefined')?l.text:null,
				className: cssClass, noPopup:l.noPopup, onclick:l.onclick});
}

pg.fn.getLastContrib = function getLastContrib(wikipage, newWin) {
	getHistoryInfo(wikipage, function(x) {
		processLastContribInfo(x, {page: wikipage, newWin: newWin});
	});
};

function processLastContribInfo(info, stuff) {
	if(!info.edits || !info.edits.length) { alert('Popups: an odd thing happened. Please retry.'); return; }
	if(!info.firstNewEditor) {
		alert(tprintf('Only found one editor: %s made %s edits', [info.edits[0].editor,info.edits.length]));
		return;
	}
	var newUrl=pg.wiki.titlebase + new Title(stuff.page).urlString() + '&diff=cur&oldid='+info.firstNewEditor.oldid;
	displayUrl(newUrl, stuff.newWin);
}

pg.fn.getDiffSinceMyEdit = function getDiffSinceMyEdit(wikipage, newWin) {
	getHistoryInfo(wikipage, function(x){
		processDiffSinceMyEdit(x, {page: wikipage, newWin: newWin});
	});
};

function processDiffSinceMyEdit(info, stuff) {
	if(!info.edits || !info.edits.length) { alert('Popups: something fishy happened. Please try again.'); return; }
	var friendlyName=stuff.page.split('_').join(' ');
	if(!info.myLastEdit) {
		alert(tprintf('Couldn\'t find an edit by %s\nin the last %s edits to\n%s',
				  [info.userName, getValueOf('popupHistoryLimit'), friendlyName]));
		return;
	}
	if(info.myLastEdit.index === 0) {
		alert(tprintf("%s seems to be the last editor to the page %s", [info.userName, friendlyName]));
		return;
	}
	var newUrl=pg.wiki.titlebase + new Title(stuff.page).urlString() + '&diff=cur&oldid='+ info.myLastEdit.oldid;
	displayUrl(newUrl, stuff.newWin);
}

function displayUrl(url, newWin){
	if(newWin) { window.open(url); }
	else { document.location=url; }
}

pg.fn.purgePopups = function purgePopups() {
	processAllPopups(true);
	setupCache(); // deletes all cached items (not browser cached, though...)
	pg.option={};
	abortAllDownloads();
};

function processAllPopups(nullify, banish) {
	for (var i=0; pg.current.links && i<pg.current.links.length; ++i) {
		if (!pg.current.links[i].navpopup) { continue; }
		if (nullify || banish) pg.current.links[i].navpopup.banish();
		pg.current.links[i].simpleNoMore=false;
		if (nullify) pg.current.links[i].navpopup=null;
	}
}

pg.fn.disablePopups = function disablePopups(){
	processAllPopups(false, true);
	setupTooltips(null, true);
};

pg.fn.togglePreviews = function togglePreviews() {
	processAllPopups(true, true);
	pg.option.simplePopups=!pg.option.simplePopups;
	abortAllDownloads();
};

function magicWatchLink(l) {
	//Yuck!! Would require a thorough redesign to add this as a click event though ...
	l.onclick = simplePrintf( 'pg.fn.modifyWatchlist(\'%s\',\'%s\');return false;', [l.article.toString(true).split("\\").join("\\\\").split("'").join("\\'"), this.id] );
	return wikiLink(l);
}

pg.fn.modifyWatchlist = function modifyWatchlist(title, action) {
	var reqData = {
		'action': 'watch',
		'formatversion': 2,
		'titles': title,
		'uselang': mw.config.get('wgUserLanguage')
	};
	if ( action === 'unwatch' ) reqData.unwatch = true;

	var api = new mw.Api( {
	    ajax: {
	        headers: { 'Api-User-Agent': pg.misc.userAgent }
	    }
	} );
	// Load the Addedwatchtext or Removedwatchtext message and show it
	var mwTitle = mw.Title.newFromText( title );
	var messageName;
	if ( mwTitle && mwTitle.getNamespaceId() > 0 && mwTitle.getNamespaceId() % 2 === 1 ) {
		messageName = action === 'watch' ? 'addedwatchtext-talk' : 'removedwatchtext-talk';
	} else {
		messageName = action === 'watch' ? 'addedwatchtext' : 'removedwatchtext';
	}
	$.when(
		api.postWithToken( 'watch', reqData ),
		mw.loader.using( [ 'mediawiki.api', 'mediawiki.jqueryMsg' ] ).then( function () {
			return api.loadMessagesIfMissing( [ messageName ] );
		} )
	).done( function () {
		mw.notify( mw.message( messageName, title ).parseDom() );
	} );
};

function magicHistoryLink(l) {
	// FIXME use onclick change href trick to sort this out instead of window.open

	var jsUrl='', title='', onClick='';
	switch(l.id) {
	case 'lastContrib':
		onClick=simplePrintf('pg.fn.getLastContrib(\'%s\',%s)',
			[l.article.toString(true).split("\\").join("\\\\").split("'").join("\\'"), l.newWin]);
		title=popupString('lastContribHint');
		break;
	case 'sinceMe':
		onClick=simplePrintf('pg.fn.getDiffSinceMyEdit(\'%s\',%s)',
			[l.article.toString(true).split("\\").join("\\\\").split("'").join("\\'"), l.newWin]);
		title=popupString('sinceMeHint');
		break;
	}
	jsUrl = 'javascript:' + onClick; // jshint ignore:line
	onClick += ';return false;';

	return generalNavLink({url: jsUrl, newWin: false, // can't have new windows with JS links, I think
				title: title, text: l.text, noPopup: l.noPopup, onclick: onClick });
}

function popupMenuLink(l) {
	var jsUrl=simplePrintf('javascript:pg.fn.%s()', [l.id]); // jshint ignore:line
	var title=popupString(simplePrintf('%sHint', [l.id]));
	var onClick=simplePrintf('pg.fn.%s();return false;', [l.id]);
	return generalNavLink({url: jsUrl, newWin:false, title:title, text:l.text, noPopup:l.noPopup, onclick: onClick});
}

function specialLink(l) {
	// properties: article, specialpage, text, sep
	if (typeof l.specialpage=='undefined'||!l.specialpage) return null;
	var base = pg.wiki.titlebase +  mw.config.get('wgFormattedNamespaces')[pg.nsSpecialId]+':'+l.specialpage;
	if (typeof l.sep == 'undefined' || l.sep === null) l.sep='&target=';
	var article=l.article.urlString({keepSpaces: l.specialpage=='Search'});
	var hint=popupString(l.specialpage+'Hint');
	switch (l.specialpage) {
	case 'Log':
		switch (l.sep) {
		case '&user=': hint=popupString('userLogHint'); break;
		case '&type=block&page=': hint=popupString('blockLogHint'); break;
		case '&page=': hint=popupString('pageLogHint'); break;
		case '&type=protect&page=': hint=popupString('protectLogHint'); break;
		case '&type=delete&page=': hint=popupString('deleteLogHint'); break;
		default: log('Unknown log type, sep=' + l.sep); hint='Missing hint (FIXME)';
		}
		break;
	case 'PrefixIndex': article += '/'; break;
	}
	if (hint) hint = simplePrintf(hint, [safeDecodeURI(l.article)]);
	else hint = safeDecodeURI(l.specialpage+':'+l.article) ;

	var url = base + l.sep + article;
	return generalNavLink({url: url, title: hint, text: l.text, newWin:l.newWin, noPopup:l.noPopup});
}

function generalLink(l) {
	// l.url, l.text, l.title, l.newWin, l.className, l.noPopup, l.onclick
	if (typeof l.url=='undefined') return null;

	// only quotation marks in the url can screw us up now... I think
	var url=l.url.split('"').join('%22');

	var ret='<a href="' + url + '"';
	if (typeof l.title!='undefined' && l.title) { ret += ' title="' + pg.escapeQuotesHTML(l.title) + '"'; }
	if (typeof l.onclick!='undefined' && l.onclick) { ret += ' onclick="' + pg.escapeQuotesHTML(l.onclick) + '"'; }
	if (l.noPopup) { ret += ' noPopup=1'; }
	var newWin;
	if (typeof l.newWin=='undefined' || l.newWin === null) { newWin=getValueOf('popupNewWindows'); }
	else { newWin=l.newWin; }
	if (newWin) { ret += ' target="_blank"'; }
	if (typeof l.className!='undefined'&&l.className) { ret+=' class="'+l.className+'"'; }
	ret += '>';
	if (typeof l.text==typeof '') { ret+= l.text; }
	ret +='</a>';
	return ret;
}

function appendParamsToLink(linkstr, params) {
	var sp=linkstr.parenSplit(RegExp('(href="[^"]+?)"', 'i'));
	if (sp.length<2) return null;
	var ret=sp.shift() + sp.shift();
	ret += '&' + params + '"';
	ret += sp.join('');
	return ret;
}

function changeLinkTargetLink(x) { // newTarget, text, hint, summary, clickButton, minor, title (optional), alsoChangeLabel {
	if (x.newTarget) {
		log ('changeLinkTargetLink: newTarget=' + x.newTarget);
	}
	if (x.oldTarget !== decodeURIComponent( x.oldTarget ) ) {
		log ('This might be an input problem: ' + x.oldTarget );
	}

	// FIXME: first character of page title as well as namespace should be case insensitive
	// eg [[category:X1]] and [[Category:X1]] are equivalent
	// this'll break if charAt(0) is nasty
	var cA = mw.util.escapeRegExp(x.oldTarget);
	var chs = cA.charAt(0).toUpperCase();
	chs='['+chs + chs.toLowerCase()+']';
	var currentArticleRegexBit=chs+cA.substring(1);
	currentArticleRegexBit=currentArticleRegexBit
		.split(RegExp('(?:[_ ]+|%20)', 'g')).join('(?:[_ ]+|%20)')
		.split('\\(').join('(?:%28|\\()')
		.split('\\)').join('(?:%29|\\))'); // why does this need to match encoded strings ? links in the document ?
	// leading and trailing space should be ignored, and anchor bits optional:
	currentArticleRegexBit = '\\s*(' + currentArticleRegexBit + '(?:#[^\\[\\|]*)?)\\s*';
	// e.g. Computer (archaic) -> \s*([Cc]omputer[_ ](?:%2528|\()archaic(?:%2528|\)))\s*

	// autoedit=s~\[\[([Cc]ad)\]\]~[[Computer-aided%20design|$1]]~g;s~\[\[([Cc]AD)[|]~[[Computer-aided%20design|~g

	var title=x.title || mw.config.get('wgPageName').split('_').join(' ');
	var lk=titledWikiLink({article: new Title(title), newWin:x.newWin,
						action:  'edit',
						text:	x.text,
						title:   x.hint,
						className: 'popup_change_title_link'
						});
	var cmd='';
	if (x.newTarget) {
		// escape '&' and other nasties
		var t = x.newTarget;
		var s = mw.util.escapeRegExp(x.newTarget);
		if (x.alsoChangeLabel) {
			cmd += 's~\\[\\[' + currentArticleRegexBit + '\\]\\]~[[' + t + ']]~g;';
			cmd += 's~\\[\\[' + currentArticleRegexBit + '[|]~[[' + t + '|~g;';
			cmd += 's~\\[\\[' + s + '\\|' + s + '\\]\\]~[[' + t + ']]~g';
		} else {
			cmd += 's~\\[\\[' + currentArticleRegexBit + '\\]\\]~[[' + t + '|$1]]~g;';
			cmd += 's~\\[\\[' + currentArticleRegexBit + '[|]~[[' + t + '|~g;';
			cmd += 's~\\[\\[' + s + '\\|' + s + '\\]\\]~[[' + t + ']]~g';
		}
	} else {
		cmd += 's~\\[\\['+currentArticleRegexBit+'\\]\\]~$1~g;';
		cmd += 's~\\[\\['+currentArticleRegexBit+'[|](.*?)\\]\\]~$2~g';
	}
	// Build query
	cmd = 'autoedit=' + encodeURIComponent ( cmd );
	cmd += '&autoclick='+ encodeURIComponent( x.clickButton ) + '&actoken=' + encodeURIComponent( autoClickToken() );
	cmd += ( x.minor === null ) ? '' : '&autominor='+ encodeURIComponent( x.minor );
	cmd += ( x.watch === null ) ? '' : '&autowatch='+ encodeURIComponent( x.watch );
	cmd += '&autosummary='+encodeURIComponent(x.summary);
	cmd += '&autoimpl='+encodeURIComponent( popupString('autoedit_version') );
	return appendParamsToLink(lk, cmd);
}


function redirLink(redirMatch, article) {
	// NB redirMatch is in wikiText
	var ret='';

	if (getValueOf('popupAppendRedirNavLinks') && getValueOf('popupNavLinks')) {
		ret += '<hr />';

		if (getValueOf('popupFixRedirs') && typeof autoEdit != 'undefined' && autoEdit) {
			ret += popupString('Redirects to: (Fix ');
			log('redirLink: newTarget=' + redirMatch);
			ret += addPopupShortcut(changeLinkTargetLink({
				newTarget: redirMatch,
				text: popupString('target'),
				hint: popupString('Fix this redirect, changing just the link target'),
				summary: simplePrintf(getValueOf('popupFixRedirsSummary'),[article.toString(), redirMatch]),
				oldTarget: article.toString(),
				clickButton: getValueOf('popupRedirAutoClick'),
				minor: true,
				watch: getValueOf('popupWatchRedirredPages')
			}), 'R');
			ret += popupString(' or ');
			ret += addPopupShortcut(changeLinkTargetLink({
				newTarget: redirMatch,
				text: popupString('target & label'),
				hint: popupString('Fix this redirect, changing the link target and label'),
				summary: simplePrintf(getValueOf('popupFixRedirsSummary'),[article.toString(), redirMatch]),
				oldTarget: article.toString(),
				clickButton: getValueOf('popupRedirAutoClick'),
				minor: true,
				watch: getValueOf('popupWatchRedirredPages'),
				alsoChangeLabel: true
			}), 'R');
			ret += popupString(')');
		}
		else ret += popupString('Redirects') + popupString(' to ');

		return ret;
	}

	else return '<br> ' + popupString('Redirects') + popupString(' to ') +
			 titledWikiLink({article: new Title().fromWikiText(redirMatch), action: 'view',  /* FIXME: newWin */
							  text: safeDecodeURI(redirMatch), title: popupString('Bypass redirect')});
}

function arinLink(l) {
	if (!saneLinkCheck(l)) { return null; }
	if ( ! l.article.isIpUser() || ! pg.wiki.wikimedia) return null;

	var uN=l.article.userName();

	return generalNavLink({url:'http://ws.arin.net/cgi-bin/whois.pl?queryinput=' + encodeURIComponent(uN), newWin:l.newWin,
				title: tprintf('Look up %s in ARIN whois database', [uN]),
				text: l.text, noPopup:1});
}

function toolDbName(cookieStyle) {
	var ret = mw.config.get('wgDBname');
	if (!cookieStyle) { ret+= '_p'; }
	return ret;
}

function saneLinkCheck(l) {
	if (typeof l.article != typeof {} || typeof l.text != typeof '') { return false; }
	return true;
}
function editCounterLink(l) {
	if(!saneLinkCheck(l)) return null;
	if (! pg.wiki.wikimedia) return null;
	var uN=l.article.userName();
	var tool=getValueOf('popupEditCounterTool');
	var url;
	var defaultToolUrl='//tools.wmflabs.org/supercount/index.php?user=$1&project=$2.$3';

	switch(tool) {
	case 'custom':
		url=simplePrintf(getValueOf('popupEditCounterUrl'), [ encodeURIComponent(uN), toolDbName() ]);
		break;
	case 'soxred':  // no longer available
	case 'kate':    // no longer available
	case 'interiot':// no longer available
		/* fall through */
	case 'supercount':
	default:
		var theWiki=pg.wiki.hostname.split('.');
		url=simplePrintf(defaultToolUrl, [ encodeURIComponent(uN), theWiki[0], theWiki[1] ]);
	}
	return generalNavLink({url:url, title: tprintf('editCounterLinkHint', [uN]),
				newWin:l.newWin, text: l.text, noPopup:1});
}


function globalSearchLink(l) {
	if(!saneLinkCheck(l)) return null;

	var base='http://vs.aka-online.de/cgi-bin/globalwpsearch.pl?timeout=120&search=';
	var article=l.article.urlString({keepSpaces:true});

	return generalNavLink({url:base + article, newWin:l.newWin,
				title: tprintf('globalSearchHint', [safeDecodeURI(l.article)]),
				text: l.text, noPopup:1});
}

function googleLink(l) {
	if(!saneLinkCheck(l)) return null;

	var base='https://www.google.com/search?q=';
	var article=l.article.urlString({keepSpaces:true});

	return generalNavLink({url:base + '%22' + article + '%22', newWin:l.newWin,
				title: tprintf('googleSearchHint', [safeDecodeURI(l.article)]),
				text: l.text, noPopup:1});
}

function editorListLink(l) {
	if(!saneLinkCheck(l)) return null;
	var article= l.article.articleFromTalkPage() || l.article;
	var url='https://xtools.wmflabs.org/articleinfo/' + 
		encodeURI( pg.wiki.hostname ) + '/' +
		article.urlString() +
		'?uselang=' + mw.config.get('wgUserLanguage');
	return generalNavLink({url:url,
				title: tprintf('editorListHint', [article]),
				newWin:l.newWin, text: l.text, noPopup:1});
}

function generalNavLink(l) {
	l.className = (l.className === null) ? 'popupNavLink' : l.className;
	return generalLink(l);
}

//////////////////////////////////////////////////
// magic history links
//

function getHistoryInfo(wikipage, whatNext) {
	log('getHistoryInfo');
	getHistory(wikipage, whatNext ? function(d){whatNext(processHistory(d));} : processHistory);
}

// FIXME eliminate pg.idNumber ... how? :-(

function getHistory(wikipage, onComplete) {
	log('getHistory');
	var url = pg.wiki.apiwikibase + '?format=json&formatversion=2&action=query&prop=revisions&titles=' +
			new Title(wikipage).urlString() + '&rvlimit=' + getValueOf('popupHistoryLimit');
	log('getHistory: url='+url);
	return startDownload(url, pg.idNumber+'history', onComplete);
}

function processHistory(download) {
	var jsobj = getJsObj(download.data);
	try {
		var revisions = anyChild(jsobj.query.pages).revisions;
		var edits=[];
		for (var i=0; i<revisions.length; ++i) {
			edits.push({ oldid: revisions[i].revid, editor: revisions[i].user });
		}
		log('processed ' + edits.length + ' edits');
		return finishProcessHistory( edits, mw.config.get('wgUserName') );
	} catch (someError) {
		log('Something went wrong with JSON business');
		return finishProcessHistory([]);
	}
}


function finishProcessHistory(edits, userName) {
	var histInfo={};

	histInfo.edits=edits;
	histInfo.userName=userName;

	for (var i=0; i<edits.length; ++i) {
		if (typeof histInfo.myLastEdit === 'undefined' && userName && edits[i].editor==userName) {
			histInfo.myLastEdit={index: i, oldid: edits[i].oldid, previd: (i === 0 ? null : edits[i-1].oldid)};
		}
		if (typeof histInfo.firstNewEditor === 'undefined' && edits[i].editor != edits[0].editor) {
			histInfo.firstNewEditor={index:i, oldid:edits[i].oldid, previd: (i === 0 ? null : edits[i-1].oldid)};
		}
	}
	//pg.misc.historyInfo=histInfo;
	return histInfo;
}
//</NOLITE>
// ENDFILE: links.js
// STARTFILE: options.js
//////////////////////////////////////////////////
// options

// check for existing value, else use default
function defaultize(x) {
	if (pg.option[x]===null || typeof pg.option[x]=='undefined') {
		if (typeof window[x] != 'undefined' ) pg.option[x]=window[x];
		else pg.option[x]=pg.optionDefault[x];
	}
}

function newOption(x, def) {
	pg.optionDefault[x]=def;
}

function setDefault(x, def) {
	return newOption(x, def);
}

function getValueOf(varName) {
	defaultize(varName);
	return pg.option[varName];
}

/*eslint-disable */
function useDefaultOptions() { // for testing
	for (var p in pg.optionDefault) {
		pg.option[p]=pg.optionDefault[p];
		if (typeof window[p]!='undefined') { delete window[p]; }
	}
}
/*eslint-enable */

function setOptions() {
	// user-settable parameters and defaults
	var userIsSysop = false;
	if ( mw.config.get('wgUserGroups') ) {
		for ( var g = 0; g < mw.config.get('wgUserGroups').length; ++g ) {
			if ( mw.config.get('wgUserGroups')[g] == "sysop" )
				userIsSysop = true;
		}
	}

	// Basic options
	newOption('popupDelay',               0.5);
	newOption('popupHideDelay',           0.5);
	newOption('simplePopups',             false);
	newOption('popupStructure',           'shortmenus');   // see later - default for popupStructure is 'original' if simplePopups is true
	newOption('popupActionsMenu',         true);
	newOption('popupSetupMenu',           true);
	newOption('popupAdminLinks',          userIsSysop);
	newOption('popupShortcutKeys',        false);
	newOption('popupHistoricalLinks',     true);
	newOption('popupOnlyArticleLinks',    true);
	newOption('removeTitles',             true);
	newOption('popupMaxWidth',            350);
	newOption('popupSimplifyMainLink',    true);
	newOption('popupAppendRedirNavLinks', true);
	newOption('popupTocLinks',            false);
	newOption('popupSubpopups',           true);
	newOption('popupDragHandle',          false /* 'popupTopLinks'*/);
	newOption('popupLazyPreviews',        true);
	newOption('popupLazyDownloads',       true);
	newOption('popupAllDabsStubs',        false);
	newOption('popupDebugging',           false);
	newOption('popupActiveNavlinks',      true);
	newOption('popupModifier',            false); // ctrl, shift, alt or meta
	newOption('popupModifierAction',      'enable'); // or 'disable'
	newOption('popupDraggable',           true);
	newOption('popupReview',              false);

//<NOLITE>
	// images
	newOption('popupImages',                 true);
	newOption('imagePopupsForImages',        true);
	newOption('popupNeverGetThumbs',         false);
	//newOption('popupImagesToggleSize',       true);
	newOption('popupThumbAction',            'imagepage'); //'sizetoggle');
	newOption('popupImageSize',              60);
	newOption('popupImageSizeLarge',         200);

	// redirs, dabs, reversion
	newOption('popupFixRedirs',             false);
	newOption('popupRedirAutoClick',        'wpDiff');
	newOption('popupFixDabs',               false);
	newOption('popupDabsAutoClick',         'wpDiff');
	newOption('popupRevertSummaryPrompt',   false);
	newOption('popupMinorReverts',          false);
	newOption('popupRedlinkRemoval',        false);
	newOption('popupRedlinkAutoClick',      'wpDiff');
	newOption('popupWatchDisambiggedPages', null);
	newOption('popupWatchRedirredPages',    null);
	newOption('popupDabWiktionary',         'last');

	// navlinks
	newOption('popupNavLinks',          true);
	newOption('popupNavLinkSeparator',  ' &sdot; ');
	newOption('popupLastEditLink',      true);
	newOption('popupEditCounterTool',   'supercount');
	newOption('popupEditCounterUrl',    '');
//</NOLITE>

	// previews etc
	newOption('popupPreviews',             true);
	newOption('popupSummaryData',          true);
	newOption('popupMaxPreviewSentences',  5);
	newOption('popupMaxPreviewCharacters', 600);
	newOption('popupLastModified',         true);
	newOption('popupPreviewKillTemplates', true);
	newOption('popupPreviewRawTemplates',  true);
	newOption('popupPreviewFirstParOnly',  true);
	newOption('popupPreviewCutHeadings',   true);
	newOption('popupPreviewButton',        false);
	newOption('popupPreviewButtonEvent',   'click');

//<NOLITE>
	// diffs
	newOption('popupPreviewDiffs',          true);
	newOption('popupDiffMaxLines',          100);
	newOption('popupDiffContextLines',      2);
	newOption('popupDiffContextCharacters', 40);
	newOption('popupDiffDates',             true);
	newOption('popupDiffDatePrinter',       'toLocaleString');

	// edit summaries. God, these are ugly.
	newOption('popupReviewedSummary',          popupString('defaultpopupReviewedSummary') );
	newOption('popupFixDabsSummary',           popupString('defaultpopupFixDabsSummary') );
	newOption('popupExtendedRevertSummary',    popupString('defaultpopupExtendedRevertSummary') );
	newOption('popupRevertSummary',            popupString('defaultpopupRevertSummary') );
	newOption('popupRevertToPreviousSummary',  popupString('defaultpopupRevertToPreviousSummary') );
	newOption('popupQueriedRevertSummary',            popupString('defaultpopupQueriedRevertSummary') );
	newOption('popupQueriedRevertToPreviousSummary',  popupString('defaultpopupQueriedRevertToPreviousSummary') );
	newOption('popupFixRedirsSummary',         popupString('defaultpopupFixRedirsSummary') );
	newOption('popupRedlinkSummary',           popupString('defaultpopupRedlinkSummary') );
	newOption('popupRmDabLinkSummary',         popupString('defaultpopupRmDabLinkSummary') );
//</NOLITE>
	// misc
	newOption('popupHistoryLimit',        50);
//<NOLITE>
	newOption('popupFilters',             [popupFilterStubDetect,     popupFilterDisambigDetect,
					       popupFilterPageSize,       popupFilterCountLinks,
					       popupFilterCountImages,    popupFilterCountCategories,
					       popupFilterLastModified]);
	newOption('extraPopupFilters',        []);
	newOption('popupOnEditSelection', 'cursor');
	newOption('popupPreviewHistory',      true);
	newOption('popupImageLinks',          true);
	newOption('popupCategoryMembers',     true);
	newOption('popupUserInfo',            true);
	newOption('popupHistoryPreviewLimit', 25);
	newOption('popupContribsPreviewLimit',25);
	newOption('popupRevDelUrl',          '//en.wikipedia.org/wiki/Wikipedia:Revision_deletion');
	newOption('popupShowGender',          true);
//</NOLITE>

	// new windows
	newOption('popupNewWindows',     false);
	newOption('popupLinksNewWindow', {'lastContrib': true, 'sinceMe': true});

	// regexps
	newOption('popupDabRegexp', '(\\{\\{\\s*disambig(?!uation needed)|disambig(uation|)\\s*\\}\\}|disamb\\s*\\}\\}|dab\\s*\\}\\})|\\{\\{\\s*(((geo|hn|road?|school|number)dis)|[234][lc][acw]|(road|ship)index)(\\s*[|][^}]*)?\\s*[}][}]|is a .*disambiguation.*page');
	newOption('popupAnchorRegexp', 'anchors?'); //how to identify an anchors template
	newOption('popupStubRegexp', '(sect)?stub[}][}]|This .*-related article is a .*stub');
	newOption('popupImageVarsRegexp', 'image|image_(?:file|skyline|name|flag|seal)|cover|badge|logo');
}
// ENDFILE: options.js
// STARTFILE: strings.js
//<NOLITE>
//////////////////////////////////////////////////
// Translatable strings
//////////////////////////////////////////////////
//
// See instructions at
// https://en.wikipedia.org/wiki/Wikipedia:Tools/Navigation_popups/Translation

pg.string = {
	/////////////////////////////////////
	// summary data, searching etc.
	/////////////////////////////////////
	'article': 'article',
	'category': 'category',
	'categories': 'categories',
	'image': 'image',
	'images': 'images',
	'stub': 'stub',
	'section stub': 'section stub',
	'Empty page': 'Empty page',
	'kB': 'kB',
	'bytes': 'bytes',
	'day': 'day',
	'days': 'days',
	'hour': 'hour',
	'hours': 'hours',
	'minute': 'minute',
	'minutes': 'minutes',
	'second': 'second',
	'seconds': 'seconds',
	'week': 'week',
	'weeks': 'weeks',
	'search': 'search',
	'SearchHint': 'Find English Wikipedia articles containing %s',
	'web': 'web',
	'global': 'global',
	'globalSearchHint': 'Search across Wikipedias in different languages for %s',
	'googleSearchHint': 'Google for %s',
	/////////////////////////////////////
	// article-related actions and info
	// (some actions also apply to user pages)
	/////////////////////////////////////
	'actions': 'actions',		 ///// view articles and view talk
	'popupsMenu': 'popups',
	'togglePreviewsHint': 'Toggle preview generation in popups on this page',
	'enable previews': 'enable previews',
	'disable previews': 'disable previews',
	'toggle previews': 'toggle previews',
	'show preview': 'show preview',
	'reset': 'reset',
	'more...': 'more...',
	'disable': 'disable popups',
	'disablePopupsHint': 'Disable popups on this page. Reload page to re-enable.',
	'historyfeedHint': 'RSS feed of recent changes to this page',
	'purgePopupsHint': 'Reset popups, clearing all cached popup data.',
	'PopupsHint': 'Reset popups, clearing all cached popup data.',
	'spacebar': 'space',
	'view': 'view',
	'view article': 'view article',
	'viewHint': 'Go to %s',
	'talk': 'talk',
	'talk page': 'talk page',
	'this&nbsp;revision': 'this&nbsp;revision',
	'revision %s of %s': 'revision %s of %s',
	'Revision %s of %s': 'Revision %s of %s',
	'the revision prior to revision %s of %s': 'the revision prior to revision %s of %s',
	'Toggle image size': 'Click to toggle image size',
	'del': 'del',				 ///// delete, protect, move
	'delete': 'delete',
	'deleteHint': 'Delete %s',
	'undeleteShort': 'un',
	'UndeleteHint': 'Show the deletion history for %s',
	'protect': 'protect',
	'protectHint': 'Restrict editing rights to %s',
	'unprotectShort': 'un',
	'unprotectHint': 'Allow %s to be edited by anyone again',
	'send thanks': 'send thanks',
	'ThanksHint': 'Send a thank you notification to this user',
	'move': 'move',
	'move page': 'move page',
	'MovepageHint': 'Change the title of %s',
	'edit': 'edit',			   ///// edit articles and talk
	'edit article': 'edit article',
	'editHint': 'Change the content of %s',
	'edit talk': 'edit talk',
	'new': 'new',
	'new topic': 'new topic',
	'newSectionHint': 'Start a new section on %s',
	'null edit': 'null edit',
	'nullEditHint': 'Submit an edit to %s, making no changes ',
	'hist': 'hist',			   ///// history, diffs, editors, related
	'history': 'history',
	'historyHint': 'List the changes made to %s',
	'last': 'prev', // For labelling the previous revision in history pages; the key is "last" for backwards compatibility
	'lastEdit': 'lastEdit',
	'mark patrolled': 'mark patrolled',
	'markpatrolledHint': 'Mark this edit as patrolled',
	'Could not marked this edit as patrolled': 'Could not marked this edit as patrolled',
	'show last edit': 'most recent edit',
	'Show the last edit': 'Show the effects of the most recent change',
	'lastContrib': 'lastContrib',
	'last set of edits': 'latest edits',
	'lastContribHint': 'Show the net effect of changes made by the last editor',
	'cur': 'cur',
	'diffCur': 'diffCur',
	'Show changes since revision %s': 'Show changes since revision %s',
	'%s old': '%s old', // as in 4 weeks old
	'oldEdit': 'oldEdit',
	'purge': 'purge',
	'purgeHint': 'Demand a fresh copy of %s',
	'raw': 'source',
	'rawHint': 'Download the source of %s',
	'render': 'simple',
	'renderHint': 'Show a plain HTML version of %s',
	'Show the edit made to get revision': 'Show the edit made to get revision',
	'sinceMe': 'sinceMe',
	'changes since mine': 'diff my edit',
	'sinceMeHint': 'Show changes since my last edit',
	'Couldn\'t find an edit by %s\nin the last %s edits to\n%s': 'Couldn\'t find an edit by %s\nin the last %s edits to\n%s',
	'eds': 'eds',
	'editors': 'editors',
	'editorListHint': 'List the users who have edited %s',
	'related': 'related',
	'relatedChanges': 'relatedChanges',
	'related changes': 'related changes',
	'RecentchangeslinkedHint': 'Show changes in articles related to %s',
	'editOld': 'editOld',		  ///// edit old version, or revert
	'rv': 'rv',
	'revert': 'revert',
	'revertHint': 'Revert to %s',
	'defaultpopupReviewedSummary': 'Accepted by reviewing the [[Special:diff/%s/%s|difference]] between this version and previously accepted version using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
	'defaultpopupRedlinkSummary': 'Removing link to empty page [[%s]] using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
	'defaultpopupFixDabsSummary': 'Disambiguate [[%s]] to [[%s]] using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
	'defaultpopupFixRedirsSummary': 'Redirect bypass from [[%s]] to [[%s]] using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
	'defaultpopupExtendedRevertSummary': 'Revert to revision dated %s by %s, oldid %s using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
	'defaultpopupRevertToPreviousSummary': 'Revert to the revision prior to revision %s using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
	'defaultpopupRevertSummary': 'Revert to revision %s using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
	'defaultpopupQueriedRevertToPreviousSummary': 'Revert to the revision prior to revision $1 dated $2 by $3 using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
	'defaultpopupQueriedRevertSummary': 'Revert to revision $1 dated $2 by $3 using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
	'defaultpopupRmDabLinkSummary': 'Remove link to dab page [[%s]] using [[:en:Wikipedia:Tools/Navigation_popups|popups]]',
	'Redirects': 'Redirects', // as in Redirects to ...
	' to ': ' to ',		   // as in Redirects to ...
	'Bypass redirect': 'Bypass redirect',
	'Fix this redirect': 'Fix this redirect',
	'disambig': 'disambig',		  ///// add or remove dab etc.
	'disambigHint': 'Disambiguate this link to [[%s]]',
	'Click to disambiguate this link to:': 'Click to disambiguate this link to:',
	'remove this link': 'remove this link',
	'remove all links to this page from this article': 'remove all links to this page from this article',
	'remove all links to this disambig page from this article': 'remove all links to this disambig page from this article',
	'mainlink': 'mainlink',		  ///// links, watch, unwatch
	'wikiLink': 'wikiLink',
	'wikiLinks': 'wikiLinks',
	'links here': 'links here',
	'whatLinksHere': 'whatLinksHere',
	'what links here': 'what links here',
	'WhatlinkshereHint': 'List the pages that are hyperlinked to %s',
	'unwatchShort': 'un',
	'watchThingy': 'watch',  // called watchThingy because {}.watch is a function
	'watchHint': 'Add %s to my watchlist',
	'unwatchHint': 'Remove %s from my watchlist',
	'Only found one editor: %s made %s edits': 'Only found one editor: %s made %s edits',
	'%s seems to be the last editor to the page %s': '%s seems to be the last editor to the page %s',
	'rss': 'rss',
	/////////////////////////////////////
	// diff previews
	/////////////////////////////////////
	'Diff truncated for performance reasons': 'Diff truncated for performance reasons',
	'Old revision': 'Old revision',
	'New revision': 'New revision',
	'Something went wrong :-(': 'Something went wrong :-(',
	'Empty revision, maybe non-existent': 'Empty revision, maybe non-existent',
	'Unknown date': 'Unknown date',
	/////////////////////////////////////
	// other special previews
	/////////////////////////////////////
	'Empty category': 'Empty category',
	'Category members (%s shown)': 'Category members (%s shown)',
	'No image links found': 'No image links found',
	'File links': 'File links',
	'No image found': 'No image found',
	'Image from Commons': 'Image from Commons',
	'Description page': 'Description page',
	'Alt text:': 'Alt text:',
	'revdel':'Hidden revision',
	/////////////////////////////////////
	// user-related actions and info
	/////////////////////////////////////
	'user': 'user',			   ///// user page, talk, email, space
	'user&nbsp;page': 'user&nbsp;page',
	'user talk': 'user talk',
	'edit user talk': 'edit user talk',
	'leave comment': 'leave comment',
	'email': 'email',
	'email user': 'email user',
	'EmailuserHint': 'Send an email to %s',
	'space': 'space', // short form for userSpace link
	'PrefixIndexHint': 'Show pages in the userspace of %s',
	'count': 'count',			 ///// contributions, log
	'edit counter': 'edit counter',
	'editCounterLinkHint': 'Count the contributions made by %s',
	'contribs': 'contribs',
	'contributions': 'contributions',
	'deletedContribs': 'deleted contributions',
	'DeletedcontributionsHint': 'List deleted edits made by %s',
	'ContributionsHint': 'List the contributions made by %s',
	'log': 'log',
	'user log': 'user log',
	'userLogHint': 'Show %s\'s user log',
	'arin': 'ARIN lookup',			 ///// ARIN lookup, block user or IP
	'Look up %s in ARIN whois database': 'Look up %s in the ARIN whois database',
	'unblockShort': 'un',
	'block': 'block',
	'block user': 'block user',
	'IpblocklistHint': 'Unblock %s',
	'BlockipHint': 'Prevent %s from editing',
	'block log': 'block log',
	'blockLogHint': 'Show the block log for %s',
	'protectLogHint': 'Show the protection log for %s',
	'pageLogHint': 'Show the page log for %s',
	'deleteLogHint': 'Show the deletion log for %s',
	'Invalid %s %s': 'The option %s is invalid: %s',
	'No backlinks found': 'No backlinks found',
	' and more': ' and more',
	'undo': 'undo',
	'undoHint': 'undo this edit',
	'Download preview data': 'Download preview data',
	'Invalid or IP user': 'Invalid or IP user',
	'Not a registered username': 'Not a registered username',
	'BLOCKED': 'BLOCKED',
	' edits since: ': ' edits since: ',
	'last edit on ': 'last edit on ',
	/////////////////////////////////////
	// Autoediting
	/////////////////////////////////////
	'Enter a non-empty edit summary or press cancel to abort': 'Enter a non-empty edit summary or press cancel to abort',
	'Failed to get revision information, please edit manually.\n\n': 'Failed to get revision information, please edit manually.\n\n',
	'The %s button has been automatically clicked. Please wait for the next page to load.': 'The %s button has been automatically clicked. Please wait for the next page to load.',
	'Could not find button %s. Please check the settings in your javascript file.': 'Could not find button %s. Please check the settings in your javascript file.',
	/////////////////////////////////////
	// Popups setup
	/////////////////////////////////////
	'Open full-size image': 'Open full-size image',
	'zxy': 'zxy',
	'autoedit_version': 'np20140416'
};


function popupString(str) {
	if (typeof popupStrings != 'undefined' && popupStrings && popupStrings[str]) { return popupStrings[str]; }
	if (pg.string[str]) { return pg.string[str]; }
	return str;
}


function tprintf(str,subs) {
	if (typeof subs != typeof []) { subs = [subs]; }
	return simplePrintf(popupString(str), subs);
}

//</NOLITE>
// ENDFILE: strings.js
// STARTFILE: run.js
////////////////////////////////////////////////////////////////////
// Run things
////////////////////////////////////////////////////////////////////


// For some reason popups requires a fully loaded page jQuery.ready(...) causes problems for some.
// The old addOnloadHook did something similar to the below
if (document.readyState=="complete")
	autoEdit(); //will setup popups
else
	$( window ).on( 'load', autoEdit );


// Support for MediaWiki's live preview, VisualEditor's saves and Echo's flyout.
( function () {
	var once = true;
	function dynamicContentHandler( $content ) {
		// Try to detect the hook fired on initial page load and disregard
		// it, we already hook to onload (possibly to different parts of
		// page - it's configurable) and running twice might be bad. Ugly…
		if ( $content.attr( 'id' ) == 'mw-content-text' ) {
			if ( once ) {
				once = false;
				return;
			}
		}
				
		function registerHooksForVisibleNavpops () {
			for (var i=0; pg.current.links && i<pg.current.links.length; ++i) {
				var navpop = pg.current.links[i].navpopup;
				if (!navpop || !navpop.isVisible()) { continue; }
				
				Navpopup.tracker.addHook(posCheckerHook(navpop));
			}
		}
		
		function doIt () {
			registerHooksForVisibleNavpops();
			$content.each( function () {
				this.ranSetupTooltipsAlready = false;
				setupTooltips( this );
			} );
		}

		setupPopups( doIt );
	}

	// This hook is also fired after page load.
	mw.hook( 'wikipage.content' ).add( dynamicContentHandler );

	mw.hook( 'ext.echo.overlay.beforeShowingOverlay' ).add( function($overlay){
		dynamicContentHandler( $overlay.find(".mw-echo-state") );
	});
} )();

});
// ENDFILE: run.js