![]() | Nota: Cuando editas esta página, aceptas liberar tu contribución bajo la licenciaCC0. Para más información mira laspáginas de ayuda de dominio público. | ![]() |
La extensiónParserFunctions proporcionafunciones de análisis adicionales para complementar las "palabras mágicas", que ya están presentes en MediaWiki.(Esposible que sea configurado para proporcionar funciones de analizador adicionales para el manejo de cadenas; estas funciones de cadena están documentadaselsewhere.)Todas lasparser functions proporcionadas por esta extensión tienen la forma:
{{#functionname:argumento 1 |argumento 2 |argumento 3 ... }}
Tipo | Operadores |
---|---|
Agrupadores (paréntesis) | ( ) |
Números | 1234.5 e (2.718) pi (3.142) |
operador binarioe unario+ ,- | |
Unario | not ceil trunc floor abs exp ln sin cos tan acos asin atan sqrt |
Binarios | ^ |
* / div mod fmod | |
+ - | |
Redondeo | round |
Lógicos | = != <> > < >= <= |
and | |
or |
Esta función, evalúa una expresión matemática, y devuelve el resultado.Esta función está también disponible enScribunto por medio de la funciónmw.ext.ParserFunctions.expr
.
{{#expr:expresión }}
Basic example
{{#expr: 1 + 1}}
→2Los operadores disponibles están listados a continuación, en orden de preferencia. Para más información sobre la sintaxis y uso de cada operador, se puede consultar la documentación (en inglés) [[Manual:Expr parser function syntax|Help:Calculation]]. La exactitud y el formato del resultado devuelto, depende del sistema operativo del servidor que ejecuta la wiki, y el formáto numérico que use el servidorLa exactitud y el formato del resultado devuelto variarán dependiendo del sistema operativo del servidor que ejecuta la wiki y el formato de número del idioma del sitio.
Cuando se evalúa usandoalgebra booleana, el cero evalúa afalse
, y cualquier valor diferente de cero, positivo o negativo, evalúa atrue
:
{{#expr: 1 and -1}}
→1{{#expr: 1 and 0}}
→0{{#expr: 1 or -1}}
→1{{#expr: -1 or 0}}
→1{{#expr: 0 or 0}}
→0Una expresión de entrada vacía regresa una cuerda vacía. Las expresiones nulas regresan algún mensaje de error entre muchos, los cuales pueden ser detectados utilizando el#iferror
función:
{{#expr:}}
→{{#expr: 1+}}
→Expression error: Missing operand for +.{{#expr: 1 =}}
→Expression error: Missing operand for =.{{#expr: 1 foo 2}}
→Expression error: Unrecognized word "foo".El orden de los operandos de adición y de sustracción antes o después de un número es significativo y puede ser tratado como valor positivo o negativo en vez de un operando con una entrada errónea:
{{#expr: +1}}
→1{{#expr: -1}}
→-1{{#expr: + 1}}
→1{{#expr: - 1}}
→-1Tenga en cuenta que si utiliza la salida de palabras mágicas, debe formatearlas sin procesar para eliminar las comas y traducer los números.Por ejemplo, {{NUMBEROFUSERS}} da como resultado 18 137 850, donde queremos 18137850, que se puede obtener usando{{formatnum:{{NUMBEROFUSERS}}|R}}
.Esto es especialmente importante en algunos idiomas, donde se traducen los números.Por ejemplo, en Bengalí, {{NUMBEROFUSERS}} produce ৩০,০৬১.
{{#expr:{{NUMBEROFUSERS}}+100}}
→Expression error: Unrecognized punctuation character " ".{{#expr:{{formatnum:{{NUMBEROFUSERS}}|R}}+100}}
→18137950![]() | El operadormod da resultados incorrectos para algunos valores del segundo argumento:
|
Rounds del número a la izquierda a un múltiplo de 1/10 elevado a una potencia, con el exponente igual al valor truncado del número dado a la derecha.
Para redondear hacia arriba o hacia abajo, use la unariaceil
o $piso respectivamente.
Caso de prueba | Resultado | Método de redondeo | ||
---|---|---|---|---|
{{#expr: 1/3 round 5 }} | 0.33333 | El dígito final es <5, por lo que no se produce redondeo aparente (0.333333… → 0.33333) | ||
{{#expr: 1/6 round 5 }} | 0.16667 | El dígito final es ≥ 5, por lo que se redondea (0.166666… → 0.16667) | ||
{{#expr: 8.99999/9 round 5 }} | 1 | Nuevamente, el resultado se redondea en el último dígito, lo que resulta en un redondeo adicional (0.999998… → 1.00000 → 1) | ||
{{#expr: 1234.5678round -2 }} | 1200 | Redondeado a 100 aproximadamente porque los valores negativos se redondean a la izquierda del punto decimal | ||
{{#expr: 1234.5678round 2 }} | 1234.57 | Redondeado a la centésima aproximada porque los valores positivos se redondean a la derecha del punto decimal | ||
{{#expr: 1234.5678 round 2.3 }} | 1234.57 | Los decimales en el índice de redondeo no hacen ninguna diferencia en el resultado redondeado | ||
{{#expr:trunc 1234.5678 }} | 1234 | Porción decimal truncada (cortada) | ||
Redondeo al entero aproximado | ||||
{{#expr: 1/3round 0 }} | 0 | Abajo al enteroaproximado, que es cero | ||
{{#expr: 1/2round 0 }} | 1 | Hasta el entero aproximado, que es uno | ||
{{#expr: 3/4round 0 }} | 1 | Hasta el entero aproximado, que es uno | ||
{{#expr: -1/3round 0 }} | -0 | Hasta el entero aproximado, que es cero | ||
{{#expr: -1/2round 0 }} | -1 | Abajo al entero aproximado, que es negativo | ||
{{#expr: -3/4round 0 }} | -1 | Abajo al entero aproximado, que es negativo | ||
Redondeando hacia arriba o hacia abajo conceil yfloor | ||||
{{#expr:ceil(1/3) }} | 1 | Hasta el siguiente enteromáximo, que es uno | ||
{{#expr:floor(1/3) }} | 0 | Abajo al siguiente enteromínimo, que es cero | ||
{{#expr:ceil(-1/3) }} | -0 | Hasta el siguiente entero máximo, que es cero | ||
{{#expr:floor(-1/3) }} | -1 | Abajo al siguiente entero mínimo, que es negativo | ||
{{#expr:ceil 1/3 }} | 0.33333333333333 | No redondeado, ya que 1 ya es un entero
| ||
Rounding large numbers | ||||
{{#expr: 1e-92 round 400 }} | 1.0E-92 | Redondear a un número muy grande conduce al infinito. Por lo tanto, se da como respuesta el valor original sin el infinito. | ||
{{#expr: 1e108 round 200 }} | 1.0E+108 | Igual que arriba. |
Las expresiones solo funcionan con valores numéricos, no pueden comparar cadenas o caracteres.#ifeq puede ser usado en su lugar.
{{#expr: "a" = "a"}}
→Expression error: Unrecognized punctuation character """.{{#expr: a = a}}
→Expression error: Unrecognized word "a".{{#ifeq: a| a| 1| 0}}
→1Esta función evalúa una cadena de prueba y determina si está vacía o no. Una cadena de prueba que contiene solo espacios en blanco se considera vacía.
{{#if: cadena de prueba| evaluar si la cadena de prueba no está vacía| evaluar si la cadena de prueba está vacía (o solo espacio en blanco)}}
{{#if: primer parámetro| segundo parámetro| tercer parámetro}}
Esta función primero prueba si el primer parámetro no está vacío. Si el primer parámetro no está vacío, la función muestra el segundo argumento. Si el primer parámetro está vacío o contiene solo caracteres de espacios en blanco (espacios, nuevas líneas, etc.), se muestra el tercer argumento.
{{#if:| yes| no}}
→no{{#if: string| yes| no}}
→yes{{#if: | yes| no}}
→yes{{#if:| yes| no}}
→noLa cadena de prueba siempre se interpreta como texto puro, por lo que las expresiones matemáticas no se evalúan (véase#ifexpr):
{{#if: 1==2| yes| no}}
→yes{{#if: 0| yes| no}}
→yesEl último parámetro (falso) se puede omitir:
{{#if: foo| yes}}
→ yes{{#if:| yes}}
→{{#if: foo|| no}}
→La función puede ser insertada. Para hacerlo, anide la función #if interna en su forma completa en lugar de un parámetro de la función #if adjunta. Es posible hasta siete niveles de anidamiento, aunque eso puede depender de la wiki o del límite de memoria.
{{#if:cadena de prueba|evaluar si la cadena de prueba no está vacía|{{#if:cadena de prueba|evaluar si la cadena de prueba no está vacía|evaluar si la cadena de prueba está vacía (o solo espacio en blanco)}}}}
También puede usar un parámetro como la cadena de prueba en su declaración#if
. Debe asegurarse de agregar|
(símbolo pipe) después del nombre de la variable.(De modo que si el parámetro no tiene un valor, se evalúa como una cadena vacía en lugar de la cadena "{{{1}}}
").
{{#if:{{{1|}}}|Ingresó texto en la variable 1|No hay texto en la variable 1}}
VeaséHelp:Parser functions in templates para más ejemplos de esta función.
Esta función de analizador compara dos cadenas de entrada, determina si son idénticas y devuelve una de las dos cadenas según el resultado.Si se requieren más comparaciones y cadenas de salida, considere usar#switch
.
{{#ifeq:string 1 |string 2 |value if identical |value if different }}
Si ambas cadenas son valores numéricos válidos, las cadenas se comparan numéricamente:
{{#ifeq: 01| 1| equal| not equal}}
→equal{{#ifeq: 0| -0| equal| not equal}}
→equal{{#ifeq: 1e3| 1000| equal| not equal}}
→equal{{#ifeq:{{#expr:10^3}}| 1000| equal| not equal}}
→equalDe lo contrario, la comparación se hace como texto; esta comparación es sensible a mayúsculas y minúsculas:
{{#ifeq: foo| bar| equal| not equal}}
→not equal{{#ifeq: foo| Foo| equal| not equal}}
→not equal{{#ifeq: "01"| "1"| equal| not equal}}
→not equal (compare con el ejemplo similar anterior, sin las comillas){{#ifeq: 10^3| 1000| equal| not equal}}
→not equal (compárese con el ejemplo similar anterior, con#expr
devolviendo un número válido primero)Como ejemplo práctico, considere unatemplate existenteTemplate:Timer
usando el analizador para elegir entre dos tiempos estándar, corto y largo.Toma el parámetro como la primera entrada para compararlo con la cadena "short": no existe una convención para el orden, pero es más fácil de leer si el parámetro va primero.El código de la plantilla se define como:
{{#ifeq:{{{1|}}}| short| 20| 40}}
se produce lo siguiente:
{{timer|short}}
→20{{timer|20}}
→40{{timer}}
→40![]() | Cuando se usan dentro de una función de analizador, cualquier etiqueta de analizador y otras funciones de analizador deben reemplazarse temporalmente conun código único. Esto afecta a las comparaciones:
|
![]() | Las comparaciones literales conmagic words de nombre de página pueden fallar según la configuración del sitio. Por ejemplo, {{FULLPAGENAME}}, dependiendo de la wiki, puede usar mayúsculas en la primera letra y reemplazará todos los guiones bajos con espacios. Para evitar esto, aplique la palabra mágica a ambos parámetros:
|
Esta función toma una cadena de entrada y devuelve uno de los dos resultados; la función se evalúa comotrue
si la cadena de entrada contiene un objeto HTML conclass="error"
, como lo generan otras funciones del analizador como#expr
,#time
y#rel2abs
, errorestemplate como bucles y recursiones, y otros errores del analizador "failoft".
{{#iferror:test string |value if error |value if correct }}
Se pueden omitir una o ambas cadenas de retorno. Si se omite la cadenacorrect
, se devuelve latest string
si no es errónea. Si la cadenaerror
también se omite, se devuelve una cadena vacía en caso de error:
{{#iferror:{{#expr: 1 + 2}}| error| correct}}
→correct{{#iferror:{{#expr: 1 + X}}| error| correct}}
→error{{#iferror:{{#expr: 1 + 2}}| error}}
→3{{#iferror:{{#expr: 1 + X}}| error}}
→error{{#iferror:{{#expr: 1 + 2}}}}
→3{{#iferror:{{#expr: 1 + X}}}}
→{{#iferror:{{#expr: .}}| error| correct}}
→correct{{#iferror:<strongclass="error">a</strong>| error| correct}}
→errorAlgunos errores pueden causar que se añada una categoría de seguimiento, el uso de{{#iferror:}}
no suprimirá la adición de la categoría.
Esta función evalúa una expresión matemática y devuelve una de dos cadenas dependiendo del valor booleano del resultado:
{{#ifexpr:expression |value if true |value if false }}
La entradaexpression
se evalúa exactamente como para#expr
arriba, con los mismos operadores disponibles. La salida se evalúa como una expresión booleana.
Una expresión de entrada vacía evalúafalse
:
{{#ifexpr:| yes| no}}
→noComo se mencionó anteriormente, cero se evalúa comofalse
y cualquier valor distinto de cero se evalúa comotrue
, por lo que esta función es equivalente a una que usa#ifeq
y#expr
solamente:
{{#ifeq: {{#expr:expression }} | 0 |value if false |value if true }}
excepto para una expresión de entrada vacía o incorrecta (un mensaje de error se trata como una cadena vacía; no es igual a cero, por lo que obtenemosvalue if true
).
{{#ifexpr: =| yes| no}}
→Expression error: Unexpected = operator.comparando
{{#ifeq:{{#expr: =}}| 0| no| yes}}
→ yesCualquiera o ambos valores de retorno pueden omitirse; no se da salida cuando la rama apropiada se deja vacía:
{{#ifexpr: 1 > 0| yes}}
→yes{{#ifexpr: 1 < 0| yes}}
→{{#ifexpr: 0 = 0| yes}}
→ yes{{#ifexpr: 1 > 0|| no}}
→{{#ifexpr: 1 < 0|| no}}
→ no{{#ifexpr: 1 > 0}}
→Boolean operators of equality or inequality operators are supported.
{{#ifexpr: 0 = 0 or 1 = 0| yes}}
→yes{{#ifexpr: 0 = 0 and 1 = 0|| no}}
→no{{#ifexpr: 2 > 0 or 1 < 0| yes}}
→yes{{#ifexpr: 2 > 0 and 1 > 0| yes| no}}
→yes![]() | #ifexpr no informa comparaciones numéricas equivalentes con los analizadores#ifeq y#switch . Estos dos últimos son más precisos que#ifexpr , y no devuelven resultados equivalentes.Considere estas comparaciones con el último dígito modificado:
Debido a que PHP usado en
Con el dígito diferente, el resultado de igual es realmente incorrecto. Este comportamiento en#ifexpr se debe a que MediaWiki convierte números literales en expresiones a tipo flotante, lo que, para enteros grandes como estos, implica redondeo. |
Esta función toma una cadena de entrada, la interpreta como el título de una página y devuelve uno de los dos valores dependiendo de si la página existe o no en el wiki local.
{{#ifexist:page title |value if exists |value if doesn't exist }}
La función se evalúa comotrue
si la página existe, si contiene contenido, está visiblemente en blanco (contiene metadatos como enlaces de categoría opalabras mágicas, pero no visible content), está en blanco o esredirect. Solo las páginas que tienen enlaces rojos se evalúan comofalse
, incluso si la página existía pero se eliminó.
{{#ifexist: Help:Extension:ParserFunctions/es | exists | doesn't exist }}
→exists{{#ifexist: XXHelp:Extension:ParserFunctions/esXX | exists | doesn't exist }}
→doesn't existLa función se evalúa comotrue
paramensajes del sistema que se han personalizado y parapáginas especiales que están definidas por el software.
{{#ifexist: Special:Watchlist | exists | doesn't exist }}
→exists{{#ifexist: Special:CheckUser | exists | doesn't exist }}
→exists (porque la extensiónCheckuser está instalada en esta Wiki){{#ifexist: MediaWiki:Copyright | exists | doesn't exist }}
→doesn't exist (porqueMediaWiki:Copyright no se ha personalizado)Si una página verifica un destino usando#ifexist:
, esa página aparecerá en la listaSpecial:WhatLinksHere para la página de destino. Entonces, si el código $code1:Foo $code2 se incluyera en vivo en esta página ($fullpagename1),$wth/Foo mostrará $fullpagename2.So if the code{{#ifexist:Foo }}
were included live on this page (Help:Extension:ParserFunctions/es),Special:WhatLinksHere/Foo will list Help:Extension:ParserFunctions/es.
En wikis que usan un repositorio de medios compartidos,#ifexist:
se puede usar para verificar si un archivo se cargó en el repositorio pero no en la propia wiki:
{{#ifexist: File:Example.png | exists | doesn't exist }}
→doesn't exist{{#ifexist: Image:Example.png | exists | doesn't exist }}
→doesn't exist{{#ifexist: Media:Example.png | exists | doesn't exist }}
→existsSi se ha creado una página de descripción local para el archivo, el resultado esexiste para todo lo anterior.
#ifexist:
no funciona con enlaces interwiki.
#ifexist:
se considera una "función de analizador costosa"; solo se puede incluir un número limitado en cualquier página (incluidas las funciones dentro de las plantillas transcluidas).Cuando se excede este límite, cualquier otra función de#ifexist:
devuelve automáticamente falso, ya sea que la página de destino exista o no, y la página se clasifica enCategory:Pages with too many expensive parser function calls.El nombre de lacategoría de seguimiento puede variar según el idioma del contenido de su wiki.
Para algunos casos de uso, es posible emular el efecto ifexist con css, usando los selectoresa.new
(para seleccionar enlaces a páginas inexistentes) oa:not(.new)
(para seleccionar enlaces a páginas existentes).Además, dado que la cantidad de costosas funciones de analizador que se pueden usar en una sola página está controlada por$wgExpensiveParserFunctionLimit
, también se puede aumentar el límite en LocalSettings.php si es necesario.
Una página que no existe y se prueba para usar #ifexist terminará en lasPáginas Requeridas.VéaseT14019 por la razón, y para una solución.
This function converts a relative file path into an absolute filepath.
{{#rel2abs:path }}
{{#rel2abs:path |base path }}
Con la entradapath
, la siguiente sintaxis es válida:
.
→ el nivel actual..
→go up one level/foo
→go down one level into the subdirectory /fooIf thebase path
is not specified, the full page name of the page will be used instead:
{{#rel2abs: /quok | Help:Foo/bar/baz }}
→Help:Foo/bar/baz/quok{{#rel2abs: ./quok | Help:Foo/bar/baz }}
→Help:Foo/bar/baz/quok{{#rel2abs: ../quok | Help:Foo/bar/baz }}
→Help:Foo/bar/quok{{#rel2abs: ../. | Help:Foo/bar/baz }}
→Help:Foo/barInvalid syntax, such as/.
or/./
, is ignored.Since no more than two consecutive full stops are permitted, sequences such as these can be used to separate successive statements:
{{#rel2abs: ../quok/. | Help:Foo/bar/baz }}
→Help:Foo/bar/quok{{#rel2abs: ../../quok | Help:Foo/bar/baz }}
→Help:Foo/quok{{#rel2abs: ../../../quok | Help:Foo/bar/baz }}
→quok{{#rel2abs: ../../../../quok | Help:Foo/bar/baz }}
→Error: profundidad no válida en la ruta «Help:Foo/bar/baz/../../../../quok» (trataste de acceder a un nodo por encima de la raíz).For a similar group of functions see alsoHelp:Magic words#URL data.Built-in parser functions include: 'localurl:', 'fullurl:', 'anchorencode:' etc.
Véase también:w:Help:Switch parser function
Esta función compara un valor de entrada con varios casos de prueba y devuelve una cadena asociada si se encuentra una coincidencia.
{{#switch:comparison string |case =result |case =result |... |case =result |default result}}
Ejemplos:
{{#switch: baz| foo= Foo| baz= Baz| Bar}}
→ Baz{{#switch: foo| foo= Foo| baz= Baz| Bar}}
→ Foo{{#switch: zzz| foo= Foo| baz= Baz| Bar}}
→ Bar#switch con etiquetas de transclusión parcial puede afectar a un archivo de configuración que permite a un editor que no esté familiarizado con la codificación de plantillas ver y editar elementos configurables.
Thedefault result
is returned if nocase
string matches thecomparison string
:
{{#switch: test| foo= Foo| baz= Baz| Bar}}
→ BarEn esta sintaxis, el resultado predeterminado debe ser el último parámetro y no debe contener un signo de igual sin formato (un signo de igual sin{{}}
).Si es así, se tratará como una comparación de casos y no se mostrará ningún texto si no hay coincidencias entre casos.Esto se da porque el valor por defecto no ha sido definido (está vacío).Sin embargo, en el caso que coincida se devolverá su cadena de texto asociada.
{{#switch: test| Bar| foo= Foo| baz= Baz}}
→{{#switch: test| foo= Foo| baz= Baz| B=ar}}
→{{#switch: test| test= Foo| baz= Baz| B=ar}}
→ FooDe manera alternativa, el resultado predeterminado puede declararse explícitamente con una cadenacase
de "#default
".
{{#switch:comparison string |case =result |case =result |... |case =result | #default =default result}}
Los resultados predeterminados declarados de esta manera pueden colocarse en cualquier lugar dentro de la función:
{{#switch: test| foo= Foo| #default= Bar| baz= Baz}}
→ BarSi se omite el parámetrodefault
y no se encuentra ninguna coincidencia, no se devuelveresult
:
{{#switch: test| foo= Foo| baz= Baz}}
→It is possible to have 'fall through' values, where severalcase
strings return the sameresult
string. This minimizes duplication.
{{#switch:comparison string |case1 =result1 |case2 |case3 |case4 =result234 |case5 =result5 |case6 |case7 =result67 | #default =default result}}
Aquí, todos los casos 2, 3 y 4 devolveránresult234
; mientras que los casos 6 y 7 devolveránresult67
.El "#default =
" del último parámetros puede ser omitido en el caso anterior.
La función puede ser usada con parámetros como una cadena de texto de prueba.In this case, it is not necessary to place the pipe after the parameter name, because it is very unlikely that you will choose to set a case to be the string "{{{parameter name}}}
".(This is the value the parameter will default to if the pipe is absent and the parameter doesn't exist or have a value.VéaseHelp:Parser functions in templates.)
{{#switch:{{{1}}}| foo= Foo| baz= Baz| Bar}}
En el caso anterior, si{{{1}}}
es igual afoo
, la función devolveráFoo
.Si es igual abaz
, la función devolveráBaz
.Si el parámetro está vacío o no existe, la función devolveráBar
.
As in the section above, cases can be combined to give a single result.
{{#switch:{{{1}}}| foo| zoo| roo= Foo| baz= Baz| Bar}}
Aquí, si{{{1}}}
es igual afoo
,zoo
oroo
, la función va a devolverFoo
.Si iguala abaz
, la función devolveráBaz
.Si el parámetro está vacío o no existe, la función va a devolver $!.
Adicionalmente, el resultado por defecto puede ser omitido si no esperas que devuelva algo en caso de que el parámetro de prueba no coincida con ninguno de los casos.
{{#switch:{{{1}}}| foo= Foo| bar= Bar}}
En este caso, la función devuelve una cadena de texto vacía salvo que{{{1}}}
exista e igualefoo
obar
. En tal caso, devolveráFoo
oBar
respectivamente.
Esto posee el mismo efecto de declarar el resultado por defecto como vacío.
{{#switch:{{{1}}}| foo| zoo| roo= Foo| baz= Baz|}}
Si por alguna razón deseas establecer un caso como "{{{parameter name}}}
", la función devolverá su resultado correspondiente cuando el parámetro no exista o no tenga un valor.El parámetro tendrá que existir y tener un valor distinto al de la cadena de texto "{{{parameter name}}}
" para que devuelva el resultado por defecto de la función.
{{{1}}}
no existe o está vacío):{{#switch:{{{1}}}|{{{1}}} = Foo| baz= Baz| Bar}}
→ Foo{{{1}}}
tiene el valor "test
"):{{#switch:{{{1}}}|{{{1}}} = Foo| baz= Baz| Bar}}
→ Bar{{{1}}}
posee el valor "{{{1}}}
"):{{#switch:{{{1}}}|{{{1}}} = Foo| baz= Baz| Bar}}
→ FooIn this hypothetical case, you would need to add the pipe to the parameter ({{{1|}}}
).
As with#ifeq
, the comparison is made numerically if both the comparison string and the case string being tested are numeric; or as a case-sensitive string otherwise:
{{#switch: 0 + 1| 1= one| 2= two| three}}
→three{{#switch:{{#expr: 0 + 1}}| 1= one| 2= two| three}}
→one{{#switch: 02| +1= one| +2= two| three}}
→two{{#switch: 100| 1e1= ten| 1e2= hundred| other}}
→hundred{{#switch: a| a= A| b= B| C}}
→A{{#switch: A| a= A| b= B| C}}
→CAcase
string may be empty:
{{#switch:|= Nothing| foo= Foo| Something}}
→NothingOnce a match is found, subsequentcases
are ignored:
{{#switch: b| f= Foo| b= Bar| b= Baz|}}
→Bar![]() | Las comparaciones numéricas con#switch y#ifeq no son equivalentes con las comparaciones en las expresiones (véase también arriba):
|
"Case" strings cannot contain raw equals signs. To work around this, use the{{=}} magic word, or replace equals sign with HTML code=
.
Ejemplo:
Escribes | Obtienes |
---|---|
{{#switch: 1=2| 1=2 = raw| 1<nowiki>=</nowiki>2 = nowiki| 1{{=}}2 = template| default}} | template |
{{#switch: 1=2| 1=2= html| default}} | html |
#switch
can be used to reduceexpansion depth.
Por ejemplo:
{{#switch:{{{1}}}|condition1=branch1|condition2=branch2|condition3=branch3|branch4}}
es equivalente a:
{{#ifeq:{{{1}}}|condition1|branch1|{{#ifeq:{{{1}}}|condition2|branch2|{{#ifeq:{{{1}}}|condition3|branch3|branch4}}}}}}
i.e. deep nesting, linear:
{{#ifeq:{{{1}}}|condition1|<!--then-->branch1|<!--else-->{{#ifeq:{{{1}}}|condition2|<!--then-->branch2|<!--else-->{{#ifeq:{{{1}}}|condition3|<!--then-->branch3|<!--else-->branch4}}}}}}
On the other hand, the switch replacement could be complicated/impractical for IFs nested in both branches (shown with alternatives of indentation, indented on both sides), making full symmetrical tree:
{{#ifeq:{{{1}}}|condition1|<!--then-->branch1t{{#ifeq:{{{1}}}|condition2|<!--then-->branch1t2t{{#ifeq:{{{1}}}|condition4|<!--then-->branch1t2t4t|<!--else-->branch1t2t4e}}|<!--else-->branch1t2e{{#ifeq:{{{1}}}|condition5|<!--then-->branch1t2e5t|<!--else-->branch1t2e5e}}}}|<!--else-->branch1e{{#ifeq:{{{1}}}|condition3|<!--then-->branch1e3t{{#ifeq:{{{1}}}|condition6|branch1e3t6t|branch1e3t6e}}|<!--else-->branch1e3e{{#ifeq:{{{1}}}|condition7|branch1e3e7t|branch1e3e7t}}}}}}
Código | Descripción | Current output (Purge this page's cache to update) |
---|---|---|
Año | ||
Y | Año de 4 dígitos | 2025 |
y | Año de 2 dígitos | 25 |
L | 1 si es año bisiesto, 0 si no lo es. | 0 |
o [note 1] | ISO-8601 year of the specified week.[note 2] | 2025[note 3] |
Mes | ||
n | Month index, not zero-padded. | 7 |
m | Month index, zero-padded. | 07 |
M | An abbreviation of the month name, in the site language. | jul |
F | The full month name in the site language. | julio |
xg | Output the full month name in thegenitive form for site languages that distinguish between genitive andnominative forms. This option is useful for manySlavic languages like Polish, Russian, Belarusian, Czech, Slovak, Slovene, Ukrainian, etc. | Para polaco:{{#time:F Y|June 2010|pl}} → czerwiec 2010(nominativo) {{#time:d xg Y|20 June 2010|pl}} → 20 czerwca 2010(genitivo) |
Día del mes o del año | ||
j | Día del mes, sin cero. | 18 |
d | Día del mes, comenzando por cero. | 18 |
z | Day of the year (January 1 = 0).![]() | 198 |
Semana y día de la semana | ||
W | ISO 8601 week number, zero-padded. | 29 |
N | ISO 8601 day of the week (Monday = 1, Sunday = 7). | 5 |
w | Number of the day of the week (Sunday = 0, Saturday = 6). | 5 |
D | An abbreviation for the day of the week. Rarely internationalized. | vie |
l | The full weekday name. Rarely internationalized. | viernes |
Hora | ||
a | "am" durante la mañana (00:00:00 → 11:59:59), "pm" si no (12:00:00 → 23:59:59). | pm |
A | Uppercase version ofa above. | PM |
g | Hour in 12-hour format, not zero-padded. | 4 |
h | Hour in 12-hour format, zero-padded. | 04 |
G | Hour in 24-hour format, not zero-padded. | 16 |
H | Hour in 24-hour format, zero-padded. | 16 |
Minutos y segundos | ||
i | Minutes past the hour, zero-padded. | 18 |
s | Seconds past the minute, zero-padded. | 10 |
U | Unix time.Seconds since January 1 1970 00:00:00 GMT. | 1752855490 |
Zona horaria (a partir de1.22wmf2) | ||
e | Identificador de la zona horaria. | UTC |
I | Whether or not the date is in daylight savings time. | 0 |
O | Difference to Greenwich time (GMT) | +0000 |
P | Difference to Greenwich time (GMT), with colon | +00:00 |
T | Abreviatura de la zona horaria. | UTC |
Z | Timezone offset in seconds. | 0 |
Miscelánea | ||
t | Número de días en el mes actual. | 31 |
c | ISO 8601 formatted date, equivalent toY-m-d"T"H:i:s+00:00 . | 2025-07-18T16:18:10+00:00 |
r | RFC 5322 formatted date, equivalent toD, j M Y H:i:s +0000 , with weekday name and month name not internationalized. | Fri, 18 Jul 2025 16:18:10 +0000 |
Non-Gregorian calendars | ||
Islámico | ||
xmj | Día del mes. | 22 |
xmF | Nombre completo del mes. | Muharram |
xmn | Índice de mes. | 1 |
xmY | Año completo. | 1447 |
Iraní (Jalaly) | ||
xit | Número de días en el mes. | 31 |
xiz | Fecha. | 119 |
xij | Día del mes. | 27 |
xiF | Nombre completo del mes. | Tir |
xin | Índice de mes. | 4 |
xiY | Año completo. | 1404 |
xiy | Año de 2 dígitos. | 04 |
Hebreo | ||
xjj | Día del mes. | 22 |
xjF | Nombre completo del mes. | Tamuz |
xjt | Número de días en el mes. | 29 |
xjx | Forma genitiva del nombre del mes. | Tamuz |
xjn | Número del mes. | 10 |
xjY | Año completo. | 5785 |
Thai solar | ||
xkY | Full year inThai solar calendar.![]() | 2568 |
Minguo/Juche year | ||
xoY | Año completo. | 114 |
Japanese nengo | ||
xtY | Año completo. | 令和7 |
Flags | ||
xn | Format the next numeric code as a raw ASCII number. | In the Hindi language,{{#time:H, xnH}} produces ०६, 06. |
xN | Likexn , but as a toggled flag, which endures until the end of the string or until the next appearance ofxN in the string. | |
xr | Format the next number as a roman numeral. Only works for numbers up to 10,000 (up to 3,000 in pre MediaWiki 1.20). | {{#time:xrY}} → MMXXV |
xh | Format the next number as a Hebrew numeral. | {{#time:xhY}} → ב'כ"ה |
This parser function takes a date and/or time (in the Gregorian calendar) and formats it according to the syntax given. A date/time object can be specified; the default is the value of themagic word{{CURRENTTIMESTAMP}}
– that is, the time the page was last rendered into HTML.
{{#time:format string }}
{{#time:format string |date/time object }}
{{#time:format string |date/time object |language code }}
{{#time:format string |date/time object |language code |local }}
The list of accepted formatting codes is given in the table to the right.Any character in the formatting string that is not recognized is passed through unaltered; this applies also to blank spaces (the system does not need them for interpreting the codes).If no character is recognized in the formatting string, and the date/time object is without error, then the formatting string is returned as output.There are also two ways to escape characters within the formatting string:
In addition, the digraphxx
is interpreted as a single literal "x".
As the list of formatting codes continues to evolve (with the support of new calendars, or of new date fields computed and formatted differently), you should escape all literal characters (not just ASCII letters currently used by formatting codes) that need to be passed through unaltered.
Unfortunately, for now, the ASCII single quote is still not recognized as a simple alternative for marking literal text to the currently supported ASCII double quotes (for example, double quotes are mandatory for in other uses like the delimitation of string values in JSON, C, C++...) and backslashes (which have to be escaped as well in string constants used by many languages, including JSON, C, C++, PHP, JavaScript, Lua).So you still cannot embed any literal double quote without escaping it with a backslash (or you can use other curly, angular or square quotation marks instead).
{{#time: Y-m-d}}
→2025-07-18{{#time:[[Y]] m d}}
→2025 07 18{{#time:[[Y (year)]]}}
→2025 (25UTCpmFri, 18 Jul 2025 16:18:10 +0000){{#time:[[Y "(year)"]]}}
→2025 (year){{#time: i's"}}
→18'10"Thedate/time object
can be in any format accepted by PHP'sstrtotime() function.Absolute (e.g.20 December 2000
), relative (e.g.+20 hours
), and combined times (e.g.30 July +1 year
) are accepted.
{{#time: r|now}}
→Fri, 18 Jul 2025 16:18:11 +0000{{#time: r|+2 hours}}
→Fri, 18 Jul 2025 18:18:11 +0000{{#time: r|now + 2 hours}}
→Fri, 18 Jul 2025 18:18:11 +0000{{#time: r|20 December 2000}}
→Wed, 20 Dec 2000 00:00:00 +0000{{#time: r|December 20, 2000}}
→Wed, 20 Dec 2000 00:00:00 +0000{{#time: r|2000-12-20}}
→Wed, 20 Dec 2000 00:00:00 +0000{{#time: r|2000 December 20}}
→Error: fecha y hora no válidas.{{#time: r|last tuesday}}
→Tue, 15 Jul 2025 00:00:00 +0000Thelanguage code
inISO 639-3 (?) allows the string to be displayed in the chosen language
{{#time:d F Y|1988-02-28|nl}}
→28 februari 1988{{#time:l|now|uk}}
→п'ятниця{{#time:d xg Y|20 June 2010|pl}}
→20 czerwca 2010Thelocal
parameter specifies if thedate/time object refers to the local timezone or to UTC.
This is a boolean parameters: its value is determined by casting the value of the argument (see theofficial PHP documentation for details on how string are cast to boolean values).
$wgLocaltimezone
is set toUTC
, there is no difference in the output whenlocal
is set totrue
orfalse
.See the following examples for details:
{{#time: Y F d H:i:s|now|it|0}}
→2025 luglio 18 16:18:11{{#time: Y F d H:i:s|now|it|1}}
→2025 luglio 18 16:18:11{{#time: Y F d H:i:s|+2 hours||0}}
→2025 julio 18 18:18:11{{#time: Y F d H:i:s|+2 hours||1}}
→2025 julio 18 18:18:11{{#time:c|2019-05-16T17:05:43+02:00|it}}
→2019-05-16T15:05:43+00:00{{#time:c|2019-05-16T17:05:43+02:00|it|0}}
→2019-05-16T15:05:43+00:00{{#time:c|2019-05-16T17:05:43+02:00|it|true}}
→2019-05-16T15:05:43+00:00If you've calculated a Unix timestamp, you may use it in date calculations by pre-pending an@
symbol.
{{#time: U| now}}
→1752855491{{#time: r | @1752855490 }}
→Fri, 18 Jul 2025 16:18:10 +0000![]() | Without the
|
![]() | The range of acceptable input is 1 January 0111 → 31 December 9999. For the years 100 through 110 the output is inconsistent, Y and leap years are like the years 100-110, r, D, l and U are like interpreting these years as 2000-2010.
Year numbers 0-99 are interpreted as 2000-2069 and 1970-1999, except when written in 4-digit format with leading zeros:
The weekday is supplied for the years 100-110 and from 1753, for the years 111-1752 the r-output shows "Unknown" and the l-output "<>". As a consequence, the r-output is not accepted as input for these years. |
Full or partial absolute dates can be specified; the function will "fill in" parts of the date that are not specified using thecurrent values:
{{#time: Y| January 1}}
→2025![]() | The fill-in feature is not consistent; some parts are filled in using the current values, others are not:
There's exception case of the filled day:
|
A four-digit number is always interpreted as a year, never as hours and minutes:[1]
{{#time: Y m d H:i:s| 1959}}
→1959 07 18 00:00:00A six-digit number is interpreted as hours, minutes and seconds if possible, but otherwise as an error (not, for instance, a year and month):
{{#time: Y m d H:i:s| 195909}}
→2025 07 18 19:59:09Input is treated as a time rather than a year+month code.{{#time: Y m d H:i:s| 196009}}
→Error: fecha y hora no válidas.Although 19:60:09 is not a valid time, 196009 is not interpreted as September 1960.The function performs a certain amount of date mathematics:
{{#time: d F Y| January 0 2008}}
→31 diciembre 2007{{#time: d F| January 32}}
→Error: fecha y hora no válidas.{{#time: d F| February 29 2008}}
→29 febrero{{#time: d F| February 29 2007}}
→01 marzo{{#time:Y-F|now -1 months}}
→2025-junioThe total length of the format strings of the calls of#time
is limited to 6000 characters[2].
There is a bug in this #time parser function (more specifically inPHP DateTime) that does not allow the passing-in ofnon-integers as relative time zone offsets. This issue does not apply when using an on-the-hour time zone, such as EDT. For example:
{{#time:g:i A| -4 hours}}
→ 12:18 PMHowever, India is on a +5.5 hours time offset from UTC, and thus using its time zone will not normally allow the correct calculation of a relative time zone offset. Here's what happens:
{{#time:g:i A| +5.5 hours}}
→ 4:18 PMTo workaround this issue, simply convert the time into minutes or seconds, like this:
{{#time:g:i A| +330 minutes}}
→ 9:48 PM{{#time:g:i A| +19800 seconds}}
→ 9:48 PM(Tim Starling, the developer of this function, provided the exact syntax for this solution.)
Sometimes it is useful to construct a timestamp, which looks like the automatic timestamp generated bysignatures in discussions on talk pages.On an English-language wiki, it can be created with:
{{#timel:H:i, j xg Y (e)|+330 minutes}}
→ 21:48, 18 julio 2025 (UTC)This function is identical to{{#time: ... }}
with thelocal
parameter set totrue
, so it always uses the local time of the wiki (as set in$wgLocaltimezone).
Syntax of the function is:
{{#timel:format string }}
{{#timel:format string |date/time object }}
{{#timel:format string |date/time object |language code }}
$wgLocaltimezone
is set toUTC
, there is no difference in the output whenlocal
is set totrue
orfalse
For instance, see the following examples:
{{#time:c|now|it}}
→2025-07-18T16:18:11+00:00{{#time:c|now|it|0}}
→2025-07-18T16:18:11+00:00{{#time:c|now|it|1}}
→2025-07-18T16:18:11+00:00{{#timel:c|now|it}}
→2025-07-18T16:18:11+00:00![]() | Be aware that U for both time and timel will return the same number of seconds since 1970-01-01 00:00:00 UTC on Wikipedias with different timezones than UTC (formerly known as GMT)
|
This function formats a date using a standard format for the selected language, as defined in$dateFormats
(seeT223772).
{{#timef:date/time object }}
{{#timef:date/time object |format type }}
{{#timef:date/time object |format type |language code }}
The format of thedate/time object is the same as for#time. If it is empty, the time when the page was rendered is used.
Theformat type may be one of:
time
date
both
pretty
If theformat type is not specified, both the time and date will be show, as ifboth
were specified.
If thelanguage code is not specified, the page's content language is used.
Using#timef
instead of#time
allows templates to more easily support multiple languages, since different languages have different ways to format dates.
In English, the order of the day and month is controlled by$wgAmericanDates
.
Examples:
{{#timef:now|both|en}}
→ 16:18, 18 July 2025{{#timef:now|both|ja}}
→ 2025年7月18日 (金) 16:18{{#timef:now|pretty|en}}
→ 18 July{{#timef:now|pretty|pl}}
→ 18 lipca{{#timef:|time}}
→ 16:18This function is the same as#timef except that it uses the local timezone of the wiki as configured in$wgLocaltimezone.
{{#timefl:date/time object }}
{{#timefl:date/time object |format type }}
{{#timefl:date/time object |format type |language code }}
This function separates a page title into segments based on slashes, then returns some of those segments as output.
{{#titleparts:pagename |number of segments to return |segment to start at }}
If thenumber of segments to return parameter is not specified, it defaults to "0", which returns all the segments from thesegment to start at to the end (included). If thesegment to start at parameter is not specified or is "0", it defaults to "1":
{{#titleparts:Talk:Foo/bar/baz/quok }}
→Talk:Foo/bar/baz/quok{{#titleparts:Talk:Foo/bar/baz/quok | 1 }}
→Talk:FooSee also {{ROOTPAGENAME}}.{{#titleparts:Talk:Foo/bar/baz/quok | 2 }}
→Talk:Foo/bar{{#titleparts: Talk:Foo/bar/baz/quok | 2 | 2 }}
→bar/baz{{#titleparts: Talk:Foo/bar/baz/quok | 2 | 3 }}
→baz/quok{{#titleparts: Talk:Foo/bar/baz/quok | 3 | 2 }}
→bar/baz/quok{{#titleparts: Talk:Foo/bar/baz/quok | | 2 }}
→bar/baz/quok{{#titleparts: Talk:Foo/bar/baz/quok | | 5 }}
→Negative values are accepted for both values. Negative values for thenumber of segments to return parameter effectively 'strips' segments from the end of the string. Negative values for thefirst segment to return translates to "start with this segment counting from the right":
{{#titleparts:Talk:Foo/bar/baz/quok | -1 }}
→Talk:Foo/bar/bazStrips one segment from the end of the string.See also {{BASEPAGENAME}}.{{#titleparts: Talk:Foo/bar/baz/quok | -4 }}
→Strips all 4 segments from the end of the string{{#titleparts: Talk:Foo/bar/baz/quok | -5 }}
→Strips 5 segments from the end of the string (more than exist){{#titleparts: Talk:Foo/bar/baz/quok | | -1 }}
→ quokReturns last segment.See also {{SUBPAGENAME}}.{{#titleparts: Talk:Foo/bar/baz/quok | -1 | 2 }}
→ bar/bazStrips one segment from the end of the string, then returns the second segment and beyond{{#titleparts: Talk:Foo/bar/baz/quok | -1 | -2 }}
→ bazStart copying at the second last element; strip one segment from the end of the stringBefore processing, thepagename parameter is HTML-decoded: if it contains some standard HTML character entities, they will be converted to plain characters (internally encoded with UTF-8, i.e. the same encoding as in the MediaWiki source page using this parser function).
"
,"
, or"
inpagename will be replaced by"
.Some magic keywords or parser functions of MediaWiki (such as{{PAGENAME}}
and similar) are known to return strings that are needlessly HTML-encoded, even if their own input parameter was not HTML-encoded:
The titleparts parser function can then be used as a workaround, to convert these returned strings so that they can be processed correctly by some other parser functions also taking a page name in parameter (such as{{PAGESINCAT:}}
) but which are still not working properly with HTML-encoded input strings.
For example, if the current page isCategory:Côte-d'Or, then:
{{#ifeq: {{FULLPAGENAME}} | Category:Côte-d'Or | 1 | 0 }}
, and{{#ifeq: {{FULLPAGENAME}} | Category:Côte-d'Or | 1 | 0 }}
are both returning1
; (the #ifeq parser function does perform the HTML-decoding of its input parameters).{{#switch: {{FULLPAGENAME}} | Category:Côte-d'Or = 1 | #default = 0 }}
, and{{#switch: {{FULLPAGENAME}} | Category:Côte-d'Or = 1 | #default = 0 }}
are both returning1
; (the #switch parser function does perform the HTML-decoding of its input parameters).{{#ifexist: {{FULLPAGENAME}} | 1 | 0 }}
,{{#ifexist: Category:Côte-d'Or | 1 | 0 }}
, or even{{#ifexist: Category:Côte-d'Or | 1 | 0 }}
will all return1
if that category page exists (the #ifexist parser function does perform the HTML-decoding of its input parameters);{{PAGESINCAT: Côte-d'Or }}
will return a non-zero number, if that category contains pages or subcategories,but:{{PAGESINCAT: {{CURRENTPAGENAME}} }}
, may stillunconditionally return 0, just like:{{PAGESINCAT: {{PAGENAME:Category:Côte-d'Or}} }}
{{PAGESINCAT: {{PAGENAME:Category:Côte-d'Or}} }}
The reason of this unexpected behavior is that, with the current versions of MediaWiki, there are two caveats:
{{FULLPAGENAME}}
, or even{{FULLPAGENAME:Côte-d'Or}}
may return the actually HTML-encoded stringCategory:Côte-d'Or
and not the expectedCategory:Côte-d'Or
, and that:{{PAGESINCAT: Côte-d'Or }}
unconditionally returns 0 (the PAGESINCAT magic keyword does not perform any HTML-decoding of its input parameter).The simple workaround using titleparts (which will continue to work if the two caveats are fixed in a later version of MediaWiki) is:
{{PAGESINCAT: {{#titleparts: {{CURRENTPAGENAME}} }} }}
{{PAGESINCAT: {{#titleparts: {{PAGENAME:Category:Côte-d'Or}} }} }}
{{PAGESINCAT: {{#titleparts: {{PAGENAME:Category:Côte-d'Or}} }} }}
, that all return the actual number of pages in the same category.Then the decodedpagename is canonicalized into a standard page title supported by MediaWiki, as much as possible:
{{#titleparts: Talk:Foo/bah_boo|1|2}}
→bah booNot bah_boo, despite the underscore in the original.{{#titleparts: a/b/c/d/e/f/g/h/i/j/k/l/m/n/o/p/q/r/s/t/u/v/w/x/y/z/aa/bb/cc/dd/ee | 1 | 25 }}
→y/z/aa/bb/cc/dd/ee{{#titleparts: {{#titleparts: a/b/c/d/e/f/g/h/i/j/k/l/m/n/o/p/q/r/s/t/u/v/w/x/y/z/aa/bb/cc/dd/ee| 1 | 25 }} | 1 | 2}}
→z{{#titleparts:talk:a/b/c }}
→Talk:A/b/cYou can use #titleparts as a small "string parser and converter", but consider that it returns the first substring capitalized:
{{#titleparts:one/two/three/four|1|1 }}
→One{{#titleparts: one/two/three/four|1|2 }}
→twoIf lower case is needed, use lc: function to control output:
{{lc: {{#titleparts:one/two/three/four|1|1 }} }}
→oneYou can prepend a 'dummy' slash at the beginning of the string to get the correct first substring capitalization (uppercase or lowercase). Use2
instead of1
forfirst segment to return:
{{#titleparts:/one/two/three/four|1|2 }}
→one{{#titleparts:/One/two/three/four|1|2 }}
→One![]() | Certain characters that areillegal in a page title will cause #titleparts to not parse the string:
|
![]() | If any part of the title is just "
|
![]() | This function does not degrade gracefully if the input exceeds 255 bytes in UTF-8. If the input string is 256 bytes or more, the whole string is returned. |
The ParserFunctions extension optionally defines various string functions if$wgPFEnableStringFunctions
is set totrue
:
#len
#pos
#rpos
#sub
#count
#replace
#explode
#urldecode
See the dedicated subpage for documentation, andManual:Performing string operations with parser functions for examples.
![]() | In 2013, it was decided thatthese functions willnever be enabled on any Wikimedia wiki, because they are inefficient when used on a large scale (seephab:T8455 for some history).These functions do NOT work on Wikimedia wikis! If you are here to write something on a Wikimedia project, you are looking for something else: if your home wiki has string functions, it probably usesLua.For example, the English Wikipedia usesModule:String, which does some of the same things with wildly different syntax.There are also individualString-handling templates. |
Here is a short overview ofModule:String functions:
{{#invoke:String|len|target_string}}
{{#invoke:String|sub|target_string|start_index|end_index}}
{{#invoke:String|match|source_string|pattern_string|start_index|match_number|plain_flag|nomatch_output}}
{{#invoke:String|pos|target_string|index_value}}
{{#invoke:String|find|source_string|target_string|start_index|plain_flag}}
{{#invoke:String|replace|source_str|pattern_string|replace_string|replacement_count|plain_flag}}
{{#invoke:String|rep|source|count}}
{{#invoke:String|escapePattern|pattern_string}}
{{#invoke:String|count|source_str|pattern_string|plain_flag}}
{{#invoke:String|join|separator|string1|string2|...}}
Parser functions can besubstituted by prefixing the hash character withsubst:
:
{{subst:#ifexist: Help:Extension:ParserFunctions/es | [[Help:Extension:ParserFunctions/es]] | Help:Extension:ParserFunctions/es }}
→the code[[Help:Extension:ParserFunctions/es]]
will be inserted in the wikitext since the page Help:Extension:ParserFunctions/es exists.![]() | The results of substituted parser functions are undefined if the expressions containunsubstituted volatile code such asvariables or other parser functions. For consistent results, all the volatile code in the expression to be evaluated must be substituted. SeeHelp:Substitution. |
Substitution does not work within<ref>
…</ref>
; you can use{{subst:#tag:ref|
…}}
for this purpose.
Especially{{#time:
…|now-
…}} could be handy inredirects to pages including dates, but this does not work.
Parser functions will manglewikitable syntax and pipe characters (|
), treating all the raw pipe characters as parameter dividers.To avoid this, most wikis used a templateTemplate:! with its contents only a raw pipe character (|
), since MW 1.24 a{{!}}
magic word replaced this kludge.This 'hides' the pipe from the MediaWiki parser, ensuring that it is not considered until after all the templates and variables on a page have been expanded.It will then be interpreted as a table row or column separator.Alternatively, raw HTML table syntax can be used, although this is less intuitive and more error-prone.
You can also escape the pipe character | for display as a plain, uninterpreted character using an HTML entity:|
or|
.
Descripción | Escribes | Obtienes |
---|---|---|
Escaping pipe character as table row/column separator | {{!}} | | |
Escaping pipe character as a plain character | | | | |
The same pipe protection applies as for the following example:
{{Documentation|content=... text before ...<code>subpage-name=sandbox3</code> is equivalent to <code>sandbox link=../sandbox3 | sandbox name=sandbox3</code>.... text after ...}}
We observe thattext after is not displayed when the pipe | just beforesandbox name= is present since|sandbox name= is considered erroneously to be a parameter of templateDocumentation at the same level as|content= is.
Whitespace, including newlines, tabs, and spaces, is stripped from the beginning and end of all the parameters of these parser functions. If this is not desirable, comparison of strings can be done after putting them in quotation marks.
{{#ifeq: foo | foo | equal | not equal }}
→equal{{#ifeq: "foo " | " foo" | equal | not equal }}
→not equalTo prevent the trimming of then and else parts, seem:Template:If. Some people achieve this by using <nowiki> </nowiki> instead of spaces.
foo{{#if:|| bar}}foo
→foobarfoofoo{{#if:||<nowiki/>bar<nowiki/>}}foo
→foo bar fooHowever, this method can be used to render asingle whitespace character only, since the parser squeezes multiple whitespace characters in a row into one.
<spanstyle="white-space: pre;">foo{{#if:||<nowiki/> bar<nowiki/>}}foo</span> | → | foo bar foo |
In this example, thewhite-space: pre
style is used to force the whitespace to be preserved by the browser, but even with it the spaces are not shown. This happens because the spaces are stripped by the software, before being sent to the browser.
It is possible to workaround this behavior replacing whitespaces with 
(breakable space) or
(non-breakable space), since they are not modified by the software:
<spanstyle="white-space: pre;">foo{{#if:||   bar   }}foo</span>
→foo bar foofoo{{#if:|| bar }}foo
→foo bar fooBeware that not all parameters are created equal.In ParserFunctions, whitespace at the beginning and end is always stripped.Intemplates, whitespace at the beginning and end is stripped for named parameters and named unnamed parameters butnot from unnamed parameters:
"{{lc: AbC}}"
→ "abc"[1]"{{uc: AbC}}"
→ "ABC"[2]"{{lcfirst: AbC}}"
→ "abC"[3]"{{ucfirst: abc}}"
→ "Abc"[4]"{{urlencode: AbCdEf ghi}}"
renders as
"AbC%0AdEf+ghi"
So inner new lines convert into %0A, and inner spaces convert into +.
{{anchorencode: AbC dEf ghi}}
renders as
AbC_dEf_ghi