identifier
stringlengths
0
89
parameters
stringlengths
0
399
return_statement
stringlengths
0
982
docstring
stringlengths
10
3.04k
docstring_summary
stringlengths
0
3.04k
function
stringlengths
13
25.8k
function_tokens
sequence
start_point
sequence
end_point
sequence
argument_list
null
language
stringclasses
3 values
docstring_language
stringclasses
4 values
docstring_language_predictions
stringclasses
4 values
is_langid_reliable
stringclasses
2 values
is_langid_extra_reliable
bool
1 class
type
stringclasses
9 values
Picture
(id, title, orientation)
null
Al definir una clase necesitamos un constructor para poder crear objetos a partir de la abstración
Al definir una clase necesitamos un constructor para poder crear objetos a partir de la abstración
function Picture(id, title, orientation) { this.id = id; this.title = title; this.orientation = orientation; }
[ "function", "Picture", "(", "id", ",", "title", ",", "orientation", ")", "{", "this", ".", "id", "=", "id", ";", "this", ".", "title", "=", "title", ";", "this", ".", "orientation", "=", "orientation", ";", "}" ]
[ 11, 4 ]
[ 15, 5 ]
null
javascript
es
['es', 'es', 'es']
True
true
statement_block
(btn)
null
funcion para asignar mesa a ventanas modales: productos, cliente; al hacer click desde el detalle de la cuenta
funcion para asignar mesa a ventanas modales: productos, cliente; al hacer click desde el detalle de la cuenta
function(btn) { var mesa = $(btn).data('mesa'); var cuenta = $(btn).data('cuenta'); $('#form input[name=idmesa]').val(mesa);//campo oculto idmesa en modal de productos $('#form input[name=idcuenta]').val(cuenta);//campo oculto idcuenta en modal de productos $('#billarbundle_cuenta_mesa').val(mesa);////campo mesa readonly en modal de abrir cuenta return false; }
[ "function", "(", "btn", ")", "{", "var", "mesa", "=", "$", "(", "btn", ")", ".", "data", "(", "'mesa'", ")", ";", "var", "cuenta", "=", "$", "(", "btn", ")", ".", "data", "(", "'cuenta'", ")", ";", "$", "(", "'#form input[name=idmesa]'", ")", ".", "val", "(", "mesa", ")", ";", "//campo oculto idmesa en modal de productos", "$", "(", "'#form input[name=idcuenta]'", ")", ".", "val", "(", "cuenta", ")", ";", "//campo oculto idcuenta en modal de productos", "$", "(", "'#billarbundle_cuenta_mesa'", ")", ".", "val", "(", "mesa", ")", ";", "////campo mesa readonly en modal de abrir cuenta", "return", "false", ";", "}" ]
[ 110, 12 ]
[ 117, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
variable_declarator
(num)
null
separador para los decimales
separador para los decimales
function (num){ num +=''; var splitStr = num.split('.'); var splitLeft = splitStr[0]; var splitRight = splitStr.length > 1 ? this.sepDecimal + splitStr[1] : ''; var regx = /(\d+)(\d{3})/; while (regx.test(splitLeft)) { splitLeft = splitLeft.replace(regx, '$1' + this.separador + '$2'); } return this.simbol + splitLeft +splitRight; }
[ "function", "(", "num", ")", "{", "num", "+=", "''", ";", "var", "splitStr", "=", "num", ".", "split", "(", "'.'", ")", ";", "var", "splitLeft", "=", "splitStr", "[", "0", "]", ";", "var", "splitRight", "=", "splitStr", ".", "length", ">", "1", "?", "this", ".", "sepDecimal", "+", "splitStr", "[", "1", "]", ":", "''", ";", "var", "regx", "=", "/", "(\\d+)(\\d{3})", "/", ";", "while", "(", "regx", ".", "test", "(", "splitLeft", ")", ")", "{", "splitLeft", "=", "splitLeft", ".", "replace", "(", "regx", ",", "'$1'", "+", "this", ".", "separador", "+", "'$2'", ")", ";", "}", "return", "this", ".", "simbol", "+", "splitLeft", "+", "splitRight", ";", "}" ]
[ 71, 19 ]
[ 81, 10 ]
null
javascript
es
['es', 'es', 'es']
True
true
pair
getRandomArbitrary
(min, max)
null
Funcion para obtener valor Random
Funcion para obtener valor Random
function getRandomArbitrary(min, max) { return Math.floor(Math.random() * (max - min + 1)) + min; }
[ "function", "getRandomArbitrary", "(", "min", ",", "max", ")", "{", "return", "Math", ".", "floor", "(", "Math", ".", "random", "(", ")", "*", "(", "max", "-", "min", "+", "1", ")", ")", "+", "min", ";", "}" ]
[ 56, 0 ]
[ 58, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
mousePressed
(event)
null
cuando hacemos click
cuando hacemos click
function mousePressed(event) { if(event.button == 0 && event.clientX < width && event.clientY < height) { // mapear el ratón al índice de la tecla let key = floor(map(mouseX, 0, width, 0, notes.length)); playNote(notes[key]); } }
[ "function", "mousePressed", "(", "event", ")", "{", "if", "(", "event", ".", "button", "==", "0", "&&", "event", ".", "clientX", "<", "width", "&&", "event", ".", "clientY", "<", "height", ")", "{", "// mapear el ratón al índice de la tecla", "let", "key", "=", "floor", "(", "map", "(", "mouseX", ",", "0", ",", "width", ",", "0", ",", "notes", ".", "length", ")", ")", ";", "playNote", "(", "notes", "[", "key", "]", ")", ";", "}", "}" ]
[ 108, 0 ]
[ 114, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
getById
(id)
null
busca por ID
busca por ID
function getById(id) { return api.get(`${ENDPOINT_BASE}/list/${id}`); }
[ "function", "getById", "(", "id", ")", "{", "return", "api", ".", "get", "(", "`", "${", "ENDPOINT_BASE", "}", "${", "id", "}", "`", ")", ";", "}" ]
[ 10, 0 ]
[ 12, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
guessNumber
()
null
función que genera un juego nuevo
función que genera un juego nuevo
function guessNumber() { const randomNumber = Math.ceil(Math.random() * 100); if ( humanNumber.value < 0 || humanNumber.value > 100 || humanNumber.value === "" ) { result.innerHTML = "Tienes que poner un número entre 1 y 100"; } else if (randomNumber > humanNumber.value) { result.innerHTML = "Tu número es más alto"; numAttempts(); } else if (randomNumber < humanNumber.value) { result.innerHTML = "Tu número es más bajo"; numAttempts(); } else { result.innerHTML = "Has acertado!"; } }
[ "function", "guessNumber", "(", ")", "{", "const", "randomNumber", "=", "Math", ".", "ceil", "(", "Math", ".", "random", "(", ")", "*", "100", ")", ";", "if", "(", "humanNumber", ".", "value", "<", "0", "||", "humanNumber", ".", "value", ">", "100", "||", "humanNumber", ".", "value", "===", "\"\"", ")", "{", "result", ".", "innerHTML", "=", "\"Tienes que poner un número entre 1 y 100\";", "", "}", "else", "if", "(", "randomNumber", ">", "humanNumber", ".", "value", ")", "{", "result", ".", "innerHTML", "=", "\"Tu número es más alto\";", "", "numAttempts", "(", ")", ";", "}", "else", "if", "(", "randomNumber", "<", "humanNumber", ".", "value", ")", "{", "result", ".", "innerHTML", "=", "\"Tu número es más bajo\";", "", "numAttempts", "(", ")", ";", "}", "else", "{", "result", ".", "innerHTML", "=", "\"Has acertado!\"", ";", "}", "}" ]
[ 8, 0 ]
[ 26, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
(onSuccess, onError, username)
null
/*todo:copy code
/*todo:copy code
function (onSuccess, onError, username) { let endpoint = BASE_URL + "members/" + username + "/groupings/"; dataProvider.loadData(endpoint, onSuccess, onError); }
[ "function", "(", "onSuccess", ",", "onError", ",", "username", ")", "{", "let", "endpoint", "=", "BASE_URL", "+", "\"members/\"", "+", "username", "+", "\"/groupings/\"", ";", "dataProvider", ".", "loadData", "(", "endpoint", ",", "onSuccess", ",", "onError", ")", ";", "}" ]
[ 207, 44 ]
[ 210, 13 ]
null
javascript
es
['es', 'es', 'es']
False
true
pair
publicar_teacher
()
null
funcion para enviar un mensaje desde la bandeja de comentarios del docente, la inicial que aparece al ingresar al panel
funcion para enviar un mensaje desde la bandeja de comentarios del docente, la inicial que aparece al ingresar al panel
function publicar_teacher() { var usuario = $("#user").val(); var curso = $("#course").val(); var seccion = $("#section").val(); var msj = $("#mensaje").val(); var token = $("#token").val(); if (msj == "") { toastr.options = { closeButton: false, debug: false, newestOnTop: false, progressBar: false, positionClass: "toast-top-center", preventDuplicates: false, onclick: null, showDuration: "500", hideDuration: "1000", timeOut: "5000", extendedTimeOut: "1000", showEasing: "swing", hideEasing: "linear", showMethod: "fadeIn", hideMethod: "fadeOut", }; toastr.error("debes ingresar un mensaje"); } else { $.ajax({ url: "../../../../ajax/post_in_section", headers: token, data: { curso_id: curso, seccion_id: seccion, user_id: usuario, mensaje: msj, _token: token, }, type: "POST", datatype: "json", beforeSend: function () { $("#btn_publicar").attr("disabled", true); $("#circle").circleProgress({ value: 0.75, size: 80, fill: { gradient: ["red", "orange"], }, }); }, complete: function () { $("#circle").hide(); }, success: function (data) { //console.log(response); $("#mensaje").val(""); $("#nuevo_post") .prepend(data) .fadeIn(1000, function () { $("#nuevo_post").css({ border: "4px solid lightcoral", "border-radius": "5px", }); }); toastr.options = { closeButton: false, debug: false, newestOnTop: false, progressBar: false, positionClass: "toast-top-center", preventDuplicates: false, onclick: null, showDuration: "500", hideDuration: "1000", timeOut: "5000", extendedTimeOut: "1000", showEasing: "swing", hideEasing: "linear", showMethod: "fadeIn", hideMethod: "fadeOut", }; toastr.success("Mensaje publicado exitósamente"); $("#btn_publicar").attr("disabled", false); }, error: function (response) { console.log(response); }, }); } }
[ "function", "publicar_teacher", "(", ")", "{", "var", "usuario", "=", "$", "(", "\"#user\"", ")", ".", "val", "(", ")", ";", "var", "curso", "=", "$", "(", "\"#course\"", ")", ".", "val", "(", ")", ";", "var", "seccion", "=", "$", "(", "\"#section\"", ")", ".", "val", "(", ")", ";", "var", "msj", "=", "$", "(", "\"#mensaje\"", ")", ".", "val", "(", ")", ";", "var", "token", "=", "$", "(", "\"#token\"", ")", ".", "val", "(", ")", ";", "if", "(", "msj", "==", "\"\"", ")", "{", "toastr", ".", "options", "=", "{", "closeButton", ":", "false", ",", "debug", ":", "false", ",", "newestOnTop", ":", "false", ",", "progressBar", ":", "false", ",", "positionClass", ":", "\"toast-top-center\"", ",", "preventDuplicates", ":", "false", ",", "onclick", ":", "null", ",", "showDuration", ":", "\"500\"", ",", "hideDuration", ":", "\"1000\"", ",", "timeOut", ":", "\"5000\"", ",", "extendedTimeOut", ":", "\"1000\"", ",", "showEasing", ":", "\"swing\"", ",", "hideEasing", ":", "\"linear\"", ",", "showMethod", ":", "\"fadeIn\"", ",", "hideMethod", ":", "\"fadeOut\"", ",", "}", ";", "toastr", ".", "error", "(", "\"debes ingresar un mensaje\"", ")", ";", "}", "else", "{", "$", ".", "ajax", "(", "{", "url", ":", "\"../../../../ajax/post_in_section\"", ",", "headers", ":", "token", ",", "data", ":", "{", "curso_id", ":", "curso", ",", "seccion_id", ":", "seccion", ",", "user_id", ":", "usuario", ",", "mensaje", ":", "msj", ",", "_token", ":", "token", ",", "}", ",", "type", ":", "\"POST\"", ",", "datatype", ":", "\"json\"", ",", "beforeSend", ":", "function", "(", ")", "{", "$", "(", "\"#btn_publicar\"", ")", ".", "attr", "(", "\"disabled\"", ",", "true", ")", ";", "$", "(", "\"#circle\"", ")", ".", "circleProgress", "(", "{", "value", ":", "0.75", ",", "size", ":", "80", ",", "fill", ":", "{", "gradient", ":", "[", "\"red\"", ",", "\"orange\"", "]", ",", "}", ",", "}", ")", ";", "}", ",", "complete", ":", "function", "(", ")", "{", "$", "(", "\"#circle\"", ")", ".", "hide", "(", ")", ";", "}", ",", "success", ":", "function", "(", "data", ")", "{", "//console.log(response);", "$", "(", "\"#mensaje\"", ")", ".", "val", "(", "\"\"", ")", ";", "$", "(", "\"#nuevo_post\"", ")", ".", "prepend", "(", "data", ")", ".", "fadeIn", "(", "1000", ",", "function", "(", ")", "{", "$", "(", "\"#nuevo_post\"", ")", ".", "css", "(", "{", "border", ":", "\"4px solid lightcoral\"", ",", "\"border-radius\"", ":", "\"5px\"", ",", "}", ")", ";", "}", ")", ";", "toastr", ".", "options", "=", "{", "closeButton", ":", "false", ",", "debug", ":", "false", ",", "newestOnTop", ":", "false", ",", "progressBar", ":", "false", ",", "positionClass", ":", "\"toast-top-center\"", ",", "preventDuplicates", ":", "false", ",", "onclick", ":", "null", ",", "showDuration", ":", "\"500\"", ",", "hideDuration", ":", "\"1000\"", ",", "timeOut", ":", "\"5000\"", ",", "extendedTimeOut", ":", "\"1000\"", ",", "showEasing", ":", "\"swing\"", ",", "hideEasing", ":", "\"linear\"", ",", "showMethod", ":", "\"fadeIn\"", ",", "hideMethod", ":", "\"fadeOut\"", ",", "}", ";", "toastr", ".", "success", "(", "\"Mensaje publicado exitósamente\")", ";", "", "$", "(", "\"#btn_publicar\"", ")", ".", "attr", "(", "\"disabled\"", ",", "false", ")", ";", "}", ",", "error", ":", "function", "(", "response", ")", "{", "console", ".", "log", "(", "response", ")", ";", "}", ",", "}", ")", ";", "}", "}" ]
[ 486, 0 ]
[ 578, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
( row, data, start, end, display )
null
Metodo para Sumar todos los stock
Metodo para Sumar todos los stock
function ( row, data, start, end, display ) { var api = this.api(), data; // Remove the formatting to get integer data for summation var intVal = function ( i ) { return typeof i === 'string' ? i.replace(/[\$,]/g, '')*1 : typeof i === 'number' ? i : 0; }; // Total over all pages total = api .column( 4 ) .data() .reduce( function (a, b) { return intVal(a) + intVal(b); }, 0 ); // Total over this page pageTotal = api .column( 4, { page: 'current'} ) .data() .reduce( function (a, b) { return intVal(a) + intVal(b); }, 0 ); // Update footer $( api.column( 4 ).footer() ).html( 'Total: '+pageTotal.toFixed(2) ); }
[ "function", "(", "row", ",", "data", ",", "start", ",", "end", ",", "display", ")", "{", "var", "api", "=", "this", ".", "api", "(", ")", ",", "data", ";", "// Remove the formatting to get integer data for summation", "var", "intVal", "=", "function", "(", "i", ")", "{", "return", "typeof", "i", "===", "'string'", "?", "i", ".", "replace", "(", "/", "[\\$,]", "/", "g", ",", "''", ")", "*", "1", ":", "typeof", "i", "===", "'number'", "?", "i", ":", "0", ";", "}", ";", "// Total over all pages", "total", "=", "api", ".", "column", "(", "4", ")", ".", "data", "(", ")", ".", "reduce", "(", "function", "(", "a", ",", "b", ")", "{", "return", "intVal", "(", "a", ")", "+", "intVal", "(", "b", ")", ";", "}", ",", "0", ")", ";", "// Total over this page", "pageTotal", "=", "api", ".", "column", "(", "4", ",", "{", "page", ":", "'current'", "}", ")", ".", "data", "(", ")", ".", "reduce", "(", "function", "(", "a", ",", "b", ")", "{", "return", "intVal", "(", "a", ")", "+", "intVal", "(", "b", ")", ";", "}", ",", "0", ")", ";", "// Update footer", "$", "(", "api", ".", "column", "(", "4", ")", ".", "footer", "(", ")", ")", ".", "html", "(", "'Total: '", "+", "pageTotal", ".", "toFixed", "(", "2", ")", ")", ";", "}" ]
[ 112, 26 ]
[ 144, 9 ]
null
javascript
es
['es', 'es', 'es']
True
true
pair
aumentar_cero
(num)
null
/*aumenta un cero a un digito; es para las horas
/*aumenta un cero a un digito; es para las horas
function aumentar_cero(num){ if (num < 10) { num = "0" + num; } return num; }
[ "function", "aumentar_cero", "(", "num", ")", "{", "if", "(", "num", "<", "10", ")", "{", "num", "=", "\"0\"", "+", "num", ";", "}", "return", "num", ";", "}" ]
[ 25, 0 ]
[ 30, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
createSpan
()
null
validacion de login
validacion de login
function createSpan() { var spanError = document.createElement("span"); spanError.className = "errors"; return spanError; }
[ "function", "createSpan", "(", ")", "{", "var", "spanError", "=", "document", ".", "createElement", "(", "\"span\"", ")", ";", "spanError", ".", "className", "=", "\"errors\"", ";", "return", "spanError", ";", "}" ]
[ 50, 2 ]
[ 54, 3 ]
null
javascript
es
['es', 'es', 'es']
True
true
statement_block
isPalindrome
(str)
null
Un función booleana que devuelve true o false si la palabra es palindrome
Un función booleana que devuelve true o false si la palabra es palindrome
function isPalindrome(str) { var wordTest = str.replace(/[^a-zA-Z0-9]/g,"").toUpperCase().split(""); return wordTest.toString() === wordTest.reverse().toString() ; }
[ "function", "isPalindrome", "(", "str", ")", "{", "var", "wordTest", "=", "str", ".", "replace", "(", "/", "[^a-zA-Z0-9]", "/", "g", ",", "\"\"", ")", ".", "toUpperCase", "(", ")", ".", "split", "(", "\"\"", ")", ";", "return", "wordTest", ".", "toString", "(", ")", "===", "wordTest", ".", "reverse", "(", ")", ".", "toString", "(", ")", ";", "}" ]
[ 2, 0 ]
[ 5, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
saltar
()
null
Función que hace un salto (movimiento de dos casillas hacia adelante)
Función que hace un salto (movimiento de dos casillas hacia adelante)
function saltar(){ mover('up'); mover('up'); }
[ "function", "saltar", "(", ")", "{", "mover", "(", "'up'", ")", ";", "mover", "(", "'up'", ")", ";", "}" ]
[ 215, 0 ]
[ 218, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
(selector)
null
No numeros negativos
No numeros negativos
function (selector) { selector.change(function () { var container = $(this); var valor = container.val(); if (!isNaN(valor) && (valor = parseInt(valor))) { container.val(Math.abs(valor)); } else { container.val(0); } }); }
[ "function", "(", "selector", ")", "{", "selector", ".", "change", "(", "function", "(", ")", "{", "var", "container", "=", "$", "(", "this", ")", ";", "var", "valor", "=", "container", ".", "val", "(", ")", ";", "if", "(", "!", "isNaN", "(", "valor", ")", "&&", "(", "valor", "=", "parseInt", "(", "valor", ")", ")", ")", "{", "container", ".", "val", "(", "Math", ".", "abs", "(", "valor", ")", ")", ";", "}", "else", "{", "container", ".", "val", "(", "0", ")", ";", "}", "}", ")", ";", "}" ]
[ 4, 22 ]
[ 14, 9 ]
null
javascript
es
['es', 'es', 'es']
True
true
pair
pdfconverter
()
null
Función que crea un pdf con un formulario
Función que crea un pdf con un formulario
function pdfconverter() { var pdf = new jsPDF('l', 'pt', 'letter'); pdf.cellInitialize(); pdf.setFontSize(10); $.each( $('#tablaproductos tr'), function (i, row){ $.each( $(row).find("td, th"), function(j, cell){ var txt = $(cell).text().trim().split(" ").join("\n") || " "; var width = 120; //make with column smaller var height = 135; pdf.cell(10, 50, width, height, txt, i); }); contador=0; }); //Función que crea un string random function randomStr(len, arr) { var ans = ''; for (var i = len; i > 0; i--) { ans += arr[Math.floor(Math.random() * arr.length)]; } return ans; } var nombrepdf=randomStr(7, '12345abcde'); pdf.save(nombrepdf+'.pdf'); }
[ "function", "pdfconverter", "(", ")", "{", "var", "pdf", "=", "new", "jsPDF", "(", "'l'", ",", "'pt'", ",", "'letter'", ")", ";", "pdf", ".", "cellInitialize", "(", ")", ";", "pdf", ".", "setFontSize", "(", "10", ")", ";", "$", ".", "each", "(", "$", "(", "'#tablaproductos tr'", ")", ",", "function", "(", "i", ",", "row", ")", "{", "$", ".", "each", "(", "$", "(", "row", ")", ".", "find", "(", "\"td, th\"", ")", ",", "function", "(", "j", ",", "cell", ")", "{", "var", "txt", "=", "$", "(", "cell", ")", ".", "text", "(", ")", ".", "trim", "(", ")", ".", "split", "(", "\" \"", ")", ".", "join", "(", "\"\\n\"", ")", "||", "\" \"", ";", "var", "width", "=", "120", ";", "//make with column smaller", "var", "height", "=", "135", ";", "pdf", ".", "cell", "(", "10", ",", "50", ",", "width", ",", "height", ",", "txt", ",", "i", ")", ";", "}", ")", ";", "contador", "=", "0", ";", "}", ")", ";", "//Función que crea un string random", "function", "randomStr", "(", "len", ",", "arr", ")", "{", "var", "ans", "=", "''", ";", "for", "(", "var", "i", "=", "len", ";", "i", ">", "0", ";", "i", "--", ")", "{", "ans", "+=", "arr", "[", "Math", ".", "floor", "(", "Math", ".", "random", "(", ")", "*", "arr", ".", "length", ")", "]", ";", "}", "return", "ans", ";", "}", "var", "nombrepdf", "=", "randomStr", "(", "7", ",", "'12345abcde'", ")", ";", "pdf", ".", "save", "(", "nombrepdf", "+", "'.pdf'", ")", ";", "}" ]
[ 7, 4 ]
[ 43, 5 ]
null
javascript
es
['es', 'es', 'es']
True
true
statement_block
QueueElement
(element, priority)
null
Para guardar los datos, encapsule una clase, la clase interna
Para guardar los datos, encapsule una clase, la clase interna
function QueueElement(element, priority){ this,element = element; this.priority = priority; }
[ "function", "QueueElement", "(", "element", ",", "priority", ")", "{", "this", ",", "element", "=", "element", ";", "this", ".", "priority", "=", "priority", ";", "}" ]
[ 4, 8 ]
[ 7, 9 ]
null
javascript
es
['es', 'es', 'es']
True
true
statement_block
update
(data, attribute)
null
Actualiza los atributos del objeto y retorna una copia profunda
Actualiza los atributos del objeto y retorna una copia profunda
function update(data, attribute) { return Object.assign({}, data, attribute); }
[ "function", "update", "(", "data", ",", "attribute", ")", "{", "return", "Object", ".", "assign", "(", "{", "}", ",", "data", ",", "attribute", ")", ";", "}" ]
[ 3, 0 ]
[ 5, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
aMayusculas
(obj,id)
null
Función para pasar a mayúsculas las letras ingresadas en un input
Función para pasar a mayúsculas las letras ingresadas en un input
function aMayusculas(obj,id){ obj = obj.toUpperCase(); document.getElementById(id).value = obj; }
[ "function", "aMayusculas", "(", "obj", ",", "id", ")", "{", "obj", "=", "obj", ".", "toUpperCase", "(", ")", ";", "document", ".", "getElementById", "(", "id", ")", ".", "value", "=", "obj", ";", "}" ]
[ 166, 0 ]
[ 169, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
html
(cb)
null
preprocesadores
preprocesadores
function html(cb) { src(path.pug) .pipe(pug({ pretty: true })) .pipe(dest(path.root)); cb(); }
[ "function", "html", "(", "cb", ")", "{", "src", "(", "path", ".", "pug", ")", ".", "pipe", "(", "pug", "(", "{", "pretty", ":", "true", "}", ")", ")", ".", "pipe", "(", "dest", "(", "path", ".", "root", ")", ")", ";", "cb", "(", ")", ";", "}" ]
[ 28, 0 ]
[ 33, 1 ]
null
javascript
es
['es', 'es', 'es']
False
true
program
cargarColumnas
()
null
/* Funciones de Grilla
/* Funciones de Grilla
function cargarColumnas() { var columnas = anexGrid.tabla.find('.' + clase.columnas); columnas.html('<tr></tr>'); /* Si es filtrable, agregamos una fila más a la cabecera */ if (anexGrid.filtrable) columnas.append('<tr class="' + clase.filtro + '"></tr>'); $(anexGrid.columnas).each(function (i, col) { /* Estilo de la fila */ var _style_ = convierteObjetoAEstiloCss( reemplazaUndefinedPor(col.style, '') ); /* Agregamos las columnas */ var th = $('<th class="' + reemplazaUndefinedPor(col.class, '') + '" style="' + _style_ + '"></th>'); /* Guardamos los anchos de la columna en un arreglo */ anexGrid.columnas_ancho.push(th.css('width')); /* Si el formato ha sido definido */ col.leyenda = reemplazaUndefinedPor(col.leyenda, ''); if (col.formato !== undefined) { th.html(col.formato()); } /* Del caso contrario mostramos el valor de la propiedad en la celda */ else th.text(col.leyenda); /* ¿Es ordenable? */ if (col.ordenable) { var a = $('<a href="#" class="' + clase.columna_ordenar + '" data-columna="' + reemplazaUndefinedPor(col.columna, '') + '"></a>'); a.html(th.html()); th.html(a); } anexGrid.tabla.find('thead tr:first').append(th); /* Agregamos los filtros */ if (anexGrid.filtrable) { th = $('<th></th>'); if (col.filtro !== undefined) { if (typeof col.filtro == 'function') { /* Control */ var control = $(col.filtro()); control.attr('data-columna', col.columna) .removeClass('input-sm input-lg') .addClass('input-sm') .addClass(clase.filtro_control); if ($(control).is('input')) { /* Agregamos el control al grupo */ var inputGroup = $('<div class="input-group"><div class="' + clase.filtro_control_container + '"></div><span class="input-group-btn"><button class="btn btn-default btn-sm ' + clase.filtro_limpiar + '" type="button">Go!</button></span>'); var icono = '<i class="glyphicon glyphicon-remove"></i>'; inputGroup.find('.' + clase.filtro_control_container).html(control); inputGroup.find('.' + clase.filtro_limpiar).html(icono); /* Insertamos el grupo */ th.html(inputGroup); } if ($(control).is('select')) { th.html(control); } } else if (col.filtro) { /* Control */ var control = $(anexGrid_input({})); control.attr('data-columna', col.columna) .removeClass('input-sm input-lg') .addClass('input-sm') .addClass(clase.filtro_control); /* Agregamos el control al grupo */ var inputGroup = $('<div class="input-group"><div class="' + clase.filtro_control_container + '"></div><span class="input-group-btn"><button title="' + texto.filtro_limpiar + '" class="btn btn-default btn-sm ' + clase.filtro_limpiar + '" type="button">Go!</button></span>'); var icono = '<i class="glyphicon glyphicon-remove"></i>'; inputGroup.find('.' + clase.filtro_control_container).html(control); inputGroup.find('.' + clase.filtro_limpiar).html(icono); /* Insertamos el grupo */ th.html(inputGroup); } } anexGrid.tabla.find('thead tr.' + clase.filtro).append(th); } }) }
[ "function", "cargarColumnas", "(", ")", "{", "var", "columnas", "=", "anexGrid", ".", "tabla", ".", "find", "(", "'.'", "+", "clase", ".", "columnas", ")", ";", "columnas", ".", "html", "(", "'<tr></tr>'", ")", ";", "/* Si es filtrable, agregamos una fila más a la cabecera */", "if", "(", "anexGrid", ".", "filtrable", ")", "columnas", ".", "append", "(", "'<tr class=\"'", "+", "clase", ".", "filtro", "+", "'\"></tr>'", ")", ";", "$", "(", "anexGrid", ".", "columnas", ")", ".", "each", "(", "function", "(", "i", ",", "col", ")", "{", "/* Estilo de la fila */", "var", "_style_", "=", "convierteObjetoAEstiloCss", "(", "reemplazaUndefinedPor", "(", "col", ".", "style", ",", "''", ")", ")", ";", "/* Agregamos las columnas */", "var", "th", "=", "$", "(", "'<th class=\"'", "+", "reemplazaUndefinedPor", "(", "col", ".", "class", ",", "''", ")", "+", "'\" style=\"'", "+", "_style_", "+", "'\"></th>'", ")", ";", "/* Guardamos los anchos de la columna en un arreglo */", "anexGrid", ".", "columnas_ancho", ".", "push", "(", "th", ".", "css", "(", "'width'", ")", ")", ";", "/* Si el formato ha sido definido */", "col", ".", "leyenda", "=", "reemplazaUndefinedPor", "(", "col", ".", "leyenda", ",", "''", ")", ";", "if", "(", "col", ".", "formato", "!==", "undefined", ")", "{", "th", ".", "html", "(", "col", ".", "formato", "(", ")", ")", ";", "}", "/* Del caso contrario mostramos el valor de la propiedad en la celda */", "else", "th", ".", "text", "(", "col", ".", "leyenda", ")", ";", "/* ¿Es ordenable? */", "if", "(", "col", ".", "ordenable", ")", "{", "var", "a", "=", "$", "(", "'<a href=\"#\" class=\"'", "+", "clase", ".", "columna_ordenar", "+", "'\" data-columna=\"'", "+", "reemplazaUndefinedPor", "(", "col", ".", "columna", ",", "''", ")", "+", "'\"></a>'", ")", ";", "a", ".", "html", "(", "th", ".", "html", "(", ")", ")", ";", "th", ".", "html", "(", "a", ")", ";", "}", "anexGrid", ".", "tabla", ".", "find", "(", "'thead tr:first'", ")", ".", "append", "(", "th", ")", ";", "/* Agregamos los filtros */", "if", "(", "anexGrid", ".", "filtrable", ")", "{", "th", "=", "$", "(", "'<th></th>'", ")", ";", "if", "(", "col", ".", "filtro", "!==", "undefined", ")", "{", "if", "(", "typeof", "col", ".", "filtro", "==", "'function'", ")", "{", "/* Control */", "var", "control", "=", "$", "(", "col", ".", "filtro", "(", ")", ")", ";", "control", ".", "attr", "(", "'data-columna'", ",", "col", ".", "columna", ")", ".", "removeClass", "(", "'input-sm input-lg'", ")", ".", "addClass", "(", "'input-sm'", ")", ".", "addClass", "(", "clase", ".", "filtro_control", ")", ";", "if", "(", "$", "(", "control", ")", ".", "is", "(", "'input'", ")", ")", "{", "/* Agregamos el control al grupo */", "var", "inputGroup", "=", "$", "(", "'<div class=\"input-group\"><div class=\"'", "+", "clase", ".", "filtro_control_container", "+", "'\"></div><span class=\"input-group-btn\"><button class=\"btn btn-default btn-sm '", "+", "clase", ".", "filtro_limpiar", "+", "'\" type=\"button\">Go!</button></span>'", ")", ";", "var", "icono", "=", "'<i class=\"glyphicon glyphicon-remove\"></i>'", ";", "inputGroup", ".", "find", "(", "'.'", "+", "clase", ".", "filtro_control_container", ")", ".", "html", "(", "control", ")", ";", "inputGroup", ".", "find", "(", "'.'", "+", "clase", ".", "filtro_limpiar", ")", ".", "html", "(", "icono", ")", ";", "/* Insertamos el grupo */", "th", ".", "html", "(", "inputGroup", ")", ";", "}", "if", "(", "$", "(", "control", ")", ".", "is", "(", "'select'", ")", ")", "{", "th", ".", "html", "(", "control", ")", ";", "}", "}", "else", "if", "(", "col", ".", "filtro", ")", "{", "/* Control */", "var", "control", "=", "$", "(", "anexGrid_input", "(", "{", "}", ")", ")", ";", "control", ".", "attr", "(", "'data-columna'", ",", "col", ".", "columna", ")", ".", "removeClass", "(", "'input-sm input-lg'", ")", ".", "addClass", "(", "'input-sm'", ")", ".", "addClass", "(", "clase", ".", "filtro_control", ")", ";", "/* Agregamos el control al grupo */", "var", "inputGroup", "=", "$", "(", "'<div class=\"input-group\"><div class=\"'", "+", "clase", ".", "filtro_control_container", "+", "'\"></div><span class=\"input-group-btn\"><button title=\"'", "+", "texto", ".", "filtro_limpiar", "+", "'\" class=\"btn btn-default btn-sm '", "+", "clase", ".", "filtro_limpiar", "+", "'\" type=\"button\">Go!</button></span>'", ")", ";", "var", "icono", "=", "'<i class=\"glyphicon glyphicon-remove\"></i>'", ";", "inputGroup", ".", "find", "(", "'.'", "+", "clase", ".", "filtro_control_container", ")", ".", "html", "(", "control", ")", ";", "inputGroup", ".", "find", "(", "'.'", "+", "clase", ".", "filtro_limpiar", ")", ".", "html", "(", "icono", ")", ";", "/* Insertamos el grupo */", "th", ".", "html", "(", "inputGroup", ")", ";", "}", "}", "anexGrid", ".", "tabla", ".", "find", "(", "'thead tr.'", "+", "clase", ".", "filtro", ")", ".", "append", "(", "th", ")", ";", "}", "}", ")", "}" ]
[ 358, 4 ]
[ 448, 5 ]
null
javascript
es
['es', 'es', 'es']
True
true
statement_block
sendMail
(nombre, apellido, mail, mensaje)
null
Declaramos la función para el envio del correo
Declaramos la función para el envio del correo
function sendMail(nombre, apellido, mail, mensaje) { Email.send({ SecureToken : "tokendeseguridadgeneradopor la web", //Esto es necesario para configurar el acceso con permisos de seguridad del tipo SSL To : "correo de destino", From : "correo de origen", //tiene que ser el mismo que se usó para generar el secure token Subject : `${nombre} ${apellido} envió un mensaje desde la página`, Body : `<p>Nombre: <b>${nombre}</b></p> <p>Apellido: <b>${apellido}</b></p> <p>Email: <b>${mail}</b></p> <p>Mensaje: <b>${mensaje}</b></p> ` }).then( message => swal("¡Correo enviado con Éxito!", "Gracias por tu consulta, en breve nos pondremos en contato.", "success") //utilizamos la libreria sweetAlert para darle un poco de color al mensaje de éxito ) .catch(err => console.log('err: ', err)) //con esta función, en caso de haber un error, se imprime por la consola }
[ "function", "sendMail", "(", "nombre", ",", "apellido", ",", "mail", ",", "mensaje", ")", "{", "Email", ".", "send", "(", "{", "SecureToken", ":", "\"tokendeseguridadgeneradopor la web\"", ",", "//Esto es necesario para configurar el acceso con permisos de seguridad del tipo SSL", "To", ":", "\"correo de destino\"", ",", "From", ":", "\"correo de origen\"", ",", "//tiene que ser el mismo que se usó para generar el secure token", "Subject", ":", "`", "${", "nombre", "}", "${", "apellido", "}", "", "", "Body", ":", "`", "${", "nombre", "}", "${", "apellido", "}", "${", "mail", "}", "${", "mensaje", "}", "`", "}", ")", ".", "then", "(", "message", "=>", "swal", "(", "\"¡Correo enviado con Éxito!\", ", "\"", "racias por tu consulta, en breve nos pondremos en contato.\", ", "\"", "uccess\")", "", "//utilizamos la libreria sweetAlert para darle un poco de color al mensaje de éxito", ")", ".", "catch", "(", "err", "=>", "console", ".", "log", "(", "'err: '", ",", "err", ")", ")", "//con esta función, en caso de haber un error, se imprime por la consola", "}" ]
[ 26, 0 ]
[ 42, 3 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
IniciarJuego
()
null
Esta rutina inicia el juego, definiendo la cantidad de fichas tanto en el eje X como Y para crear el tablero.
Esta rutina inicia el juego, definiendo la cantidad de fichas tanto en el eje X como Y para crear el tablero.
function IniciarJuego() { //Se calculan la cantidad de fichas en el arreglo. El "-1" es el espacio en blanco en el tablero cantidad_fichas = Math.pow(nivel, 2) - 1; //Se oculan la pantalla principal y el mensaje de resultad completado en caso de estar visibles. seccion_de_inicio.style.display = "none"; nivel_completado.style.display = "none"; //Se llama el método para dibujar el tablero, dando inicio al juego, una vez configurados los parámetros dibujar(); }
[ "function", "IniciarJuego", "(", ")", "{", "//Se calculan la cantidad de fichas en el arreglo. El \"-1\" es el espacio en blanco en el tablero", "cantidad_fichas", "=", "Math", ".", "pow", "(", "nivel", ",", "2", ")", "-", "1", ";", "//Se oculan la pantalla principal y el mensaje de resultad completado en caso de estar visibles.", "seccion_de_inicio", ".", "style", ".", "display", "=", "\"none\"", ";", "nivel_completado", ".", "style", ".", "display", "=", "\"none\"", ";", "//Se llama el método para dibujar el tablero, dando inicio al juego, una vez configurados los parámetros", "dibujar", "(", ")", ";", "}" ]
[ 18, 0 ]
[ 29, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
obtenerIndexAleatorio
()
null
Se obtiene un número aleatorio entre 0 y la cantidad de imágenes en el arreglo.
Se obtiene un número aleatorio entre 0 y la cantidad de imágenes en el arreglo.
function obtenerIndexAleatorio() { return Math.floor(Math.random() * imagenes.length); }
[ "function", "obtenerIndexAleatorio", "(", ")", "{", "return", "Math", ".", "floor", "(", "Math", ".", "random", "(", ")", "*", "imagenes", ".", "length", ")", ";", "}" ]
[ 11, 0 ]
[ 13, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
leerVarPos
()
null
/*Esta funcion lee las 8 variables de posicion para tenerlas guardadas
/*Esta funcion lee las 8 variables de posicion para tenerlas guardadas
function leerVarPos() { console.log("Ha entrado leerVarPos"); let arraydir = ["posizioa1", "posizioa2", "posizioa3", "posizioa4", "position_1", "position_2", "position_3", "position_4"]; for (let dir in arraydir) { $.get("./leerVar/leer_" + arraydir[dir] + ".html", function(pos) { if (dir > 3) { localStorage.setItem(arraydir[dir], (pos / 100).toString()); } else { /*No utilizado por problemas de variables con los de ARI*/ } }); } }
[ "function", "leerVarPos", "(", ")", "{", "console", ".", "log", "(", "\"Ha entrado leerVarPos\"", ")", ";", "let", "arraydir", "=", "[", "\"posizioa1\"", ",", "\"posizioa2\"", ",", "\"posizioa3\"", ",", "\"posizioa4\"", ",", "\"position_1\"", ",", "\"position_2\"", ",", "\"position_3\"", ",", "\"position_4\"", "]", ";", "for", "(", "let", "dir", "in", "arraydir", ")", "{", "$", ".", "get", "(", "\"./leerVar/leer_\"", "+", "arraydir", "[", "dir", "]", "+", "\".html\"", ",", "function", "(", "pos", ")", "{", "if", "(", "dir", ">", "3", ")", "{", "localStorage", ".", "setItem", "(", "arraydir", "[", "dir", "]", ",", "(", "pos", "/", "100", ")", ".", "toString", "(", ")", ")", ";", "}", "else", "{", "/*No utilizado por problemas de variables con los de ARI*/", "}", "}", ")", ";", "}", "}" ]
[ 21, 0 ]
[ 34, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
potencia
(base = 1, exponente = 1)
null
funcion que recibe parametros pero que no devuelve valor los parametros pueden tener valores por defecto
funcion que recibe parametros pero que no devuelve valor los parametros pueden tener valores por defecto
function potencia(base = 1, exponente = 1){ let resultado = base ** exponente; console.log(`Pontencia => ${resultado}`); }
[ "function", "potencia", "(", "base", "=", "1", ",", "exponente", "=", "1", ")", "{", "let", "resultado", "=", "base", "*", "*", "exponente", ";", "console", ".", "log", "(", "`", "${", "resultado", "}", "`", ")", ";", "}" ]
[ 10, 0 ]
[ 13, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
cambiaImagen
(index)
null
/* este código se va a reulizar varias veces así que es mejor tenerlo en una función para reutilizarlo y llamarla cuando haga falta
/* este código se va a reulizar varias veces así que es mejor tenerlo en una función para reutilizarlo y llamarla cuando haga falta
function cambiaImagen(index){ /* ocultamos la imágen que se estaba mostrando */ $("ul#carrusel li.imgCarrusel").hide("slow"); /* ahora que sabemos que imágen mostrar indicamos que el n-ésimo li de la lista carrusel se debe mostrar */ $( "ul#carrusel li:nth-child("+index+")" ).show("slow"); }
[ "function", "cambiaImagen", "(", "index", ")", "{", "/* ocultamos la imágen que se estaba mostrando */", "$", "(", "\"ul#carrusel li.imgCarrusel\"", ")", ".", "hide", "(", "\"slow\"", ")", ";", "/* ahora que sabemos que imágen mostrar indicamos que el n-ésimo li de la lista carrusel se debe mostrar */", "$", "(", "\"ul#carrusel li:nth-child(\"", "+", "index", "+", "\")\"", ")", ".", "show", "(", "\"slow\"", ")", ";", "}" ]
[ 1, 0 ]
[ 6, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
renderBill
()
null
Renderiza la lista de sandwiches comprados junto su respectivo precio y posteriomente usa la función renderBillIngredients para mostrar los ingredientes extra que lo componen
Renderiza la lista de sandwiches comprados junto su respectivo precio y posteriomente usa la función renderBillIngredients para mostrar los ingredientes extra que lo componen
function renderBill() { if (order){ return ( order.map((el, key) => { return ( <Col key={key}> <Row className='justify-content-between ml-2 px-3'> <Label> {`${el.tamano_sandwich}`} </Label> {' '} <Label> {`${el.precio_sandwich} Bs`} </Label> </Row> {renderBillIngredients(el.ingredients)} </Col> ); }) ); } return; }
[ "function", "renderBill", "(", ")", "{", "if", "(", "order", ")", "{", "return", "(", "order", ".", "map", "(", "(", "el", ",", "key", ")", "=>", "{", "return", "(", "<", "Col", "key", "=", "{", "key", "}", ">", "\n ", "<", "Row", "className", "=", "'justify-content-between ml-2 px-3'", ">", "\n ", "<", "Label", ">", "\n ", "{", "`", "${", "el", ".", "tamano_sandwich", "}", "`", "}", "\n ", "<", "/", "Label", ">", "\n ", "{", "' '", "}", "\n ", "<", "Label", ">", "\n ", "{", "`", "${", "el", ".", "precio_sandwich", "}", "`", "}", "\n ", "<", "/", "Label", ">", "\n ", "<", "/", "Row", ">", "\n ", "{", "renderBillIngredients", "(", "el", ".", "ingredients", ")", "}", "\n ", "<", "/", "Col", ">", ")", ";", "}", ")", ")", ";", "}", "return", ";", "}" ]
[ 173, 2 ]
[ 195, 3 ]
null
javascript
es
['es', 'es', 'es']
True
true
statement_block
mayorDeEdad
({nombre, edad})
null
/* que es? ${edad >= 18 ? 'mayor':'menor'}
/* que es? ${edad >= 18 ? 'mayor':'menor'}
function mayorDeEdad({nombre, edad}) { console.log(`${nombre} es ${edad >= 18 ? 'mayor':'menor'} de edad `); }
[ "function", "mayorDeEdad", "(", "{", "nombre", ",", "edad", "}", ")", "{", "console", ".", "log", "(", "`", "${", "nombre", "}", "${", "edad", ">=", "18", "?", "'mayor'", ":", "'menor'", "}", "`", ")", ";", "}" ]
[ 46, 0 ]
[ 48, 5 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
getTipoDocumentos
(request, response)
null
Tomar todos los tipos de documentos
Tomar todos los tipos de documentos
function getTipoDocumentos(request, response) { pool.query('SELECT * FROM TIPO_DOCUMENTO', (err, res) => { if (err) { console.log(err.stack) } else { return response.json(res.rows) } }) }
[ "function", "getTipoDocumentos", "(", "request", ",", "response", ")", "{", "pool", ".", "query", "(", "'SELECT * FROM TIPO_DOCUMENTO'", ",", "(", "err", ",", "res", ")", "=>", "{", "if", "(", "err", ")", "{", "console", ".", "log", "(", "err", ".", "stack", ")", "}", "else", "{", "return", "response", ".", "json", "(", "res", ".", "rows", ")", "}", "}", ")", "}" ]
[ 31, 2 ]
[ 39, 3 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
(n = -1)
null
Activa un chevron aleatorio (o el "n" indicado)
Activa un chevron aleatorio (o el "n" indicado)
function(n = -1) { var arrowsOff = document.querySelectorAll('.arrow:not(.on)'); if (n == -1) var n = Math.floor(Math.random() * arrowsOff.length); arrowsOff[n].classList.add('on'); sounds.chevronClosed.play(); }
[ "function", "(", "n", "=", "-", "1", ")", "{", "var", "arrowsOff", "=", "document", ".", "querySelectorAll", "(", "'.arrow:not(.on)'", ")", ";", "if", "(", "n", "==", "-", "1", ")", "var", "n", "=", "Math", ".", "floor", "(", "Math", ".", "random", "(", ")", "*", "arrowsOff", ".", "length", ")", ";", "arrowsOff", "[", "n", "]", ".", "classList", ".", "add", "(", "'on'", ")", ";", "sounds", ".", "chevronClosed", ".", "play", "(", ")", ";", "}" ]
[ 112, 17 ]
[ 119, 3 ]
null
javascript
es
['es', 'es', 'es']
True
true
pair
(field, value)
null
Listener para todos los campos
Listener para todos los campos
function(field, value) { self.refresh(); }
[ "function", "(", "field", ",", "value", ")", "{", "self", ".", "refresh", "(", ")", ";", "}" ]
[ 96, 32 ]
[ 98, 25 ]
null
javascript
es
['es', 'es', 'es']
True
true
pair
solucionado
()
null
Método encargado de validar si las fichas ya están en orden o no
Método encargado de validar si las fichas ya están en orden o no
function solucionado() { // Carga todas las fichas actuales en un arreglo var arr = Array.prototype.slice.call(document.querySelectorAll('.ficha')); // Define la ficha de inicio para validar el orden var index = 1; for(var i = 0; i < arr.length; i++) { if(i === cantidad_fichas) { // Si ya terminó de revisar todas las fichas entonces están ordenadas return true; } else { // Si el número de la ficha NO es igual al número del índice, significa que el arreglo NO está en orden if(Number(arr[i].textContent) !== index) { return false; } } index++; } // Valor por defecto en caso de terminar el ciclo y todo estar bien return true; }
[ "function", "solucionado", "(", ")", "{", "// Carga todas las fichas actuales en un arreglo", "var", "arr", "=", "Array", ".", "prototype", ".", "slice", ".", "call", "(", "document", ".", "querySelectorAll", "(", "'.ficha'", ")", ")", ";", "// Define la ficha de inicio para validar el orden", "var", "index", "=", "1", ";", "for", "(", "var", "i", "=", "0", ";", "i", "<", "arr", ".", "length", ";", "i", "++", ")", "{", "if", "(", "i", "===", "cantidad_fichas", ")", "{", "// Si ya terminó de revisar todas las fichas entonces están ordenadas", "return", "true", ";", "}", "else", "{", "// Si el número de la ficha NO es igual al número del índice, significa que el arreglo NO está en orden", "if", "(", "Number", "(", "arr", "[", "i", "]", ".", "textContent", ")", "!==", "index", ")", "{", "return", "false", ";", "}", "}", "index", "++", ";", "}", "// Valor por defecto en caso de terminar el ciclo y todo estar bien", "return", "true", ";", "}" ]
[ 201, 0 ]
[ 220, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
coins
()
null
Diseña un algoritmo que simula el lanzamiento de una moneda al aire e imprimir si ha salido cara o cruz.
Diseña un algoritmo que simula el lanzamiento de una moneda al aire e imprimir si ha salido cara o cruz.
function coins(){ var coin = Math.floor(Math.random() * (2 - 0)) + 0; console.log(coin); if(coin === 0){ console.log("ha salido cara"); }else{ console.log("ha salido cruz"); } }
[ "function", "coins", "(", ")", "{", "var", "coin", "=", "Math", ".", "floor", "(", "Math", ".", "random", "(", ")", "*", "(", "2", "-", "0", ")", ")", "+", "0", ";", "console", ".", "log", "(", "coin", ")", ";", "if", "(", "coin", "===", "0", ")", "{", "console", ".", "log", "(", "\"ha salido cara\"", ")", ";", "}", "else", "{", "console", ".", "log", "(", "\"ha salido cruz\"", ")", ";", "}", "}" ]
[ 2, 0 ]
[ 11, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
consultar_visitante
()
null
Para mostrar lo que existe en la base de datos
Para mostrar lo que existe en la base de datos
function consultar_visitante (){ let addPersona = obtenerVisita(); let addAuto = obtenerVehiculo(); if (addPersona !=null){ let entrada = {...addPersona, ...addAuto}; let entradaJSON = JSON.stringify(entrada); localStorage.setItem('visitor', entradaJSON) erase(); relleno(entrada); return console.log(entradaJSON); } else alert("sorry bro") }
[ "function", "consultar_visitante", "(", ")", "{", "let", "addPersona", "=", "obtenerVisita", "(", ")", ";", "let", "addAuto", "=", "obtenerVehiculo", "(", ")", ";", "if", "(", "addPersona", "!=", "null", ")", "{", "let", "entrada", "=", "{", "...", "addPersona", ",", "...", "addAuto", "}", ";", "let", "entradaJSON", "=", "JSON", ".", "stringify", "(", "entrada", ")", ";", "localStorage", ".", "setItem", "(", "'visitor'", ",", "entradaJSON", ")", "erase", "(", ")", ";", "relleno", "(", "entrada", ")", ";", "return", "console", ".", "log", "(", "entradaJSON", ")", ";", "}", "else", "alert", "(", "\"sorry bro\"", ")", "}" ]
[ 157, 0 ]
[ 169, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
Person
(age)
null
Las arrow function irrumpieron no solo por ser más expresivas y compactas sino para ofrecer una alternativa de funciones cuyo contexto fuese invariante, no cambiase, siempre es el mismo (ya que lo toma prestado el contexto en el que fue creada). De este modo el 'this' siempre se refiere a lo mismo en una 'arrow function', a diferencia de las funciones clásicas que pueden inducir a errores en ciertos casos. Veamos un ejemplo:
Las arrow function irrumpieron no solo por ser más expresivas y compactas sino para ofrecer una alternativa de funciones cuyo contexto fuese invariante, no cambiase, siempre es el mismo (ya que lo toma prestado el contexto en el que fue creada). De este modo el 'this' siempre se refiere a lo mismo en una 'arrow function', a diferencia de las funciones clásicas que pueden inducir a errores en ciertos casos. Veamos un ejemplo:
function Person(age) { this.age = age; }
[ "function", "Person", "(", "age", ")", "{", "this", ".", "age", "=", "age", ";", "}" ]
[ 90, 0 ]
[ 92, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
AbrirPrioridad
(event)
null
console.log("Eliminar elemento con mayor prioridad"); priorityQueue.dequeue(); console.log(priorityQueue.printPQueue());
console.log("Eliminar elemento con mayor prioridad"); priorityQueue.dequeue(); console.log(priorityQueue.printPQueue());
function AbrirPrioridad(event) { var file = event.target.files[0]; var reader = new FileReader(); reader.onload = function(event) { // El texto del archivo se mostrará por consola aquí // console.log(event.target.result) let doc = JSON.parse(event.target.result); //console.log(doc) for (var key in doc) { //console.log('name=' + key + ' value=' + doc[key]); if(key=='categoria'){ categoriaPrio = doc[key] console.log(categoria) } if(key=='nombre'){ nombrePrio = doc[key] console.log(nombre) } if(key=='repeticion'){ repeticionPrio = doc[key] console.log(repeticion) } if(key=='animacion'){ animacionPrio = doc[key] console.log(animacion) } if(key=='valores'){ //console.log(doc[key].length) for (var k in doc[key]){ priorityQueue.enqueue(doc[key][k]['valor'],doc[key][k]['prioridad']) } } }console.log(priorityQueue.printPQueue()) }; reader.readAsText(file); }
[ "function", "AbrirPrioridad", "(", "event", ")", "{", "var", "file", "=", "event", ".", "target", ".", "files", "[", "0", "]", ";", "var", "reader", "=", "new", "FileReader", "(", ")", ";", "reader", ".", "onload", "=", "function", "(", "event", ")", "{", "// El texto del archivo se mostrará por consola aquí", "// console.log(event.target.result)", "let", "doc", "=", "JSON", ".", "parse", "(", "event", ".", "target", ".", "result", ")", ";", "//console.log(doc)", "for", "(", "var", "key", "in", "doc", ")", "{", "//console.log('name=' + key + ' value=' + doc[key]);", "if", "(", "key", "==", "'categoria'", ")", "{", "categoriaPrio", "=", "doc", "[", "key", "]", "console", ".", "log", "(", "categoria", ")", "}", "if", "(", "key", "==", "'nombre'", ")", "{", "nombrePrio", "=", "doc", "[", "key", "]", "console", ".", "log", "(", "nombre", ")", "}", "if", "(", "key", "==", "'repeticion'", ")", "{", "repeticionPrio", "=", "doc", "[", "key", "]", "console", ".", "log", "(", "repeticion", ")", "}", "if", "(", "key", "==", "'animacion'", ")", "{", "animacionPrio", "=", "doc", "[", "key", "]", "console", ".", "log", "(", "animacion", ")", "}", "if", "(", "key", "==", "'valores'", ")", "{", "//console.log(doc[key].length)", "for", "(", "var", "k", "in", "doc", "[", "key", "]", ")", "{", "priorityQueue", ".", "enqueue", "(", "doc", "[", "key", "]", "[", "k", "]", "[", "'valor'", "]", ",", "doc", "[", "key", "]", "[", "k", "]", "[", "'prioridad'", "]", ")", "}", "}", "}", "console", ".", "log", "(", "priorityQueue", ".", "printPQueue", "(", ")", ")", "}", ";", "reader", ".", "readAsText", "(", "file", ")", ";", "}" ]
[ 109, 0 ]
[ 148, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
(method, path)
null
TODO: para paths como /2.0/votos/{talkId}/ swagger crea 2_0votosTalkId que no es válido! qué debe hacer oas-tools? Generates an operationId according to the method and path requested the same way swagger-codegen does it. @param {string} method - Requested method. @param {string} path - Requested path as shown in the oas doc.
TODO: para paths como /2.0/votos/{talkId}/ swagger crea 2_0votosTalkId que no es válido! qué debe hacer oas-tools? Generates an operationId according to the method and path requested the same way swagger-codegen does it.
function(method, path) { var output = ""; var path2 = path.split('/'); for (var i = 1; i < path2.length; i++) { var chunck = path2[i].replace(/[{}]/g, ''); output += chunck.charAt(0).toUpperCase() + chunck.slice(1, chunck.length); } output += method.toUpperCase(); return output.charAt(0).toLowerCase() + output.slice(1, output.length); }
[ "function", "(", "method", ",", "path", ")", "{", "var", "output", "=", "\"\"", ";", "var", "path2", "=", "path", ".", "split", "(", "'/'", ")", ";", "for", "(", "var", "i", "=", "1", ";", "i", "<", "path2", ".", "length", ";", "i", "++", ")", "{", "var", "chunck", "=", "path2", "[", "i", "]", ".", "replace", "(", "/", "[{}]", "/", "g", ",", "''", ")", ";", "output", "+=", "chunck", ".", "charAt", "(", "0", ")", ".", "toUpperCase", "(", ")", "+", "chunck", ".", "slice", "(", "1", ",", "chunck", ".", "length", ")", ";", "}", "output", "+=", "method", ".", "toUpperCase", "(", ")", ";", "return", "output", ".", "charAt", "(", "0", ")", ".", "toLowerCase", "(", ")", "+", "output", ".", "slice", "(", "1", ",", "output", ".", "length", ")", ";", "}" ]
[ 43, 26 ]
[ 52, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
variable_declarator
loadsections
()
null
codigo para cargar solo las secciones asignadas al curso seleccionado
codigo para cargar solo las secciones asignadas al curso seleccionado
function loadsections() { //obtenemos el id de la modalidad seleccionada var course = $("#courses").val(); var token = $("#token").val(); $.ajax({ //url:'../ajax/sectionsbycoursesid', url: "../../ajax/sectionsbycoursesid", headers: token, data: { course_id: course, _token: token }, type: "POST", datatype: "json", success: function (data) { //console.log(response); $("#sections").html(data); }, error: function (response) { console.log(response); }, }); }
[ "function", "loadsections", "(", ")", "{", "//obtenemos el id de la modalidad seleccionada", "var", "course", "=", "$", "(", "\"#courses\"", ")", ".", "val", "(", ")", ";", "var", "token", "=", "$", "(", "\"#token\"", ")", ".", "val", "(", ")", ";", "$", ".", "ajax", "(", "{", "//url:'../ajax/sectionsbycoursesid',", "url", ":", "\"../../ajax/sectionsbycoursesid\"", ",", "headers", ":", "token", ",", "data", ":", "{", "course_id", ":", "course", ",", "_token", ":", "token", "}", ",", "type", ":", "\"POST\"", ",", "datatype", ":", "\"json\"", ",", "success", ":", "function", "(", "data", ")", "{", "//console.log(response);", "$", "(", "\"#sections\"", ")", ".", "html", "(", "data", ")", ";", "}", ",", "error", ":", "function", "(", "response", ")", "{", "console", ".", "log", "(", "response", ")", ";", "}", ",", "}", ")", ";", "}" ]
[ 323, 0 ]
[ 343, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
Entorno
(identificador, anterior)
null
recibe un entorno unicamente, el entorno anterior
recibe un entorno unicamente, el entorno anterior
function Entorno(identificador, anterior) { this.tabla = []; this.identificador = identificador; this.anterior = anterior; }
[ "function", "Entorno", "(", "identificador", ",", "anterior", ")", "{", "this", ".", "tabla", "=", "[", "]", ";", "this", ".", "identificador", "=", "identificador", ";", "this", ".", "anterior", "=", "anterior", ";", "}" ]
[ 5, 4 ]
[ 9, 5 ]
null
javascript
es
['es', 'es', 'es']
True
true
statement_block
useToggle
(initialValue = false)
null
CUSTOM HOOK TODOS LOS HOOKS DEBEN NOMBRARSE CON "use"
CUSTOM HOOK TODOS LOS HOOKS DEBEN NOMBRARSE CON "use"
function useToggle(initialValue = false) { const [value, setValue] = useState(initialValue); const toggle = () => { setValue(!value); }; return [value, toggle]; }
[ "function", "useToggle", "(", "initialValue", "=", "false", ")", "{", "const", "[", "value", ",", "setValue", "]", "=", "useState", "(", "initialValue", ")", ";", "const", "toggle", "=", "(", ")", "=>", "{", "setValue", "(", "!", "value", ")", ";", "}", ";", "return", "[", "value", ",", "toggle", "]", ";", "}" ]
[ 4, 0 ]
[ 12, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
irCarrito
()
null
Desplaza la pagina hasta el div del carrito
Desplaza la pagina hasta el div del carrito
function irCarrito() { $('html, body').animate({ scrollTop: $("#carrito").offset().top }, 1000); }
[ "function", "irCarrito", "(", ")", "{", "$", "(", "'html, body'", ")", ".", "animate", "(", "{", "scrollTop", ":", "$", "(", "\"#carrito\"", ")", ".", "offset", "(", ")", ".", "top", "}", ",", "1000", ")", ";", "}" ]
[ 27, 0 ]
[ 31, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
setup
()
null
dónde estamos en el sistema-L
dónde estamos en el sistema-L
function setup() { createCanvas(710, 400); background(255); stroke(0, 0, 0, 255); // inicializar la posición x e y en la esquina inferior izquierda x = 0; y = height - 1; // CALCULAR EL SISTEMA-L for (let i = 0; i < numloops; i++) { thestring = lindenmayer(thestring); } }
[ "function", "setup", "(", ")", "{", "createCanvas", "(", "710", ",", "400", ")", ";", "background", "(", "255", ")", ";", "stroke", "(", "0", ",", "0", ",", "0", ",", "255", ")", ";", "// inicializar la posición x e y en la esquina inferior izquierda", "x", "=", "0", ";", "y", "=", "height", "-", "1", ";", "// CALCULAR EL SISTEMA-L", "for", "(", "let", "i", "=", "0", ";", "i", "<", "numloops", ";", "i", "++", ")", "{", "thestring", "=", "lindenmayer", "(", "thestring", ")", ";", "}", "}" ]
[ 23, 0 ]
[ 36, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
()
null
this solo puede utilizarse dentro del contexto de un objeto
this solo puede utilizarse dentro del contexto de un objeto
function() { console.log("Mi nombre es" + this.nombre + " " + this.apellido); }
[ "function", "(", ")", "{", "console", ".", "log", "(", "\"Mi nombre es\"", "+", "this", ".", "nombre", "+", "\" \"", "+", "this", ".", "apellido", ")", ";", "}" ]
[ 95, 18 ]
[ 97, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
variable_declarator
(indexItem,indexItem2)
null
único verbo específico del juego, no existe a nivel de librería
único verbo específico del juego, no existe a nivel de librería
function (indexItem,indexItem2) { if (primitives.IT_GetLoc(indexItem) != primitives.PC_X()) return false; if (primitives.IT_ATT(indexItem, "isMusicInstrument")) return true; return false; // si fuera acción existente a nuvel de librería, acabar sin return equivale a ejecutar el enable() de librería. }
[ "function", "(", "indexItem", ",", "indexItem2", ")", "{", "if", "(", "primitives", ".", "IT_GetLoc", "(", "indexItem", ")", "!=", "primitives", ".", "PC_X", "(", ")", ")", "return", "false", ";", "if", "(", "primitives", ".", "IT_ATT", "(", "indexItem", ",", "\"isMusicInstrument\"", ")", ")", "return", "true", ";", "return", "false", ";", "// si fuera acción existente a nuvel de librería, acabar sin return equivale a ejecutar el enable() de librería.", "}" ]
[ 153, 11 ]
[ 157, 3 ]
null
javascript
es
['es', 'es', 'es']
True
true
pair
crearDatos
()
null
Actualizar los datos se separa en tres pasos
Actualizar los datos se separa en tres pasos
function crearDatos() { setTimeout(generarDatos,1); }
[ "function", "crearDatos", "(", ")", "{", "setTimeout", "(", "generarDatos", ",", "1", ")", ";", "}" ]
[ 94, 4 ]
[ 96, 5 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
perimetroCuadrado
(lado)
null
const ladoCuadrado = 5; console.log("Los lados del cuadrado miden: " + ladoCuadrado + " cms"); Perimetro del cuadrado
const ladoCuadrado = 5; console.log("Los lados del cuadrado miden: " + ladoCuadrado + " cms"); Perimetro del cuadrado
function perimetroCuadrado(lado) { return lado * 4; }
[ "function", "perimetroCuadrado", "(", "lado", ")", "{", "return", "lado", "*", "4", ";", "}" ]
[ 8, 0 ]
[ 10, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
gotResults
(error, results)
null
5. Obtén la clasificación
5. Obtén la clasificación
function gotResults(error, results) { // POr si aparece algún error. if (error) { console.error(error); return; } // Guarda la etiqueta y siga clasificando. label = results[0].label; }
[ "function", "gotResults", "(", "error", ",", "results", ")", "{", "// POr si aparece algún error.", "if", "(", "error", ")", "{", "console", ".", "error", "(", "error", ")", ";", "return", ";", "}", "// Guarda la etiqueta y siga clasificando.", "label", "=", "results", "[", "0", "]", ".", "label", ";", "}" ]
[ 51, 0 ]
[ 59, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
espar
(valor)
null
Metodo que nos indica si el grado es par o impar
Metodo que nos indica si el grado es par o impar
function espar(valor){ if (valor%2==0) { return true; } return false; }
[ "function", "espar", "(", "valor", ")", "{", "if", "(", "valor", "%", "2", "==", "0", ")", "{", "return", "true", ";", "}", "return", "false", ";", "}" ]
[ 248, 0 ]
[ 253, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
agrega
(evt)
null
Agrega un usuario a la base de datos. @param {Event} evt
Agrega un usuario a la base de datos.
async function agrega(evt) { try { evt.preventDefault(); const formData = new FormData(forma); /** @type {string} */ const texto = getString( formData, "texto").trim(); const timestamp = // @ts-ignore firebase.firestore. FieldValue. serverTimestamp(); /** @type {import( "./tipos.js").Mensaje} */ const modelo = { usuarioId, texto, timestamp }; /* El modelo se agrega a * la colección * "Mensaje". */ await daoMensaje.add(modelo); forma.texto.value = ""; } catch (e) { muestraError(e); } }
[ "async", "function", "agrega", "(", "evt", ")", "{", "try", "{", "evt", ".", "preventDefault", "(", ")", ";", "const", "formData", "=", "new", "FormData", "(", "forma", ")", ";", "/** @type {string} */", "const", "texto", "=", "getString", "(", "formData", ",", "\"texto\"", ")", ".", "trim", "(", ")", ";", "const", "timestamp", "=", "// @ts-ignore", "firebase", ".", "firestore", ".", "FieldValue", ".", "serverTimestamp", "(", ")", ";", "/** @type {import(\n \"./tipos.js\").Mensaje} */", "const", "modelo", "=", "{", "usuarioId", ",", "texto", ",", "timestamp", "}", ";", "/* El modelo se agrega a\n * la colección\n * \"Mensaje\". */", "await", "daoMensaje", ".", "add", "(", "modelo", ")", ";", "forma", ".", "texto", ".", "value", "=", "\"\"", ";", "}", "catch", "(", "e", ")", "{", "muestraError", "(", "e", ")", ";", "}", "}" ]
[ 41, 0 ]
[ 69, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
imprimirEdad
(nombre, edad)
null
Para definir la funcion hacemos uso de la palabra function que es una palabra reservada.
Para definir la funcion hacemos uso de la palabra function que es una palabra reservada.
function imprimirEdad (nombre, edad){ console.log (`${nombre} tiene ${edad} años`); }
[ "function", "imprimirEdad", "(", "nombre", ",", "edad", ")", "{", "console", ".", "log", "(", "`", "${", "nombre", "}", "${", "edad", "}", ")", ";", "\r", "}" ]
[ 6, 0 ]
[ 8, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
createCounter
()
null
Las "fat arrow" o "lambdas" puede utilizarse como si de un objeto se tratara, y puede ser pasadas como argumentos de otra función, o devueltas como valor de retorno.
Las "fat arrow" o "lambdas" puede utilizarse como si de un objeto se tratara, y puede ser pasadas como argumentos de otra función, o devueltas como valor de retorno.
function createCounter() { let i = 0; return () => console.log(i++); }
[ "function", "createCounter", "(", ")", "{", "let", "i", "=", "0", ";", "return", "(", ")", "=>", "console", ".", "log", "(", "i", "++", ")", ";", "}" ]
[ 30, 0 ]
[ 33, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
sayAge
()
null
/-- THIS ******************************************************* "this" es especial en JS y no está atado a ninguna "class"
/-- THIS ******************************************************* "this" es especial en JS y no está atado a ninguna "class"
function sayAge() { console.log("I'm " + this.age + " years old"); }
[ "function", "sayAge", "(", ")", "{", "console", ".", "log", "(", "\"I'm \"", "+", "this", ".", "age", "+", "\" years old\"", ")", ";", "}" ]
[ 316, 0 ]
[ 318, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
categoriaIdAString
(categoria)
null
Devuelvo un id según la categoría que viene por parámetro.
Devuelvo un id según la categoría que viene por parámetro.
function categoriaIdAString(categoria) { let categoriaString = ''; switch (categoria) { case 1: categoriaString = 'tecnologia'; break; case 2: categoriaString = 'electrodomesticos'; break; case 3: categoriaString = 'pequeños-electrodomesticos'; break; case 4: categoriaString = 'hogar-y-jardin'; break; case 5: categoriaString = 'deportes'; break; } return categoriaString; }
[ "function", "categoriaIdAString", "(", "categoria", ")", "{", "let", "categoriaString", "=", "''", ";", "switch", "(", "categoria", ")", "{", "case", "1", ":", "categoriaString", "=", "'tecnologia'", ";", "break", ";", "case", "2", ":", "categoriaString", "=", "'electrodomesticos'", ";", "break", ";", "case", "3", ":", "categoriaString", "=", "'pequeños-electrodomesticos';", "", "break", ";", "case", "4", ":", "categoriaString", "=", "'hogar-y-jardin'", ";", "break", ";", "case", "5", ":", "categoriaString", "=", "'deportes'", ";", "break", ";", "}", "return", "categoriaString", ";", "}" ]
[ 40, 0 ]
[ 64, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
ejecutarCodigo
(entrada)
null
variable para almacenar el ast resultante del analizis
variable para almacenar el ast resultante del analizis
function ejecutarCodigo(entrada) { arbol_cst = null; arbol_ast = null; const objetos = gramaticaV2.parse(entrada); arbol_cst = objetos.cst; arbol_ast = objetos.cst; //console.table(arbol_cst); var result = ''; var rg = ''; result = generar_astDinamico(arbol_cst); localStorage.setItem("cst", result); //result = generar_astDinamicoAST(arbol_ast) rg = generar_astDinamicoRG(arbol_cst); localStorage.setItem("rg", rg); }
[ "function", "ejecutarCodigo", "(", "entrada", ")", "{", "arbol_cst", "=", "null", ";", "arbol_ast", "=", "null", ";", "const", "objetos", "=", "gramaticaV2", ".", "parse", "(", "entrada", ")", ";", "arbol_cst", "=", "objetos", ".", "cst", ";", "arbol_ast", "=", "objetos", ".", "cst", ";", "//console.table(arbol_cst);", "var", "result", "=", "''", ";", "var", "rg", "=", "''", ";", "result", "=", "generar_astDinamico", "(", "arbol_cst", ")", ";", "localStorage", ".", "setItem", "(", "\"cst\"", ",", "result", ")", ";", "//result = generar_astDinamicoAST(arbol_ast)", "rg", "=", "generar_astDinamicoRG", "(", "arbol_cst", ")", ";", "localStorage", ".", "setItem", "(", "\"rg\"", ",", "rg", ")", ";", "}" ]
[ 5, 0 ]
[ 19, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
validarTextoEntrada
(input, patron)
null
VALIDACIONES DE LETRAS Y NUMEROS //
VALIDACIONES DE LETRAS Y NUMEROS //
function validarTextoEntrada(input, patron) { var texto = input.value; var letras = texto.split(""); for (var x in letras) { var letra = letras[x]; if (!new RegExp(patron, "i").test(letra)) { letras[x] = ""; } } input.value = letras.join(""); }
[ "function", "validarTextoEntrada", "(", "input", ",", "patron", ")", "{", "var", "texto", "=", "input", ".", "value", ";", "var", "letras", "=", "texto", ".", "split", "(", "\"\"", ")", ";", "for", "(", "var", "x", "in", "letras", ")", "{", "var", "letra", "=", "letras", "[", "x", "]", ";", "if", "(", "!", "new", "RegExp", "(", "patron", ",", "\"i\"", ")", ".", "test", "(", "letra", ")", ")", "{", "letras", "[", "x", "]", "=", "\"\"", ";", "}", "}", "input", ".", "value", "=", "letras", ".", "join", "(", "\"\"", ")", ";", "}" ]
[ 387, 0 ]
[ 400, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
statement_block
queryPaymentStateOrdenCompra
()
null
================================================================= Servicio NEQUI consulta estado de pago en orden compra pendiente =================================================================
================================================================= Servicio NEQUI consulta estado de pago en orden compra pendiente =================================================================
function queryPaymentStateOrdenCompra() { tokenCompraOrden = document.consultaOrden.tokenCompra.value; keyClienteOrden = document.consultaOrden.keyCliente.value; usuarioIdOrden = document.consultaOrden.usuarioId.value; ubicacionOrden = document.consultaOrden.ubicacion.value; eventoIdOrden = document.consultaOrden.eventoId.value; cantidadOrden = document.consultaOrden.cantidad.value; valorOrden = document.consultaOrden.valor.value; idTransOrden = document.consultaOrden.idTrans.value; modal = $('#modalOrdenCompra'); // captura el ID del modal en metodo pago array = { idTransaccion: idTransOrden, keyCliente: keyClienteOrden, usuarioId: usuarioIdOrden, ubicacion: ubicacionOrden, eventoId: eventoIdOrden, cantidad: cantidadOrden, token: tokenCompraOrden, valor: valorOrden }; var stringData = JSON.stringify(array); $.ajax({ url: "./controllers/controllersJs/stateOrdenCompra.php", type: 'POST', data: { data: stringData }, dataType:"html", }).done(function(data) { console.log(data); var json = JSON.parse(data); status = json.status; if(status == "1") { $('.loadPayment').fadeOut("fast"); modal.find('.modal-header h3 strong').html('Compra exitosa!'); modal.find('.modal-body .container h5').text('Los boletos han sido enviados a la Wallet'); modal.find('.modal-body .container p').text('Puedes ir a tu Wallet o volver a la pagina anterior.'); modal.modal({backdrop: 'static', keyboard: false}, 'show'); } else { if(status == "2") // Status es 33 en espera de pago y debe volver a consulta en 20s { $('.loadPayment').fadeOut("fast"); var container = document.getElementById("alert"); container.innerHTML = '<div class="alert alert-warning fade show alert-box">'+ '<div class="alert-icon">'+ '<i class="material-icons">error_outline</i>'+ '</div>'+ '<button type="button" class="close" data-dismiss="alert" aria-label="Close">'+ '<span aria-hidden="true"><i class="material-icons">clear</i></span>'+ '</button>El pago no ha sido acreditado, o se encuentra en espera.'+ '</div>'; } else { $('.loadPayment').fadeOut("fast"); modal.find('.modal-header h3 strong').html('Atención!'); modal.find('.modal-body .container h5').text(status); countdown(); modal.modal({backdrop: 'static', keyboard: false}, 'show'); setTimeout(function(){location.reload();}, 5000); } } }).fail(function(data) { $('.loadPayment').fadeOut("fast"); modal.find('.modal-header h3 strong').html('Error!'); modal.find('.modal-body .container h5').text('Problema al procesar la compra, codigo: ' + status); modal.modal({backdrop: 'static', keyboard: false}, 'show'); }); }
[ "function", "queryPaymentStateOrdenCompra", "(", ")", "{", "tokenCompraOrden", "=", "document", ".", "consultaOrden", ".", "tokenCompra", ".", "value", ";", "keyClienteOrden", "=", "document", ".", "consultaOrden", ".", "keyCliente", ".", "value", ";", "usuarioIdOrden", "=", "document", ".", "consultaOrden", ".", "usuarioId", ".", "value", ";", "ubicacionOrden", "=", "document", ".", "consultaOrden", ".", "ubicacion", ".", "value", ";", "eventoIdOrden", "=", "document", ".", "consultaOrden", ".", "eventoId", ".", "value", ";", "cantidadOrden", "=", "document", ".", "consultaOrden", ".", "cantidad", ".", "value", ";", "valorOrden", "=", "document", ".", "consultaOrden", ".", "valor", ".", "value", ";", "idTransOrden", "=", "document", ".", "consultaOrden", ".", "idTrans", ".", "value", ";", "modal", "=", "$", "(", "'#modalOrdenCompra'", ")", ";", "// captura el ID del modal en metodo pago", "array", "=", "{", "idTransaccion", ":", "idTransOrden", ",", "keyCliente", ":", "keyClienteOrden", ",", "usuarioId", ":", "usuarioIdOrden", ",", "ubicacion", ":", "ubicacionOrden", ",", "eventoId", ":", "eventoIdOrden", ",", "cantidad", ":", "cantidadOrden", ",", "token", ":", "tokenCompraOrden", ",", "valor", ":", "valorOrden", "}", ";", "var", "stringData", "=", "JSON", ".", "stringify", "(", "array", ")", ";", "$", ".", "ajax", "(", "{", "url", ":", "\"./controllers/controllersJs/stateOrdenCompra.php\"", ",", "type", ":", "'POST'", ",", "data", ":", "{", "data", ":", "stringData", "}", ",", "dataType", ":", "\"html\"", ",", "}", ")", ".", "done", "(", "function", "(", "data", ")", "{", "console", ".", "log", "(", "data", ")", ";", "var", "json", "=", "JSON", ".", "parse", "(", "data", ")", ";", "status", "=", "json", ".", "status", ";", "if", "(", "status", "==", "\"1\"", ")", "{", "$", "(", "'.loadPayment'", ")", ".", "fadeOut", "(", "\"fast\"", ")", ";", "modal", ".", "find", "(", "'.modal-header h3 strong'", ")", ".", "html", "(", "'Compra exitosa!'", ")", ";", "modal", ".", "find", "(", "'.modal-body .container h5'", ")", ".", "text", "(", "'Los boletos han sido enviados a la Wallet'", ")", ";", "modal", ".", "find", "(", "'.modal-body .container p'", ")", ".", "text", "(", "'Puedes ir a tu Wallet o volver a la pagina anterior.'", ")", ";", "modal", ".", "modal", "(", "{", "backdrop", ":", "'static'", ",", "keyboard", ":", "false", "}", ",", "'show'", ")", ";", "}", "else", "{", "if", "(", "status", "==", "\"2\"", ")", "// Status es 33 en espera de pago y debe volver a consulta en 20s", "{", "$", "(", "'.loadPayment'", ")", ".", "fadeOut", "(", "\"fast\"", ")", ";", "var", "container", "=", "document", ".", "getElementById", "(", "\"alert\"", ")", ";", "container", ".", "innerHTML", "=", "'<div class=\"alert alert-warning fade show alert-box\">'", "+", "'<div class=\"alert-icon\">'", "+", "'<i class=\"material-icons\">error_outline</i>'", "+", "'</div>'", "+", "'<button type=\"button\" class=\"close\" data-dismiss=\"alert\" aria-label=\"Close\">'", "+", "'<span aria-hidden=\"true\"><i class=\"material-icons\">clear</i></span>'", "+", "'</button>El pago no ha sido acreditado, o se encuentra en espera.'", "+", "'</div>'", ";", "}", "else", "{", "$", "(", "'.loadPayment'", ")", ".", "fadeOut", "(", "\"fast\"", ")", ";", "modal", ".", "find", "(", "'.modal-header h3 strong'", ")", ".", "html", "(", "'Atención!')", ";", "", "modal", ".", "find", "(", "'.modal-body .container h5'", ")", ".", "text", "(", "status", ")", ";", "countdown", "(", ")", ";", "modal", ".", "modal", "(", "{", "backdrop", ":", "'static'", ",", "keyboard", ":", "false", "}", ",", "'show'", ")", ";", "setTimeout", "(", "function", "(", ")", "{", "location", ".", "reload", "(", ")", ";", "}", ",", "5000", ")", ";", "}", "}", "}", ")", ".", "fail", "(", "function", "(", "data", ")", "{", "$", "(", "'.loadPayment'", ")", ".", "fadeOut", "(", "\"fast\"", ")", ";", "modal", ".", "find", "(", "'.modal-header h3 strong'", ")", ".", "html", "(", "'Error!'", ")", ";", "modal", ".", "find", "(", "'.modal-body .container h5'", ")", ".", "text", "(", "'Problema al procesar la compra, codigo: '", "+", "status", ")", ";", "modal", ".", "modal", "(", "{", "backdrop", ":", "'static'", ",", "keyboard", ":", "false", "}", ",", "'show'", ")", ";", "}", ")", ";", "}" ]
[ 162, 0 ]
[ 235, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
getEmitedMessages
(req, res)
null
Listar mensajes enviados
Listar mensajes enviados
function getEmitedMessages(req, res){ var userId = req.user.sub; var page = 1; if(req.params.page) page = req.params.page; var itemsPerPage = 4; Message.find({emitter: userId}).populate('emitter receiver', 'name surname _id nick image').paginate(page, itemsPerPage, (err, messages, total) => { if(err) return res.status(500).send({message: 'Error en la petición.'}); if(!messages) return res.status(404).send({message: 'Todavía no has recibido mensajes.'}); return res.status(200).send({ total: total, pages: Math.ceil(total/itemsPerPage), messages }); }); }
[ "function", "getEmitedMessages", "(", "req", ",", "res", ")", "{", "var", "userId", "=", "req", ".", "user", ".", "sub", ";", "var", "page", "=", "1", ";", "if", "(", "req", ".", "params", ".", "page", ")", "page", "=", "req", ".", "params", ".", "page", ";", "var", "itemsPerPage", "=", "4", ";", "Message", ".", "find", "(", "{", "emitter", ":", "userId", "}", ")", ".", "populate", "(", "'emitter receiver'", ",", "'name surname _id nick image'", ")", ".", "paginate", "(", "page", ",", "itemsPerPage", ",", "(", "err", ",", "messages", ",", "total", ")", "=>", "{", "if", "(", "err", ")", "return", "res", ".", "status", "(", "500", ")", ".", "send", "(", "{", "message", ":", "'Error en la petición.'}", ")", ";", "", "if", "(", "!", "messages", ")", "return", "res", ".", "status", "(", "404", ")", ".", "send", "(", "{", "message", ":", "'Todavía no has recibido mensajes.'}", ")", ";", "", "return", "res", ".", "status", "(", "200", ")", ".", "send", "(", "{", "total", ":", "total", ",", "pages", ":", "Math", ".", "ceil", "(", "total", "/", "itemsPerPage", ")", ",", "messages", "}", ")", ";", "}", ")", ";", "}" ]
[ 57, 0 ]
[ 73, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
Desarrollador1
(nombre, apellido)
null
para que Desarrollador pueda llamar la funcion soyAlto agregar altura
para que Desarrollador pueda llamar la funcion soyAlto agregar altura
function Desarrollador1 (nombre, apellido){ this.nombre = nombre this.apellido = apellido }
[ "function", "Desarrollador1", "(", "nombre", ",", "apellido", ")", "{", "this", ".", "nombre", "=", "nombre", "this", ".", "apellido", "=", "apellido", "}" ]
[ 51, 0 ]
[ 54, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
cuantasMinas
(tab,x,y)
null
Funcion que dado un tablero y una posicion, indica cuantas minas hay alrededor
Funcion que dado un tablero y una posicion, indica cuantas minas hay alrededor
function cuantasMinas(tab,x,y){ var minasEnc=0; //minas encontradas if(x>0){ if(tab[x-1][y]==-1){ minasEnc++; } } if(x<tab.length-1){ if(tab[x+1][y]==-1){ minasEnc++; } } if(y>0){ if(tab[x][y-1]==-1){ minasEnc++; } } if(y<tab[x].length-1){ if(tab[x][y+1]==-1){ minasEnc++; } } if(y>0 && x>0){ if(tab[x-1][y-1]==-1){ minasEnc++; } } if(y>0 && x<tab.length-1){ if(tab[x+1][y-1]==-1){ minasEnc++; } } if(x>0 && y<tab[x].length-1){ if(tab[x-1][y+1]==-1){ minasEnc++; } } if(x<tab.length-1 && y<tab[x].length-1){ if(tab[x+1][y+1]==-1){ minasEnc++; } } //Devolvemos el resultado return minasEnc; }
[ "function", "cuantasMinas", "(", "tab", ",", "x", ",", "y", ")", "{", "var", "minasEnc", "=", "0", ";", "//minas encontradas", "if", "(", "x", ">", "0", ")", "{", "if", "(", "tab", "[", "x", "-", "1", "]", "[", "y", "]", "==", "-", "1", ")", "{", "minasEnc", "++", ";", "}", "}", "if", "(", "x", "<", "tab", ".", "length", "-", "1", ")", "{", "if", "(", "tab", "[", "x", "+", "1", "]", "[", "y", "]", "==", "-", "1", ")", "{", "minasEnc", "++", ";", "}", "}", "if", "(", "y", ">", "0", ")", "{", "if", "(", "tab", "[", "x", "]", "[", "y", "-", "1", "]", "==", "-", "1", ")", "{", "minasEnc", "++", ";", "}", "}", "if", "(", "y", "<", "tab", "[", "x", "]", ".", "length", "-", "1", ")", "{", "if", "(", "tab", "[", "x", "]", "[", "y", "+", "1", "]", "==", "-", "1", ")", "{", "minasEnc", "++", ";", "}", "}", "if", "(", "y", ">", "0", "&&", "x", ">", "0", ")", "{", "if", "(", "tab", "[", "x", "-", "1", "]", "[", "y", "-", "1", "]", "==", "-", "1", ")", "{", "minasEnc", "++", ";", "}", "}", "if", "(", "y", ">", "0", "&&", "x", "<", "tab", ".", "length", "-", "1", ")", "{", "if", "(", "tab", "[", "x", "+", "1", "]", "[", "y", "-", "1", "]", "==", "-", "1", ")", "{", "minasEnc", "++", ";", "}", "}", "if", "(", "x", ">", "0", "&&", "y", "<", "tab", "[", "x", "]", ".", "length", "-", "1", ")", "{", "if", "(", "tab", "[", "x", "-", "1", "]", "[", "y", "+", "1", "]", "==", "-", "1", ")", "{", "minasEnc", "++", ";", "}", "}", "if", "(", "x", "<", "tab", ".", "length", "-", "1", "&&", "y", "<", "tab", "[", "x", "]", ".", "length", "-", "1", ")", "{", "if", "(", "tab", "[", "x", "+", "1", "]", "[", "y", "+", "1", "]", "==", "-", "1", ")", "{", "minasEnc", "++", ";", "}", "}", "//Devolvemos el resultado", "return", "minasEnc", ";", "}" ]
[ 57, 0 ]
[ 101, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
(IdParticipacion)
null
Enviar post con datos del modal de editar
Enviar post con datos del modal de editar
function(IdParticipacion){ var url = '/historial/participacion/parroquial/' + IdParticipacion; axios.put(url, this.datosParticipacion).then(response => { this.cargarParticipaciones(); $('#ModalEditar').modal('hide'); this.datosParticipacion = { 'MAP_IdParticipacion': '', 'MAP_FechaInicio': '', 'MAP_FechaTermino': '', 'MAP_I_INCodigo': this.Defecto_I_INCodigo, 'MAP_I_INCodigoCapilla': '', 'MAP_A_IdArea': '', 'MAP_C_IdCargo': '', 'MAP_Z_IdZona': this.Defecto_Z_IdZona, }, this.errors = []; toastr['success']('Participacion actualizada correctamente', 'Participacion actualizada'); }).catch(error => { this.errors = error.response.data; }); }
[ "function", "(", "IdParticipacion", ")", "{", "var", "url", "=", "'/historial/participacion/parroquial/'", "+", "IdParticipacion", ";", "axios", ".", "put", "(", "url", ",", "this", ".", "datosParticipacion", ")", ".", "then", "(", "response", "=>", "{", "this", ".", "cargarParticipaciones", "(", ")", ";", "$", "(", "'#ModalEditar'", ")", ".", "modal", "(", "'hide'", ")", ";", "this", ".", "datosParticipacion", "=", "{", "'MAP_IdParticipacion'", ":", "''", ",", "'MAP_FechaInicio'", ":", "''", ",", "'MAP_FechaTermino'", ":", "''", ",", "'MAP_I_INCodigo'", ":", "this", ".", "Defecto_I_INCodigo", ",", "'MAP_I_INCodigoCapilla'", ":", "''", ",", "'MAP_A_IdArea'", ":", "''", ",", "'MAP_C_IdCargo'", ":", "''", ",", "'MAP_Z_IdZona'", ":", "this", ".", "Defecto_Z_IdZona", ",", "}", ",", "this", ".", "errors", "=", "[", "]", ";", "toastr", "[", "'success'", "]", "(", "'Participacion actualizada correctamente'", ",", "'Participacion actualizada'", ")", ";", "}", ")", ".", "catch", "(", "error", "=>", "{", "this", ".", "errors", "=", "error", ".", "response", ".", "data", ";", "}", ")", ";", "}" ]
[ 195, 33 ]
[ 215, 9 ]
null
javascript
es
['es', 'es', 'es']
True
true
pair
mover
(ficha, destino)
null
Este es el método que, de ser posible, realiza el movimiento de la ficha
Este es el método que, de ser posible, realiza el movimiento de la ficha
function mover(ficha, destino) { // El método slice, toma una serie de valores y los convierte en un arreglo. En este caso, busca todos los elementos // con la clase ".ficha" y los agrega en la variable mi Arreglo var miArreglo = Array.prototype.slice.call(document.querySelectorAll('.ficha')); // Revisa si el movimiento se puede realizar o no if(esMovimientoPosible(miArreglo, ficha)) { // Se procede a cambiar la ficha seleccionada con la posición destino, la cuál contiene el espacio en blanco intercambiar(this, destino); } }
[ "function", "mover", "(", "ficha", ",", "destino", ")", "{", "// El método slice, toma una serie de valores y los convierte en un arreglo. En este caso, busca todos los elementos", "// con la clase \".ficha\" y los agrega en la variable mi Arreglo", "var", "miArreglo", "=", "Array", ".", "prototype", ".", "slice", ".", "call", "(", "document", ".", "querySelectorAll", "(", "'.ficha'", ")", ")", ";", "// Revisa si el movimiento se puede realizar o no", "if", "(", "esMovimientoPosible", "(", "miArreglo", ",", "ficha", ")", ")", "{", "// Se procede a cambiar la ficha seleccionada con la posición destino, la cuál contiene el espacio en blanco", "intercambiar", "(", "this", ",", "destino", ")", ";", "}", "}" ]
[ 112, 0 ]
[ 122, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
(callback)
null
/*Modificar de bd Menu en listado
/*Modificar de bd Menu en listado
function(callback){ $(".confirm-item").on("click", function(){ var id = $(this).data("id"); $("#id_itemb").val(id); $("#mi-modalb").modal('show'); }); $("#modal-btn-sii").on("click", function(){ callback(true); $("#mi-modalb").modal('hide'); }); $("#modal-btn-noo").on("click", function(){ callback(false); $("#mi-modalb").modal('hide'); }); }
[ "function", "(", "callback", ")", "{", "$", "(", "\".confirm-item\"", ")", ".", "on", "(", "\"click\"", ",", "function", "(", ")", "{", "var", "id", "=", "$", "(", "this", ")", ".", "data", "(", "\"id\"", ")", ";", "$", "(", "\"#id_itemb\"", ")", ".", "val", "(", "id", ")", ";", "$", "(", "\"#mi-modalb\"", ")", ".", "modal", "(", "'show'", ")", ";", "}", ")", ";", "$", "(", "\"#modal-btn-sii\"", ")", ".", "on", "(", "\"click\"", ",", "function", "(", ")", "{", "callback", "(", "true", ")", ";", "$", "(", "\"#mi-modalb\"", ")", ".", "modal", "(", "'hide'", ")", ";", "}", ")", ";", "$", "(", "\"#modal-btn-noo\"", ")", ".", "on", "(", "\"click\"", ",", "function", "(", ")", "{", "callback", "(", "false", ")", ";", "$", "(", "\"#mi-modalb\"", ")", ".", "modal", "(", "'hide'", ")", ";", "}", ")", ";", "}" ]
[ 1, 21 ]
[ 20, 2 ]
null
javascript
es
['es', 'es', 'es']
True
true
variable_declarator
nextSlide
()
null
slider funciones
slider funciones
function nextSlide(){ let activeSlide = document.querySelector('.slide.translate-x-0'); activeSlide.classList.remove('translate-x-0'); activeSlide.classList.add('-translate-x-full'); let nextSlide = activeSlide.nextElementSibling; nextSlide.classList.remove('translate-x-full'); nextSlide.classList.add('translate-x-0'); }
[ "function", "nextSlide", "(", ")", "{", "let", "activeSlide", "=", "document", ".", "querySelector", "(", "'.slide.translate-x-0'", ")", ";", "activeSlide", ".", "classList", ".", "remove", "(", "'translate-x-0'", ")", ";", "activeSlide", ".", "classList", ".", "add", "(", "'-translate-x-full'", ")", ";", "let", "nextSlide", "=", "activeSlide", ".", "nextElementSibling", ";", "nextSlide", ".", "classList", ".", "remove", "(", "'translate-x-full'", ")", ";", "nextSlide", ".", "classList", ".", "add", "(", "'translate-x-0'", ")", ";", "}" ]
[ 2, 0 ]
[ 10, 1 ]
null
javascript
es
['es', 'es', 'es']
False
true
program
cargarEscenas
()
null
Funcion que carga las distintas escenas
Funcion que carga las distintas escenas
function cargarEscenas(){ bola1 = new Pelota(0, 0, 0,0, 0); //No podemos iniciar una escena sin bola, por lo que le asignaremos a todas una bola nula paleta1 = new Paleta(100, 15, 20, canvas.width/2, canvas.height*7/8); //Paleta de la escena bloques1 = []; //Array que almacena todos los ladrillos de la escena for(var i = 0; i<3; i++){ //Tendremos 3 filas for(var j = 0; j < 8; j++){ //Tendremos 8 columnas //Dividimos el ancho de escena entre el numero de columnas para obtener el ancho de cada ladrillo y que cubran todo el ancho de la pantalla //El alto es mas arbitrario y sera un dieciseisavo del alto de la escena //Las vidas del ladrillo sera la fila en la que se encuentran + 1 (en la fila 0, 1, en la fila 1, 2...) //La posicion sera lo que ocupa cada ladrillo por su columna, ya que todos los ladrillos ocupan lo mismo //Para el alto haremos lo mismo, pero con la inversa de i para empezar a dibujar por debajo ladrilloAux = new Ladrillo((anchoEscena-anchoBorde)/8, altoEscena/16, i+1, (anchoEscena-anchoBorde)/8*j + anchoBorde, altoEscena/16*(4-i) + anchoSuperior); //Metemos el ladrillo al array de bloques bloques1.push(ladrilloAux); } } //Creamos una nueva escena con los lementos anteriores y la metemos en el array de escenas escena1 = new Escena(bloques1, bola1, paleta1); escenas.push(escena1); //El resto e escenas se crearan exactamente igual, pero con ligeros cambios //La escena 2 no tendra bloques en los laterales y tendra una fila mas y dos columnas extra //Ademas de lo anterior los bloques tienen la vida al reves de la escena anterior, asi en la primera fila estan los bloques con mas vida y en la ultima los de menos bloques2 = []; paleta2 = new Paleta(100, 15, 20, canvas.width/2, canvas.height*7/8); for(var i = 0; i<4; i++){ for(var j = 0; j<10; j++){ if(j!= 0 && j!=9){ ladrillosAux = new Ladrillo((anchoEscena-anchoBorde)/10, altoEscena/16, 4-i, (anchoEscena-anchoBorde)/10*j + anchoBorde, altoEscena/16*(5-i) + anchoSuperior); bloques2.push(ladrillosAux); } } } escena2 = new Escena(bloques2, bola1, paleta2); escenas.push(escena2); //La escena 3 tiene mas filas y columnas, pero las columnas centrales tienen todos sus ladrillos con 2 vidas y tiene algunos bloques vacios paleta3 = new Paleta(100, 15, 20, canvas.width/2, canvas.height*7/8); bloques3 = []; for(var i = 0; i<4; i++){ for(var j = 0; j<12; j++){ if(i!=j && i+j!=11){ var vidas = i+1; if(j==6 || j == 5){ vidas = 2; } ladrillosAux = new Ladrillo((anchoEscena-anchoBorde)/12, altoEscena/16, vidas, (anchoEscena-anchoBorde)/12*j + anchoBorde, altoEscena/16*(5-i) + anchoSuperior); bloques3.push(ladrillosAux); } } } escena3 = new Escena(bloques3, bola1, paleta3); escenas.push(escena3); //La escena 4 es bastante mas grande, debido a sus 6 filas, debido a eso volvemos a poner 8 columnas para evitar un numero excesivo de ladrillos //Ademas de esto, los laterales tienen 2 de vida y los ladrillos forman una imagen que referencia a un famoso videojuego. ¿Cual? Bueno, tendras que llegar hasta aqui para averiguarlo paleta4 = new Paleta(100, 15, 20, canvas.width/2, canvas.height*7/8); bloques4 = []; for(var i = 0; i<6; i++){ for(var j = 0; j<8; j++){ var vidas = i+1; if(vidas == 3){ vidas = 2; } if((j==1 || j == 2 || j==5 || j== 6) && (i ==5|| i==4)){ vidas = 3; } if((j== 3 || j == 4) && (i ==2 || i == 3)){ vidas = 3 } if((j== 2 || j ==5) && (i==2 || i==1)){ vidas = 3; } if(j== 0 || j == 7){ vidas = 2; } ladrillosAux = new Ladrillo((anchoEscena-anchoBorde)/8, altoEscena/16, vidas, (anchoEscena-anchoBorde)/8*j + anchoBorde, altoEscena/16*(7-i) + anchoSuperior); bloques4.push(ladrillosAux); } } escena4 = new Escena(bloques4, bola1, paleta4); escenas.push(escena4); }
[ "function", "cargarEscenas", "(", ")", "{", "bola1", "=", "new", "Pelota", "(", "0", ",", "0", ",", "0", ",", "0", ",", "0", ")", ";", "//No podemos iniciar una escena sin bola, por lo que le asignaremos a todas una bola nula", "paleta1", "=", "new", "Paleta", "(", "100", ",", "15", ",", "20", ",", "canvas", ".", "width", "/", "2", ",", "canvas", ".", "height", "*", "7", "/", "8", ")", ";", "//Paleta de la escena", "bloques1", "=", "[", "]", ";", "//Array que almacena todos los ladrillos de la escena", "for", "(", "var", "i", "=", "0", ";", "i", "<", "3", ";", "i", "++", ")", "{", "//Tendremos 3 filas", "for", "(", "var", "j", "=", "0", ";", "j", "<", "8", ";", "j", "++", ")", "{", "//Tendremos 8 columnas", "//Dividimos el ancho de escena entre el numero de columnas para obtener el ancho de cada ladrillo y que cubran todo el ancho de la pantalla", "//El alto es mas arbitrario y sera un dieciseisavo del alto de la escena", "//Las vidas del ladrillo sera la fila en la que se encuentran + 1 (en la fila 0, 1, en la fila 1, 2...)", "//La posicion sera lo que ocupa cada ladrillo por su columna, ya que todos los ladrillos ocupan lo mismo", "//Para el alto haremos lo mismo, pero con la inversa de i para empezar a dibujar por debajo", "ladrilloAux", "=", "new", "Ladrillo", "(", "(", "anchoEscena", "-", "anchoBorde", ")", "/", "8", ",", "altoEscena", "/", "16", ",", "i", "+", "1", ",", "(", "anchoEscena", "-", "anchoBorde", ")", "/", "8", "*", "j", "+", "anchoBorde", ",", "altoEscena", "/", "16", "*", "(", "4", "-", "i", ")", "+", "anchoSuperior", ")", ";", "//Metemos el ladrillo al array de bloques", "bloques1", ".", "push", "(", "ladrilloAux", ")", ";", "}", "}", "//Creamos una nueva escena con los lementos anteriores y la metemos en el array de escenas", "escena1", "=", "new", "Escena", "(", "bloques1", ",", "bola1", ",", "paleta1", ")", ";", "escenas", ".", "push", "(", "escena1", ")", ";", "//El resto e escenas se crearan exactamente igual, pero con ligeros cambios", "//La escena 2 no tendra bloques en los laterales y tendra una fila mas y dos columnas extra", "//Ademas de lo anterior los bloques tienen la vida al reves de la escena anterior, asi en la primera fila estan los bloques con mas vida y en la ultima los de menos", "bloques2", "=", "[", "]", ";", "paleta2", "=", "new", "Paleta", "(", "100", ",", "15", ",", "20", ",", "canvas", ".", "width", "/", "2", ",", "canvas", ".", "height", "*", "7", "/", "8", ")", ";", "for", "(", "var", "i", "=", "0", ";", "i", "<", "4", ";", "i", "++", ")", "{", "for", "(", "var", "j", "=", "0", ";", "j", "<", "10", ";", "j", "++", ")", "{", "if", "(", "j", "!=", "0", "&&", "j", "!=", "9", ")", "{", "ladrillosAux", "=", "new", "Ladrillo", "(", "(", "anchoEscena", "-", "anchoBorde", ")", "/", "10", ",", "altoEscena", "/", "16", ",", "4", "-", "i", ",", "(", "anchoEscena", "-", "anchoBorde", ")", "/", "10", "*", "j", "+", "anchoBorde", ",", "altoEscena", "/", "16", "*", "(", "5", "-", "i", ")", "+", "anchoSuperior", ")", ";", "bloques2", ".", "push", "(", "ladrillosAux", ")", ";", "}", "}", "}", "escena2", "=", "new", "Escena", "(", "bloques2", ",", "bola1", ",", "paleta2", ")", ";", "escenas", ".", "push", "(", "escena2", ")", ";", "//La escena 3 tiene mas filas y columnas, pero las columnas centrales tienen todos sus ladrillos con 2 vidas y tiene algunos bloques vacios", "paleta3", "=", "new", "Paleta", "(", "100", ",", "15", ",", "20", ",", "canvas", ".", "width", "/", "2", ",", "canvas", ".", "height", "*", "7", "/", "8", ")", ";", "bloques3", "=", "[", "]", ";", "for", "(", "var", "i", "=", "0", ";", "i", "<", "4", ";", "i", "++", ")", "{", "for", "(", "var", "j", "=", "0", ";", "j", "<", "12", ";", "j", "++", ")", "{", "if", "(", "i", "!=", "j", "&&", "i", "+", "j", "!=", "11", ")", "{", "var", "vidas", "=", "i", "+", "1", ";", "if", "(", "j", "==", "6", "||", "j", "==", "5", ")", "{", "vidas", "=", "2", ";", "}", "ladrillosAux", "=", "new", "Ladrillo", "(", "(", "anchoEscena", "-", "anchoBorde", ")", "/", "12", ",", "altoEscena", "/", "16", ",", "vidas", ",", "(", "anchoEscena", "-", "anchoBorde", ")", "/", "12", "*", "j", "+", "anchoBorde", ",", "altoEscena", "/", "16", "*", "(", "5", "-", "i", ")", "+", "anchoSuperior", ")", ";", "bloques3", ".", "push", "(", "ladrillosAux", ")", ";", "}", "}", "}", "escena3", "=", "new", "Escena", "(", "bloques3", ",", "bola1", ",", "paleta3", ")", ";", "escenas", ".", "push", "(", "escena3", ")", ";", "//La escena 4 es bastante mas grande, debido a sus 6 filas, debido a eso volvemos a poner 8 columnas para evitar un numero excesivo de ladrillos", "//Ademas de esto, los laterales tienen 2 de vida y los ladrillos forman una imagen que referencia a un famoso videojuego. ¿Cual? Bueno, tendras que llegar hasta aqui para averiguarlo", "paleta4", "=", "new", "Paleta", "(", "100", ",", "15", ",", "20", ",", "canvas", ".", "width", "/", "2", ",", "canvas", ".", "height", "*", "7", "/", "8", ")", ";", "bloques4", "=", "[", "]", ";", "for", "(", "var", "i", "=", "0", ";", "i", "<", "6", ";", "i", "++", ")", "{", "for", "(", "var", "j", "=", "0", ";", "j", "<", "8", ";", "j", "++", ")", "{", "var", "vidas", "=", "i", "+", "1", ";", "if", "(", "vidas", "==", "3", ")", "{", "vidas", "=", "2", ";", "}", "if", "(", "(", "j", "==", "1", "||", "j", "==", "2", "||", "j", "==", "5", "||", "j", "==", "6", ")", "&&", "(", "i", "==", "5", "||", "i", "==", "4", ")", ")", "{", "vidas", "=", "3", ";", "}", "if", "(", "(", "j", "==", "3", "||", "j", "==", "4", ")", "&&", "(", "i", "==", "2", "||", "i", "==", "3", ")", ")", "{", "vidas", "=", "3", "}", "if", "(", "(", "j", "==", "2", "||", "j", "==", "5", ")", "&&", "(", "i", "==", "2", "||", "i", "==", "1", ")", ")", "{", "vidas", "=", "3", ";", "}", "if", "(", "j", "==", "0", "||", "j", "==", "7", ")", "{", "vidas", "=", "2", ";", "}", "ladrillosAux", "=", "new", "Ladrillo", "(", "(", "anchoEscena", "-", "anchoBorde", ")", "/", "8", ",", "altoEscena", "/", "16", ",", "vidas", ",", "(", "anchoEscena", "-", "anchoBorde", ")", "/", "8", "*", "j", "+", "anchoBorde", ",", "altoEscena", "/", "16", "*", "(", "7", "-", "i", ")", "+", "anchoSuperior", ")", ";", "bloques4", ".", "push", "(", "ladrillosAux", ")", ";", "}", "}", "escena4", "=", "new", "Escena", "(", "bloques4", ",", "bola1", ",", "paleta4", ")", ";", "escenas", ".", "push", "(", "escena4", ")", ";", "}" ]
[ 602, 0 ]
[ 691, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
displayList
()
null
función que depliega la lista de series
función que depliega la lista de series
function displayList() { //hay que "limpiar" el contenido de la página cada vez que se recarge (o hagamos una nueva búsqueda) listOfShows.innerHTML = ''; let printList = `<h2 class="subtitle"> Resultados de la busqueda </h2>`; //creamos un bucle para sacar la información que queremos de cada elemento del array (en este caso un titulo y una imagen) for (const eachData of series) { printList += `<li class="js-listitem eachitemlist" id="${eachData.show.id}">`; printList += `<h3>${eachData.show.name}</h3>`; if (eachData.show.schedule.time === ''){ printList+= `<p>Sin especificar</p>` }else{ printList +=`<p>${eachData.show.schedule.time}</p>` } if (eachData.show.image === null) { //si la serie que aparece en la lista no tiene imagen, se le pondrá una por defecto. printList += `<img src="./assets/images/defaultimage.png" class="" alt="${eachData.show.name} cover image">`; } else { //si contiene una imagen, muestramela. printList += `<img src="${eachData.show.image.medium}" class="" alt="${eachData.show.name} cover image">`; } printList += `</li>`; } listOfShows.innerHTML = printList; //llamamos al siguiente paso handleListItem(); }
[ "function", "displayList", "(", ")", "{", "//hay que \"limpiar\" el contenido de la página cada vez que se recarge (o hagamos una nueva búsqueda)", "listOfShows", ".", "innerHTML", "=", "''", ";", "let", "printList", "=", "`", "`", ";", "//creamos un bucle para sacar la información que queremos de cada elemento del array (en este caso un titulo y una imagen)", "for", "(", "const", "eachData", "of", "series", ")", "{", "printList", "+=", "`", "${", "eachData", ".", "show", ".", "id", "}", "`", ";", "printList", "+=", "`", "${", "eachData", ".", "show", ".", "name", "}", "`", ";", "if", "(", "eachData", ".", "show", ".", "schedule", ".", "time", "===", "''", ")", "{", "printList", "+=", "`", "`", "}", "else", "{", "printList", "+=", "`", "${", "eachData", ".", "show", ".", "schedule", ".", "time", "}", "`", "}", "if", "(", "eachData", ".", "show", ".", "image", "===", "null", ")", "{", "//si la serie que aparece en la lista no tiene imagen, se le pondrá una por defecto.", "printList", "+=", "`", "${", "eachData", ".", "show", ".", "name", "}", "`", ";", "}", "else", "{", "//si contiene una imagen, muestramela.", "printList", "+=", "`", "${", "eachData", ".", "show", ".", "image", ".", "medium", "}", "${", "eachData", ".", "show", ".", "name", "}", "`", ";", "}", "printList", "+=", "`", "`", ";", "}", "listOfShows", ".", "innerHTML", "=", "printList", ";", "//llamamos al siguiente paso", "handleListItem", "(", ")", ";", "}" ]
[ 32, 0 ]
[ 58, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
guardarmodificacion
()
null
/* Funcion que MODIFICA las notas de una materia, de un determinado estudiante
/* Funcion que MODIFICA las notas de una materia, de un determinado estudiante
function guardarmodificacion(){ var materia_numareas = document.getElementById('materia_numareas').value; var nota_id = document.getElementById('nota_id').value; if(nota_id == 0 || nota_id == "" || nota_id == null){ alert("No hay notas para esta materia"); }else{ if(materia_numareas == 0 || materia_numareas == "" || materia_numareas == null){ alert("No hay limite de notas para esta materia"); }else{ var lasnotas = []; for (var i = 0; i < materia_numareas; i++) { var numnota = i+1; lasnotas.push($("#nota_pond"+numnota+"_mat").val()); //nota_pond+numnota = $("#nota_pond"+numnota+"_mat").val(); //eval("var nota_pond"+numnota+"_mat = "+$("#nota_pond"+numnota+"_mat").val()); //alert(nota_pond3_mat); } var base_url = document.getElementById('base_url').value; var controlador = base_url+"kardex_academico/modificar_notas/"; $.ajax({url: controlador, type:"POST", data:{materia_numareas:materia_numareas, lasnotas:lasnotas, nota_id:nota_id}, success:function(respuesta){ if(respuesta != null){ location.reload(); }else{ alert("posiblemente no tenga permisos de modificación, consulte con su administrador!."); } }, error: function(respuesta){ } }); } } }
[ "function", "guardarmodificacion", "(", ")", "{", "var", "materia_numareas", "=", "document", ".", "getElementById", "(", "'materia_numareas'", ")", ".", "value", ";", "var", "nota_id", "=", "document", ".", "getElementById", "(", "'nota_id'", ")", ".", "value", ";", "if", "(", "nota_id", "==", "0", "||", "nota_id", "==", "\"\"", "||", "nota_id", "==", "null", ")", "{", "alert", "(", "\"No hay notas para esta materia\"", ")", ";", "}", "else", "{", "if", "(", "materia_numareas", "==", "0", "||", "materia_numareas", "==", "\"\"", "||", "materia_numareas", "==", "null", ")", "{", "alert", "(", "\"No hay limite de notas para esta materia\"", ")", ";", "}", "else", "{", "var", "lasnotas", "=", "[", "]", ";", "for", "(", "var", "i", "=", "0", ";", "i", "<", "materia_numareas", ";", "i", "++", ")", "{", "var", "numnota", "=", "i", "+", "1", ";", "lasnotas", ".", "push", "(", "$", "(", "\"#nota_pond\"", "+", "numnota", "+", "\"_mat\"", ")", ".", "val", "(", ")", ")", ";", "//nota_pond+numnota = $(\"#nota_pond\"+numnota+\"_mat\").val();", "//eval(\"var nota_pond\"+numnota+\"_mat = \"+$(\"#nota_pond\"+numnota+\"_mat\").val());", "//alert(nota_pond3_mat);", "}", "var", "base_url", "=", "document", ".", "getElementById", "(", "'base_url'", ")", ".", "value", ";", "var", "controlador", "=", "base_url", "+", "\"kardex_academico/modificar_notas/\"", ";", "$", ".", "ajax", "(", "{", "url", ":", "controlador", ",", "type", ":", "\"POST\"", ",", "data", ":", "{", "materia_numareas", ":", "materia_numareas", ",", "lasnotas", ":", "lasnotas", ",", "nota_id", ":", "nota_id", "}", ",", "success", ":", "function", "(", "respuesta", ")", "{", "if", "(", "respuesta", "!=", "null", ")", "{", "location", ".", "reload", "(", ")", ";", "}", "else", "{", "alert", "(", "\"posiblemente no tenga permisos de modificación, consulte con su administrador!.\")", ";", "", "}", "}", ",", "error", ":", "function", "(", "respuesta", ")", "{", "}", "}", ")", ";", "}", "}", "}" ]
[ 21, 0 ]
[ 55, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
Save
()
null
guarda los datos nuevos
guarda los datos nuevos
function Save() { $.ajax({ url: "Store", method: 'post', data: catch_parameters(), success: function (result) { if (result.success) { toastr.success(result.msg); } else { toastr.warning(result.msg); } }, error: function (result) { console.log(result.responseJSON.message); toastr.error("CONTACTE A SU PROVEEDOR POR FAVOR."); }, }); table.ajax.reload(); }
[ "function", "Save", "(", ")", "{", "$", ".", "ajax", "(", "{", "url", ":", "\"Store\"", ",", "method", ":", "'post'", ",", "data", ":", "catch_parameters", "(", ")", ",", "success", ":", "function", "(", "result", ")", "{", "if", "(", "result", ".", "success", ")", "{", "toastr", ".", "success", "(", "result", ".", "msg", ")", ";", "}", "else", "{", "toastr", ".", "warning", "(", "result", ".", "msg", ")", ";", "}", "}", ",", "error", ":", "function", "(", "result", ")", "{", "console", ".", "log", "(", "result", ".", "responseJSON", ".", "message", ")", ";", "toastr", ".", "error", "(", "\"CONTACTE A SU PROVEEDOR POR FAVOR.\"", ")", ";", "}", ",", "}", ")", ";", "table", ".", "ajax", ".", "reload", "(", ")", ";", "}" ]
[ 94, 0 ]
[ 113, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
intercambiar
(celda1, celda2)
null
Este método intercambia las celdas (seleccionada y vacía) de lugar, utilizando el método de burbuja
Este método intercambia las celdas (seleccionada y vacía) de lugar, utilizando el método de burbuja
function intercambiar(celda1, celda2) { // Se clona el NODO OBJETO de la lista de elementos en la celda1 en una variable temporal. // Se puede ver la info del comando aquí: https://www.w3schools.com/jsref/met_node_clonenode.asp var tmp = celda1.cloneNode(true); // Se reemplaza el valor de tmp con celda1 celda1.parentNode.replaceChild(tmp, celda1); // Se reemplaza el valor de celda1 con el valor de celda2 celda2.parentNode.replaceChild(celda1, celda2); // Se reemplaza el valor de celda2 con el valor de tmp tmp.parentNode.replaceChild(celda2, tmp); }
[ "function", "intercambiar", "(", "celda1", ",", "celda2", ")", "{", "// Se clona el NODO OBJETO de la lista de elementos en la celda1 en una variable temporal.", "// Se puede ver la info del comando aquí: https://www.w3schools.com/jsref/met_node_clonenode.asp", "var", "tmp", "=", "celda1", ".", "cloneNode", "(", "true", ")", ";", "// Se reemplaza el valor de tmp con celda1", "celda1", ".", "parentNode", ".", "replaceChild", "(", "tmp", ",", "celda1", ")", ";", "// Se reemplaza el valor de celda1 con el valor de celda2", "celda2", ".", "parentNode", ".", "replaceChild", "(", "celda1", ",", "celda2", ")", ";", "// Se reemplaza el valor de celda2 con el valor de tmp", "tmp", ".", "parentNode", ".", "replaceChild", "(", "celda2", ",", "tmp", ")", ";", "}" ]
[ 159, 0 ]
[ 172, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
createStudent
({ name = requireParameter("name"), // Parámetro requerido / llamar. age, email = requireParameter("email"), instagram, facebook, tiktok, twitter, approveCourses = [], // Array vacío. learningPath = [], // Array vacío. // Para perdonar una lista vacía (array) => el parámetro que va a recibir nuestra función es otro parámetro (={}) >> } = {})
null
A) >>>> Para perdonar una lista vacía (array) => el parámetro que va a recibir nuestra función es otro parámetro (={}) >>
A) >>>> Para perdonar una lista vacía (array) => el parámetro que va a recibir nuestra función es otro parámetro (={}) >>
function createStudent({ name = requireParameter("name"), // Parámetro requerido / llamar. age, email = requireParameter("email"), instagram, facebook, tiktok, twitter, approveCourses = [], // Array vacío. learningPath = [], // Array vacío. // Para perdonar una lista vacía (array) => el parámetro que va a recibir nuestra función es otro parámetro (={}) >> } = {}) { // factory function> // Mantener mi objecto / no quiero que se puedan cambiar > const private = { // protegida> _name: name, }; // Estos sí los pueden ver / los pueden cambiar > const public = { age, email, socialMedia: { instagram, facebook, twitter, tiktok, }, //method>> //>>>> Getters and Setters>> get name() { return private["_name"]; }, /* readName() { */ /* return private["_name"]; */ /* }, */ set name(newName) { // nombre mayor a 0 characteres (letras)> if (newName.length != 0) { private["_name"] = newName; } else { console.warn(" Tú nombre debe de tener al menos un character"); } return private["_name"]; }, /* changeName(newName) { */ /* private["_name"] = newName; */ /* }, */ }; //Evitar ser editados readname >> /* Object.defineProperty(public, "readName", { */ /* //evitar los puedan borrar / evitar editar > */ /* writable: false, */ /* configurable: false, */ /* }); */ //Evitar ser editado changeName >> /* Object.defineProperty(public, "changeName", { */ /* writable: false, */ /* configurable: false, */ /* }); */ // >>>> éste quita getters and setters / quitando su protección con una nueva propiedad <<<<< Object.defineProperty(public, "name", { value: "Pam Beautiful", }); return public; }
[ "function", "createStudent", "(", "{", "name", "=", "requireParameter", "(", "\"name\"", ")", ",", "// Parámetro requerido / llamar.", "age", ",", "email", "=", "requireParameter", "(", "\"email\"", ")", ",", "instagram", ",", "facebook", ",", "tiktok", ",", "twitter", ",", "approveCourses", "=", "[", "]", ",", "// Array vacío.", "learningPath", "=", "[", "]", ",", "// Array vacío.", "// Para perdonar una lista vacía (array) => el parámetro que va a recibir nuestra función es otro parámetro (={}) >>", "}", "=", "{", "}", ")", "{", "// factory function>", "// Mantener mi objecto / no quiero que se puedan cambiar >", "const", "private", "=", "{", "// protegida>", "_name", ":", "name", ",", "}", ";", "// Estos sí los pueden ver / los pueden cambiar >", "const", "public", "=", "{", "age", ",", "email", ",", "socialMedia", ":", "{", "instagram", ",", "facebook", ",", "twitter", ",", "tiktok", ",", "}", ",", "//method>>", "//>>>> Getters and Setters>>", "get", "name", "(", ")", "{", "return", "private", "[", "\"_name\"", "]", ";", "}", ",", "/* readName() { */", "/* return private[\"_name\"]; */", "/* }, */", "set", "name", "(", "newName", ")", "{", "// nombre mayor a 0 characteres (letras)>", "if", "(", "newName", ".", "length", "!=", "0", ")", "{", "private", "[", "\"_name\"", "]", "=", "newName", ";", "}", "else", "{", "console", ".", "warn", "(", "\" Tú nombre debe de tener al menos un character\")", ";", "", "}", "return", "private", "[", "\"_name\"", "]", ";", "}", ",", "/* changeName(newName) { */", "/* private[\"_name\"] = newName; */", "/* }, */", "}", ";", "//Evitar ser editados readname >>", "/* Object.defineProperty(public, \"readName\", { */", "/* //evitar los puedan borrar / evitar editar > */", "/* writable: false, */", "/* configurable: false, */", "/* }); */", "//Evitar ser editado changeName >>", "/* Object.defineProperty(public, \"changeName\", { */", "/* writable: false, */", "/* configurable: false, */", "/* }); */", "// >>>> éste quita getters and setters / quitando su protección con una nueva propiedad <<<<<", "Object", ".", "defineProperty", "(", "public", ",", "\"name\"", ",", "{", "value", ":", "\"Pam Beautiful\"", ",", "}", ")", ";", "return", "public", ";", "}" ]
[ 17, 0 ]
[ 88, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
actualizarCantidad
(numero_a_modificar)
null
Recibe del componente hijo <formcantidad-component> la cantidad del producto
Recibe del componente hijo <formcantidad-component> la cantidad del producto
function actualizarCantidad(numero_a_modificar) { this.product.cantidad_producto += numero_a_modificar; }
[ "function", "actualizarCantidad", "(", "numero_a_modificar", ")", "{", "this", ".", "product", ".", "cantidad_producto", "+=", "numero_a_modificar", ";", "}" ]
[ 69, 24 ]
[ 71, 5 ]
null
javascript
es
['es', 'es', 'es']
True
true
pair
listenTvFavSelected
()
null
con esta función escucho al elemento que clicko y quiero añadir a favoritos
con esta función escucho al elemento que clicko y quiero añadir a favoritos
function listenTvFavSelected() { const listFavorites = document.querySelectorAll('.js_list'); for (const favEl of listFavorites) { favEl.classList.add('show'); favEl.addEventListener('click', handleFavTvSelected); } }
[ "function", "listenTvFavSelected", "(", ")", "{", "const", "listFavorites", "=", "document", ".", "querySelectorAll", "(", "'.js_list'", ")", ";", "for", "(", "const", "favEl", "of", "listFavorites", ")", "{", "favEl", ".", "classList", ".", "add", "(", "'show'", ")", ";", "favEl", ".", "addEventListener", "(", "'click'", ",", "handleFavTvSelected", ")", ";", "}", "}" ]
[ 93, 0 ]
[ 99, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
()
null
ajax con fetch
ajax con fetch
function () { fetch('views/modulos/ajax/API_estadisticas.php?action=getConteoMantenimientos') .then( response => response.json()) .then( responseJSON => { let cantidadPendientes = responseJSON.data[0].MantPendientes; let porcentFinalizados = responseJSON.data[0].PorcentMantFinalizados; document.getElementById('countUpMeMantenimientos').innerHTML = cantidadPendientes; document.getElementById('countUpMePorcentFinish').innerHTML = porcentFinalizados; altair_dashboard.count_animated(); }) .catch( error => console.log(error)) }
[ "function", "(", ")", "{", "fetch", "(", "'views/modulos/ajax/API_estadisticas.php?action=getConteoMantenimientos'", ")", ".", "then", "(", "response", "=>", "response", ".", "json", "(", ")", ")", ".", "then", "(", "responseJSON", "=>", "{", "let", "cantidadPendientes", "=", "responseJSON", ".", "data", "[", "0", "]", ".", "MantPendientes", ";", "let", "porcentFinalizados", "=", "responseJSON", ".", "data", "[", "0", "]", ".", "PorcentMantFinalizados", ";", "document", ".", "getElementById", "(", "'countUpMeMantenimientos'", ")", ".", "innerHTML", "=", "cantidadPendientes", ";", "document", ".", "getElementById", "(", "'countUpMePorcentFinish'", ")", ".", "innerHTML", "=", "porcentFinalizados", ";", "altair_dashboard", ".", "count_animated", "(", ")", ";", "}", ")", ".", "catch", "(", "error", "=>", "console", ".", "log", "(", "error", ")", ")", "}" ]
[ 37, 26 ]
[ 49, 5 ]
null
javascript
es
['es', 'es', 'es']
True
true
pair
()
null
Ajax Cargar los datos de las participaciones
Ajax Cargar los datos de las participaciones
function(){ var urlCarga = '/ajax/listar/participaciones/ficha/' + this.MAP_F_IdFicha; axios.get( urlCarga ).then( response => { if(response.data.status == 'ERROR'){ swal({ title: "¡ADVERTENCIA!", text: "Ocurrio un error al detectar la unidad recaudadora que esta utilizando,debe selecionarla nuevamente", type: "warning" }, function() { window.location = response.data.route; }); }else{ this.participaciones = response.data; } }); }
[ "function", "(", ")", "{", "var", "urlCarga", "=", "'/ajax/listar/participaciones/ficha/'", "+", "this", ".", "MAP_F_IdFicha", ";", "axios", ".", "get", "(", "urlCarga", ")", ".", "then", "(", "response", "=>", "{", "if", "(", "response", ".", "data", ".", "status", "==", "'ERROR'", ")", "{", "swal", "(", "{", "title", ":", "\"¡ADVERTENCIA!\",", "", "text", ":", "\"Ocurrio un error al detectar la unidad recaudadora que esta utilizando,debe selecionarla nuevamente\"", ",", "type", ":", "\"warning\"", "}", ",", "function", "(", ")", "{", "window", ".", "location", "=", "response", ".", "data", ".", "route", ";", "}", ")", ";", "}", "else", "{", "this", ".", "participaciones", "=", "response", ".", "data", ";", "}", "}", ")", ";", "}" ]
[ 97, 31 ]
[ 112, 9 ]
null
javascript
es
['es', 'es', 'es']
True
true
pair
diametroCirculo
(radio)
null
const radioCirculo = 4; console.log("El radio del círculo es:" + radioCirculo + "cm"); Diámetro
const radioCirculo = 4; console.log("El radio del círculo es:" + radioCirculo + "cm"); Diámetro
function diametroCirculo(radio) { return radio * 2 }
[ "function", "diametroCirculo", "(", "radio", ")", "{", "return", "radio", "*", "2", "}" ]
[ 56, 0 ]
[ 58, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
find_min
(a, f)
null
busnca el indice del elemento en el array f retorna el valor mas pequeño
busnca el indice del elemento en el array f retorna el valor mas pequeño
function find_min(a, f) { var min = null, pos = null; for (var i = 0; i < a.length; ++i) { var el = f(a[i]); if (min === null || min > el) { min = el; pos = i; } } return pos; }
[ "function", "find_min", "(", "a", ",", "f", ")", "{", "var", "min", "=", "null", ",", "pos", "=", "null", ";", "for", "(", "var", "i", "=", "0", ";", "i", "<", "a", ".", "length", ";", "++", "i", ")", "{", "var", "el", "=", "f", "(", "a", "[", "i", "]", ")", ";", "if", "(", "min", "===", "null", "||", "min", ">", "el", ")", "{", "min", "=", "el", ";", "pos", "=", "i", ";", "}", "}", "return", "pos", ";", "}" ]
[ 31, 0 ]
[ 41, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
resalta
(elEvento)
null
elEvento es un objeto Event y tiene property type
elEvento es un objeto Event y tiene property type
function resalta(elEvento) { switch(elEvento.type){ case 'mouseout': console.log("Me fuie de timmer") break; case 'mouseover': console.log("Pase por arriba de timmer") break; case 'click': console.log("Le hice click a timmer") break; default: console.log(elEvento.type); break; } }
[ "function", "resalta", "(", "elEvento", ")", "{", "switch", "(", "elEvento", ".", "type", ")", "{", "case", "'mouseout'", ":", "console", ".", "log", "(", "\"Me fuie de timmer\"", ")", "break", ";", "case", "'mouseover'", ":", "console", ".", "log", "(", "\"Pase por arriba de timmer\"", ")", "break", ";", "case", "'click'", ":", "console", ".", "log", "(", "\"Le hice click a timmer\"", ")", "break", ";", "default", ":", "console", ".", "log", "(", "elEvento", ".", "type", ")", ";", "break", ";", "}", "}" ]
[ 29, 0 ]
[ 46, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
principal
()
null
Importamos la clase server desde el archivo server.ts Construccion de la funcion
Importamos la clase server desde el archivo server.ts Construccion de la funcion
function principal() { const servidor = new server_1.Server(); //Se crea la instancia de la clase, que es la llave de acceso a todas sus funciones y se ejecuta el constructor en Server servidor.listen(); //Se ejecuta la funcion }
[ "function", "principal", "(", ")", "{", "const", "servidor", "=", "new", "server_1", ".", "Server", "(", ")", ";", "//Se crea la instancia de la clase, que es la llave de acceso a todas sus funciones y se ejecuta el constructor en Server ", "servidor", ".", "listen", "(", ")", ";", "//Se ejecuta la funcion", "}" ]
[ 4, 0 ]
[ 7, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
suma
(valor1, valor2)
null
Let solo se usa para la signacion de una variable que este en un bloque de código
Let solo se usa para la signacion de una variable que este en un bloque de código
function suma(valor1, valor2){ var resultado = valor1 + valor2 console.log(`El resultado de la suma de los dos digitos es ${resultado}`) }
[ "function", "suma", "(", "valor1", ",", "valor2", ")", "{", "var", "resultado", "=", "valor1", "+", "valor2", "console", ".", "log", "(", "`", "${", "resultado", "}", "`", ")", "}" ]
[ 2, 0 ]
[ 5, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
formReset
()
null
Resetear el formulario
Resetear el formulario
function formReset() { form.reset(); startApp(); }
[ "function", "formReset", "(", ")", "{", "form", ".", "reset", "(", ")", ";", "startApp", "(", ")", ";", "}" ]
[ 138, 0 ]
[ 142, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
loadclasesbymodality
()
null
codigo para cargar solo las clases asignadas a una modalidad seleccionado
codigo para cargar solo las clases asignadas a una modalidad seleccionado
function loadclasesbymodality() { //obtenemos el id de la modalidad seleccionada var modalidad = $("#modalities").val(); var token = $("#token").val(); $.ajax({ //url:'../../../../ajax/clasesbymodalityid', url: "../ajax/clasesbymodalityid", headers: token, data: { modality_id: modalidad, _token: token }, type: "POST", datatype: "json", success: function (data) { //console.log(response); $("#clases").html(data); }, error: function (response) { console.log(response); }, }); }
[ "function", "loadclasesbymodality", "(", ")", "{", "//obtenemos el id de la modalidad seleccionada", "var", "modalidad", "=", "$", "(", "\"#modalities\"", ")", ".", "val", "(", ")", ";", "var", "token", "=", "$", "(", "\"#token\"", ")", ".", "val", "(", ")", ";", "$", ".", "ajax", "(", "{", "//url:'../../../../ajax/clasesbymodalityid',", "url", ":", "\"../ajax/clasesbymodalityid\"", ",", "headers", ":", "token", ",", "data", ":", "{", "modality_id", ":", "modalidad", ",", "_token", ":", "token", "}", ",", "type", ":", "\"POST\"", ",", "datatype", ":", "\"json\"", ",", "success", ":", "function", "(", "data", ")", "{", "//console.log(response);", "$", "(", "\"#clases\"", ")", ".", "html", "(", "data", ")", ";", "}", ",", "error", ":", "function", "(", "response", ")", "{", "console", ".", "log", "(", "response", ")", ";", "}", ",", "}", ")", ";", "}" ]
[ 368, 0 ]
[ 389, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
tablaresultadosmensaje
(limite)
null
Tabla resultados de la busqueda en el index de mensaje
Tabla resultados de la busqueda en el index de mensaje
function tablaresultadosmensaje(limite) { var controlador = ""; var parametro = ""; var elestado = ""; var lim = ""; var base_url = document.getElementById('base_url').value; controlador = base_url+'mensaje/buscarmensaje/'; //al inicar carga con los ultimos 50 mensajes if(limite == 1){ lim = "LIMIT 50"; // carga todos los productos de la BD }else if(limite == 3){ lim = ""; }else{ var estado = document.getElementById('estado_id').value; if(estado == 0){ elestado += ""; }else{ elestado += " and m.estado_id = "+estado+" "; /*estadotext = $('select[name="estado_id"] option:selected').text(); estadotext = "Estado: "+estadotext;*/ } parametro = document.getElementById('filtrar').value; } document.getElementById('loader').style.display = 'block'; //muestra el bloque del loader $.ajax({url: controlador, type:"POST", data:{parametro:parametro, lim:lim, elestado:elestado}, success:function(respuesta){ $("#encontrados").val("- 0 -"); var registros = JSON.parse(respuesta); if (registros != null){ var n = registros.length; //tamaño del arreglo de la consulta //$("#encontrados").val("- "+n+" -"); html = ""; for (var i = 0; i < n ; i++){ html += "<tr style='background-color: "+registros[i]["estado_color"]+"'>"; html += "<td>"+(i+1)+"</td>"; html += "<td>"+registros[i]["mensaje_nombre"]+"</td>"; html += "<td>"+registros[i]["mensaje_email"]+"</td>"; html += "<td>"+registros[i]["mensaje_telefono"]+"</td>"; html += "<td>"; var men1 = registros[i]["mensaje_texto"]; var men = men1.substr(0,25); var suspensivos = ""; if(men1.length >20){ suspensivos = "..."; } html += men+suspensivos; html += "</td>"; html += "<td>"; var resp1 = registros[i]["mensaje_respuesta"]; var resp = ""; var suspensivosresp = ""; if(resp1){ resp = resp1.substr(0,25); if(resp1.length >20){ suspensivosresp = "..."; } } html += resp+suspensivosresp; html += "</td>"; html += "<td>"+registros[i]["estado_descripcion"]+"</td>"; html += "<td>"; //html += "<?php"; var esteicon = ""; var cambiarestado = ""; if(registros[i]["estado_id"] == 3){ esteicon = "envelope"; cambiarestado= "onclick='cambiarestado("+registros[i]["mensaje_id"]+")'"; }else{ esteicon = "envelope-o"; cambiarestado = ""; } html += "<a data-toggle='modal' data-target='#myModal"+registros[i]["mensaje_id"]+"' title='Leer Mensaje' class='btn btn-info btn-xs'><span class='fa fa-"+esteicon+"'></span></a>"; html += "<!------------------------ INICIO modal para ver Correo ------------------->"; html += "<div class='modal' id='myModal"+registros[i]["mensaje_id"]+"' tabindex='-1' role='dialog' aria-labelledby='myModalLabel"+i+"'>"; html += "<div class='modal-dialog' role='document'>"; html += "<br><br>"; html += "<div class='modal-content'>"; html += "<div class='modal-header'>"; html += "<button type='button' class='close' data-dismiss='modal' aria-label='Close'><span aria-hidden='true'>x</span></button>"; html += "<b>De: </b>"+registros[i]["mensaje_nombre"]+" &#60"+registros[i]["mensaje_email"]+"&#62"; html += "</div>"; html += "<div class='modal-body'>"; html += "<!------------------------------------------------------------------->"; var horamensaje = moment(registros[i]["mensaje_fechahoraing"]).format("DD/MM/YYYY H:m:s")+"<br>"; html += "<b>Fecha: </b> "+horamensaje; html += "<b>Teléfono: </b> "+registros[i]["mensaje_telefono"]; html += "<br>"; html += "<b> Mensaje: </b><div style='text-align: justify'>"+registros[i]["mensaje_texto"]+"</div>"; html += "<br>"; if(registros[i]["mensaje_respuesta"] != null){ html += "<br>"; var horamensajeresp = moment(registros[i]["mensaje_fechahoraresp"]).format("DD/MM/YYYY H:m:s"); html += "<b>Fecha Resp.: </b> "+horamensajeresp+"<br>"; html += "<b>Respuesta: </b><div style='text-align: justify'>"+registros[i]["mensaje_respuesta"]+"</div>"; } //html += "</h3>"; html += "<!------------------------------------------------------------------->"; html += "</div>"; html += "<div class='modal-footer aligncenter'>"; if(registros[i]["mensaje_telefono"] != "" && registros[i]["mensaje_telefono"] != null){ html += "<a "+cambiarestado+" href='https://wa.me/591"+registros[i]["mensaje_telefono"]+"' target='_blank' class='btn btn-success' title='whatsapp'><span class='fa fa-whatsapp'></span></a>"; } html += "<a "+cambiarestado+" href='"+base_url+"mensaje/responder/"+registros[i]["mensaje_id"]+"' class='btn btn-success' title='responder' ><span class='fa fa-mail-forward'></span></a>"; html += "<a href='#' class='btn btn-danger' data-dismiss='modal' title='salir'><span class='fa fa-times'></span></a>"; html += "</div>"; html += "</div>"; html += "</div>"; html += "</div>"; html += "<!------------------------ FIN modal para ver Correo ------------------->"; html += "</td>"; html += "</tr>"; } $("#tablaresultados").html(html); document.getElementById('loader').style.display = 'none'; } document.getElementById('loader').style.display = 'none'; //ocultar el bloque del loader }, error:function(respuesta){ // alert("Algo salio mal...!!!"); html = ""; $("#tablaresultados").html(html); }, complete: function (jqXHR, textStatus) { document.getElementById('loader').style.display = 'none'; //ocultar el bloque del loader //tabla_inventario(); } }); }
[ "function", "tablaresultadosmensaje", "(", "limite", ")", "{", "var", "controlador", "=", "\"\"", ";", "var", "parametro", "=", "\"\"", ";", "var", "elestado", "=", "\"\"", ";", "var", "lim", "=", "\"\"", ";", "var", "base_url", "=", "document", ".", "getElementById", "(", "'base_url'", ")", ".", "value", ";", "controlador", "=", "base_url", "+", "'mensaje/buscarmensaje/'", ";", "//al inicar carga con los ultimos 50 mensajes\r", "if", "(", "limite", "==", "1", ")", "{", "lim", "=", "\"LIMIT 50\"", ";", "// carga todos los productos de la BD \r", "}", "else", "if", "(", "limite", "==", "3", ")", "{", "lim", "=", "\"\"", ";", "}", "else", "{", "var", "estado", "=", "document", ".", "getElementById", "(", "'estado_id'", ")", ".", "value", ";", "if", "(", "estado", "==", "0", ")", "{", "elestado", "+=", "\"\"", ";", "}", "else", "{", "elestado", "+=", "\" and m.estado_id = \"", "+", "estado", "+", "\" \"", ";", "/*estadotext = $('select[name=\"estado_id\"] option:selected').text();\r\n estadotext = \"Estado: \"+estadotext;*/", "}", "parametro", "=", "document", ".", "getElementById", "(", "'filtrar'", ")", ".", "value", ";", "}", "document", ".", "getElementById", "(", "'loader'", ")", ".", "style", ".", "display", "=", "'block'", ";", "//muestra el bloque del loader\r", "$", ".", "ajax", "(", "{", "url", ":", "controlador", ",", "type", ":", "\"POST\"", ",", "data", ":", "{", "parametro", ":", "parametro", ",", "lim", ":", "lim", ",", "elestado", ":", "elestado", "}", ",", "success", ":", "function", "(", "respuesta", ")", "{", "$", "(", "\"#encontrados\"", ")", ".", "val", "(", "\"- 0 -\"", ")", ";", "var", "registros", "=", "JSON", ".", "parse", "(", "respuesta", ")", ";", "if", "(", "registros", "!=", "null", ")", "{", "var", "n", "=", "registros", ".", "length", ";", "//tamaño del arreglo de la consulta\r", "//$(\"#encontrados\").val(\"- \"+n+\" -\");\r", "html", "=", "\"\"", ";", "for", "(", "var", "i", "=", "0", ";", "i", "<", "n", ";", "i", "++", ")", "{", "html", "+=", "\"<tr style='background-color: \"", "+", "registros", "[", "i", "]", "[", "\"estado_color\"", "]", "+", "\"'>\"", ";", "html", "+=", "\"<td>\"", "+", "(", "i", "+", "1", ")", "+", "\"</td>\"", ";", "html", "+=", "\"<td>\"", "+", "registros", "[", "i", "]", "[", "\"mensaje_nombre\"", "]", "+", "\"</td>\"", ";", "html", "+=", "\"<td>\"", "+", "registros", "[", "i", "]", "[", "\"mensaje_email\"", "]", "+", "\"</td>\"", ";", "html", "+=", "\"<td>\"", "+", "registros", "[", "i", "]", "[", "\"mensaje_telefono\"", "]", "+", "\"</td>\"", ";", "html", "+=", "\"<td>\"", ";", "var", "men1", "=", "registros", "[", "i", "]", "[", "\"mensaje_texto\"", "]", ";", "var", "men", "=", "men1", ".", "substr", "(", "0", ",", "25", ")", ";", "var", "suspensivos", "=", "\"\"", ";", "if", "(", "men1", ".", "length", ">", "20", ")", "{", "suspensivos", "=", "\"...\"", ";", "}", "html", "+=", "men", "+", "suspensivos", ";", "html", "+=", "\"</td>\"", ";", "html", "+=", "\"<td>\"", ";", "var", "resp1", "=", "registros", "[", "i", "]", "[", "\"mensaje_respuesta\"", "]", ";", "var", "resp", "=", "\"\"", ";", "var", "suspensivosresp", "=", "\"\"", ";", "if", "(", "resp1", ")", "{", "resp", "=", "resp1", ".", "substr", "(", "0", ",", "25", ")", ";", "if", "(", "resp1", ".", "length", ">", "20", ")", "{", "suspensivosresp", "=", "\"...\"", ";", "}", "}", "html", "+=", "resp", "+", "suspensivosresp", ";", "html", "+=", "\"</td>\"", ";", "html", "+=", "\"<td>\"", "+", "registros", "[", "i", "]", "[", "\"estado_descripcion\"", "]", "+", "\"</td>\"", ";", "html", "+=", "\"<td>\"", ";", "//html += \"<?php\";\r", "var", "esteicon", "=", "\"\"", ";", "var", "cambiarestado", "=", "\"\"", ";", "if", "(", "registros", "[", "i", "]", "[", "\"estado_id\"", "]", "==", "3", ")", "{", "esteicon", "=", "\"envelope\"", ";", "cambiarestado", "=", "\"onclick='cambiarestado(\"", "+", "registros", "[", "i", "]", "[", "\"mensaje_id\"", "]", "+", "\")'\"", ";", "}", "else", "{", "esteicon", "=", "\"envelope-o\"", ";", "cambiarestado", "=", "\"\"", ";", "}", "html", "+=", "\"<a data-toggle='modal' data-target='#myModal\"", "+", "registros", "[", "i", "]", "[", "\"mensaje_id\"", "]", "+", "\"' title='Leer Mensaje' class='btn btn-info btn-xs'><span class='fa fa-\"", "+", "esteicon", "+", "\"'></span></a>\"", ";", "html", "+=", "\"<!------------------------ INICIO modal para ver Correo ------------------->\"", ";", "html", "+=", "\"<div class='modal' id='myModal\"", "+", "registros", "[", "i", "]", "[", "\"mensaje_id\"", "]", "+", "\"' tabindex='-1' role='dialog' aria-labelledby='myModalLabel\"", "+", "i", "+", "\"'>\"", ";", "html", "+=", "\"<div class='modal-dialog' role='document'>\"", ";", "html", "+=", "\"<br><br>\"", ";", "html", "+=", "\"<div class='modal-content'>\"", ";", "html", "+=", "\"<div class='modal-header'>\"", ";", "html", "+=", "\"<button type='button' class='close' data-dismiss='modal' aria-label='Close'><span aria-hidden='true'>x</span></button>\"", ";", "html", "+=", "\"<b>De: </b>\"", "+", "registros", "[", "i", "]", "[", "\"mensaje_nombre\"", "]", "+", "\" &#60\"", "+", "registros", "[", "i", "]", "[", "\"mensaje_email\"", "]", "+", "\"&#62\"", ";", "html", "+=", "\"</div>\"", ";", "html", "+=", "\"<div class='modal-body'>\"", ";", "html", "+=", "\"<!------------------------------------------------------------------->\"", ";", "var", "horamensaje", "=", "moment", "(", "registros", "[", "i", "]", "[", "\"mensaje_fechahoraing\"", "]", ")", ".", "format", "(", "\"DD/MM/YYYY H:m:s\"", ")", "+", "\"<br>\"", ";", "html", "+=", "\"<b>Fecha: </b> \"", "+", "horamensaje", ";", "html", "+=", "\"<b>Teléfono: </b> \"+", "r", "egistros[", "i", "]", "[", "\"", "mensaje_telefono\"]", ";", "\r", "html", "+=", "\"<br>\"", ";", "html", "+=", "\"<b> Mensaje: </b><div style='text-align: justify'>\"", "+", "registros", "[", "i", "]", "[", "\"mensaje_texto\"", "]", "+", "\"</div>\"", ";", "html", "+=", "\"<br>\"", ";", "if", "(", "registros", "[", "i", "]", "[", "\"mensaje_respuesta\"", "]", "!=", "null", ")", "{", "html", "+=", "\"<br>\"", ";", "var", "horamensajeresp", "=", "moment", "(", "registros", "[", "i", "]", "[", "\"mensaje_fechahoraresp\"", "]", ")", ".", "format", "(", "\"DD/MM/YYYY H:m:s\"", ")", ";", "html", "+=", "\"<b>Fecha Resp.: </b> \"", "+", "horamensajeresp", "+", "\"<br>\"", ";", "html", "+=", "\"<b>Respuesta: </b><div style='text-align: justify'>\"", "+", "registros", "[", "i", "]", "[", "\"mensaje_respuesta\"", "]", "+", "\"</div>\"", ";", "}", "//html += \"</h3>\";\r", "html", "+=", "\"<!------------------------------------------------------------------->\"", ";", "html", "+=", "\"</div>\"", ";", "html", "+=", "\"<div class='modal-footer aligncenter'>\"", ";", "if", "(", "registros", "[", "i", "]", "[", "\"mensaje_telefono\"", "]", "!=", "\"\"", "&&", "registros", "[", "i", "]", "[", "\"mensaje_telefono\"", "]", "!=", "null", ")", "{", "html", "+=", "\"<a \"", "+", "cambiarestado", "+", "\" href='https://wa.me/591\"", "+", "registros", "[", "i", "]", "[", "\"mensaje_telefono\"", "]", "+", "\"' target='_blank' class='btn btn-success' title='whatsapp'><span class='fa fa-whatsapp'></span></a>\"", ";", "}", "html", "+=", "\"<a \"", "+", "cambiarestado", "+", "\" href='\"", "+", "base_url", "+", "\"mensaje/responder/\"", "+", "registros", "[", "i", "]", "[", "\"mensaje_id\"", "]", "+", "\"' class='btn btn-success' title='responder' ><span class='fa fa-mail-forward'></span></a>\"", ";", "html", "+=", "\"<a href='#' class='btn btn-danger' data-dismiss='modal' title='salir'><span class='fa fa-times'></span></a>\"", ";", "html", "+=", "\"</div>\"", ";", "html", "+=", "\"</div>\"", ";", "html", "+=", "\"</div>\"", ";", "html", "+=", "\"</div>\"", ";", "html", "+=", "\"<!------------------------ FIN modal para ver Correo ------------------->\"", ";", "html", "+=", "\"</td>\"", ";", "html", "+=", "\"</tr>\"", ";", "}", "$", "(", "\"#tablaresultados\"", ")", ".", "html", "(", "html", ")", ";", "document", ".", "getElementById", "(", "'loader'", ")", ".", "style", ".", "display", "=", "'none'", ";", "}", "document", ".", "getElementById", "(", "'loader'", ")", ".", "style", ".", "display", "=", "'none'", ";", "//ocultar el bloque del loader\r", "}", ",", "error", ":", "function", "(", "respuesta", ")", "{", "// alert(\"Algo salio mal...!!!\");\r", "html", "=", "\"\"", ";", "$", "(", "\"#tablaresultados\"", ")", ".", "html", "(", "html", ")", ";", "}", ",", "complete", ":", "function", "(", "jqXHR", ",", "textStatus", ")", "{", "document", ".", "getElementById", "(", "'loader'", ")", ".", "style", ".", "display", "=", "'none'", ";", "//ocultar el bloque del loader \r", "//tabla_inventario();\r", "}", "}", ")", ";", "}" ]
[ 6, 0 ]
[ 146, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
RESET
()
null
/*Esta funcion envia una señal a true, y despues de un segundo la vuelve false cambia la variable RESET
/*Esta funcion envia una señal a true, y despues de un segundo la vuelve false cambia la variable RESET
function RESET(){ if (comprobarUso()) { $($.ajax({ method:'POST', data:'\"WEB_1\".RESET=true', success:function(e){ console.log("funciona, se ha enviado "+'\"WEB_1\".RESET=true'); }, error:function(){ console.log("errores"); } })); setTimeout(function(){ $($.ajax({ method:'POST', data:'\"WEB_1\".RESET=false', success:function(e){ console.log("Funciona, se ha enviado "+'\"WEB_1\".RESET=false'); }, error:function(){ console.log("errores"); } })); },1000) } }
[ "function", "RESET", "(", ")", "{", "if", "(", "comprobarUso", "(", ")", ")", "{", "$", "(", "$", ".", "ajax", "(", "{", "method", ":", "'POST'", ",", "data", ":", "'\\\"WEB_1\\\".RESET=true'", ",", "success", ":", "function", "(", "e", ")", "{", "console", ".", "log", "(", "\"funciona, se ha enviado \"", "+", "'\\\"WEB_1\\\".RESET=true'", ")", ";", "}", ",", "error", ":", "function", "(", ")", "{", "console", ".", "log", "(", "\"errores\"", ")", ";", "}", "}", ")", ")", ";", "setTimeout", "(", "function", "(", ")", "{", "$", "(", "$", ".", "ajax", "(", "{", "method", ":", "'POST'", ",", "data", ":", "'\\\"WEB_1\\\".RESET=false'", ",", "success", ":", "function", "(", "e", ")", "{", "console", ".", "log", "(", "\"Funciona, se ha enviado \"", "+", "'\\\"WEB_1\\\".RESET=false'", ")", ";", "}", ",", "error", ":", "function", "(", ")", "{", "console", ".", "log", "(", "\"errores\"", ")", ";", "}", "}", ")", ")", ";", "}", ",", "1000", ")", "}", "}" ]
[ 44, 0 ]
[ 69, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
f4
(_i: any, ...rest)
null
no codegen no error
no codegen no error
function f4(_i: any, ...rest) { // error }
[ "function", "f4", "(", "_i", ":", "any", ",", "...", "rest", ")", "{", "// error", "}" ]
[ 17, 4 ]
[ 18, 5 ]
null
javascript
es
['es', 'es', 'es']
True
true
statement_block
estado_inicial
()
null
para regresar al a ingresar los datos
para regresar al a ingresar los datos
function estado_inicial(){ form.classList.remove("none"); permisos.classList.add('none'); acceso__visita.classList.add('none') }
[ "function", "estado_inicial", "(", ")", "{", "form", ".", "classList", ".", "remove", "(", "\"none\"", ")", ";", "permisos", ".", "classList", ".", "add", "(", "'none'", ")", ";", "acceso__visita", ".", "classList", ".", "add", "(", "'none'", ")", "}" ]
[ 212, 0 ]
[ 216, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
()
null
y y /** calcCloseButtonPos() get close button position. Called by initCloseButton function in abstract class "Layer", @return { JSON } position, close button position, relative to layer.
y y /** calcCloseButtonPos() get close button position. Called by initCloseButton function in abstract class "Layer",
function() { let xTranslate; // Close button is positioned in the left of layer, different strategy if layer1d is in "paging mode" if ( this.paging ) { xTranslate = - this.queueLength * this.unitLength / 2 - 10 * this.unitLength; } else { xTranslate = - this.actualWidth / 2 - 10 * this.unitLength; } return { x: xTranslate, y: 0, z: 0 }; }
[ "function", "(", ")", "{", "let", "xTranslate", ";", "// Close button is positioned in the left of layer, different strategy if layer1d is in \"paging mode\"", "if", "(", "this", ".", "paging", ")", "{", "xTranslate", "=", "-", "this", ".", "queueLength", "*", "this", ".", "unitLength", "/", "2", "-", "10", "*", "this", ".", "unitLength", ";", "}", "else", "{", "xTranslate", "=", "-", "this", ".", "actualWidth", "/", "2", "-", "10", "*", "this", ".", "unitLength", ";", "}", "return", "{", "x", ":", "xTranslate", ",", "y", ":", "0", ",", "z", ":", "0", "}", ";", "}" ]
[ 382, 21 ]
[ 406, 2 ]
null
javascript
es
['es', 'es', 'es']
True
true
pair
cambiarInspector
()
null
Se crea una variable con la ruta raíz del proyecto var url = "http://localhost/fiscalizacion/public";
Se crea una variable con la ruta raíz del proyecto var url = "http://localhost/fiscalizacion/public";
function cambiarInspector(){ $(document).on('click', '.cambiar-inspector', function(e){ e.preventDefault(); var id = $(this).attr('id'); $.ajax({ url: url + '/inspecciones/editar/' + id, type: 'get', success: function (response) { if (response != ""){ $('#cambiar-inspector').modal('show'); $('#id-cambio-inspector').val(response.id); $('#inspector-edit').val(response.inspector_id); } } }); }); }
[ "function", "cambiarInspector", "(", ")", "{", "$", "(", "document", ")", ".", "on", "(", "'click'", ",", "'.cambiar-inspector'", ",", "function", "(", "e", ")", "{", "e", ".", "preventDefault", "(", ")", ";", "var", "id", "=", "$", "(", "this", ")", ".", "attr", "(", "'id'", ")", ";", "$", ".", "ajax", "(", "{", "url", ":", "url", "+", "'/inspecciones/editar/'", "+", "id", ",", "type", ":", "'get'", ",", "success", ":", "function", "(", "response", ")", "{", "if", "(", "response", "!=", "\"\"", ")", "{", "$", "(", "'#cambiar-inspector'", ")", ".", "modal", "(", "'show'", ")", ";", "$", "(", "'#id-cambio-inspector'", ")", ".", "val", "(", "response", ".", "id", ")", ";", "$", "(", "'#inspector-edit'", ")", ".", "val", "(", "response", ".", "inspector_id", ")", ";", "}", "}", "}", ")", ";", "}", ")", ";", "}" ]
[ 5, 1 ]
[ 21, 2 ]
null
javascript
es
['es', 'es', 'es']
True
true
statement_block
calcularPrecioMasCupon
()
null
function eleccionCupones(cupon) { switch(cupon) { case 'NIVEL_UNO': descuentoCupon = 10; break; case 'NIVEL_DOS': descuentoCupon = 20; break; case 'NIVEL_TRES': descuentoCupon = 30; break; default: descuentoCupon = 0; } }
function eleccionCupones(cupon) { switch(cupon) { case 'NIVEL_UNO': descuentoCupon = 10; break; case 'NIVEL_DOS': descuentoCupon = 20; break; case 'NIVEL_TRES': descuentoCupon = 30; break; default: descuentoCupon = 0; } }
function calcularPrecioMasCupon() { const inputPrice = document.getElementById("InputPrice"); const valuePrice = inputPrice.value; const inputCupon = document.getElementById("InputCupon"); const valueCupon = inputCupon.value; let descuentoCupon; // definimos la variable afuera del switch, debido a la sintaxys del switch switch(valueCupon) { case 'NIVEL_UNO': descuentoCupon = 10; break; case 'NIVEL_DOS': descuentoCupon = 20; break; case 'NIVEL_TRES': descuentoCupon = 30; break; default: descuentoCupon = 0; } // descuentoCupon = eleccionCupones(valueCupon); precioConDescuento = calcularPrecioConDescuento(valuePrice, descuentoCupon); const resultPrice = document.getElementById("ResultPrice"); resultPrice.innerText = "El precio total es: $" + precioConDescuento; }
[ "function", "calcularPrecioMasCupon", "(", ")", "{", "const", "inputPrice", "=", "document", ".", "getElementById", "(", "\"InputPrice\"", ")", ";", "const", "valuePrice", "=", "inputPrice", ".", "value", ";", "const", "inputCupon", "=", "document", ".", "getElementById", "(", "\"InputCupon\"", ")", ";", "const", "valueCupon", "=", "inputCupon", ".", "value", ";", "let", "descuentoCupon", ";", "// definimos la variable afuera del switch, debido a la sintaxys del switch", "switch", "(", "valueCupon", ")", "{", "case", "'NIVEL_UNO'", ":", "descuentoCupon", "=", "10", ";", "break", ";", "case", "'NIVEL_DOS'", ":", "descuentoCupon", "=", "20", ";", "break", ";", "case", "'NIVEL_TRES'", ":", "descuentoCupon", "=", "30", ";", "break", ";", "default", ":", "descuentoCupon", "=", "0", ";", "}", "// descuentoCupon = eleccionCupones(valueCupon);", "precioConDescuento", "=", "calcularPrecioConDescuento", "(", "valuePrice", ",", "descuentoCupon", ")", ";", "const", "resultPrice", "=", "document", ".", "getElementById", "(", "\"ResultPrice\"", ")", ";", "resultPrice", ".", "innerText", "=", "\"El precio total es: $\"", "+", "precioConDescuento", ";", "}" ]
[ 26, 0 ]
[ 54, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
preload
()
null
coordenadas x e y del texto
coordenadas x e y del texto
function preload() { font = loadFont('assets/SourceSansPro-Regular.otf'); }
[ "function", "preload", "(", ")", "{", "font", "=", "loadFont", "(", "'assets/SourceSansPro-Regular.otf'", ")", ";", "}" ]
[ 12, 0 ]
[ 14, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
fnExcelReport
()
null
Función que crea un excel con un formulario, es personalizable y lo exporta a un nombre random
Función que crea un excel con un formulario, es personalizable y lo exporta a un nombre random
function fnExcelReport() { var tab_text="<table border='2px'><tr bgcolor='#87AFC6'>"; var textRange; var j=0; tab = document.getElementById('tablaproductos'); // id of table for(j = 0 ; j < tab.rows.length ; j++) { tab_text=tab_text+tab.rows[j].innerHTML+"</tr>"; //tab_text=tab_text+"</tr>"; } tab_text=tab_text+"</table>"; tab_text= tab_text.replace(/<A[^>]*>|<\/A>/g, "");//remove if u want links in your table tab_text= tab_text.replace(/<img[^>]*>/gi,""); // remove if u want images in your table tab_text= tab_text.replace(/<input[^>]*>|<\/input>/gi, ""); // reomves input params var ua = window.navigator.userAgent; var msie = ua.indexOf("MSIE "); if (msie > 0 || !!navigator.userAgent.match(/Trident.*rv\:11\./)) // If Internet Explorer { txtArea1.document.open("txt/html","replace"); txtArea1.document.write(tab_text); txtArea1.document.close(); txtArea1.focus(); sa=txtArea1.document.execCommand("SaveAs",true,"Say Thanks to Sumit.xls"); } else //other browser not tested on IE 11 sa = window.open('data:application/vnd.ms-excel,' + encodeURIComponent(tab_text)); return (sa); }
[ "function", "fnExcelReport", "(", ")", "{", "var", "tab_text", "=", "\"<table border='2px'><tr bgcolor='#87AFC6'>\"", ";", "var", "textRange", ";", "var", "j", "=", "0", ";", "tab", "=", "document", ".", "getElementById", "(", "'tablaproductos'", ")", ";", "// id of table", "for", "(", "j", "=", "0", ";", "j", "<", "tab", ".", "rows", ".", "length", ";", "j", "++", ")", "{", "tab_text", "=", "tab_text", "+", "tab", ".", "rows", "[", "j", "]", ".", "innerHTML", "+", "\"</tr>\"", ";", "//tab_text=tab_text+\"</tr>\";", "}", "tab_text", "=", "tab_text", "+", "\"</table>\"", ";", "tab_text", "=", "tab_text", ".", "replace", "(", "/", "<A[^>]*>|<\\/A>", "/", "g", ",", "\"\"", ")", ";", "//remove if u want links in your table", "tab_text", "=", "tab_text", ".", "replace", "(", "/", "<img[^>]*>", "/", "gi", ",", "\"\"", ")", ";", "// remove if u want images in your table", "tab_text", "=", "tab_text", ".", "replace", "(", "/", "<input[^>]*>|<\\/input>", "/", "gi", ",", "\"\"", ")", ";", "// reomves input params", "var", "ua", "=", "window", ".", "navigator", ".", "userAgent", ";", "var", "msie", "=", "ua", ".", "indexOf", "(", "\"MSIE \"", ")", ";", "if", "(", "msie", ">", "0", "||", "!", "!", "navigator", ".", "userAgent", ".", "match", "(", "/", "Trident.*rv\\:11\\.", "/", ")", ")", "// If Internet Explorer", "{", "txtArea1", ".", "document", ".", "open", "(", "\"txt/html\"", ",", "\"replace\"", ")", ";", "txtArea1", ".", "document", ".", "write", "(", "tab_text", ")", ";", "txtArea1", ".", "document", ".", "close", "(", ")", ";", "txtArea1", ".", "focus", "(", ")", ";", "sa", "=", "txtArea1", ".", "document", ".", "execCommand", "(", "\"SaveAs\"", ",", "true", ",", "\"Say Thanks to Sumit.xls\"", ")", ";", "}", "else", "//other browser not tested on IE 11", "sa", "=", "window", ".", "open", "(", "'data:application/vnd.ms-excel,'", "+", "encodeURIComponent", "(", "tab_text", ")", ")", ";", "return", "(", "sa", ")", ";", "}" ]
[ 50, 8 ]
[ 83, 9 ]
null
javascript
es
['es', 'es', 'es']
True
true
statement_block
toggleSelectizeEnabled
(parent, enableField, selector)
null
todo - refactor
todo - refactor
function toggleSelectizeEnabled(parent, enableField, selector) { var fieldSelector = selector || '[wb-selectize="field-for-selectize"]'; var fields = parent.querySelectorAll(fieldSelector); var i, fieldCnt = fields.length, field; if (enableField === true) { for (i = 0; i < fieldCnt; i += 1) { field = $(fields[i])[0].selectize; if (field) { field.enable(); } } } else { for (i = 0; i < fieldCnt; i += 1) { field = $(fields[i])[0].selectize; if (field) { field.disable(); } } } }
[ "function", "toggleSelectizeEnabled", "(", "parent", ",", "enableField", ",", "selector", ")", "{", "var", "fieldSelector", "=", "selector", "||", "'[wb-selectize=\"field-for-selectize\"]'", ";", "var", "fields", "=", "parent", ".", "querySelectorAll", "(", "fieldSelector", ")", ";", "var", "i", ",", "fieldCnt", "=", "fields", ".", "length", ",", "field", ";", "if", "(", "enableField", "===", "true", ")", "{", "for", "(", "i", "=", "0", ";", "i", "<", "fieldCnt", ";", "i", "+=", "1", ")", "{", "field", "=", "$", "(", "fields", "[", "i", "]", ")", "[", "0", "]", ".", "selectize", ";", "if", "(", "field", ")", "{", "field", ".", "enable", "(", ")", ";", "}", "}", "}", "else", "{", "for", "(", "i", "=", "0", ";", "i", "<", "fieldCnt", ";", "i", "+=", "1", ")", "{", "field", "=", "$", "(", "fields", "[", "i", "]", ")", "[", "0", "]", ".", "selectize", ";", "if", "(", "field", ")", "{", "field", ".", "disable", "(", ")", ";", "}", "}", "}", "}" ]
[ 317, 0 ]
[ 341, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
validarContenido
()
null
Validar Contenido
Validar Contenido
function validarContenido() { if (contenido.value == '') { errorDivCont.style.display = 'block'; errorDivCont.innerHTML = "este campo es obligatorio"; contenido.style.border = '2px solid red'; errorDivCont.style.color = 'red'; errorDivCont.style.paddingTop = '1px'; return false; } else { errorDivCont.style.display = 'none'; contenido.style.border = '2px solid #eeae00'; return true; } }
[ "function", "validarContenido", "(", ")", "{", "if", "(", "contenido", ".", "value", "==", "''", ")", "{", "errorDivCont", ".", "style", ".", "display", "=", "'block'", ";", "errorDivCont", ".", "innerHTML", "=", "\"este campo es obligatorio\"", ";", "contenido", ".", "style", ".", "border", "=", "'2px solid red'", ";", "errorDivCont", ".", "style", ".", "color", "=", "'red'", ";", "errorDivCont", ".", "style", ".", "paddingTop", "=", "'1px'", ";", "return", "false", ";", "}", "else", "{", "errorDivCont", ".", "style", ".", "display", "=", "'none'", ";", "contenido", ".", "style", ".", "border", "=", "'2px solid #eeae00'", ";", "return", "true", ";", "}", "}" ]
[ 59, 8 ]
[ 72, 9 ]
null
javascript
es
['es', 'es', 'es']
False
true
statement_block
imprimirNombres
(arrayNames, genero, pais)
null
MODAL END Funciones
MODAL END Funciones
function imprimirNombres(arrayNames, genero, pais){ //console.log(genero); let namesBox = document.querySelector(".modal-content-principal") let banderaModal = document.querySelector(".bandera-modal") //console.log("printing"); //Estilos segun pais if (pais == "Peru") { banderaModal.classList="" banderaModal.classList.add("bandera-modal") banderaModal.classList.add("bandera-modal-peru") } if (pais == "France") { banderaModal.classList="" banderaModal.classList.add("bandera-modal") banderaModal.classList.add("bandera-modal-france") } if (pais == "Germany") { banderaModal.classList="" banderaModal.classList.add("bandera-modal") banderaModal.classList.add("bandera-modal-germany") } //Estilos segun genero namesBox.style.color = "#fff"; if (genero == "male") { namesBox.style.backgroundColor = "#73CFD9"; } else if (genero =="female"){ namesBox.style.backgroundColor = "#FA909A"; } else if (genero =="neutro"){ namesBox.style.backgroundColor = "#FFCE7C"; } namesBox.innerHTML = ""; let ul = document.createElement("ul"); arrayNames.forEach(element => { //console.log(element); let li = document.createElement("li"); li.innerText = element ul.appendChild(li); }); namesBox.appendChild(ul) }
[ "function", "imprimirNombres", "(", "arrayNames", ",", "genero", ",", "pais", ")", "{", "//console.log(genero);", "let", "namesBox", "=", "document", ".", "querySelector", "(", "\".modal-content-principal\"", ")", "let", "banderaModal", "=", "document", ".", "querySelector", "(", "\".bandera-modal\"", ")", "//console.log(\"printing\");", "//Estilos segun pais", "if", "(", "pais", "==", "\"Peru\"", ")", "{", "banderaModal", ".", "classList", "=", "\"\"", "banderaModal", ".", "classList", ".", "add", "(", "\"bandera-modal\"", ")", "banderaModal", ".", "classList", ".", "add", "(", "\"bandera-modal-peru\"", ")", "}", "if", "(", "pais", "==", "\"France\"", ")", "{", "banderaModal", ".", "classList", "=", "\"\"", "banderaModal", ".", "classList", ".", "add", "(", "\"bandera-modal\"", ")", "banderaModal", ".", "classList", ".", "add", "(", "\"bandera-modal-france\"", ")", "}", "if", "(", "pais", "==", "\"Germany\"", ")", "{", "banderaModal", ".", "classList", "=", "\"\"", "banderaModal", ".", "classList", ".", "add", "(", "\"bandera-modal\"", ")", "banderaModal", ".", "classList", ".", "add", "(", "\"bandera-modal-germany\"", ")", "}", "//Estilos segun genero", "namesBox", ".", "style", ".", "color", "=", "\"#fff\"", ";", "if", "(", "genero", "==", "\"male\"", ")", "{", "namesBox", ".", "style", ".", "backgroundColor", "=", "\"#73CFD9\"", ";", "}", "else", "if", "(", "genero", "==", "\"female\"", ")", "{", "namesBox", ".", "style", ".", "backgroundColor", "=", "\"#FA909A\"", ";", "}", "else", "if", "(", "genero", "==", "\"neutro\"", ")", "{", "namesBox", ".", "style", ".", "backgroundColor", "=", "\"#FFCE7C\"", ";", "}", "namesBox", ".", "innerHTML", "=", "\"\"", ";", "let", "ul", "=", "document", ".", "createElement", "(", "\"ul\"", ")", ";", "arrayNames", ".", "forEach", "(", "element", "=>", "{", "//console.log(element);", "let", "li", "=", "document", ".", "createElement", "(", "\"li\"", ")", ";", "li", ".", "innerText", "=", "element", "ul", ".", "appendChild", "(", "li", ")", ";", "}", ")", ";", "namesBox", ".", "appendChild", "(", "ul", ")", "}" ]
[ 131, 0 ]
[ 181, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
getValueForPositionYFromData
(yPosition)
null
invert y values
invert y values
function getValueForPositionYFromData(yPosition) { return y.invert(yPosition); }
[ "function", "getValueForPositionYFromData", "(", "yPosition", ")", "{", "return", "y", ".", "invert", "(", "yPosition", ")", ";", "}" ]
[ 635, 1 ]
[ 637, 2 ]
null
javascript
es
['es', 'es', 'es']
True
true
statement_block
()
null
y y /** calcCloseButtonPos() calculate close button position. Called by "initCloseButton" from "Layer" @return { JSON } position, calculated close button position, relative to layer.
y y /** calcCloseButtonPos() calculate close button position. Called by "initCloseButton" from "Layer"
function() { let leftMostCenter = this.openFmCenters[ 0 ]; let buttonSize = this.calcCloseButtonSize(); return { x: leftMostCenter.x - this.actualWidth / 2 - 2 * buttonSize, y: 0, z: 0 }; }
[ "function", "(", ")", "{", "let", "leftMostCenter", "=", "this", ".", "openFmCenters", "[", "0", "]", ";", "let", "buttonSize", "=", "this", ".", "calcCloseButtonSize", "(", ")", ";", "return", "{", "x", ":", "leftMostCenter", ".", "x", "-", "this", ".", "actualWidth", "/", "2", "-", "2", "*", "buttonSize", ",", "y", ":", "0", ",", "z", ":", "0", "}", ";", "}" ]
[ 337, 21 ]
[ 350, 2 ]
null
javascript
es
['es', 'es', 'es']
True
true
pair
compruebaAceptaCookies
()
null
/* ésto comprueba la localStorage si ya tiene la variable guardada
/* ésto comprueba la localStorage si ya tiene la variable guardada
function compruebaAceptaCookies() { if(localStorage.aceptaCookies == 'true'){ cajacookies.style.display = 'none'; } }
[ "function", "compruebaAceptaCookies", "(", ")", "{", "if", "(", "localStorage", ".", "aceptaCookies", "==", "'true'", ")", "{", "cajacookies", ".", "style", ".", "display", "=", "'none'", ";", "}", "}" ]
[ 2, 0 ]
[ 6, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
diametroCirculo
(radio)
null
Radio const radioCirculo = 4; console.log("El radio del circulo es " + radioCirculo + " cms."); Diametro
Radio const radioCirculo = 4; console.log("El radio del circulo es " + radioCirculo + " cms."); Diametro
function diametroCirculo(radio) { return radio * 2; }
[ "function", "diametroCirculo", "(", "radio", ")", "{", "return", "radio", "*", "2", ";", "}" ]
[ 74, 0 ]
[ 76, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
imprimirNombreYEdad2
({nombre, edad})
null
esta es la 2da forma de resolverlo----------------------
esta es la 2da forma de resolverlo----------------------
function imprimirNombreYEdad2({nombre, edad}){ console.log(`Hola, me llamo ${nombre} y tengo ${edad} años`) }
[ "function", "imprimirNombreYEdad2", "(", "{", "nombre", ",", "edad", "}", ")", "{", "console", ".", "log", "(", "`", "${", "nombre", "}", "${", "edad", "}", ")", "", "}" ]
[ 41, 0 ]
[ 43, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program
getPath
( recipeName, options )
null
function makeDish( el )
function makeDish( el )
function getPath( recipeName, options ) { var settingsDef = { recipeFolder: book.recipeFolder , recipeFile: recipeName + ".js" , stylesheetFolder: book.stylesheetFolder , stylesheetFile: recipeName + ".css" }; var settings; if( options && typeof options == "object" ) { settings = $.extend( settingsDef, options ); } else { settings = settingsDef; } return { recipe : settings.recipeFolder + settings.recipeFile , stylesheet: settings.stylesheetFolder + settings.stylesheetFile }; }
[ "function", "getPath", "(", "recipeName", ",", "options", ")", "{", "var", "settingsDef", "=", "{", "recipeFolder", ":", "book", ".", "recipeFolder", ",", "recipeFile", ":", "recipeName", "+", "\".js\"", ",", "stylesheetFolder", ":", "book", ".", "stylesheetFolder", ",", "stylesheetFile", ":", "recipeName", "+", "\".css\"", "}", ";", "var", "settings", ";", "if", "(", "options", "&&", "typeof", "options", "==", "\"object\"", ")", "{", "settings", "=", "$", ".", "extend", "(", "settingsDef", ",", "options", ")", ";", "}", "else", "{", "settings", "=", "settingsDef", ";", "}", "return", "{", "recipe", ":", "settings", ".", "recipeFolder", "+", "settings", ".", "recipeFile", ",", "stylesheet", ":", "settings", ".", "stylesheetFolder", "+", "settings", ".", "stylesheetFile", "}", ";", "}" ]
[ 260, 1 ]
[ 278, 2 ]
null
javascript
es
['es', 'es', 'es']
True
true
statement_block
calcularMediaAritmetica
(lista)
null
Usamos la función hecha en promedio.js
Usamos la función hecha en promedio.js
function calcularMediaAritmetica(lista) { const sumaLista = lista.reduce( function (valorAcumulado = 0, nuevoElemento) { return valorAcumulado + nuevoElemento; } ); const promedioLista = sumaLista/lista.length; return promedioLista; }
[ "function", "calcularMediaAritmetica", "(", "lista", ")", "{", "const", "sumaLista", "=", "lista", ".", "reduce", "(", "function", "(", "valorAcumulado", "=", "0", ",", "nuevoElemento", ")", "{", "return", "valorAcumulado", "+", "nuevoElemento", ";", "}", ")", ";", "const", "promedioLista", "=", "sumaLista", "/", "lista", ".", "length", ";", "return", "promedioLista", ";", "}" ]
[ 14, 0 ]
[ 23, 1 ]
null
javascript
es
['es', 'es', 'es']
True
true
program