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 |
---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
onSlot | (i) | null | quando um slot é cliclado | quando um slot é cliclado | function onSlot(i) {
// se não existir uma sessão
if (session===null) return false;
// se o jogador não estiver na sua vez de jogar
if (session.id !== state.player_in) {
let error = document.querySelector('div.error');
error.innerHTML = "Não é sua vez de jogar!";
error.classList.add('show');
// escondendo a mensagem depois de 3 segundos
setTimeout(e=>{
error.classList.remove('show');
}, 4000);
return false;
};
// capturando o slot clicado
let slot = state.slots.find(s => i === s.id);
console.log(state);
// tornando o slot checado
slot.checked = true;
// capturando o elemento do slote pelo id
let furo = document.querySelector('#'+slot.id);
furo.rect = 'burlywood'; // alterando a cor
// verificando se esse slot é jump e se está checado
if (slot.checked && slot.jump) {
state.status = 'finalizado';
finish();
}else{
// logica para passar a vez para o próximo jogar
// se não houver um próximo, volta ao primeiro
let index = null;
state.players.map(p => {
if (p.id === state.player_in) index = state.players.indexOf(p);
});
index = (state.players[index+1]===undefined) ? 0 : (index+1);
state.player_in = state.players[index].id;
}
setState (state);
} | [
"function",
"onSlot",
"(",
"i",
")",
"{",
"// se não existir uma sessão",
"if",
"(",
"session",
"===",
"null",
")",
"return",
"false",
";",
"// se o jogador não estiver na sua vez de jogar",
"if",
"(",
"session",
".",
"id",
"!==",
"state",
".",
"player_in",
")",
"{",
"let",
"error",
"=",
"document",
".",
"querySelector",
"(",
"'div.error'",
")",
";",
"error",
".",
"innerHTML",
"=",
"\"Não é sua vez de jogar!\";",
"",
"error",
".",
"classList",
".",
"add",
"(",
"'show'",
")",
";",
"// escondendo a mensagem depois de 3 segundos",
"setTimeout",
"(",
"e",
"=>",
"{",
"error",
".",
"classList",
".",
"remove",
"(",
"'show'",
")",
";",
"}",
",",
"4000",
")",
";",
"return",
"false",
";",
"}",
";",
"// capturando o slot clicado",
"let",
"slot",
"=",
"state",
".",
"slots",
".",
"find",
"(",
"s",
"=>",
"i",
"===",
"s",
".",
"id",
")",
";",
"console",
".",
"log",
"(",
"state",
")",
";",
"// tornando o slot checado",
"slot",
".",
"checked",
"=",
"true",
";",
"// capturando o elemento do slote pelo id",
"let",
"furo",
"=",
"document",
".",
"querySelector",
"(",
"'#'",
"+",
"slot",
".",
"id",
")",
";",
"furo",
".",
"rect",
"=",
"'burlywood'",
";",
"// alterando a cor",
"// verificando se esse slot é jump e se está checado",
"if",
"(",
"slot",
".",
"checked",
"&&",
"slot",
".",
"jump",
")",
"{",
"state",
".",
"status",
"=",
"'finalizado'",
";",
"finish",
"(",
")",
";",
"}",
"else",
"{",
"// logica para passar a vez para o próximo jogar",
"// se não houver um próximo, volta ao primeiro",
"let",
"index",
"=",
"null",
";",
"state",
".",
"players",
".",
"map",
"(",
"p",
"=>",
"{",
"if",
"(",
"p",
".",
"id",
"===",
"state",
".",
"player_in",
")",
"index",
"=",
"state",
".",
"players",
".",
"indexOf",
"(",
"p",
")",
";",
"}",
")",
";",
"index",
"=",
"(",
"state",
".",
"players",
"[",
"index",
"+",
"1",
"]",
"===",
"undefined",
")",
"?",
"0",
":",
"(",
"index",
"+",
"1",
")",
";",
"state",
".",
"player_in",
"=",
"state",
".",
"players",
"[",
"index",
"]",
".",
"id",
";",
"}",
"setState",
"(",
"state",
")",
";",
"}"
] | [
170,
0
] | [
216,
1
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | program |
Pessoa | (nome, idade) | null | Exercícios Transforme o objeto abaixo em uma Constructor Function | Exercícios Transforme o objeto abaixo em uma Constructor Function | function Pessoa(nome, idade){
this.nome = nome;
this.idade = `${idade} anos`;
this.andar = () => {
console.log(this.nome + ' andou');
}
} | [
"function",
"Pessoa",
"(",
"nome",
",",
"idade",
")",
"{",
"this",
".",
"nome",
"=",
"nome",
";",
"this",
".",
"idade",
"=",
"`",
"${",
"idade",
"}",
"`",
";",
"this",
".",
"andar",
"=",
"(",
")",
"=>",
"{",
"console",
".",
"log",
"(",
"this",
".",
"nome",
"+",
"' andou'",
")",
";",
"}",
"}"
] | [
14,
0
] | [
20,
3
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | program |
getUserId | () | null | Pegar id do usuário | Pegar id do usuário | async function getUserId() {
let response = await AsyncStorage.getItem('userData');
let json = JSON.parse(response);
setUser(json.id);
} | [
"async",
"function",
"getUserId",
"(",
")",
"{",
"let",
"response",
"=",
"await",
"AsyncStorage",
".",
"getItem",
"(",
"'userData'",
")",
";",
"let",
"json",
"=",
"JSON",
".",
"parse",
"(",
"response",
")",
";",
"setUser",
"(",
"json",
".",
"id",
")",
";",
"}"
] | [
24,
4
] | [
28,
5
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | statement_block |
cumprimentarPessoa | (nome) | null | Funções com Parâmetros | Funções com Parâmetros | function cumprimentarPessoa(nome){
console.log("Olá, " + nome)
} | [
"function",
"cumprimentarPessoa",
"(",
"nome",
")",
"{",
"console",
".",
"log",
"(",
"\"Olá, \" ",
" ",
"ome)",
"",
"}"
] | [
2,
0
] | [
4,
1
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | program |
day | (dias) | null | Crie um algoritmo que converte dias em horas, quando recebe um número de dias. | Crie um algoritmo que converte dias em horas, quando recebe um número de dias. | function day(dias){
let horas = 24
dias *= horas
console.log(dias)
} | [
"function",
"day",
"(",
"dias",
")",
"{",
"let",
"horas",
"=",
"24",
"dias",
"*=",
"horas",
"console",
".",
"log",
"(",
"dias",
")",
"}"
] | [
2,
0
] | [
9,
1
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | program |
(a,b) | null | Use o operador + nas variáveis para evitar a concatenação | Use o operador + nas variáveis para evitar a concatenação | function(a,b) { return +a + +b } | [
"function",
"(",
"a",
",",
"b",
")",
"{",
"return",
"+",
"a",
"+",
"+",
"b",
"}"
] | [
14,
16
] | [
14,
48
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | pair |
|
novo | (f, ...params) | null | simulando o new | simulando o new | function novo(f, ...params) {
const obj = {}
obj.__proto__ = f.prototype
f.apply(obj, params)
return obj
} | [
"function",
"novo",
"(",
"f",
",",
"...",
"params",
")",
"{",
"const",
"obj",
"=",
"{",
"}",
"obj",
".",
"__proto__",
"=",
"f",
".",
"prototype",
"f",
".",
"apply",
"(",
"obj",
",",
"params",
")",
"return",
"obj",
"}"
] | [
10,
0
] | [
15,
1
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | program |
exercicioCalculadoraIMC | () | null | MINHA SOLUÇÃO | MINHA SOLUÇÃO | function exercicioCalculadoraIMC() {
const form = document.querySelector('#form');
const resultado = document.querySelector('#resultado');
const errado = document.querySelector('#errado');
form.addEventListener('submit', calculadoIMC);
function calculadoIMC() {
event.preventDefault();
resultado.innerHTML = '';
errado.innerHTML = '';
const peso = Number(document.querySelector('#peso').value);
const altura = Number(document.querySelector('#altura').value);
let imc = peso / (altura * altura);
imc = imc.toFixed(1);
console.log(peso, altura);
console.log(imc);
if (valorCorreto(peso, altura)) {
resultadoIMC(imc);
}
function valorCorreto(peso, altura) {
if (pesoCorreto(peso) && alturaCorreto(altura)) {
return true;
}
}
function pesoCorreto(peso) {
if (peso >= 0 && peso <= 500) {
return true;
} else {
errado.innerHTML = `<p>Peso inválido</p>`;
}
}
function alturaCorreto(altura) {
if (altura > 0 && altura < 3) {
return true;
} else {
errado.innerHTML = `<p>Altura inválida</p>`;
}
}
function resultadoIMC(imc) {
if (imc < 18.5) {
resultado.innerHTML = `<p>Seu IMC é ${imc} (Abaixo do peso)</p>`;
} else if (imc >= 18.5 && imc <= 24.9) {
resultado.innerHTML = `<p>Seu IMC é ${imc} (Peso normal)</p>`;
} else if (imc >= 25 && imc <= 29.9) {
resultado.innerHTML = `<p>Seu IMC é ${imc} (Sobrepeso)</p>`;
} else if (imc >= 30 && imc <= 34.9) {
resultado.innerHTML = `<p>Seu IMC é ${imc} (Obesidade grau 1)</p>`;
} else if (imc >= 35 && imc <= 39.9) {
resultado.innerHTML = `<p>Seu IMC é ${imc} (Obesidade grau 2)</p>`;
} else if (imc >= 40) {
resultado.innerHTML = `<p>Seu IMC é ${imc} (Obesidade grau 3)</p>`;
}
}
}
} | [
"function",
"exercicioCalculadoraIMC",
"(",
")",
"{",
"const",
"form",
"=",
"document",
".",
"querySelector",
"(",
"'#form'",
")",
";",
"const",
"resultado",
"=",
"document",
".",
"querySelector",
"(",
"'#resultado'",
")",
";",
"const",
"errado",
"=",
"document",
".",
"querySelector",
"(",
"'#errado'",
")",
";",
"form",
".",
"addEventListener",
"(",
"'submit'",
",",
"calculadoIMC",
")",
";",
"function",
"calculadoIMC",
"(",
")",
"{",
"event",
".",
"preventDefault",
"(",
")",
";",
"resultado",
".",
"innerHTML",
"=",
"''",
";",
"errado",
".",
"innerHTML",
"=",
"''",
";",
"const",
"peso",
"=",
"Number",
"(",
"document",
".",
"querySelector",
"(",
"'#peso'",
")",
".",
"value",
")",
";",
"const",
"altura",
"=",
"Number",
"(",
"document",
".",
"querySelector",
"(",
"'#altura'",
")",
".",
"value",
")",
";",
"let",
"imc",
"=",
"peso",
"/",
"(",
"altura",
"*",
"altura",
")",
";",
"imc",
"=",
"imc",
".",
"toFixed",
"(",
"1",
")",
";",
"console",
".",
"log",
"(",
"peso",
",",
"altura",
")",
";",
"console",
".",
"log",
"(",
"imc",
")",
";",
"if",
"(",
"valorCorreto",
"(",
"peso",
",",
"altura",
")",
")",
"{",
"resultadoIMC",
"(",
"imc",
")",
";",
"}",
"function",
"valorCorreto",
"(",
"peso",
",",
"altura",
")",
"{",
"if",
"(",
"pesoCorreto",
"(",
"peso",
")",
"&&",
"alturaCorreto",
"(",
"altura",
")",
")",
"{",
"return",
"true",
";",
"}",
"}",
"function",
"pesoCorreto",
"(",
"peso",
")",
"{",
"if",
"(",
"peso",
">=",
"0",
"&&",
"peso",
"<=",
"500",
")",
"{",
"return",
"true",
";",
"}",
"else",
"{",
"errado",
".",
"innerHTML",
"=",
"`",
";",
"",
"}",
"}",
"function",
"alturaCorreto",
"(",
"altura",
")",
"{",
"if",
"(",
"altura",
">",
"0",
"&&",
"altura",
"<",
"3",
")",
"{",
"return",
"true",
";",
"}",
"else",
"{",
"errado",
".",
"innerHTML",
"=",
"`",
";",
"",
"}",
"}",
"function",
"resultadoIMC",
"(",
"imc",
")",
"{",
"if",
"(",
"imc",
"<",
"18.5",
")",
"{",
"resultado",
".",
"innerHTML",
"=",
"`",
"{i",
"mc}",
" ",
";",
"",
"}",
"else",
"if",
"(",
"imc",
">=",
"18.5",
"&&",
"imc",
"<=",
"24.9",
")",
"{",
"resultado",
".",
"innerHTML",
"=",
"`",
"{i",
"mc}",
" ",
";",
"",
"}",
"else",
"if",
"(",
"imc",
">=",
"25",
"&&",
"imc",
"<=",
"29.9",
")",
"{",
"resultado",
".",
"innerHTML",
"=",
"`",
"{i",
"mc}",
" ",
";",
"",
"}",
"else",
"if",
"(",
"imc",
">=",
"30",
"&&",
"imc",
"<=",
"34.9",
")",
"{",
"resultado",
".",
"innerHTML",
"=",
"`",
"{i",
"mc}",
" ",
";",
"",
"}",
"else",
"if",
"(",
"imc",
">=",
"35",
"&&",
"imc",
"<=",
"39.9",
")",
"{",
"resultado",
".",
"innerHTML",
"=",
"`",
"{i",
"mc}",
" ",
";",
"",
"}",
"else",
"if",
"(",
"imc",
">=",
"40",
")",
"{",
"resultado",
".",
"innerHTML",
"=",
"`",
"{i",
"mc}",
" ",
";",
"",
"}",
"}",
"}",
"}"
] | [
1,
0
] | [
63,
1
] | null | javascript | pt | ['pt', 'pt', 'pt'] | False | true | program |
gameOver | () | null | função de game over | função de game over | function gameOver() {
window.removeEventListener('keydown', flyShip);
clearInterval(alienInterval);
let aliens = document.querySelectorAll('.alien');
aliens.forEach((alien) => alien.remove());
let lasers = document.querySelectorAll('.laser');
lasers.forEach((laser) => laser.remove());
setTimeout(() => {
alert('game over!');
yourShip.style.top = "250px";
startButton.style.display = "block";
instructionsText.style.display = "block";
});
} | [
"function",
"gameOver",
"(",
")",
"{",
"window",
".",
"removeEventListener",
"(",
"'keydown'",
",",
"flyShip",
")",
";",
"clearInterval",
"(",
"alienInterval",
")",
";",
"let",
"aliens",
"=",
"document",
".",
"querySelectorAll",
"(",
"'.alien'",
")",
";",
"aliens",
".",
"forEach",
"(",
"(",
"alien",
")",
"=>",
"alien",
".",
"remove",
"(",
")",
")",
";",
"let",
"lasers",
"=",
"document",
".",
"querySelectorAll",
"(",
"'.laser'",
")",
";",
"lasers",
".",
"forEach",
"(",
"(",
"laser",
")",
"=>",
"laser",
".",
"remove",
"(",
")",
")",
";",
"setTimeout",
"(",
"(",
")",
"=>",
"{",
"alert",
"(",
"'game over!'",
")",
";",
"yourShip",
".",
"style",
".",
"top",
"=",
"\"250px\"",
";",
"startButton",
".",
"style",
".",
"display",
"=",
"\"block\"",
";",
"instructionsText",
".",
"style",
".",
"display",
"=",
"\"block\"",
";",
"}",
")",
";",
"}"
] | [
147,
0
] | [
160,
1
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | program |
outBefore | (what, where) | null | Inserir o elemento What antes de um elemento Where | Inserir o elemento What antes de um elemento Where | function outBefore(what, where) {
where.parentNode.insertBefore(what, where);
} | [
"function",
"outBefore",
"(",
"what",
",",
"where",
")",
"{",
"where",
".",
"parentNode",
".",
"insertBefore",
"(",
"what",
",",
"where",
")",
";",
"}"
] | [
145,
13
] | [
147,
3
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | pair |
formataData | (data = new Date()) | null | função que formata a data atual | função que formata a data atual | function formataData(data = new Date()){
var dia = data.getDate();
var mes = data.getMonth()+1;
var ano = data.getFullYear();
if(dia.toString().length ==1) dia = '0' + dia;
if(mes.toString().length ==1) mes = '0' + mes;
return dia+'/'+mes+'/'+ano;
} | [
"function",
"formataData",
"(",
"data",
"=",
"new",
"Date",
"(",
")",
")",
"{",
"var",
"dia",
"=",
"data",
".",
"getDate",
"(",
")",
";",
"var",
"mes",
"=",
"data",
".",
"getMonth",
"(",
")",
"+",
"1",
";",
"var",
"ano",
"=",
"data",
".",
"getFullYear",
"(",
")",
";",
"if",
"(",
"dia",
".",
"toString",
"(",
")",
".",
"length",
"==",
"1",
")",
"dia",
"=",
"'0'",
"+",
"dia",
";",
"if",
"(",
"mes",
".",
"toString",
"(",
")",
".",
"length",
"==",
"1",
")",
"mes",
"=",
"'0'",
"+",
"mes",
";",
"return",
"dia",
"+",
"'/'",
"+",
"mes",
"+",
"'/'",
"+",
"ano",
";",
"}"
] | [
290,
2
] | [
297,
3
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | program |
topRatedMovies | (req, res) | null | Os Mais Votados | Os Mais Votados | async function topRatedMovies(req, res) {
const param = req.params.page;
const language = req.params.language;
try {
const page_ = typeof param === "undefined" ? `1` : param.trim();
const link_finale = `https://api.themoviedb.org/3/movie/top_rated?api_key=${API_KEY}&language=${language}&page=${page_}®ion=BR`;
//prettier-ignore
const { data } = await get(link_finale);
const { total_results, total_pages, results, page } = await data;
const resultsData = results.map((item) => {
return {
original_title: item.title,
idTmDB: item.id,
poster_path_original: item.poster_path,
vote_average: item.vote_average,
};
});
const resultMovies = await dataMoviesList(
resultsData,
link_finale,
language
);
const Result = {
total_results,
total_pages,
page,
results: resultMovies,
};
res.send(Result);
logger.info(`GET /topRatedMovies - ${page}`);
return;
} catch (error) {
if (error.response) {
const { status } = error.response;
//res.status(status).send(statusText);
res.sendStatus(status);
}
res.end();
logger.error(`GET /topRatedMovies - ${JSON.stringify(error.message)}`);
return;
}
} | [
"async",
"function",
"topRatedMovies",
"(",
"req",
",",
"res",
")",
"{",
"const",
"param",
"=",
"req",
".",
"params",
".",
"page",
";",
"const",
"language",
"=",
"req",
".",
"params",
".",
"language",
";",
"try",
"{",
"const",
"page_",
"=",
"typeof",
"param",
"===",
"\"undefined\"",
"?",
"`",
"`",
":",
"param",
".",
"trim",
"(",
")",
";",
"const",
"link_finale",
"=",
"`",
"${",
"API_KEY",
"}",
"${",
"language",
"}",
"${",
"page_",
"}",
"`",
";",
"//prettier-ignore",
"const",
"{",
"data",
"}",
"=",
"await",
"get",
"(",
"link_finale",
")",
";",
"const",
"{",
"total_results",
",",
"total_pages",
",",
"results",
",",
"page",
"}",
"=",
"await",
"data",
";",
"const",
"resultsData",
"=",
"results",
".",
"map",
"(",
"(",
"item",
")",
"=>",
"{",
"return",
"{",
"original_title",
":",
"item",
".",
"title",
",",
"idTmDB",
":",
"item",
".",
"id",
",",
"poster_path_original",
":",
"item",
".",
"poster_path",
",",
"vote_average",
":",
"item",
".",
"vote_average",
",",
"}",
";",
"}",
")",
";",
"const",
"resultMovies",
"=",
"await",
"dataMoviesList",
"(",
"resultsData",
",",
"link_finale",
",",
"language",
")",
";",
"const",
"Result",
"=",
"{",
"total_results",
",",
"total_pages",
",",
"page",
",",
"results",
":",
"resultMovies",
",",
"}",
";",
"res",
".",
"send",
"(",
"Result",
")",
";",
"logger",
".",
"info",
"(",
"`",
"${",
"page",
"}",
"`",
")",
";",
"return",
";",
"}",
"catch",
"(",
"error",
")",
"{",
"if",
"(",
"error",
".",
"response",
")",
"{",
"const",
"{",
"status",
"}",
"=",
"error",
".",
"response",
";",
"//res.status(status).send(statusText);",
"res",
".",
"sendStatus",
"(",
"status",
")",
";",
"}",
"res",
".",
"end",
"(",
")",
";",
"logger",
".",
"error",
"(",
"`",
"${",
"JSON",
".",
"stringify",
"(",
"error",
".",
"message",
")",
"}",
"`",
")",
";",
"return",
";",
"}",
"}"
] | [
138,
0
] | [
187,
1
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | program |
rand | ([min = 0, max = 1000]) | null | destructuring de array dentro de um parametro de uma função | destructuring de array dentro de um parametro de uma função | function rand ([min = 0, max = 1000]){
if (min > max) [min, max] = [max, min]
const valor = Math.random() * (max - min) + (min)
return Math.floor(valor)
} | [
"function",
"rand",
"(",
"[",
"min",
"=",
"0",
",",
"max",
"=",
"1000",
"]",
")",
"{",
"if",
"(",
"min",
">",
"max",
")",
"[",
"min",
",",
"max",
"]",
"=",
"[",
"max",
",",
"min",
"]",
"const",
"valor",
"=",
"Math",
".",
"random",
"(",
")",
"*",
"(",
"max",
"-",
"min",
")",
"+",
"(",
"min",
")",
"return",
"Math",
".",
"floor",
"(",
"valor",
")",
"}"
] | [
1,
0
] | [
5,
1
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | program |
questao6 | () | null | QUESTÃO 6: | QUESTÃO 6: | function questao6() {
$("tr:odd").hide();
} | [
"function",
"questao6",
"(",
")",
"{",
"$",
"(",
"\"tr:odd\"",
")",
".",
"hide",
"(",
")",
";",
"}"
] | [
26,
0
] | [
28,
1
] | null | javascript | pt | ['pt', 'pt', 'pt'] | False | true | program |
goToList | (title_modal, message_text) | null | Retornar para a tabela de listagem de dados inicial | Retornar para a tabela de listagem de dados inicial | function goToList(title_modal, message_text){
if ($('#dialog_modal_message')[0]){
$('#dialog_modal_message').remove();
}
var modal_content = '<div id="dialog_modal_message" class="modal hide fade" tabindex="-1" role="dialog" aria-labelledby="dialog_modal_message_label" aria-hidden="true"><div class="modal-header"> <button type="button" class="close" data-dismiss="modal" aria-hidden="true">×</button> <h3 id="dialog_modal_message_label">' + title_modal + '</h3></div><div class="modal-body"> <p>'+ message_text + '</p></div><div class="modal-footer"> <button class="btn cancel-confirmation" data-dismiss="modal" aria-hidden="true">Cancel</button> <button class="btn btn-primary ok-confirmation">Ok</button></div></div>';
$('#message-box').after(modal_content);
$('#dialog_modal_message')
.modal({ keyboard: false })
.on('shown', function(){
$(this).find('button.cancel-confirmation').click(function(){
$('button.close').trigger('click');
}).end().find('button.ok-confirmation').click(function(){
window.location = list_url;
$('button.close').trigger('click');
});
});
} | [
"function",
"goToList",
"(",
"title_modal",
",",
"message_text",
")",
"{",
"if",
"(",
"$",
"(",
"'#dialog_modal_message'",
")",
"[",
"0",
"]",
")",
"{",
"$",
"(",
"'#dialog_modal_message'",
")",
".",
"remove",
"(",
")",
";",
"}",
"var",
"modal_content",
"=",
"'<div id=\"dialog_modal_message\" class=\"modal hide fade\" tabindex=\"-1\" role=\"dialog\" aria-labelledby=\"dialog_modal_message_label\" aria-hidden=\"true\"><div class=\"modal-header\"> <button type=\"button\" class=\"close\" data-dismiss=\"modal\" aria-hidden=\"true\">×</button> <h3 id=\"dialog_modal_message_label\">' ",
" ",
"itle_modal ",
" ",
"</h3></div><div class=\"modal-body\"> <p>'+",
" ",
"essage_text ",
" ",
"</p></div><div class=\"modal-footer\"> <button class=\"btn cancel-confirmation\" data-dismiss=\"modal\" aria-hidden=\"true\">Cancel</button> <button class=\"btn btn-primary ok-confirmation\">Ok</button></div></div>';",
"",
"$",
"(",
"'#message-box'",
")",
".",
"after",
"(",
"modal_content",
")",
";",
"$",
"(",
"'#dialog_modal_message'",
")",
".",
"modal",
"(",
"{",
"keyboard",
":",
"false",
"}",
")",
".",
"on",
"(",
"'shown'",
",",
"function",
"(",
")",
"{",
"$",
"(",
"this",
")",
".",
"find",
"(",
"'button.cancel-confirmation'",
")",
".",
"click",
"(",
"function",
"(",
")",
"{",
"$",
"(",
"'button.close'",
")",
".",
"trigger",
"(",
"'click'",
")",
";",
"}",
")",
".",
"end",
"(",
")",
".",
"find",
"(",
"'button.ok-confirmation'",
")",
".",
"click",
"(",
"function",
"(",
")",
"{",
"window",
".",
"location",
"=",
"list_url",
";",
"$",
"(",
"'button.close'",
")",
".",
"trigger",
"(",
"'click'",
")",
";",
"}",
")",
";",
"}",
")",
";",
"}"
] | [
144,
0
] | [
164,
1
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | program |
Cliente | (nome, idade) | null | chama apenas quando está construindo o objeto. apenas 1 construtor | chama apenas quando está construindo o objeto. apenas 1 construtor | function Cliente(nome, idade) {
this.nome = nome;
this.idade = idade;
} | [
"function",
"Cliente",
"(",
"nome",
",",
"idade",
")",
"{",
"this",
".",
"nome",
"=",
"nome",
";",
"this",
".",
"idade",
"=",
"idade",
";",
"}"
] | [
3,
4
] | [
6,
5
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | statement_block |
focus | () | null | mistérios da vida c.483: Pq a self.$window diz ter 100% da janela via css mas na verdade ocupa menos de 100% da tela? isso impede que o retorno da janela ao normal quando não mais necessária a classe fluid. (comportamento dançante) | mistérios da vida c.483: Pq a self.$window diz ter 100% da janela via css mas na verdade ocupa menos de 100% da tela? isso impede que o retorno da janela ao normal quando não mais necessária a classe fluid. (comportamento dançante) | function focus() {
if (self.$modal) {
const input = self.$modal.find('input[type=\'text\']');
if (input.length) { return input.get(0).focus(); }
}
} | [
"function",
"focus",
"(",
")",
"{",
"if",
"(",
"self",
".",
"$modal",
")",
"{",
"const",
"input",
"=",
"self",
".",
"$modal",
".",
"find",
"(",
"'input[type=\\'text\\']'",
")",
";",
"if",
"(",
"input",
".",
"length",
")",
"{",
"return",
"input",
".",
"get",
"(",
"0",
")",
".",
"focus",
"(",
")",
";",
"}",
"}",
"}"
] | [
8,
1
] | [
13,
2
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | statement_block |
pageName | (className) | null | Função para validar a classe da tag body de cada página ativa; | Função para validar a classe da tag body de cada página ativa; | function pageName(className) {
var body = document.querySelectorAll("body")[0];
return body.classList.contains(className);
} | [
"function",
"pageName",
"(",
"className",
")",
"{",
"var",
"body",
"=",
"document",
".",
"querySelectorAll",
"(",
"\"body\"",
")",
"[",
"0",
"]",
";",
"return",
"body",
".",
"classList",
".",
"contains",
"(",
"className",
")",
";",
"}"
] | [
120,
12
] | [
123,
3
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | pair |
validarRadio | (radio) | null | Verifica se uma opção foi selecionada | Verifica se uma opção foi selecionada | function validarRadio(radio){
if(radio[0].checked){
return true;
}
else if(radio[1].checked){
return true;
}
window.alert("Preencha todos os campos!");
return false;
} | [
"function",
"validarRadio",
"(",
"radio",
")",
"{",
"if",
"(",
"radio",
"[",
"0",
"]",
".",
"checked",
")",
"{",
"return",
"true",
";",
"}",
"else",
"if",
"(",
"radio",
"[",
"1",
"]",
".",
"checked",
")",
"{",
"return",
"true",
";",
"}",
"window",
".",
"alert",
"(",
"\"Preencha todos os campos!\"",
")",
";",
"return",
"false",
";",
"}"
] | [
14,
0
] | [
25,
1
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | program |
limpa_formulário_cep( | ) | null | Validação do CEP | Validação do CEP | function limpa_formulário_cep() {
//Limpa valores do formulário de cep.
document.getElementById('rua').value = ("");
document.getElementById('bairro').value = ("");
document.getElementById('cidade').value = ("");
document.getElementById('uf').value = ("");
} | [
"function",
"limpa_formulário_cep(",
")",
" ",
"\r",
"//Limpa valores do formulário de cep.\r",
"document",
".",
"getElementById",
"(",
"'rua'",
")",
".",
"value",
"=",
"(",
"\"\"",
")",
";",
"document",
".",
"getElementById",
"(",
"'bairro'",
")",
".",
"value",
"=",
"(",
"\"\"",
")",
";",
"document",
".",
"getElementById",
"(",
"'cidade'",
")",
".",
"value",
"=",
"(",
"\"\"",
")",
";",
"document",
".",
"getElementById",
"(",
"'uf'",
")",
".",
"value",
"=",
"(",
"\"\"",
")",
";",
"}"
] | [
44,
4
] | [
50,
5
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | program |
sendEmail | (event) | null | Enviar email | Enviar email | function sendEmail(event) {
event.preventDefault();
// Mostrar spinner
const spinner = document.getElementById('spinner');
spinner.style.display = 'flex';
// Después de 3 segundos ocultar spinner y mostrar mensaje
setTimeout(function() {
spinner.style.display = 'none';
const p = document.createElement('p');
p.textContent = 'El mensaje se envió correctamente.';
p.classList.add('text-center', 'my-10', 'p-5', 'bg-green-500', 'text-white', 'font-bold', 'uppercase');
// Inserta el parrafo antes del spinner en el HTML
form.insertBefore(p, spinner);
setTimeout(function() {
p.remove();
formReset();
}, 5000)
}, 3000);
} | [
"function",
"sendEmail",
"(",
"event",
")",
"{",
"event",
".",
"preventDefault",
"(",
")",
";",
"// Mostrar spinner\r",
"const",
"spinner",
"=",
"document",
".",
"getElementById",
"(",
"'spinner'",
")",
";",
"spinner",
".",
"style",
".",
"display",
"=",
"'flex'",
";",
"// Después de 3 segundos ocultar spinner y mostrar mensaje\r",
"setTimeout",
"(",
"function",
"(",
")",
"{",
"spinner",
".",
"style",
".",
"display",
"=",
"'none'",
";",
"const",
"p",
"=",
"document",
".",
"createElement",
"(",
"'p'",
")",
";",
"p",
".",
"textContent",
"=",
"'El mensaje se envió correctamente.';",
"\r",
"p",
".",
"classList",
".",
"add",
"(",
"'text-center'",
",",
"'my-10'",
",",
"'p-5'",
",",
"'bg-green-500'",
",",
"'text-white'",
",",
"'font-bold'",
",",
"'uppercase'",
")",
";",
"// Inserta el parrafo antes del spinner en el HTML\r",
"form",
".",
"insertBefore",
"(",
"p",
",",
"spinner",
")",
";",
"setTimeout",
"(",
"function",
"(",
")",
"{",
"p",
".",
"remove",
"(",
")",
";",
"formReset",
"(",
")",
";",
"}",
",",
"5000",
")",
"}",
",",
"3000",
")",
";",
"}"
] | [
110,
0
] | [
134,
1
] | null | javascript | pt | ['pt', 'pt', 'pt'] | False | true | program |
criaPessoa7 | (nome, sobrenome, altura, peso) | null | 33.59 Função com Getter | 33.59 Função com Getter | function criaPessoa7(nome, sobrenome, altura, peso) {
return {
nome,
sobrenome,
altura,
peso,
fala(assunto) {
return `${this.peso} está ${assunto}`;
},
// Getter
get imc() {
const indice = this.peso / this.altura ** 2;
return indice.toFixed(2);
},
};
} | [
"function",
"criaPessoa7",
"(",
"nome",
",",
"sobrenome",
",",
"altura",
",",
"peso",
")",
"{",
"return",
"{",
"nome",
",",
"sobrenome",
",",
"altura",
",",
"peso",
",",
"fala",
"(",
"assunto",
")",
"{",
"return",
"`",
"${",
"this",
".",
"peso",
"}",
"{a",
"ssunto}",
"`",
";",
"",
"}",
",",
"// Getter",
"get",
"imc",
"(",
")",
"{",
"const",
"indice",
"=",
"this",
".",
"peso",
"/",
"this",
".",
"altura",
"*",
"*",
"2",
";",
"return",
"indice",
".",
"toFixed",
"(",
"2",
")",
";",
"}",
",",
"}",
";",
"}"
] | [
58,
0
] | [
73,
1
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | program |
estaoSobrepostos | (elementoA, elementoB) | null | const barreiras = new Barreiras(700, 1200, 200, 400) const passaro = new Passaro(700) const areaDoJogo = document.querySelector('[wm-flappy]') areaDoJogo.appendChild(passaro.elemento) areaDoJogo.appendChild(new Progresso().elemento) barreiras.pares.forEach(par => areaDoJogo.appendChild(par.elemento)) setInterval(() => { barreiras.animar() passaro.animar() }, 20); | const barreiras = new Barreiras(700, 1200, 200, 400) const passaro = new Passaro(700) const areaDoJogo = document.querySelector('[wm-flappy]') areaDoJogo.appendChild(passaro.elemento) areaDoJogo.appendChild(new Progresso().elemento) barreiras.pares.forEach(par => areaDoJogo.appendChild(par.elemento)) setInterval(() => { barreiras.animar() passaro.animar() }, 20); | function estaoSobrepostos(elementoA, elementoB) {
const a = elementoA.getBoundingClientRect()
const b = elementoB.getBoundingClientRect()
/* a.left é o lado esquerdo do elemento, quando somado com seu tamanho temos o lado direito do elemento
* no primeiro caso ele ta calculando se o lado direito do elemento é maior ou igual ao lado esquerdo do b
* em baixo a mesma lógica mas com o elemento B relacionando ao A
*/
const horizontal = a.left + a.width >= b.left
&& b.left + b.width >= a.left
const vertical = a.top + a.height >= b.top
&& b.top + b.height >= a.top
return horizontal && vertical
} | [
"function",
"estaoSobrepostos",
"(",
"elementoA",
",",
"elementoB",
")",
"{",
"const",
"a",
"=",
"elementoA",
".",
"getBoundingClientRect",
"(",
")",
"const",
"b",
"=",
"elementoB",
".",
"getBoundingClientRect",
"(",
")",
"/* a.left é o lado esquerdo do elemento, quando somado com seu tamanho temos o lado direito do elemento\n\t* no primeiro caso ele ta calculando se o lado direito do elemento é maior ou igual ao lado esquerdo do b\n\t* em baixo a mesma lógica mas com o elemento B relacionando ao A\n\t*/",
"const",
"horizontal",
"=",
"a",
".",
"left",
"+",
"a",
".",
"width",
">=",
"b",
".",
"left",
"&&",
"b",
".",
"left",
"+",
"b",
".",
"width",
">=",
"a",
".",
"left",
"const",
"vertical",
"=",
"a",
".",
"top",
"+",
"a",
".",
"height",
">=",
"b",
".",
"top",
"&&",
"b",
".",
"top",
"+",
"b",
".",
"height",
">=",
"a",
".",
"top",
"return",
"horizontal",
"&&",
"vertical",
"}"
] | [
123,
0
] | [
136,
1
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | program |
getMyPokemons | () | null | Pegando valores do sessionStorage e passado sua resposta para um estado. | Pegando valores do sessionStorage e passado sua resposta para um estado. | function getMyPokemons () {
const response = JSON.parse(sessionStorage.getItem('pokeball'))
setMyPokemons(response)
} | [
"function",
"getMyPokemons",
"(",
")",
"{",
"const",
"response",
"=",
"JSON",
".",
"parse",
"(",
"sessionStorage",
".",
"getItem",
"(",
"'pokeball'",
")",
")",
"setMyPokemons",
"(",
"response",
")",
"}"
] | [
15,
2
] | [
19,
3
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | statement_block |
outAfter | (what, where) | null | Inserir o elemento What depois de um elemento Where | Inserir o elemento What depois de um elemento Where | function outAfter(what, where) {
where.parentNode.insertBefore(what, where.nextSibling);
} | [
"function",
"outAfter",
"(",
"what",
",",
"where",
")",
"{",
"where",
".",
"parentNode",
".",
"insertBefore",
"(",
"what",
",",
"where",
".",
"nextSibling",
")",
";",
"}"
] | [
149,
12
] | [
151,
3
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | pair |
soma | (numeroA,numeroB) | null | operações matematicas basicas | operações matematicas basicas | function soma(numeroA,numeroB){
return numeroA+numeroB
} | [
"function",
"soma",
"(",
"numeroA",
",",
"numeroB",
")",
"{",
"return",
"numeroA",
"+",
"numeroB",
"}"
] | [
2,
0
] | [
4,
3
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | program |
criarPessoa | () | null | Isso é uma factory símples, função que retorna um objeto/Instância | Isso é uma factory símples, função que retorna um objeto/Instância | function criarPessoa() {
return {
nome: 'Ana',
sobrenome: 'Silva'
}
} | [
"function",
"criarPessoa",
"(",
")",
"{",
"return",
"{",
"nome",
":",
"'Ana'",
",",
"sobrenome",
":",
"'Silva'",
"}",
"}"
] | [
15,
0
] | [
20,
1
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | program |
esPar | (numerito) | null | HELPERS O UTILS: * VERIFICAMOS SI LA LISTA ES PAR O IMPAR | HELPERS O UTILS: * VERIFICAMOS SI LA LISTA ES PAR O IMPAR | function esPar(numerito) {
// if (numerito % 2 == 0) {
// return true;
// } else {
// return false;
// }
// Las 5 lineas de la condicional anterior se pueden resumir en:
return(numerito % 2 == 0);
} | [
"function",
"esPar",
"(",
"numerito",
")",
"{",
"// if (numerito % 2 == 0) {",
"// return true;",
"// } else {",
"// return false;",
"// }",
"// Las 5 lineas de la condicional anterior se pueden resumir en:",
"return",
"(",
"numerito",
"%",
"2",
"==",
"0",
")",
";",
"}"
] | [
4,
0
] | [
12,
1
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | program |
run | (fun) | null | Função como parâmetro. | Função como parâmetro. | function run(fun) {
fun();
} | [
"function",
"run",
"(",
"fun",
")",
"{",
"fun",
"(",
")",
";",
"}"
] | [
17,
0
] | [
19,
1
] | null | javascript | pt | ['pt', 'pt', 'pt'] | True | true | program |
tablaresultadosprogramainv | () | null | Tabla de resultados del programa seleccionado | Tabla de resultados del programa seleccionado | function tablaresultadosprogramainv(){
var controlador = "";
var base_url = document.getElementById('base_url').value;
var fecha_hasta = document.getElementById('fecha_hasta').value;
var programa_id = document.getElementById('programa_id').value;
var gestion_inicio = document.getElementById('gestion_inicio').value;
var gestion_id = document.getElementById('gestion_id').value;
controlador = base_url+'programa/consumidobuscar/';
$.ajax({url: controlador,
type:"POST",
data:{fecha_hasta:fecha_hasta, programa_id:programa_id, gestion_inicio:gestion_inicio,
gestion_id:gestion_id},
success:function(respuesta){
var registros = JSON.parse(respuesta);
if (registros == "no"){
alert('No existe Inventario para este programa hasta esta fecha.');
}else{
var cant_total = 0;
var n = registros.length;
html = "";
html += "<table style='width: 19.59cm' class='table table-striped' id='mitabla'>";
html += "<tr>";
html += "<th>#</th>";
html += "<th>DETALLE</th>";
html += "<th>UNIDAD</th>";
html += "<th>CODIGO</th>";
html += "<th>CANT.</th>";
html += " <th>PREC. UNIT.<br>Bs.</th>";
html += "<th>PREC. TOTAL<br>Bs.</th>";
html += "</tr>";
alert(n);
for(var i = 0; i < n ; i++){
if(registros[i]["salidas"]>0){
html += "<tr>";
cant_total = Number(cant_total)+Number(Number(registros[i]["precio_unitario"]*Number(registros[i]["salidas"])))
html += "<td>"+(i+1)+"</td>";
html += "<td style='font-size:10px'>"+registros[i]["articulo_nombre"]+"</td>";
html += "<td class='text-center'>"+registros[i]["articulo_unidad"]+"</td>";
html += "<td class='text-center'>"+registros[i]["articulo_codigo"]+"</td>";
html += "<td class='text-center'>"+numberFormat(Number(registros[i]["salidas"]).toFixed(2))+"</td>";
html += "<td class='text-right'>"+numberFormat(Number(registros[i]["precio_unitario"]).toFixed(2))+"</td>";
html += "<td class='text-right'>"+numberFormat(Number(Number(registros[i]["precio_unitario"]*Number(registros[i]["salidas"]))).toFixed(2))+"</td>";
html += "</tr>";
}
}
convertiraliteral(Number(cant_total).toFixed(2));
obtenercodigo(programa_id);
html += "</table>";
var titulo_prog = $("#programa_id option:selected").text();
$("#elprograma").html(titulo_prog);
$("#lafecha").html(moment(fecha_hasta).format('DD/MM/YYYY'));
$("#elmantenimiento").html($('input:radio[name=mantenimiento]:checked').val());
$("#tablaresultados").html(html);
var html1 ="";
html1 += "<table style='width: 19.59cm; font-size: 10px' class='text-bold' id='mitabla'>";
html1 += "<tr>";
html1 += "<th style='text-align: right' class='estdline' colspan='2'> TOTAL:";
html1 += "</th>";
html1 += "<th style='text-align: right' class='estdline' colspan='5'>"+numberFormat(Number(cant_total).toFixed(2))+" Bs.";
html1 += "</th>";
html1 += "</tr>";
html1 += "<tr>";
html1 += "<th style='text-align: right' class='estdline' colspan='2'> LITERAL:";
html1 += "</th>";
html1 += "<th style='text-align: right' class='estdline' colspan='5'><span id='literal'></span>";
html1 += "</th>";
html1 += "</tr>";
html1 += "</table>";
$("#tablaresultados1").html(html1);
}
},
error:function(respuesta){
alert('No existe Inventario para este programa hasta esta fecha.');
html = "";
$("#tablaresultados").html(html);
}
});
} | [
"function",
"tablaresultadosprogramainv",
"(",
")",
"{",
"var",
"controlador",
"=",
"\"\"",
";",
"var",
"base_url",
"=",
"document",
".",
"getElementById",
"(",
"'base_url'",
")",
".",
"value",
";",
"var",
"fecha_hasta",
"=",
"document",
".",
"getElementById",
"(",
"'fecha_hasta'",
")",
".",
"value",
";",
"var",
"programa_id",
"=",
"document",
".",
"getElementById",
"(",
"'programa_id'",
")",
".",
"value",
";",
"var",
"gestion_inicio",
"=",
"document",
".",
"getElementById",
"(",
"'gestion_inicio'",
")",
".",
"value",
";",
"var",
"gestion_id",
"=",
"document",
".",
"getElementById",
"(",
"'gestion_id'",
")",
".",
"value",
";",
"controlador",
"=",
"base_url",
"+",
"'programa/consumidobuscar/'",
";",
"$",
".",
"ajax",
"(",
"{",
"url",
":",
"controlador",
",",
"type",
":",
"\"POST\"",
",",
"data",
":",
"{",
"fecha_hasta",
":",
"fecha_hasta",
",",
"programa_id",
":",
"programa_id",
",",
"gestion_inicio",
":",
"gestion_inicio",
",",
"gestion_id",
":",
"gestion_id",
"}",
",",
"success",
":",
"function",
"(",
"respuesta",
")",
"{",
"var",
"registros",
"=",
"JSON",
".",
"parse",
"(",
"respuesta",
")",
";",
"if",
"(",
"registros",
"==",
"\"no\"",
")",
"{",
"alert",
"(",
"'No existe Inventario para este programa hasta esta fecha.'",
")",
";",
"}",
"else",
"{",
"var",
"cant_total",
"=",
"0",
";",
"var",
"n",
"=",
"registros",
".",
"length",
";",
"html",
"=",
"\"\"",
";",
"html",
"+=",
"\"<table style='width: 19.59cm' class='table table-striped' id='mitabla'>\"",
";",
"html",
"+=",
"\"<tr>\"",
";",
"html",
"+=",
"\"<th>#</th>\"",
";",
"html",
"+=",
"\"<th>DETALLE</th>\"",
";",
"html",
"+=",
"\"<th>UNIDAD</th>\"",
";",
"html",
"+=",
"\"<th>CODIGO</th>\"",
";",
"html",
"+=",
"\"<th>CANT.</th>\"",
";",
"html",
"+=",
"\" <th>PREC. UNIT.<br>Bs.</th>\"",
";",
"html",
"+=",
"\"<th>PREC. TOTAL<br>Bs.</th>\"",
";",
"html",
"+=",
"\"</tr>\"",
";",
"alert",
"(",
"n",
")",
";",
"for",
"(",
"var",
"i",
"=",
"0",
";",
"i",
"<",
"n",
";",
"i",
"++",
")",
"{",
"if",
"(",
"registros",
"[",
"i",
"]",
"[",
"\"salidas\"",
"]",
">",
"0",
")",
"{",
"html",
"+=",
"\"<tr>\"",
";",
"cant_total",
"=",
"Number",
"(",
"cant_total",
")",
"+",
"Number",
"(",
"Number",
"(",
"registros",
"[",
"i",
"]",
"[",
"\"precio_unitario\"",
"]",
"*",
"Number",
"(",
"registros",
"[",
"i",
"]",
"[",
"\"salidas\"",
"]",
")",
")",
")",
"html",
"+=",
"\"<td>\"",
"+",
"(",
"i",
"+",
"1",
")",
"+",
"\"</td>\"",
";",
"html",
"+=",
"\"<td style='font-size:10px'>\"",
"+",
"registros",
"[",
"i",
"]",
"[",
"\"articulo_nombre\"",
"]",
"+",
"\"</td>\"",
";",
"html",
"+=",
"\"<td class='text-center'>\"",
"+",
"registros",
"[",
"i",
"]",
"[",
"\"articulo_unidad\"",
"]",
"+",
"\"</td>\"",
";",
"html",
"+=",
"\"<td class='text-center'>\"",
"+",
"registros",
"[",
"i",
"]",
"[",
"\"articulo_codigo\"",
"]",
"+",
"\"</td>\"",
";",
"html",
"+=",
"\"<td class='text-center'>\"",
"+",
"numberFormat",
"(",
"Number",
"(",
"registros",
"[",
"i",
"]",
"[",
"\"salidas\"",
"]",
")",
".",
"toFixed",
"(",
"2",
")",
")",
"+",
"\"</td>\"",
";",
"html",
"+=",
"\"<td class='text-right'>\"",
"+",
"numberFormat",
"(",
"Number",
"(",
"registros",
"[",
"i",
"]",
"[",
"\"precio_unitario\"",
"]",
")",
".",
"toFixed",
"(",
"2",
")",
")",
"+",
"\"</td>\"",
";",
"html",
"+=",
"\"<td class='text-right'>\"",
"+",
"numberFormat",
"(",
"Number",
"(",
"Number",
"(",
"registros",
"[",
"i",
"]",
"[",
"\"precio_unitario\"",
"]",
"*",
"Number",
"(",
"registros",
"[",
"i",
"]",
"[",
"\"salidas\"",
"]",
")",
")",
")",
".",
"toFixed",
"(",
"2",
")",
")",
"+",
"\"</td>\"",
";",
"html",
"+=",
"\"</tr>\"",
";",
"}",
"}",
"convertiraliteral",
"(",
"Number",
"(",
"cant_total",
")",
".",
"toFixed",
"(",
"2",
")",
")",
";",
"obtenercodigo",
"(",
"programa_id",
")",
";",
"html",
"+=",
"\"</table>\"",
";",
"var",
"titulo_prog",
"=",
"$",
"(",
"\"#programa_id option:selected\"",
")",
".",
"text",
"(",
")",
";",
"$",
"(",
"\"#elprograma\"",
")",
".",
"html",
"(",
"titulo_prog",
")",
";",
"$",
"(",
"\"#lafecha\"",
")",
".",
"html",
"(",
"moment",
"(",
"fecha_hasta",
")",
".",
"format",
"(",
"'DD/MM/YYYY'",
")",
")",
";",
"$",
"(",
"\"#elmantenimiento\"",
")",
".",
"html",
"(",
"$",
"(",
"'input:radio[name=mantenimiento]:checked'",
")",
".",
"val",
"(",
")",
")",
";",
"$",
"(",
"\"#tablaresultados\"",
")",
".",
"html",
"(",
"html",
")",
";",
"var",
"html1",
"=",
"\"\"",
";",
"html1",
"+=",
"\"<table style='width: 19.59cm; font-size: 10px' class='text-bold' id='mitabla'>\"",
";",
"html1",
"+=",
"\"<tr>\"",
";",
"html1",
"+=",
"\"<th style='text-align: right' class='estdline' colspan='2'> TOTAL:\"",
";",
"html1",
"+=",
"\"</th>\"",
";",
"html1",
"+=",
"\"<th style='text-align: right' class='estdline' colspan='5'>\"",
"+",
"numberFormat",
"(",
"Number",
"(",
"cant_total",
")",
".",
"toFixed",
"(",
"2",
")",
")",
"+",
"\" Bs.\"",
";",
"html1",
"+=",
"\"</th>\"",
";",
"html1",
"+=",
"\"</tr>\"",
";",
"html1",
"+=",
"\"<tr>\"",
";",
"html1",
"+=",
"\"<th style='text-align: right' class='estdline' colspan='2'> LITERAL:\"",
";",
"html1",
"+=",
"\"</th>\"",
";",
"html1",
"+=",
"\"<th style='text-align: right' class='estdline' colspan='5'><span id='literal'></span>\"",
";",
"html1",
"+=",
"\"</th>\"",
";",
"html1",
"+=",
"\"</tr>\"",
";",
"html1",
"+=",
"\"</table>\"",
";",
"$",
"(",
"\"#tablaresultados1\"",
")",
".",
"html",
"(",
"html1",
")",
";",
"}",
"}",
",",
"error",
":",
"function",
"(",
"respuesta",
")",
"{",
"alert",
"(",
"'No existe Inventario para este programa hasta esta fecha.'",
")",
";",
"html",
"=",
"\"\"",
";",
"$",
"(",
"\"#tablaresultados\"",
")",
".",
"html",
"(",
"html",
")",
";",
"}",
"}",
")",
";",
"}"
] | [
1,
0
] | [
93,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
removerMateria | (setMaterias, semIdx, matIdx) | null | Función para remover una materia de la matriz de materias. | Función para remover una materia de la matriz de materias. | function removerMateria(setMaterias, semIdx, matIdx) {
const confirmMessage = `¿Remover materia del plan de estudios?`;
if (!window.confirm(confirmMessage)) return;
setMaterias((m) => {
const semestre = m[semIdx];
const editedSemestre = [
...semestre.slice(0, matIdx),
...semestre.slice(matIdx + 1),
];
const newMaterias = [
...m.slice(0, semIdx),
editedSemestre,
...m.slice(semIdx + 1),
];
return newMaterias;
});
} | [
"function",
"removerMateria",
"(",
"setMaterias",
",",
"semIdx",
",",
"matIdx",
")",
"{",
"const",
"confirmMessage",
"=",
"`",
";",
"",
"if",
"(",
"!",
"window",
".",
"confirm",
"(",
"confirmMessage",
")",
")",
"return",
";",
"setMaterias",
"(",
"(",
"m",
")",
"=>",
"{",
"const",
"semestre",
"=",
"m",
"[",
"semIdx",
"]",
";",
"const",
"editedSemestre",
"=",
"[",
"...",
"semestre",
".",
"slice",
"(",
"0",
",",
"matIdx",
")",
",",
"...",
"semestre",
".",
"slice",
"(",
"matIdx",
"+",
"1",
")",
",",
"]",
";",
"const",
"newMaterias",
"=",
"[",
"...",
"m",
".",
"slice",
"(",
"0",
",",
"semIdx",
")",
",",
"editedSemestre",
",",
"...",
"m",
".",
"slice",
"(",
"semIdx",
"+",
"1",
")",
",",
"]",
";",
"return",
"newMaterias",
";",
"}",
")",
";",
"}"
] | [
7,
0
] | [
24,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
darC | () | null | Función que coloca la C al presionar dicho botón | Función que coloca la C al presionar dicho botón | function darC(){
num1 = 0;
num2 = 0;
refrescar();
} | [
"function",
"darC",
"(",
")",
"{",
"num1",
"=",
"0",
";",
"num2",
"=",
"0",
";",
"refrescar",
"(",
")",
";",
"}"
] | [
26,
8
] | [
30,
9
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
() | null | /* Eventos para configurar la grilla | /* Eventos para configurar la grilla | function () {
/* Creamos la grilla */
anexGrid.tabla = $('<table id="' + id + '" style="' + anexGrid.style + '" class="table ' + anexGrid.class + '"><thead class="' + clase.columnas + '"><tr></tr></thead><tbody class="' + clase.filas + '"></tbody><tfoot class="' + clase.paginador + '"></tfoot></table>');
/* Registros por página */
anexGrid.porPagina = typeof anexGrid.limite == 'number' ? anexGrid.limite : anexGrid.limite[0];
} | [
"function",
"(",
")",
"{",
"/* Creamos la grilla */",
"anexGrid",
".",
"tabla",
"=",
"$",
"(",
"'<table id=\"'",
"+",
"id",
"+",
"'\" style=\"'",
"+",
"anexGrid",
".",
"style",
"+",
"'\" class=\"table '",
"+",
"anexGrid",
".",
"class",
"+",
"'\"><thead class=\"'",
"+",
"clase",
".",
"columnas",
"+",
"'\"><tr></tr></thead><tbody class=\"'",
"+",
"clase",
".",
"filas",
"+",
"'\"></tbody><tfoot class=\"'",
"+",
"clase",
".",
"paginador",
"+",
"'\"></tfoot></table>'",
")",
";",
"/* Registros por página */",
"anexGrid",
".",
"porPagina",
"=",
"typeof",
"anexGrid",
".",
"limite",
"==",
"'number'",
"?",
"anexGrid",
".",
"limite",
":",
"anexGrid",
".",
"limite",
"[",
"0",
"]",
";",
"}"
] | [
114,
20
] | [
120,
9
] | null | javascript | es | ['es', 'es', 'es'] | True | true | pair |
|
getReceivedMessages | (req, res) | null | Listar mensajes recibidos | Listar mensajes recibidos | function getReceivedMessages(req, res){
var userId = req.user.sub;
var page = 1;
if(req.params.page)
page = req.params.page;
var itemsPerPage = 4;
Message.find({receiver: userId}).populate('emitter', '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",
"getReceivedMessages",
"(",
"req",
",",
"res",
")",
"{",
"var",
"userId",
"=",
"req",
".",
"user",
".",
"sub",
";",
"var",
"page",
"=",
"1",
";",
"if",
"(",
"req",
".",
"params",
".",
"page",
")",
"page",
"=",
"req",
".",
"params",
".",
"page",
";",
"var",
"itemsPerPage",
"=",
"4",
";",
"Message",
".",
"find",
"(",
"{",
"receiver",
":",
"userId",
"}",
")",
".",
"populate",
"(",
"'emitter'",
",",
"'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",
"}",
")",
";",
"}",
")",
";",
"}"
] | [
38,
0
] | [
54,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
numeroContactos | () | null | Muestra el número de registros al buscador | Muestra el número de registros al buscador | function numeroContactos(){
const totalContactos = document.querySelectorAll('tbody tr'),
//Guardamos la ubicación donde se mostrará
contenedorNumero = document.querySelector('.total_perfiles span');
// console.log(totalContactos.length);
let total = 0;
totalContactos.forEach(contacto=> {
if(contacto.style.display === '' || contacto.style.display === 'table-row'){
total++;
}
});
// console.log(total);
contenedorNumero.textContent = total;
} | [
"function",
"numeroContactos",
"(",
")",
"{",
"const",
"totalContactos",
"=",
"document",
".",
"querySelectorAll",
"(",
"'tbody tr'",
")",
",",
"//Guardamos la ubicación donde se mostrará",
"contenedorNumero",
"=",
"document",
".",
"querySelector",
"(",
"'.total_perfiles span'",
")",
";",
"// console.log(totalContactos.length);",
"let",
"total",
"=",
"0",
";",
"totalContactos",
".",
"forEach",
"(",
"contacto",
"=>",
"{",
"if",
"(",
"contacto",
".",
"style",
".",
"display",
"===",
"''",
"||",
"contacto",
".",
"style",
".",
"display",
"===",
"'table-row'",
")",
"{",
"total",
"++",
";",
"}",
"}",
")",
";",
"// console.log(total);",
"contenedorNumero",
".",
"textContent",
"=",
"total",
";",
"}"
] | [
334,
0
] | [
351,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
Boid | (x, y) | null | Clase Boid Métodos para Separación, Cohesión, alineamiento | Clase Boid Métodos para Separación, Cohesión, alineamiento | function Boid(x, y) {
this.acceleration = createVector(0, 0);
this.velocity = createVector(random(-1, 1),random(-1, 1));
this.position = createVector(x,y);
this.r = 3.0;
this.maxspeed = 3; // Velocidad máxima
this.maxforce = 0.05; // Fuerza de viraje máxima
} | [
"function",
"Boid",
"(",
"x",
",",
"y",
")",
"{",
"this",
".",
"acceleration",
"=",
"createVector",
"(",
"0",
",",
"0",
")",
";",
"this",
".",
"velocity",
"=",
"createVector",
"(",
"random",
"(",
"-",
"1",
",",
"1",
")",
",",
"random",
"(",
"-",
"1",
",",
"1",
")",
")",
";",
"this",
".",
"position",
"=",
"createVector",
"(",
"x",
",",
"y",
")",
";",
"this",
".",
"r",
"=",
"3.0",
";",
"this",
".",
"maxspeed",
"=",
"3",
";",
"// Velocidad máxima",
"this",
".",
"maxforce",
"=",
"0.05",
";",
"// Fuerza de viraje máxima",
"}"
] | [
65,
0
] | [
72,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
eliminarFormulario | (e) | null | Función eliminar contacto | Función eliminar contacto | function eliminarFormulario(e){
// Para ver por consola el elemento al cual le diste click
//ParentElement,para seleccionar el padre del elemento y verificar si existe
// Devolverá true si existe, false si no
//console.log(e.target.parentElement.classList.contains('btn-borrar'));
// Tomar el id
if(e.target.parentElement.classList.contains('btn-borrar') ){
//Tomar id
const id = e.target.parentElement.getAttribute('data-id');
console.log(id);
// Preguntar al usuario
const respuesta = confirm('Estas segur@ ?');
if(respuesta){
console.log('Sí, estoy seguro');
// console.log('Lo pensaré');
// Llamado a ajax
//Crear el objeto
const xhr = new XMLHttpRequest();
//abrir la conexion | | mandaremos la información por GET
xhr.open('GET', `includes/modelos/modelo-contacto.php?id=${id}&accion=borrar`, true);
//leer la informacion
xhr.onload = function() {
if(this.status === 200){
const resultado = JSON.parse(xhr.responseText);
// console.log(resultado);
if(resultado.respuesta === 'correcto'){
// Eliminamos el registro del DOM -> ajax
//Vemos el elemento seleccionado
console.log(e.target.parentElement.parentElement.parentElement);
//Eliminamos el registro
const deleteRegistro = e.target.parentElement.parentElement.parentElement;
deleteRegistro.remove();
// Mostramos una notificación, si algo esta bien
mostrarNotificaciones('Contacto Eliminado', 'exito');
}else{
// Mostramos una notificación, si algo esta mal
mostrarNotificaciones('Hubo un error', 'error');
}
}
}
//enviar la petición
xhr.send();
}
}
} | [
"function",
"eliminarFormulario",
"(",
"e",
")",
"{",
"// Para ver por consola el elemento al cual le diste click",
"//ParentElement,para seleccionar el padre del elemento y verificar si existe",
"// Devolverá true si existe, false si no ",
"//console.log(e.target.parentElement.classList.contains('btn-borrar'));",
"// Tomar el id ",
"if",
"(",
"e",
".",
"target",
".",
"parentElement",
".",
"classList",
".",
"contains",
"(",
"'btn-borrar'",
")",
")",
"{",
"//Tomar id",
"const",
"id",
"=",
"e",
".",
"target",
".",
"parentElement",
".",
"getAttribute",
"(",
"'data-id'",
")",
";",
"console",
".",
"log",
"(",
"id",
")",
";",
"// Preguntar al usuario",
"const",
"respuesta",
"=",
"confirm",
"(",
"'Estas segur@ ?'",
")",
";",
"if",
"(",
"respuesta",
")",
"{",
"console",
".",
"log",
"(",
"'Sí, estoy seguro')",
";",
"",
"// console.log('Lo pensaré');",
"// Llamado a ajax",
"//Crear el objeto",
"const",
"xhr",
"=",
"new",
"XMLHttpRequest",
"(",
")",
";",
"//abrir la conexion | | mandaremos la información por GET",
"xhr",
".",
"open",
"(",
"'GET'",
",",
"`",
"${",
"id",
"}",
"`",
",",
"true",
")",
";",
"//leer la informacion",
"xhr",
".",
"onload",
"=",
"function",
"(",
")",
"{",
"if",
"(",
"this",
".",
"status",
"===",
"200",
")",
"{",
"const",
"resultado",
"=",
"JSON",
".",
"parse",
"(",
"xhr",
".",
"responseText",
")",
";",
"// console.log(resultado);",
"if",
"(",
"resultado",
".",
"respuesta",
"===",
"'correcto'",
")",
"{",
"// Eliminamos el registro del DOM -> ajax",
"//Vemos el elemento seleccionado",
"console",
".",
"log",
"(",
"e",
".",
"target",
".",
"parentElement",
".",
"parentElement",
".",
"parentElement",
")",
";",
"//Eliminamos el registro",
"const",
"deleteRegistro",
"=",
"e",
".",
"target",
".",
"parentElement",
".",
"parentElement",
".",
"parentElement",
";",
"deleteRegistro",
".",
"remove",
"(",
")",
";",
"// Mostramos una notificación, si algo esta bien",
"mostrarNotificaciones",
"(",
"'Contacto Eliminado'",
",",
"'exito'",
")",
";",
"}",
"else",
"{",
"// Mostramos una notificación, si algo esta mal",
"mostrarNotificaciones",
"(",
"'Hubo un error'",
",",
"'error'",
")",
";",
"}",
"}",
"}",
"//enviar la petición",
"xhr",
".",
"send",
"(",
")",
";",
"}",
"}",
"}"
] | [
201,
0
] | [
274,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
Flock | () | null | Objeto Flock Hace pocas cosas, simplemente administra el arreglo de todos los boids | Objeto Flock Hace pocas cosas, simplemente administra el arreglo de todos los boids | function Flock() {
// Un arreglo para todos los boids
this.boids = []; // Inicializar el arreglo
} | [
"function",
"Flock",
"(",
")",
"{",
"// Un arreglo para todos los boids",
"this",
".",
"boids",
"=",
"[",
"]",
";",
"// Inicializar el arreglo",
"}"
] | [
43,
0
] | [
46,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
toggleSeat | (row, seat) | null | /* Venta de entradas | /* Venta de entradas | function toggleSeat(row, seat) {
var selector = "#" + row + "_" + seat;
if ($(selector).hasClass("btn-success")) {
/* Selección de butaca */
$(selector).removeClass("btn-success");
$(selector).addClass("btn-danger");
/* Control del contador */
var sCount = parseInt($("#seatCount").html());
sCount = sCount + 1;
$("#seatCount").html(sCount);
/* Control de la selección escondida */
var sSeats = [];
if ($("#selectedSeats").val() != "") {
var sSeats = $("#selectedSeats").val().split(",");
};
sSeats.push(row + "_" + seat);
$("#selectedSeats").val(sSeats.join());
}
else {
/* Selección de butaca */
$(selector).addClass("btn-success");
$(selector).removeClass("btn-danger");
/* Control del contador */
var sCount = parseInt($("#seatCount").html());
sCount = sCount - 1;
$("#seatCount").html(sCount);
/* Control de la selección escondida */
var sSeats = [];
if ($("#selectedSeats").val() != "") {
var sSeats = $("#selectedSeats").val().split(",");
};
var idx = sSeats.indexOf(row + "_" + seat);
sSeats.splice(idx, 1);
$("#selectedSeats").val(sSeats.join());
}
} | [
"function",
"toggleSeat",
"(",
"row",
",",
"seat",
")",
"{",
"var",
"selector",
"=",
"\"#\"",
"+",
"row",
"+",
"\"_\"",
"+",
"seat",
";",
"if",
"(",
"$",
"(",
"selector",
")",
".",
"hasClass",
"(",
"\"btn-success\"",
")",
")",
"{",
"/* Selección de butaca */",
"$",
"(",
"selector",
")",
".",
"removeClass",
"(",
"\"btn-success\"",
")",
";",
"$",
"(",
"selector",
")",
".",
"addClass",
"(",
"\"btn-danger\"",
")",
";",
"/* Control del contador */",
"var",
"sCount",
"=",
"parseInt",
"(",
"$",
"(",
"\"#seatCount\"",
")",
".",
"html",
"(",
")",
")",
";",
"sCount",
"=",
"sCount",
"+",
"1",
";",
"$",
"(",
"\"#seatCount\"",
")",
".",
"html",
"(",
"sCount",
")",
";",
"/* Control de la selección escondida */",
"var",
"sSeats",
"=",
"[",
"]",
";",
"if",
"(",
"$",
"(",
"\"#selectedSeats\"",
")",
".",
"val",
"(",
")",
"!=",
"\"\"",
")",
"{",
"var",
"sSeats",
"=",
"$",
"(",
"\"#selectedSeats\"",
")",
".",
"val",
"(",
")",
".",
"split",
"(",
"\",\"",
")",
";",
"}",
";",
"sSeats",
".",
"push",
"(",
"row",
"+",
"\"_\"",
"+",
"seat",
")",
";",
"$",
"(",
"\"#selectedSeats\"",
")",
".",
"val",
"(",
"sSeats",
".",
"join",
"(",
")",
")",
";",
"}",
"else",
"{",
"/* Selección de butaca */",
"$",
"(",
"selector",
")",
".",
"addClass",
"(",
"\"btn-success\"",
")",
";",
"$",
"(",
"selector",
")",
".",
"removeClass",
"(",
"\"btn-danger\"",
")",
";",
"/* Control del contador */",
"var",
"sCount",
"=",
"parseInt",
"(",
"$",
"(",
"\"#seatCount\"",
")",
".",
"html",
"(",
")",
")",
";",
"sCount",
"=",
"sCount",
"-",
"1",
";",
"$",
"(",
"\"#seatCount\"",
")",
".",
"html",
"(",
"sCount",
")",
";",
"/* Control de la selección escondida */",
"var",
"sSeats",
"=",
"[",
"]",
";",
"if",
"(",
"$",
"(",
"\"#selectedSeats\"",
")",
".",
"val",
"(",
")",
"!=",
"\"\"",
")",
"{",
"var",
"sSeats",
"=",
"$",
"(",
"\"#selectedSeats\"",
")",
".",
"val",
"(",
")",
".",
"split",
"(",
"\",\"",
")",
";",
"}",
";",
"var",
"idx",
"=",
"sSeats",
".",
"indexOf",
"(",
"row",
"+",
"\"_\"",
"+",
"seat",
")",
";",
"sSeats",
".",
"splice",
"(",
"idx",
",",
"1",
")",
";",
"$",
"(",
"\"#selectedSeats\"",
")",
".",
"val",
"(",
"sSeats",
".",
"join",
"(",
")",
")",
";",
"}",
"}"
] | [
10,
0
] | [
45,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
Ladrillo | (ancho, alto, vidas, posicionX, posicionY) | null | La clase ladrillo representa los rectangulos que el jugador debe destruir para avanzar | La clase ladrillo representa los rectangulos que el jugador debe destruir para avanzar | function Ladrillo(ancho, alto, vidas, posicionX, posicionY){
this.posicionX = posicionX;
this.posicionY = posicionY;
this.alto = alto;
this.ancho = ancho;
this.vidas = vidas; //Vidas indica el numero de veces que hay que golpear al ladrillo para que desaparezca
} | [
"function",
"Ladrillo",
"(",
"ancho",
",",
"alto",
",",
"vidas",
",",
"posicionX",
",",
"posicionY",
")",
"{",
"this",
".",
"posicionX",
"=",
"posicionX",
";",
"this",
".",
"posicionY",
"=",
"posicionY",
";",
"this",
".",
"alto",
"=",
"alto",
";",
"this",
".",
"ancho",
"=",
"ancho",
";",
"this",
".",
"vidas",
"=",
"vidas",
";",
"//Vidas indica el numero de veces que hay que golpear al ladrillo para que desaparezca",
"}"
] | [
90,
0
] | [
96,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
setup | () | null | Las instrucciones dentro de la función setup() se ejecutan una vez, cuando el programa empieza | Las instrucciones dentro de la función setup() se ejecutan una vez, cuando el programa empieza | function setup() {
createCanvas(720, 400); // El tamaño debe ser la primera instrucción
stroke(255); // Definir que el color del trazado sea blanco
frameRate(30);
} | [
"function",
"setup",
"(",
")",
"{",
"createCanvas",
"(",
"720",
",",
"400",
")",
";",
"// El tamaño debe ser la primera instrucción",
"stroke",
"(",
"255",
")",
";",
"// Definir que el color del trazado sea blanco",
"frameRate",
"(",
"30",
")",
";",
"}"
] | [
8,
0
] | [
12,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
guardarClase | () | null | Funcion de Agregar Clase | Funcion de Agregar Clase | function guardarClase() {
// Aqui se cargan las variables con los datos del Formulario
var estado = document.getElementById("est_cla").value;
var nombre = document.getElementById("nom_cla").value;
// Aqui se cargan los IDs de los DIVs que contienen los Inputs
var inputNombre = document.getElementById("inputNombreClase");
// Validación de que los Inputs no estan vacios
if (!nombre) {
swal("", "Debe llenar el campo de Nombre.", "error", {
button: false,
timer: 1500
});
document.getElementById("nom_cla").focus();
inputNombre.className = "form-group label-floating has-error";
return
} else {
inputNombre.className = "form-group label-floating";
}
// Guardado en la Base de Datos
sql = "SELECT * FROM clase";
con.query(sql, function (err, result) {
if (err) console.log(err);
});
sql = "INSERT INTO clase (nom_cla, est_cla) VALUES ?";
var values = [
[nombre, estado]
];
con.query(sql, [values], function (err, result) {
if (err) {
console.log(err);
swal("Error", "Por favor, verifique los datos o contacte con el Administrador.", "error", {
button: false,
timer: 3000
});
} else {
swal("", "Clase registrada correctamente.", "success", {
button: false,
timer: 3000
}).then(function () {
nameUser = localStorage.getItem('name');
date_log = new Date();
sql2 = "INSERT INTO log (usu_log, tab_log, acc_log, reg_log, date_log, est_log) VALUES ?";
var values2 = [
[nameUser, 'clase', 'Registro', sql + "(" + values + ")", date_log, 'A']
];
con.query(sql2, [values2], function (err, result) {
if (err) {
console.log(err);
} else {
window.location.reload();
}
});
});
};
});
} | [
"function",
"guardarClase",
"(",
")",
"{",
"// Aqui se cargan las variables con los datos del Formulario",
"var",
"estado",
"=",
"document",
".",
"getElementById",
"(",
"\"est_cla\"",
")",
".",
"value",
";",
"var",
"nombre",
"=",
"document",
".",
"getElementById",
"(",
"\"nom_cla\"",
")",
".",
"value",
";",
"// Aqui se cargan los IDs de los DIVs que contienen los Inputs",
"var",
"inputNombre",
"=",
"document",
".",
"getElementById",
"(",
"\"inputNombreClase\"",
")",
";",
"// Validación de que los Inputs no estan vacios",
"if",
"(",
"!",
"nombre",
")",
"{",
"swal",
"(",
"\"\"",
",",
"\"Debe llenar el campo de Nombre.\"",
",",
"\"error\"",
",",
"{",
"button",
":",
"false",
",",
"timer",
":",
"1500",
"}",
")",
";",
"document",
".",
"getElementById",
"(",
"\"nom_cla\"",
")",
".",
"focus",
"(",
")",
";",
"inputNombre",
".",
"className",
"=",
"\"form-group label-floating has-error\"",
";",
"return",
"}",
"else",
"{",
"inputNombre",
".",
"className",
"=",
"\"form-group label-floating\"",
";",
"}",
"// Guardado en la Base de Datos",
"sql",
"=",
"\"SELECT * FROM clase\"",
";",
"con",
".",
"query",
"(",
"sql",
",",
"function",
"(",
"err",
",",
"result",
")",
"{",
"if",
"(",
"err",
")",
"console",
".",
"log",
"(",
"err",
")",
";",
"}",
")",
";",
"sql",
"=",
"\"INSERT INTO clase (nom_cla, est_cla) VALUES ?\"",
";",
"var",
"values",
"=",
"[",
"[",
"nombre",
",",
"estado",
"]",
"]",
";",
"con",
".",
"query",
"(",
"sql",
",",
"[",
"values",
"]",
",",
"function",
"(",
"err",
",",
"result",
")",
"{",
"if",
"(",
"err",
")",
"{",
"console",
".",
"log",
"(",
"err",
")",
";",
"swal",
"(",
"\"Error\"",
",",
"\"Por favor, verifique los datos o contacte con el Administrador.\"",
",",
"\"error\"",
",",
"{",
"button",
":",
"false",
",",
"timer",
":",
"3000",
"}",
")",
";",
"}",
"else",
"{",
"swal",
"(",
"\"\"",
",",
"\"Clase registrada correctamente.\"",
",",
"\"success\"",
",",
"{",
"button",
":",
"false",
",",
"timer",
":",
"3000",
"}",
")",
".",
"then",
"(",
"function",
"(",
")",
"{",
"nameUser",
"=",
"localStorage",
".",
"getItem",
"(",
"'name'",
")",
";",
"date_log",
"=",
"new",
"Date",
"(",
")",
";",
"sql2",
"=",
"\"INSERT INTO log (usu_log, tab_log, acc_log, reg_log, date_log, est_log) VALUES ?\"",
";",
"var",
"values2",
"=",
"[",
"[",
"nameUser",
",",
"'clase'",
",",
"'Registro'",
",",
"sql",
"+",
"\"(\"",
"+",
"values",
"+",
"\")\"",
",",
"date_log",
",",
"'A'",
"]",
"]",
";",
"con",
".",
"query",
"(",
"sql2",
",",
"[",
"values2",
"]",
",",
"function",
"(",
"err",
",",
"result",
")",
"{",
"if",
"(",
"err",
")",
"{",
"console",
".",
"log",
"(",
"err",
")",
";",
"}",
"else",
"{",
"window",
".",
"location",
".",
"reload",
"(",
")",
";",
"}",
"}",
")",
";",
"}",
")",
";",
"}",
";",
"}",
")",
";",
"}"
] | [
9,
0
] | [
75,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
() | null | Aunque podemos acceder al objeto mediante 'persona.propiedad' esto no es el estandar | Aunque podemos acceder al objeto mediante 'persona.propiedad' esto no es el estandar | function() {
console.log("Mi nombre es" + persona.nombre + " " + persona.apellido);
} | [
"function",
"(",
")",
"{",
"console",
".",
"log",
"(",
"\"Mi nombre es\"",
"+",
"persona",
".",
"nombre",
"+",
"\" \"",
"+",
"persona",
".",
"apellido",
")",
";",
"}"
] | [
76,
13
] | [
78,
3
] | null | javascript | es | ['es', 'es', 'es'] | True | true | pair |
|
perimetroCuadrado | (lado) | null | const ladoCuadrado = 5; console.log("Lados del cuadrado miden: " + ladoCuadrado + " cm"); | const ladoCuadrado = 5; console.log("Lados del cuadrado miden: " + ladoCuadrado + " cm"); | function perimetroCuadrado(lado) {
return lado * 4;
} | [
"function",
"perimetroCuadrado",
"(",
"lado",
")",
"{",
"return",
"lado",
"*",
"4",
";",
"}"
] | [
5,
0
] | [
7,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
calcularDoble | (numero) | null | si la declaracion del return no inicia minimo { en la misma linea marcara un error /* function calcularDoble2(numero) {
return
{
original: numero, doble: numero * 2
}
} | si la declaracion del return no inicia minimo { en la misma linea marcara un error /* function calcularDoble2(numero) {
return
{
original: numero, doble: numero * 2
}
} | function calcularDoble(numero) {
return { original: numero, doble: numero * 2}
} | [
"function",
"calcularDoble",
"(",
"numero",
")",
"{",
"return",
"{",
"original",
":",
"numero",
",",
"doble",
":",
"numero",
"*",
"2",
"}",
"}"
] | [
29,
0
] | [
31,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
tabla_cobrar | () | null | Ver tabla usuarios por cobrar | Ver tabla usuarios por cobrar | function tabla_cobrar() {
$.ajax({
type: "GET",
url: "ajax/tabla_cobrar.php",
}).done(function(msg) {
$("#tabla_cobrar").html(msg);
})
} | [
"function",
"tabla_cobrar",
"(",
")",
"{",
"$",
".",
"ajax",
"(",
"{",
"type",
":",
"\"GET\"",
",",
"url",
":",
"\"ajax/tabla_cobrar.php\"",
",",
"}",
")",
".",
"done",
"(",
"function",
"(",
"msg",
")",
"{",
"$",
"(",
"\"#tabla_cobrar\"",
")",
".",
"html",
"(",
"msg",
")",
";",
"}",
")",
"}"
] | [
1,
0
] | [
8,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
addSandwich | () | null | Agrega un Sandwich nuevo a la orden | Agrega un Sandwich nuevo a la orden | function addSandwich() {
let addSandwich = sandwichSizes.find(el => el.tamano_sandwich === sandwich) // Objeto nuevo con el tamaño y el precio del sandwich seleccionado
let ingredientsList = ingredients.filter(el => el.checked === true) // Arreglo de ingredientes extra seleccionados
let aux = subtotal + total // suma del subtotal y el total
setNewTotal(aux)
let newSandwich = { // Objeto con la informacion del sandwich nuevo:
...addSandwich, // Tamaño y precio
ingredients: [...ingredientsList] // Arreglo ingredientes: nombre, id, precio, check
}
let item = { // Objeto con la información del sandwich nuevo pero con el formato requerido por la base de datos
...addSandwich, // Tamaño y precio
id: 0, // id por default
ingrediente: ingredientsList.map(ingrediente => ingrediente.id), // Arreglo del id de ingredientes extra
pedido: idpedido // id del pedido
}
let newOrder = [...order] // Copia del arreglo con el pedido
createSandiwch(item) // Creación del sandwich en la base de datos
newOrder.push(newSandwich)// Agregar nuevo sandwich a la lista con el pedido
setOrder(newOrder) // Actualizar lista del pedido
if (newOrder.length === 3 ){
setNewTotal(aux - (aux * 0.1))
setDescuento(0.1)
}
if (newOrder.length === 4 ){
setNewTotal(aux - (aux * 0.2))
setDescuento(0.2)
}
if (newOrder.length === 5 ){
setNewTotal(aux - (aux * 0.3))
setDescuento(0.3)
}
if (newOrder.length >= 6 ){
setNewTotal(aux - (aux * 0.5))
setDescuento(0.5)
}
setTotal(aux) // Actualizar el precio total
setModal(!modal) // Cierra el modal
} | [
"function",
"addSandwich",
"(",
")",
"{",
"let",
"addSandwich",
"=",
"sandwichSizes",
".",
"find",
"(",
"el",
"=>",
"el",
".",
"tamano_sandwich",
"===",
"sandwich",
")",
"// Objeto nuevo con el tamaño y el precio del sandwich seleccionado",
"let",
"ingredientsList",
"=",
"ingredients",
".",
"filter",
"(",
"el",
"=>",
"el",
".",
"checked",
"===",
"true",
")",
"// Arreglo de ingredientes extra seleccionados",
"let",
"aux",
"=",
"subtotal",
"+",
"total",
"// suma del subtotal y el total",
"setNewTotal",
"(",
"aux",
")",
"let",
"newSandwich",
"=",
"{",
"// Objeto con la informacion del sandwich nuevo:",
"...",
"addSandwich",
",",
"// Tamaño y precio",
"ingredients",
":",
"[",
"...",
"ingredientsList",
"]",
"// Arreglo ingredientes: nombre, id, precio, check",
"}",
"let",
"item",
"=",
"{",
"// Objeto con la información del sandwich nuevo pero con el formato requerido por la base de datos",
"...",
"addSandwich",
",",
"// Tamaño y precio",
"id",
":",
"0",
",",
"// id por default",
"ingrediente",
":",
"ingredientsList",
".",
"map",
"(",
"ingrediente",
"=>",
"ingrediente",
".",
"id",
")",
",",
"// Arreglo del id de ingredientes extra",
"pedido",
":",
"idpedido",
"// id del pedido",
"}",
"let",
"newOrder",
"=",
"[",
"...",
"order",
"]",
"// Copia del arreglo con el pedido",
"createSandiwch",
"(",
"item",
")",
"// Creación del sandwich en la base de datos",
"newOrder",
".",
"push",
"(",
"newSandwich",
")",
"// Agregar nuevo sandwich a la lista con el pedido",
"setOrder",
"(",
"newOrder",
")",
"// Actualizar lista del pedido",
"if",
"(",
"newOrder",
".",
"length",
"===",
"3",
")",
"{",
"setNewTotal",
"(",
"aux",
"-",
"(",
"aux",
"*",
"0.1",
")",
")",
"setDescuento",
"(",
"0.1",
")",
"}",
"if",
"(",
"newOrder",
".",
"length",
"===",
"4",
")",
"{",
"setNewTotal",
"(",
"aux",
"-",
"(",
"aux",
"*",
"0.2",
")",
")",
"setDescuento",
"(",
"0.2",
")",
"}",
"if",
"(",
"newOrder",
".",
"length",
"===",
"5",
")",
"{",
"setNewTotal",
"(",
"aux",
"-",
"(",
"aux",
"*",
"0.3",
")",
")",
"setDescuento",
"(",
"0.3",
")",
"}",
"if",
"(",
"newOrder",
".",
"length",
">=",
"6",
")",
"{",
"setNewTotal",
"(",
"aux",
"-",
"(",
"aux",
"*",
"0.5",
")",
")",
"setDescuento",
"(",
"0.5",
")",
"}",
"setTotal",
"(",
"aux",
")",
"// Actualizar el precio total",
"setModal",
"(",
"!",
"modal",
")",
"// Cierra el modal",
"}"
] | [
211,
2
] | [
248,
3
] | null | javascript | es | ['es', 'es', 'es'] | True | true | statement_block |
aceptarCookies | () | null | /* aquí guardamos la variable de que se ha
aceptado el uso de cookies así no mostraremos
el mensaje de nuevo | /* aquí guardamos la variable de que se ha
aceptado el uso de cookies así no mostraremos
el mensaje de nuevo | function aceptarCookies() {
localStorage.aceptaCookies = 'true';
cajacookies.style.display = 'none';
} | [
"function",
"aceptarCookies",
"(",
")",
"{",
"localStorage",
".",
"aceptaCookies",
"=",
"'true'",
";",
"cajacookies",
".",
"style",
".",
"display",
"=",
"'none'",
";",
"}"
] | [
11,
0
] | [
14,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
eliminar | (id_usuario) | null | Eliminar usuario | Eliminar usuario | function eliminar(id_usuario) {
var id = id_usuario;
$.ajax({
type: "GET",
url: "ajax/eliminar_usuario.php?id=" + id
}).done(function(data) {
if (data == 1) {
$.smkAlert({
text: 'Excelente',
type: 'success'
});
ver_tabla_usuario();
$("#eliminar").modal('hide');
$('body').removeClass('modal-open');
$('.modal-backdrop').remove();
} else {
$.smkAlert({
text: 'Error',
type: 'danger'
});
}
})
} | [
"function",
"eliminar",
"(",
"id_usuario",
")",
"{",
"var",
"id",
"=",
"id_usuario",
";",
"$",
".",
"ajax",
"(",
"{",
"type",
":",
"\"GET\"",
",",
"url",
":",
"\"ajax/eliminar_usuario.php?id=\"",
"+",
"id",
"}",
")",
".",
"done",
"(",
"function",
"(",
"data",
")",
"{",
"if",
"(",
"data",
"==",
"1",
")",
"{",
"$",
".",
"smkAlert",
"(",
"{",
"text",
":",
"'Excelente'",
",",
"type",
":",
"'success'",
"}",
")",
";",
"ver_tabla_usuario",
"(",
")",
";",
"$",
"(",
"\"#eliminar\"",
")",
".",
"modal",
"(",
"'hide'",
")",
";",
"$",
"(",
"'body'",
")",
".",
"removeClass",
"(",
"'modal-open'",
")",
";",
"$",
"(",
"'.modal-backdrop'",
")",
".",
"remove",
"(",
")",
";",
"}",
"else",
"{",
"$",
".",
"smkAlert",
"(",
"{",
"text",
":",
"'Error'",
",",
"type",
":",
"'danger'",
"}",
")",
";",
"}",
"}",
")",
"}"
] | [
90,
0
] | [
112,
1
] | null | javascript | es | ['es', 'es', 'es'] | False | true | program |
renderIngredients | (data) | null | Renderiza la lista de ingredientes extra junto a un check y su respectivo precio | Renderiza la lista de ingredientes extra junto a un check y su respectivo precio | function renderIngredients(data) {
return (
data ?
data.map((prop, key) => {
return (
<Row
key={key}
className='justify-content-between ml-1 px-3'
>
<CustomInput
type="checkbox"
id={`ingredient${key}`}
label={prop.nombre_ingrediente}
onChange={() => updateCheckSubtotal(prop)}
/>
<Label>
{`${prop.precio_ingrediente} Bs`}
</Label>
</Row>
);
}) : <div/>
);
} | [
"function",
"renderIngredients",
"(",
"data",
")",
"{",
"return",
"(",
"data",
"?",
"data",
".",
"map",
"(",
"(",
"prop",
",",
"key",
")",
"=>",
"{",
"return",
"(",
"<",
"Row",
"key",
"=",
"{",
"key",
"}",
"className",
"=",
"'justify-content-between ml-1 px-3'",
">",
"\n ",
"<",
"CustomInput",
"type",
"=",
"\"checkbox\"",
"id",
"=",
"{",
"`",
"${",
"key",
"}",
"`",
"}",
"label",
"=",
"{",
"prop",
".",
"nombre_ingrediente",
"}",
"onChange",
"=",
"{",
"(",
")",
"=>",
"updateCheckSubtotal",
"(",
"prop",
")",
"}",
"/",
">",
"\n ",
"<",
"Label",
">",
"\n ",
"{",
"`",
"${",
"prop",
".",
"precio_ingrediente",
"}",
"`",
"}",
"\n ",
"<",
"/",
"Label",
">",
"\n ",
"<",
"/",
"Row",
">",
")",
";",
"}",
")",
":",
"<",
"div",
"/",
">",
")",
";",
"}"
] | [
123,
2
] | [
145,
3
] | null | javascript | es | ['es', 'es', 'es'] | True | true | statement_block |
draw | () | null | Agregar los emojis a los frames en el video | Agregar los emojis a los frames en el video | function draw() {
background(0);
// Arrancar con el video
image(video, 0, 0);
// 3. Agregar las etiquetas
textSize(32);
textAlign(CENTER, CENTER);
fill(255);
text(label, width / 2, height - 16);
// 4. Tomar un emoji, por defecto el emoji de Kla
let emoji = "🤜";
if (label == "Kelly") {
emoji = "👩🏽🚀";
} else if (label == "Miguel") {
emoji = "👨🏾✈️";
}
// Dibujar el emoji
textSize(256);
text(emoji, width / 2, height / 2);
} | [
"function",
"draw",
"(",
")",
"{",
"background",
"(",
"0",
")",
";",
"// Arrancar con el video",
"image",
"(",
"video",
",",
"0",
",",
"0",
")",
";",
"// 3. Agregar las etiquetas",
"textSize",
"(",
"32",
")",
";",
"textAlign",
"(",
"CENTER",
",",
"CENTER",
")",
";",
"fill",
"(",
"255",
")",
";",
"text",
"(",
"label",
",",
"width",
"/",
"2",
",",
"height",
"-",
"16",
")",
";",
"// 4. Tomar un emoji, por defecto el emoji de Kla",
"let",
"emoji",
"=",
"\"🤜\";",
"",
"if",
"(",
"label",
"==",
"\"Kelly\"",
")",
"{",
"emoji",
"=",
"\"👩🏽🚀\";",
"",
"}",
"else",
"if",
"(",
"label",
"==",
"\"Miguel\"",
")",
"{",
"emoji",
"=",
"\"👨🏾✈️\";",
"",
"}",
"// Dibujar el emoji",
"textSize",
"(",
"256",
")",
";",
"text",
"(",
"emoji",
",",
"width",
"/",
"2",
",",
"height",
"/",
"2",
")",
";",
"}"
] | [
27,
0
] | [
50,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
_c0 | () | null | Imports para los reportes Import para las alertas Imports para los iconos | Imports para los reportes Import para las alertas Imports para los iconos | function _c0() {
return {
lineNumbers: true,
theme: "material-ocean",
mode: "xml"
};
} | [
"function",
"_c0",
"(",
")",
"{",
"return",
"{",
"lineNumbers",
":",
"true",
",",
"theme",
":",
"\"material-ocean\"",
",",
"mode",
":",
"\"xml\"",
"}",
";",
"}"
] | [
302,
14
] | [
308,
5
] | null | javascript | es | ['es', 'es', 'es'] | True | true | variable_declarator |
showResponse | (goodOrBad, msg) | null | Función para desplegar los mensages de error o exito usando el div con clase "response" | Función para desplegar los mensages de error o exito usando el div con clase "response" | function showResponse(goodOrBad, msg) {
if (goodOrBad == 0) {
response.className = "alert alert-success mt-5";
}else {
response.className = "alert alert-danger mt-5";
}
response.innerHTML = msg;
setTimeout(hideResponse, 3000)
} | [
"function",
"showResponse",
"(",
"goodOrBad",
",",
"msg",
")",
"{",
"if",
"(",
"goodOrBad",
"==",
"0",
")",
"{",
"response",
".",
"className",
"=",
"\"alert alert-success mt-5\"",
";",
"}",
"else",
"{",
"response",
".",
"className",
"=",
"\"alert alert-danger mt-5\"",
";",
"}",
"response",
".",
"innerHTML",
"=",
"msg",
";",
"setTimeout",
"(",
"hideResponse",
",",
"3000",
")",
"}"
] | [
2,
0
] | [
10,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
(flag) | null | el flag es un booleano que define si abra boton de login
@param {?} flag
@return {?}
| el flag es un booleano que define si abra boton de login
| function (flag) {
if (window.localStorage.getItem('id_token') === 'undefined' || window.localStorage.getItem('id_token') === null || this.logoutValid()) {
if (!flag) {
this.getAuthorizationUrl();
}
return false;
}
else {
return true;
}
} | [
"function",
"(",
"flag",
")",
"{",
"if",
"(",
"window",
".",
"localStorage",
".",
"getItem",
"(",
"'id_token'",
")",
"===",
"'undefined'",
"||",
"window",
".",
"localStorage",
".",
"getItem",
"(",
"'id_token'",
")",
"===",
"null",
"||",
"this",
".",
"logoutValid",
"(",
")",
")",
"{",
"if",
"(",
"!",
"flag",
")",
"{",
"this",
".",
"getAuthorizationUrl",
"(",
")",
";",
"}",
"return",
"false",
";",
"}",
"else",
"{",
"return",
"true",
";",
"}",
"}"
] | [
145,
4
] | [
155,
5
] | null | javascript | es | ['es', 'es', 'es'] | True | true | assignment_expression |
|
darNumero | (numero) | null | Función que coloca el número presionado | Función que coloca el número presionado | function darNumero(numero){
if(num1==0 && num1 !== '0.'){
num1 = numero;
}else{
num1 += numero;
}
refrescar();
} | [
"function",
"darNumero",
"(",
"numero",
")",
"{",
"if",
"(",
"num1",
"==",
"0",
"&&",
"num1",
"!==",
"'0.'",
")",
"{",
"num1",
"=",
"numero",
";",
"}",
"else",
"{",
"num1",
"+=",
"numero",
";",
"}",
"refrescar",
"(",
")",
";",
"}"
] | [
6,
8
] | [
13,
9
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
toggleFullScreen | () | null | Se crea el metodo que dispara el fullscreen | Se crea el metodo que dispara el fullscreen | function toggleFullScreen() {
if (!document.fullscreenElement && !document.mozFullScreenElement && !document.webkitFullscreenElement && !document.msFullscreenElement ) { // current working methods
if (document.documentElement.requestFullscreen) {
document.documentElement.requestFullscreen();
} else if (document.documentElement.msRequestFullscreen) {
document.documentElement.msRequestFullscreen();
} else if (document.documentElement.mozRequestFullScreen) {
document.documentElement.mozRequestFullScreen();
} else if (document.documentElement.webkitRequestFullscreen) {
document.documentElement.webkitRequestFullscreen(Element.ALLOW_KEYBOARD_INPUT);
}
} else {
if (document.exitFullscreen) {
document.exitFullscreen();
} else if (document.msExitFullscreen) {
document.msExitFullscreen();
} else if (document.mozCancelFullScreen) {
document.mozCancelFullScreen();
} else if (document.webkitExitFullscreen) {
document.webkitExitFullscreen();
}
}
} | [
"function",
"toggleFullScreen",
"(",
")",
"{",
"if",
"(",
"!",
"document",
".",
"fullscreenElement",
"&&",
"!",
"document",
".",
"mozFullScreenElement",
"&&",
"!",
"document",
".",
"webkitFullscreenElement",
"&&",
"!",
"document",
".",
"msFullscreenElement",
")",
"{",
"// current working methods",
"if",
"(",
"document",
".",
"documentElement",
".",
"requestFullscreen",
")",
"{",
"document",
".",
"documentElement",
".",
"requestFullscreen",
"(",
")",
";",
"}",
"else",
"if",
"(",
"document",
".",
"documentElement",
".",
"msRequestFullscreen",
")",
"{",
"document",
".",
"documentElement",
".",
"msRequestFullscreen",
"(",
")",
";",
"}",
"else",
"if",
"(",
"document",
".",
"documentElement",
".",
"mozRequestFullScreen",
")",
"{",
"document",
".",
"documentElement",
".",
"mozRequestFullScreen",
"(",
")",
";",
"}",
"else",
"if",
"(",
"document",
".",
"documentElement",
".",
"webkitRequestFullscreen",
")",
"{",
"document",
".",
"documentElement",
".",
"webkitRequestFullscreen",
"(",
"Element",
".",
"ALLOW_KEYBOARD_INPUT",
")",
";",
"}",
"}",
"else",
"{",
"if",
"(",
"document",
".",
"exitFullscreen",
")",
"{",
"document",
".",
"exitFullscreen",
"(",
")",
";",
"}",
"else",
"if",
"(",
"document",
".",
"msExitFullscreen",
")",
"{",
"document",
".",
"msExitFullscreen",
"(",
")",
";",
"}",
"else",
"if",
"(",
"document",
".",
"mozCancelFullScreen",
")",
"{",
"document",
".",
"mozCancelFullScreen",
"(",
")",
";",
"}",
"else",
"if",
"(",
"document",
".",
"webkitExitFullscreen",
")",
"{",
"document",
".",
"webkitExitFullscreen",
"(",
")",
";",
"}",
"}",
"}"
] | [
1118,
4
] | [
1140,
5
] | null | javascript | es | ['es', 'es', 'es'] | True | true | statement_block |
comprobarB11 | () | null | palabra SUDOR color moprado | palabra SUDOR color moprado | function comprobarB11(){
b10 = document.getElementById('celdaB11').style.color="blue";
} | [
"function",
"comprobarB11",
"(",
")",
"{",
"b10",
"=",
"document",
".",
"getElementById",
"(",
"'celdaB11'",
")",
".",
"style",
".",
"color",
"=",
"\"blue\"",
";",
"}"
] | [
42,
0
] | [
44,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
getImageFile | (req, res) | null | Devolver imagen de la publicación | Devolver imagen de la publicación | function getImageFile(req, res){
var image_file = req.params.imageFile;
var path_file = './uploads/publications/' +image_file;
fs.exists(path_file, (exists) => {
if(exists){
res.sendFile(path.resolve(path_file));
}else {
res.status(200).send({message: 'No existe la imagen'});
}
});
} | [
"function",
"getImageFile",
"(",
"req",
",",
"res",
")",
"{",
"var",
"image_file",
"=",
"req",
".",
"params",
".",
"imageFile",
";",
"var",
"path_file",
"=",
"'./uploads/publications/'",
"+",
"image_file",
";",
"fs",
".",
"exists",
"(",
"path_file",
",",
"(",
"exists",
")",
"=>",
"{",
"if",
"(",
"exists",
")",
"{",
"res",
".",
"sendFile",
"(",
"path",
".",
"resolve",
"(",
"path_file",
")",
")",
";",
"}",
"else",
"{",
"res",
".",
"status",
"(",
"200",
")",
".",
"send",
"(",
"{",
"message",
":",
"'No existe la imagen'",
"}",
")",
";",
"}",
"}",
")",
";",
"}"
] | [
121,
0
] | [
131,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
getTds | () | null | FUNCIÓN PARA OBTENER LOS TD DEL TABLERO EN PANTALLA | FUNCIÓN PARA OBTENER LOS TD DEL TABLERO EN PANTALLA | function getTds(){
var t = document.getElementById("tablero");
var trs = t.getElementsByTagName("tr");
var tds = new Array(trs.length);
for (var i=0; i<trs.length; i++)
{
tds[i] = trs[i].getElementsByTagName("td");
}
return tds;
} | [
"function",
"getTds",
"(",
")",
"{",
"var",
"t",
"=",
"document",
".",
"getElementById",
"(",
"\"tablero\"",
")",
";",
"var",
"trs",
"=",
"t",
".",
"getElementsByTagName",
"(",
"\"tr\"",
")",
";",
"var",
"tds",
"=",
"new",
"Array",
"(",
"trs",
".",
"length",
")",
";",
"for",
"(",
"var",
"i",
"=",
"0",
";",
"i",
"<",
"trs",
".",
"length",
";",
"i",
"++",
")",
"{",
"tds",
"[",
"i",
"]",
"=",
"trs",
"[",
"i",
"]",
".",
"getElementsByTagName",
"(",
"\"td\"",
")",
";",
"}",
"return",
"tds",
";",
"}"
] | [
178,
0
] | [
188,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
(time) | null | Conversion de cantidad decimal a tiempo | Conversion de cantidad decimal a tiempo | function(time){
var n = new Date(0,0);
n.setSeconds(+time * 60 * 60);
var result = n.toTimeString().slice(0, 5);
return result;
} | [
"function",
"(",
"time",
")",
"{",
"var",
"n",
"=",
"new",
"Date",
"(",
"0",
",",
"0",
")",
";",
"n",
".",
"setSeconds",
"(",
"+",
"time",
"*",
"60",
"*",
"60",
")",
";",
"var",
"result",
"=",
"n",
".",
"toTimeString",
"(",
")",
".",
"slice",
"(",
"0",
",",
"5",
")",
";",
"return",
"result",
";",
"}"
] | [
7,
18
] | [
12,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | variable_declarator |
|
getURLDETAILS | (raw) | null | Para obtener detalles del cambio de hash | Para obtener detalles del cambio de hash | function getURLDETAILS(raw){
let out = {
url: raw,
pathName: raw.split('?')[0],
parameters: {},
}
raw.replace(/[?&]+([^=&]+)=([^&]*)/gi, function(m, key, value){ out.parameters[key] = value; });
return out;
/* EJEMPLO
{
url: 'asd/qwerty?nose=3&sise=2&casise=3',
pathName: 'asd/qwerty',
parameters: {
nose: '3',
sise: '2',
casise: '3'
}
}
*/
} | [
"function",
"getURLDETAILS",
"(",
"raw",
")",
"{",
"let",
"out",
"=",
"{",
"url",
":",
"raw",
",",
"pathName",
":",
"raw",
".",
"split",
"(",
"'?'",
")",
"[",
"0",
"]",
",",
"parameters",
":",
"{",
"}",
",",
"}",
"raw",
".",
"replace",
"(",
"/",
"[?&]+([^=&]+)=([^&]*)",
"/",
"gi",
",",
"function",
"(",
"m",
",",
"key",
",",
"value",
")",
"{",
"out",
".",
"parameters",
"[",
"key",
"]",
"=",
"value",
";",
"}",
")",
";",
"return",
"out",
";",
"/* EJEMPLO\n {\n url: 'asd/qwerty?nose=3&sise=2&casise=3',\n pathName: 'asd/qwerty',\n parameters: {\n nose: '3',\n sise: '2',\n casise: '3'\n }\n }\n */",
"}"
] | [
17,
4
] | [
38,
5
] | null | javascript | es | ['es', 'es', 'es'] | True | true | statement_block |
() | null | Mensaje de exito al agregar producto | Mensaje de exito al agregar producto | function(){
$(".alert").show();
setTimeout(function() {
$(".alert").hide();
}, 2000);
} | [
"function",
"(",
")",
"{",
"$",
"(",
"\".alert\"",
")",
".",
"show",
"(",
")",
";",
"setTimeout",
"(",
"function",
"(",
")",
"{",
"$",
"(",
"\".alert\"",
")",
".",
"hide",
"(",
")",
";",
"}",
",",
"2000",
")",
";",
"}"
] | [
142,
17
] | [
147,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | variable_declarator |
|
login | () | null | funcion captura de nombre de usuario y envio a mediante de petición ajax | funcion captura de nombre de usuario y envio a mediante de petición ajax | function login(){
objetoVariables = {
username: $('#txt_user_name').val()
}
ajaxPeticionJS('POST', 'http://192.168.0.107:3000/login', objetoVariables);
} | [
"function",
"login",
"(",
")",
"{",
"objetoVariables",
"=",
"{",
"username",
":",
"$",
"(",
"'#txt_user_name'",
")",
".",
"val",
"(",
")",
"}",
"ajaxPeticionJS",
"(",
"'POST'",
",",
"'http://192.168.0.107:3000/login'",
",",
"objetoVariables",
")",
";",
"}"
] | [
2,
0
] | [
7,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
(a=90,b=80) | null | Cuando no se incluye el () al final de la función, la funcion 'anonima2', podrá invocarse N veces haciendo referencia a la misma EJM: anima2(6,7); | Cuando no se incluye el () al final de la función, la funcion 'anonima2', podrá invocarse N veces haciendo referencia a la misma EJM: anima2(6,7); | function(a=90,b=80){
return (a+b);
} | [
"function",
"(",
"a",
"=",
"90",
",",
"b",
"=",
"80",
")",
"{",
"return",
"(",
"a",
"+",
"b",
")",
";",
"}"
] | [
11,
15
] | [
13,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | variable_declarator |
|
MostrarAumento | () | null | /*Debemos lograr tomar el importe por ID ,
transformarlo a entero (parseInt), luego
mostrar el importe con un aumento del 10 %
en el cuadro de texto "RESULTADO". | /*Debemos lograr tomar el importe por ID ,
transformarlo a entero (parseInt), luego
mostrar el importe con un aumento del 10 %
en el cuadro de texto "RESULTADO". | function MostrarAumento()
{
var sueldo;
var resultado;
sueldo = parseInt (document.getElementById("sueldo").value);
resultado = sueldo + sueldo * 0.1
document.getElementById("resultado").value = resultado;
} | [
"function",
"MostrarAumento",
"(",
")",
"{",
"var",
"sueldo",
";",
"var",
"resultado",
";",
"sueldo",
"=",
"parseInt",
"(",
"document",
".",
"getElementById",
"(",
"\"sueldo\"",
")",
".",
"value",
")",
";",
"resultado",
"=",
"sueldo",
"+",
"sueldo",
"*",
"0.1",
"document",
".",
"getElementById",
"(",
"\"resultado\"",
")",
".",
"value",
"=",
"resultado",
";",
"}"
] | [
4,
0
] | [
11,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
Persona | (nombre, apellido, altura) | null | /* JavaScript funciona con una estructura orientada a objetos y cada objeto
tiene una propiedad privada que mantiene un enlace a otro objeto llamado prototipo. | /* JavaScript funciona con una estructura orientada a objetos y cada objeto
tiene una propiedad privada que mantiene un enlace a otro objeto llamado prototipo. | function Persona(nombre, apellido, altura){
this.nombre = nombre
this.apellido = apellido
this.altura = altura
} | [
"function",
"Persona",
"(",
"nombre",
",",
"apellido",
",",
"altura",
")",
"{",
"this",
".",
"nombre",
"=",
"nombre",
"this",
".",
"apellido",
"=",
"apellido",
"this",
".",
"altura",
"=",
"altura",
"}"
] | [
3,
0
] | [
7,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
recargarPagina | () | null | /* Recarga la página sin dejar rastro en el historial | /* Recarga la página sin dejar rastro en el historial | function recargarPagina() {
window.location.replace(window.location.pathname + window.location.search + window.location.hash);
} | [
"function",
"recargarPagina",
"(",
")",
"{",
"window",
".",
"location",
".",
"replace",
"(",
"window",
".",
"location",
".",
"pathname",
"+",
"window",
".",
"location",
".",
"search",
"+",
"window",
".",
"location",
".",
"hash",
")",
";",
"}"
] | [
17,
0
] | [
19,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
parametros_objetivos | (percentRentaMensualInversion, percentUtilidadInversion, percentTir, percentUtilidadRenta, tiempoRetorno, utilidad3Minimo) | null | parametros de objetivos del proyectos | parametros de objetivos del proyectos | function parametros_objetivos(percentRentaMensualInversion, percentUtilidadInversion, percentTir, percentUtilidadRenta, tiempoRetorno, utilidad3Minimo){
let utilidad_3_anios_min = parseFloat(utilidad3Minimo);
let utilidad_3_anios = remove_commas(document.getElementById('utilidad_3_anios').innerHTML);
let renta_mensual_inversion_icon = document.getElementById('renta_mensual_inversion_icon');
let utilidad_inversion_icon = document.getElementById('utilidad_inversion_icon');
let utilidad_3_anios_percent_icon = document.getElementById('utilidad_3_anios_percent_icon');
let utilidad_renta_icon = document.getElementById('utilidad_renta_icon');
let tiempo_retorno_icon = document.getElementById('tiempo_retorno_icon');
let tir_icon = document.getElementById('tir_icon');
percentRentaMensualInversion >= 7 ? set_icons(renta_mensual_inversion_icon, true) : set_icons(renta_mensual_inversion_icon, false);
percentUtilidadInversion >= 2 ? set_icons(utilidad_inversion_icon, true) : set_icons(utilidad_inversion_icon, false);
parseFloat(utilidad_3_anios) >= utilidad_3_anios_min ? set_icons(utilidad_3_anios_percent_icon, true) : set_icons(utilidad_3_anios_percent_icon, false);
percentUtilidadRenta >= 33 ? set_icons(utilidad_renta_icon, true) : set_icons(utilidad_renta_icon, false);
tiempoRetorno <= 18 ? set_icons(tiempo_retorno_icon, true) : set_icons(tiempo_retorno_icon, false);
percentTir >= 50 ? set_icons(tir_icon, true) : set_icons(tir_icon, false);
} | [
"function",
"parametros_objetivos",
"(",
"percentRentaMensualInversion",
",",
"percentUtilidadInversion",
",",
"percentTir",
",",
"percentUtilidadRenta",
",",
"tiempoRetorno",
",",
"utilidad3Minimo",
")",
"{",
"let",
"utilidad_3_anios_min",
"=",
"parseFloat",
"(",
"utilidad3Minimo",
")",
";",
"let",
"utilidad_3_anios",
"=",
"remove_commas",
"(",
"document",
".",
"getElementById",
"(",
"'utilidad_3_anios'",
")",
".",
"innerHTML",
")",
";",
"let",
"renta_mensual_inversion_icon",
"=",
"document",
".",
"getElementById",
"(",
"'renta_mensual_inversion_icon'",
")",
";",
"let",
"utilidad_inversion_icon",
"=",
"document",
".",
"getElementById",
"(",
"'utilidad_inversion_icon'",
")",
";",
"let",
"utilidad_3_anios_percent_icon",
"=",
"document",
".",
"getElementById",
"(",
"'utilidad_3_anios_percent_icon'",
")",
";",
"let",
"utilidad_renta_icon",
"=",
"document",
".",
"getElementById",
"(",
"'utilidad_renta_icon'",
")",
";",
"let",
"tiempo_retorno_icon",
"=",
"document",
".",
"getElementById",
"(",
"'tiempo_retorno_icon'",
")",
";",
"let",
"tir_icon",
"=",
"document",
".",
"getElementById",
"(",
"'tir_icon'",
")",
";",
"percentRentaMensualInversion",
">=",
"7",
"?",
"set_icons",
"(",
"renta_mensual_inversion_icon",
",",
"true",
")",
":",
"set_icons",
"(",
"renta_mensual_inversion_icon",
",",
"false",
")",
";",
"percentUtilidadInversion",
">=",
"2",
"?",
"set_icons",
"(",
"utilidad_inversion_icon",
",",
"true",
")",
":",
"set_icons",
"(",
"utilidad_inversion_icon",
",",
"false",
")",
";",
"parseFloat",
"(",
"utilidad_3_anios",
")",
">=",
"utilidad_3_anios_min",
"?",
"set_icons",
"(",
"utilidad_3_anios_percent_icon",
",",
"true",
")",
":",
"set_icons",
"(",
"utilidad_3_anios_percent_icon",
",",
"false",
")",
";",
"percentUtilidadRenta",
">=",
"33",
"?",
"set_icons",
"(",
"utilidad_renta_icon",
",",
"true",
")",
":",
"set_icons",
"(",
"utilidad_renta_icon",
",",
"false",
")",
";",
"tiempoRetorno",
"<=",
"18",
"?",
"set_icons",
"(",
"tiempo_retorno_icon",
",",
"true",
")",
":",
"set_icons",
"(",
"tiempo_retorno_icon",
",",
"false",
")",
";",
"percentTir",
">=",
"50",
"?",
"set_icons",
"(",
"tir_icon",
",",
"true",
")",
":",
"set_icons",
"(",
"tir_icon",
",",
"false",
")",
";",
"}"
] | [
163,
0
] | [
187,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
(c_list) | null | Crea el mapa inicial, recibe lista de colores n: numero de colores c_list: lista de colores pasada por parametro | Crea el mapa inicial, recibe lista de colores n: numero de colores c_list: lista de colores pasada por parametro | function (c_list) {
var mapa_ini = {}
var colores = c_list.slice()
var rondas_extra = 2
this.shuffleArray(paises_usados_por_nosotros).slice().forEach(pais => {
mapa_ini[pais] = { 'owner': colores.pop() }
if (rondas_extra > 0) // paises con mas ejercito para atacar
mapa_ini[pais].armies = 6;
else
mapa_ini[pais].armies = 2;
if (colores.length < 1) {
colores = c_list.slice()
rondas_extra -= 1
}
});
return mapa_ini;
} | [
"function",
"(",
"c_list",
")",
"{",
"var",
"mapa_ini",
"=",
"{",
"}",
"var",
"colores",
"=",
"c_list",
".",
"slice",
"(",
")",
"var",
"rondas_extra",
"=",
"2",
"this",
".",
"shuffleArray",
"(",
"paises_usados_por_nosotros",
")",
".",
"slice",
"(",
")",
".",
"forEach",
"(",
"pais",
"=>",
"{",
"mapa_ini",
"[",
"pais",
"]",
"=",
"{",
"'owner'",
":",
"colores",
".",
"pop",
"(",
")",
"}",
"if",
"(",
"rondas_extra",
">",
"0",
")",
"// paises con mas ejercito para atacar\r",
"mapa_ini",
"[",
"pais",
"]",
".",
"armies",
"=",
"6",
";",
"else",
"mapa_ini",
"[",
"pais",
"]",
".",
"armies",
"=",
"2",
";",
"if",
"(",
"colores",
".",
"length",
"<",
"1",
")",
"{",
"colores",
"=",
"c_list",
".",
"slice",
"(",
")",
"rondas_extra",
"-=",
"1",
"}",
"}",
")",
";",
"return",
"mapa_ini",
";",
"}"
] | [
29,
17
] | [
46,
2
] | null | javascript | es | ['es', 'es', 'es'] | True | true | pair |
|
areaTriangulo | (base, altura) | null | console.log("El perímetro del triángulo es de: " + perimetroTriangulo + " cm."); | console.log("El perímetro del triángulo es de: " + perimetroTriangulo + " cm."); | function areaTriangulo(base, altura) {
return (base * altura) / 2;
} | [
"function",
"areaTriangulo",
"(",
"base",
",",
"altura",
")",
"{",
"return",
"(",
"base",
"*",
"altura",
")",
"/",
"2",
";",
"}"
] | [
38,
0
] | [
40,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
onClickButtonEstado | () | null | aqui interactuamos con el HTML total gastos mensuales | aqui interactuamos con el HTML total gastos mensuales | function onClickButtonEstado() {
const inputGastos1 = document.getElementById("InputGastos1");
const Value1 = inputGastos1.value;
const inputGastos2 = document.getElementById("InputGastos2");
const Value2 = inputGastos2.value;
const inputGastos3 = document.getElementById("InputGastos3");
const Value3 = inputGastos3.value;
const inputGastos4 = document.getElementById("InputGastos4");
const Value4 = inputGastos4.value;
const inputGastos5 = document.getElementById("InputGastos5");
const Value5 = inputGastos5.value;
const inputGastos6 = document.getElementById("InputGastos6");
const Value6 = inputGastos6.value;
const gastos = gastosMensuales(Value1, Value2, Value3, Value4, Value5, Value6);
const inputIngresos1 = document.getElementById("InputIngresos1");
const ValueI1 = inputIngresos1.value;
const inputIngresos2 = document.getElementById("InputIngresos2");
const ValueI2 = inputIngresos2.value;
const ingresos = ingresosMensuales(ValueI1, ValueI2);
const resultI = document.getElementById("ResultI");
resultI.innerText = "El total de INGRESOS mensuales es: $" + ingresos;
const resultG = document.getElementById("ResultG");
resultG.innerText = "El total de GASTOS mensuales es: $" + gastos;
const total = ingresos - gastos;
const resultE = document.getElementById("ResultE");
resultE.innerText = "El ESTADO ACTUAL DE TU CUENTA ES: $" + total;
} | [
"function",
"onClickButtonEstado",
"(",
")",
"{",
"const",
"inputGastos1",
"=",
"document",
".",
"getElementById",
"(",
"\"InputGastos1\"",
")",
";",
"const",
"Value1",
"=",
"inputGastos1",
".",
"value",
";",
"const",
"inputGastos2",
"=",
"document",
".",
"getElementById",
"(",
"\"InputGastos2\"",
")",
";",
"const",
"Value2",
"=",
"inputGastos2",
".",
"value",
";",
"const",
"inputGastos3",
"=",
"document",
".",
"getElementById",
"(",
"\"InputGastos3\"",
")",
";",
"const",
"Value3",
"=",
"inputGastos3",
".",
"value",
";",
"const",
"inputGastos4",
"=",
"document",
".",
"getElementById",
"(",
"\"InputGastos4\"",
")",
";",
"const",
"Value4",
"=",
"inputGastos4",
".",
"value",
";",
"const",
"inputGastos5",
"=",
"document",
".",
"getElementById",
"(",
"\"InputGastos5\"",
")",
";",
"const",
"Value5",
"=",
"inputGastos5",
".",
"value",
";",
"const",
"inputGastos6",
"=",
"document",
".",
"getElementById",
"(",
"\"InputGastos6\"",
")",
";",
"const",
"Value6",
"=",
"inputGastos6",
".",
"value",
";",
"const",
"gastos",
"=",
"gastosMensuales",
"(",
"Value1",
",",
"Value2",
",",
"Value3",
",",
"Value4",
",",
"Value5",
",",
"Value6",
")",
";",
"const",
"inputIngresos1",
"=",
"document",
".",
"getElementById",
"(",
"\"InputIngresos1\"",
")",
";",
"const",
"ValueI1",
"=",
"inputIngresos1",
".",
"value",
";",
"const",
"inputIngresos2",
"=",
"document",
".",
"getElementById",
"(",
"\"InputIngresos2\"",
")",
";",
"const",
"ValueI2",
"=",
"inputIngresos2",
".",
"value",
";",
"const",
"ingresos",
"=",
"ingresosMensuales",
"(",
"ValueI1",
",",
"ValueI2",
")",
";",
"const",
"resultI",
"=",
"document",
".",
"getElementById",
"(",
"\"ResultI\"",
")",
";",
"resultI",
".",
"innerText",
"=",
"\"El total de INGRESOS mensuales es: $\"",
"+",
"ingresos",
";",
"const",
"resultG",
"=",
"document",
".",
"getElementById",
"(",
"\"ResultG\"",
")",
";",
"resultG",
".",
"innerText",
"=",
"\"El total de GASTOS mensuales es: $\"",
"+",
"gastos",
";",
"const",
"total",
"=",
"ingresos",
"-",
"gastos",
";",
"const",
"resultE",
"=",
"document",
".",
"getElementById",
"(",
"\"ResultE\"",
")",
";",
"resultE",
".",
"innerText",
"=",
"\"El ESTADO ACTUAL DE TU CUENTA ES: $\"",
"+",
"total",
";",
"}"
] | [
29,
0
] | [
67,
3
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
habilitarPedidos | (nombreAdmin) | null | FIN tabla productos admin Habilitar / deshabilitar la tramatitación de pedidos | FIN tabla productos admin Habilitar / deshabilitar la tramatitación de pedidos | function habilitarPedidos(nombreAdmin) {
$.ajax({
type: "POST",
url: "index.php?controller=Administradores&action=habilitarPedidos",
data: {
nombreAdmin: nombreAdmin,
habilitar: $('#pedidosActivo').prop('checked')
},
error: function (data) {
alert("Error" + data);
}
});
} | [
"function",
"habilitarPedidos",
"(",
"nombreAdmin",
")",
"{",
"$",
".",
"ajax",
"(",
"{",
"type",
":",
"\"POST\"",
",",
"url",
":",
"\"index.php?controller=Administradores&action=habilitarPedidos\"",
",",
"data",
":",
"{",
"nombreAdmin",
":",
"nombreAdmin",
",",
"habilitar",
":",
"$",
"(",
"'#pedidosActivo'",
")",
".",
"prop",
"(",
"'checked'",
")",
"}",
",",
"error",
":",
"function",
"(",
"data",
")",
"{",
"alert",
"(",
"\"Error\"",
"+",
"data",
")",
";",
"}",
"}",
")",
";",
"}"
] | [
29,
0
] | [
44,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
minMay | () | null | se separa la palabra en un arreglo se le aplica reverse() y luego se unen las letras resultantes. | se separa la palabra en un arreglo se le aplica reverse() y luego se unen las letras resultantes. | function minMay() {
var length = str.length;
var translation = '';
var capitalize = true;
for (var i = 0; i < str.length; i++) {
var char = str.charAt(i);
translation += capitalize ? char.toUpperCase() : char.toLowerCase();
capitalize = !capitalize;
}
return translation;
} | [
"function",
"minMay",
"(",
")",
"{",
"var",
"length",
"=",
"str",
".",
"length",
";",
"var",
"translation",
"=",
"''",
";",
"var",
"capitalize",
"=",
"true",
";",
"for",
"(",
"var",
"i",
"=",
"0",
";",
"i",
"<",
"str",
".",
"length",
";",
"i",
"++",
")",
"{",
"var",
"char",
"=",
"str",
".",
"charAt",
"(",
"i",
")",
";",
"translation",
"+=",
"capitalize",
"?",
"char",
".",
"toUpperCase",
"(",
")",
":",
"char",
".",
"toLowerCase",
"(",
")",
";",
"capitalize",
"=",
"!",
"capitalize",
";",
"}",
"return",
"translation",
";",
"}"
] | [
29,
1
] | [
39,
2
] | null | javascript | es | ['es', 'es', 'es'] | True | true | statement_block |
guess_rule | (rule) | null | Función para verificar que la regla que adivinaron es la correcta | Función para verificar que la regla que adivinaron es la correcta | function guess_rule(rule) {
var guessed_rule = new Array;
guessed_rule.push(prompt("La regla es \n1. Con tipo de cartas \n2. Numerica"));
if (guessed_rule[0] == 1) {
guessed_rule.push(prompt("Cual de las reglas existentes es: "
+ "\n1. Los tipos de cartas que elija no estaran permitidos\n"
+ "2. Un orden que usted desea"));
guessed_rule.push(prompt("Elija el tipo o tipos de cartas"));
guessed_rule[2] = guessed_rule[2].toUpperCase();
return verify_rule_guessed(rule, guessed_rule);
}
if (guessed_rule[0] == 2) {
guessed_rule.push(prompt("Cual de las reglas existentes es: "
+ "\n1. multiplos del numero que usted elija"
+ "\n2. mayor al numero que usted elija"
+ "\n3. menor al numero que usted desee"
+ "\n4. prohibir un numero\n"));
guessed_rule.push(prompt("¿Que numero es?"));
return verify_rule_guessed(rule, guessed_rule);
}
} | [
"function",
"guess_rule",
"(",
"rule",
")",
"{",
"var",
"guessed_rule",
"=",
"new",
"Array",
";",
"guessed_rule",
".",
"push",
"(",
"prompt",
"(",
"\"La regla es \\n1. Con tipo de cartas \\n2. Numerica\"",
")",
")",
";",
"if",
"(",
"guessed_rule",
"[",
"0",
"]",
"==",
"1",
")",
"{",
"guessed_rule",
".",
"push",
"(",
"prompt",
"(",
"\"Cual de las reglas existentes es: \"",
"+",
"\"\\n1. Los tipos de cartas que elija no estaran permitidos\\n\"",
"+",
"\"2. Un orden que usted desea\"",
")",
")",
";",
"guessed_rule",
".",
"push",
"(",
"prompt",
"(",
"\"Elija el tipo o tipos de cartas\"",
")",
")",
";",
"guessed_rule",
"[",
"2",
"]",
"=",
"guessed_rule",
"[",
"2",
"]",
".",
"toUpperCase",
"(",
")",
";",
"return",
"verify_rule_guessed",
"(",
"rule",
",",
"guessed_rule",
")",
";",
"}",
"if",
"(",
"guessed_rule",
"[",
"0",
"]",
"==",
"2",
")",
"{",
"guessed_rule",
".",
"push",
"(",
"prompt",
"(",
"\"Cual de las reglas existentes es: \"",
"+",
"\"\\n1. multiplos del numero que usted elija\"",
"+",
"\"\\n2. mayor al numero que usted elija\"",
"+",
"\"\\n3. menor al numero que usted desee\"",
"+",
"\"\\n4. prohibir un numero\\n\"",
")",
")",
";",
"guessed_rule",
".",
"push",
"(",
"prompt",
"(",
"\"¿Que numero es?\")",
")",
";",
"",
"return",
"verify_rule_guessed",
"(",
"rule",
",",
"guessed_rule",
")",
";",
"}",
"}"
] | [
358,
0
] | [
378,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
queryNotificationConsulta | () | null | =========================================================== Realizar Consumo de servicio NEQUI consulta estado de pago =========================================================== | =========================================================== Realizar Consumo de servicio NEQUI consulta estado de pago =========================================================== | function queryNotificationConsulta() {
console.log("Entrando a Consultar estado de pago :" + c);
c++;
modal = $('#myModalCompra');
array = {
idTransaccion: globalTransaccion,
keyCliente: keyCliente,
usuarioId: usuarioId,
ubicacion: ubicacion,
eventoId: eventoId,
cantidad: cantidad,
token: tokenCompra,
valor: valor
};
var stringData = JSON.stringify(array);
$.ajax({
url: "./controllers/controllersJs/stateOrdenCompra.php",
type: 'POST',
data: { data: stringData },
}).done(function(data) {
console.log(data);
var json = JSON.parse(data);
status = json.status;
if(status == "1")
{
modal.find('.modal-header h5 strong').html('Compra Éxitosa!');
modal.find('.modal-body .container p').text('Los boletos han sido enviados a tu Wallet con éxito.');
modal.modal({backdrop: 'static', keyboard: false}, 'show');
$('.loadPayment').fadeOut("fast");
globalTransaccion = "-1";
}
else
{
if(status == "2") // Status es 33 en espera de pago y debe volver a consulta en 30s
{
setTimeout('queryNotificationConsulta()', 20000);
console.log("Consultando...");
}
else
{
modal.find('.modal-header h5 strong').html('Error al procesar el pago.');
modal.find('.modal-body .container p').text(status);
modal.modal({backdrop: 'static', keyboard: false}, 'show');
$('.loadPayment').fadeOut("fast");
}
}
}).fail(function(data) {
modal.find('.modal-header h5 strong').html('Error al procesar compra.');
modal.find('.modal-body .container p').text('Problema al consultar estado del pago, codigo:'+ data);
modal.modal({backdrop: 'static', keyboard: false}, 'show');
$('.loadPayment').fadeOut("fast");
});
} | [
"function",
"queryNotificationConsulta",
"(",
")",
"{",
"console",
".",
"log",
"(",
"\"Entrando a Consultar estado de pago :\"",
"+",
"c",
")",
";",
"c",
"++",
";",
"modal",
"=",
"$",
"(",
"'#myModalCompra'",
")",
";",
"array",
"=",
"{",
"idTransaccion",
":",
"globalTransaccion",
",",
"keyCliente",
":",
"keyCliente",
",",
"usuarioId",
":",
"usuarioId",
",",
"ubicacion",
":",
"ubicacion",
",",
"eventoId",
":",
"eventoId",
",",
"cantidad",
":",
"cantidad",
",",
"token",
":",
"tokenCompra",
",",
"valor",
":",
"valor",
"}",
";",
"var",
"stringData",
"=",
"JSON",
".",
"stringify",
"(",
"array",
")",
";",
"$",
".",
"ajax",
"(",
"{",
"url",
":",
"\"./controllers/controllersJs/stateOrdenCompra.php\"",
",",
"type",
":",
"'POST'",
",",
"data",
":",
"{",
"data",
":",
"stringData",
"}",
",",
"}",
")",
".",
"done",
"(",
"function",
"(",
"data",
")",
"{",
"console",
".",
"log",
"(",
"data",
")",
";",
"var",
"json",
"=",
"JSON",
".",
"parse",
"(",
"data",
")",
";",
"status",
"=",
"json",
".",
"status",
";",
"if",
"(",
"status",
"==",
"\"1\"",
")",
"{",
"modal",
".",
"find",
"(",
"'.modal-header h5 strong'",
")",
".",
"html",
"(",
"'Compra Éxitosa!')",
";",
"",
"modal",
".",
"find",
"(",
"'.modal-body .container p'",
")",
".",
"text",
"(",
"'Los boletos han sido enviados a tu Wallet con éxito.')",
";",
"",
"modal",
".",
"modal",
"(",
"{",
"backdrop",
":",
"'static'",
",",
"keyboard",
":",
"false",
"}",
",",
"'show'",
")",
";",
"$",
"(",
"'.loadPayment'",
")",
".",
"fadeOut",
"(",
"\"fast\"",
")",
";",
"globalTransaccion",
"=",
"\"-1\"",
";",
"}",
"else",
"{",
"if",
"(",
"status",
"==",
"\"2\"",
")",
"// Status es 33 en espera de pago y debe volver a consulta en 30s",
"{",
"setTimeout",
"(",
"'queryNotificationConsulta()'",
",",
"20000",
")",
";",
"console",
".",
"log",
"(",
"\"Consultando...\"",
")",
";",
"}",
"else",
"{",
"modal",
".",
"find",
"(",
"'.modal-header h5 strong'",
")",
".",
"html",
"(",
"'Error al procesar el pago.'",
")",
";",
"modal",
".",
"find",
"(",
"'.modal-body .container p'",
")",
".",
"text",
"(",
"status",
")",
";",
"modal",
".",
"modal",
"(",
"{",
"backdrop",
":",
"'static'",
",",
"keyboard",
":",
"false",
"}",
",",
"'show'",
")",
";",
"$",
"(",
"'.loadPayment'",
")",
".",
"fadeOut",
"(",
"\"fast\"",
")",
";",
"}",
"}",
"}",
")",
".",
"fail",
"(",
"function",
"(",
"data",
")",
"{",
"modal",
".",
"find",
"(",
"'.modal-header h5 strong'",
")",
".",
"html",
"(",
"'Error al procesar compra.'",
")",
";",
"modal",
".",
"find",
"(",
"'.modal-body .container p'",
")",
".",
"text",
"(",
"'Problema al consultar estado del pago, codigo:'",
"+",
"data",
")",
";",
"modal",
".",
"modal",
"(",
"{",
"backdrop",
":",
"'static'",
",",
"keyboard",
":",
"false",
"}",
",",
"'show'",
")",
";",
"$",
"(",
"'.loadPayment'",
")",
".",
"fadeOut",
"(",
"\"fast\"",
")",
";",
"}",
")",
";",
"}"
] | [
103,
0
] | [
157,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
generate_deck | () | null | Función para crear un deck de cartas nuevo | Función para crear un deck de cartas nuevo | function generate_deck() {
var all_Cards = new Array();
/*
Spade = S
Heart = H
Club = C
Diamonds = D
*/
var symbol = new Array("S", "H", "C", "D");
var numbers = new Array("1", "2", "3", "4", "5", "6", "7", "8", "9", "10", "11", "12", "13");
for (var i = 0; i < 2; i++) {
for (var j in symbol) {
for (var k in numbers) {
var new_card = new Card(numbers[k], symbol[j]);
all_Cards.push(new_card);
}
}
}
return all_Cards;
} | [
"function",
"generate_deck",
"(",
")",
"{",
"var",
"all_Cards",
"=",
"new",
"Array",
"(",
")",
";",
"/*\n Spade = S\n Heart = H\n Club = C\n Diamonds = D\n */",
"var",
"symbol",
"=",
"new",
"Array",
"(",
"\"S\"",
",",
"\"H\"",
",",
"\"C\"",
",",
"\"D\"",
")",
";",
"var",
"numbers",
"=",
"new",
"Array",
"(",
"\"1\"",
",",
"\"2\"",
",",
"\"3\"",
",",
"\"4\"",
",",
"\"5\"",
",",
"\"6\"",
",",
"\"7\"",
",",
"\"8\"",
",",
"\"9\"",
",",
"\"10\"",
",",
"\"11\"",
",",
"\"12\"",
",",
"\"13\"",
")",
";",
"for",
"(",
"var",
"i",
"=",
"0",
";",
"i",
"<",
"2",
";",
"i",
"++",
")",
"{",
"for",
"(",
"var",
"j",
"in",
"symbol",
")",
"{",
"for",
"(",
"var",
"k",
"in",
"numbers",
")",
"{",
"var",
"new_card",
"=",
"new",
"Card",
"(",
"numbers",
"[",
"k",
"]",
",",
"symbol",
"[",
"j",
"]",
")",
";",
"all_Cards",
".",
"push",
"(",
"new_card",
")",
";",
"}",
"}",
"}",
"return",
"all_Cards",
";",
"}"
] | [
83,
0
] | [
102,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
updateCheckSubtotal | (prop) | null | Al seleccionar ingredientes extra, actualiza el valor subtotal de la orden | Al seleccionar ingredientes extra, actualiza el valor subtotal de la orden | function updateCheckSubtotal(prop) {
prop.checked=!prop.checked; // Cambia el estado del check
let aux
if (prop.checked) { //Si está seleccionado suma al subtotal el precio del ingrediente extra
aux= subtotal + parseFloat(prop.precio_ingrediente)
setSubtotal(aux) // Actualiza el valor del subtotal
} else { //Si fue deseleccionado resta al subtotal el precio del ingrediente extra
aux= subtotal - parseFloat(prop.precio_ingrediente)
setSubtotal(aux) // Actualiza el valor del subtotal
}
} | [
"function",
"updateCheckSubtotal",
"(",
"prop",
")",
"{",
"prop",
".",
"checked",
"=",
"!",
"prop",
".",
"checked",
";",
"// Cambia el estado del check",
"let",
"aux",
"if",
"(",
"prop",
".",
"checked",
")",
"{",
"//Si está seleccionado suma al subtotal el precio del ingrediente extra",
"aux",
"=",
"subtotal",
"+",
"parseFloat",
"(",
"prop",
".",
"precio_ingrediente",
")",
"setSubtotal",
"(",
"aux",
")",
"// Actualiza el valor del subtotal",
"}",
"else",
"{",
"//Si fue deseleccionado resta al subtotal el precio del ingrediente extra",
"aux",
"=",
"subtotal",
"-",
"parseFloat",
"(",
"prop",
".",
"precio_ingrediente",
")",
"setSubtotal",
"(",
"aux",
")",
"// Actualiza el valor del subtotal",
"}",
"}"
] | [
198,
2
] | [
208,
3
] | null | javascript | es | ['es', 'es', 'es'] | True | true | statement_block |
mostrarBannerAleatorio | () | null | Dependiendo del número devuelto por la función obtenerIndexAleatorio() es el índex de la imagen que se va a mostrar. | Dependiendo del número devuelto por la función obtenerIndexAleatorio() es el índex de la imagen que se va a mostrar. | function mostrarBannerAleatorio() {
let index = obtenerIndexAleatorio();
document.querySelector('#img-banner').src = imagenes[index];
} | [
"function",
"mostrarBannerAleatorio",
"(",
")",
"{",
"let",
"index",
"=",
"obtenerIndexAleatorio",
"(",
")",
";",
"document",
".",
"querySelector",
"(",
"'#img-banner'",
")",
".",
"src",
"=",
"imagenes",
"[",
"index",
"]",
";",
"}"
] | [
16,
0
] | [
19,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
avisoBorrarClase | (capb) | null | Modal para confirmar Eliminación de la Clase | Modal para confirmar Eliminación de la Clase | function avisoBorrarClase(capb) {
$("#borradoClases").modal("show")
captionid = capb;
} | [
"function",
"avisoBorrarClase",
"(",
"capb",
")",
"{",
"$",
"(",
"\"#borradoClases\"",
")",
".",
"modal",
"(",
"\"show\"",
")",
"captionid",
"=",
"capb",
";",
"}"
] | [
150,
0
] | [
153,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
() | null | Si quiero mostrar lo que retorna una funcion, debemos decirle donde mostrarlo persona.capturarPokemones(); console.log(persona.capturarPokemones()); Podemos guardar una funcion en una variable | Si quiero mostrar lo que retorna una funcion, debemos decirle donde mostrarlo persona.capturarPokemones(); console.log(persona.capturarPokemones()); Podemos guardar una funcion en una variable | function() {
console.log("Mi nombre es" + persona.nombre + " " + persona.apellido);
} | [
"function",
"(",
")",
"{",
"console",
".",
"log",
"(",
"\"Mi nombre es\"",
"+",
"persona",
".",
"nombre",
"+",
"\" \"",
"+",
"persona",
".",
"apellido",
")",
";",
"}"
] | [
90,
15
] | [
92,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | variable_declarator |
|
Persona1 | (nombre, apellido, altura) | null | eta funcion trabaja como un constructor | eta funcion trabaja como un constructor | function Persona1(nombre, apellido, altura){
this.nombre = nombre
this.apellido = apellido
this.altura = altura
} | [
"function",
"Persona1",
"(",
"nombre",
",",
"apellido",
",",
"altura",
")",
"{",
"this",
".",
"nombre",
"=",
"nombre",
"this",
".",
"apellido",
"=",
"apellido",
"this",
".",
"altura",
"=",
"altura",
"}"
] | [
22,
0
] | [
26,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
registrar_ActividadMeta | () | null | funcion para registar actividad de metas | funcion para registar actividad de metas | function registrar_ActividadMeta(){
var token = new $('#token').val();
var datos = new FormData($("#frmIngresarActividadMeta")[0]);
$.ajax({
url:"/app/actividadMeta",
headers :{'X-CSRF-TOKEN': token},
type: 'POST',
dataType: 'json',
contentType: false,
processData: false,
data: datos,
success:function(res){
if(res.registro==true){
//swal("Efood!", "El usuario se ha registro correctamente!", "success");
swal("Actividad de Meta Registrado Correctamente..!!", "", "success");
document.getElementById("frmIngresarActividadMeta").reset();
$("#myModal_IngresarActividadMeta").modal("hide");
$("#datatable").load("/lista_actividadMeta");
}
}
});
} | [
"function",
"registrar_ActividadMeta",
"(",
")",
"{",
"var",
"token",
"=",
"new",
"$",
"(",
"'#token'",
")",
".",
"val",
"(",
")",
";",
"var",
"datos",
"=",
"new",
"FormData",
"(",
"$",
"(",
"\"#frmIngresarActividadMeta\"",
")",
"[",
"0",
"]",
")",
";",
"$",
".",
"ajax",
"(",
"{",
"url",
":",
"\"/app/actividadMeta\"",
",",
"headers",
":",
"{",
"'X-CSRF-TOKEN'",
":",
"token",
"}",
",",
"type",
":",
"'POST'",
",",
"dataType",
":",
"'json'",
",",
"contentType",
":",
"false",
",",
"processData",
":",
"false",
",",
"data",
":",
"datos",
",",
"success",
":",
"function",
"(",
"res",
")",
"{",
"if",
"(",
"res",
".",
"registro",
"==",
"true",
")",
"{",
"//swal(\"Efood!\", \"El usuario se ha registro correctamente!\", \"success\");",
"swal",
"(",
"\"Actividad de Meta Registrado Correctamente..!!\"",
",",
"\"\"",
",",
"\"success\"",
")",
";",
"document",
".",
"getElementById",
"(",
"\"frmIngresarActividadMeta\"",
")",
".",
"reset",
"(",
")",
";",
"$",
"(",
"\"#myModal_IngresarActividadMeta\"",
")",
".",
"modal",
"(",
"\"hide\"",
")",
";",
"$",
"(",
"\"#datatable\"",
")",
".",
"load",
"(",
"\"/lista_actividadMeta\"",
")",
";",
"}",
"}",
"}",
")",
";",
"}"
] | [
100,
0
] | [
122,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
actualizarMapa | () | null | Función que se encarga de actualizar el campo visibilidad de la variable partida y dibuja el minimapa en funcion de visibilidad | Función que se encarga de actualizar el campo visibilidad de la variable partida y dibuja el minimapa en funcion de visibilidad | function actualizarMapa() {
var cas;
var id = partida.jugador.posicion.x * 10 + partida.jugador.posicion.y;
var idaux;
var oid = 0;
var ocasilla = 0;
var oposx = partida.jugador.posicion.x + partida.jugador.posicion.orientacion[0];
var oposy = partida.jugador.posicion.y + partida.jugador.posicion.orientacion[1];
partida.mapas[partida.jugador.posicion.mapa].visibilidad[partida.jugador.posicion.x][partida.jugador.posicion.y] = true;
//decide si la casilla a la que el jugador mira deberia ser visible
if ( oposx > -1 && oposy > -1 && oposx < 10 && oposy < 10) {
oid = (partida.jugador.posicion.x + partida.jugador.posicion.orientacion[0]) * 10 + (partida.jugador.posicion.y + partida.jugador.posicion.orientacion[1]);
ocasilla = partida.mapas[partida.jugador.posicion.mapa].distribucion[partida.jugador.posicion.x + partida.jugador.posicion.orientacion[0]][partida.jugador.posicion.y + partida.jugador.posicion.orientacion[1]];
if (ocasilla == 10) {
partida.mapas[partida.jugador.posicion.mapa].visibilidad[oposx][oposy] = true;
}
else if (ocasilla == 12) {
partida.mapas[partida.jugador.posicion.mapa].visibilidad[oposx][oposy] = true;
}
else if (ocasilla == 14) {
partida.mapas[partida.jugador.posicion.mapa].visibilidad[oposx][oposy] = true;
}
else if (ocasilla == 15) {
partida.mapas[partida.jugador.posicion.mapa].visibilidad[oposx][oposy] = true;
}
else if (ocasilla >= 30) {
partida.mapas[partida.jugador.posicion.mapa].visibilidad[oposx][oposy] = true;
}
else if (ocasilla >= 20 && ocasilla < 30) {
partida.mapas[partida.jugador.posicion.mapa].visibilidad[oposx][oposy] = true;
}
}
//mira el mapa de visibilidad y dibuja las casilla que sean visibles
for (var k = 0; k < 10; k++) {
for (var l = 0; l < 10; l++) {
//se asegura que la flecha del jugador solo este en la casilla actual haciendo un barrido de todo el mapa
$("#"+idaux).attr("src","media/images/mapa_null.png");
//si esa casilla tiene visibilidad activada dibujara el tile correspondiente a su ID
if (partida.mapas[partida.jugador.posicion.mapa].visibilidad[k][l] == true) {
idaux = k*10 + l;
cas = partida.mapas[partida.jugador.posicion.mapa].distribucion[k][l];
switch (true) {
case (cas == 10):
$("#"+idaux).css("background-image", "url(media/images/mapa_pared.png)");
break;
case (cas == 11):
$("#"+idaux).css("background-image", "url(media/images/mapa_suelo.png)");
break;
case (cas == 12):
$("#"+idaux).css("background-image", "url(media/images/mapa_salida.png)");
break;
case (cas == 13):
$("#"+idaux).css("background-image", "url(media/images/mapa_origen.png)");
break;
case (cas == 15 || cas == 14):
$("#"+idaux).css("background-image", "url(media/images/mapa_objeto.png)");
break;
case (cas >= 20 && cas < 30):
$("#"+idaux).css("background-image", "url(media/images/mapa_objeto.png)");
break;
case (cas >= 30):
$("#"+idaux).css("background-image", "url(media/images/mapa_enemigo.png)");
break;
default:
break;
}
}
}
}
//decide en que direccion y posicion se pondra la flecha del jugador
switch (partida.jugador.posicion.orientacion.join(' ')) {
case "0 1":
$("#"+id).attr("src","media/images/mapa_derecha.png");
break;
case "0 -1":
$("#"+id).attr("src","media/images/mapa_izquierda.png");
break;
case "1 0":
$("#"+id).attr("src","media/images/mapa_abajo.png");
break;
case "-1 0":
$("#"+id).attr("src","media/images/mapa_arriba.png");
break;
default:
break;
}
//poner nivel de mapa
switch(partida.jugador.posicion.mapa){
case 0:
$('#nivel-actual').html('Nivel -3');
break;
case 1:
$('#nivel-actual').html('Nivel -2');
break;
case 2:
$('#nivel-actual').html('Nivel -1');
break;
}
} | [
"function",
"actualizarMapa",
"(",
")",
"{",
"var",
"cas",
";",
"var",
"id",
"=",
"partida",
".",
"jugador",
".",
"posicion",
".",
"x",
"*",
"10",
"+",
"partida",
".",
"jugador",
".",
"posicion",
".",
"y",
";",
"var",
"idaux",
";",
"var",
"oid",
"=",
"0",
";",
"var",
"ocasilla",
"=",
"0",
";",
"var",
"oposx",
"=",
"partida",
".",
"jugador",
".",
"posicion",
".",
"x",
"+",
"partida",
".",
"jugador",
".",
"posicion",
".",
"orientacion",
"[",
"0",
"]",
";",
"var",
"oposy",
"=",
"partida",
".",
"jugador",
".",
"posicion",
".",
"y",
"+",
"partida",
".",
"jugador",
".",
"posicion",
".",
"orientacion",
"[",
"1",
"]",
";",
"partida",
".",
"mapas",
"[",
"partida",
".",
"jugador",
".",
"posicion",
".",
"mapa",
"]",
".",
"visibilidad",
"[",
"partida",
".",
"jugador",
".",
"posicion",
".",
"x",
"]",
"[",
"partida",
".",
"jugador",
".",
"posicion",
".",
"y",
"]",
"=",
"true",
";",
"//decide si la casilla a la que el jugador mira deberia ser visible",
"if",
"(",
"oposx",
">",
"-",
"1",
"&&",
"oposy",
">",
"-",
"1",
"&&",
"oposx",
"<",
"10",
"&&",
"oposy",
"<",
"10",
")",
"{",
"oid",
"=",
"(",
"partida",
".",
"jugador",
".",
"posicion",
".",
"x",
"+",
"partida",
".",
"jugador",
".",
"posicion",
".",
"orientacion",
"[",
"0",
"]",
")",
"*",
"10",
"+",
"(",
"partida",
".",
"jugador",
".",
"posicion",
".",
"y",
"+",
"partida",
".",
"jugador",
".",
"posicion",
".",
"orientacion",
"[",
"1",
"]",
")",
";",
"ocasilla",
"=",
"partida",
".",
"mapas",
"[",
"partida",
".",
"jugador",
".",
"posicion",
".",
"mapa",
"]",
".",
"distribucion",
"[",
"partida",
".",
"jugador",
".",
"posicion",
".",
"x",
"+",
"partida",
".",
"jugador",
".",
"posicion",
".",
"orientacion",
"[",
"0",
"]",
"]",
"[",
"partida",
".",
"jugador",
".",
"posicion",
".",
"y",
"+",
"partida",
".",
"jugador",
".",
"posicion",
".",
"orientacion",
"[",
"1",
"]",
"]",
";",
"if",
"(",
"ocasilla",
"==",
"10",
")",
"{",
"partida",
".",
"mapas",
"[",
"partida",
".",
"jugador",
".",
"posicion",
".",
"mapa",
"]",
".",
"visibilidad",
"[",
"oposx",
"]",
"[",
"oposy",
"]",
"=",
"true",
";",
"}",
"else",
"if",
"(",
"ocasilla",
"==",
"12",
")",
"{",
"partida",
".",
"mapas",
"[",
"partida",
".",
"jugador",
".",
"posicion",
".",
"mapa",
"]",
".",
"visibilidad",
"[",
"oposx",
"]",
"[",
"oposy",
"]",
"=",
"true",
";",
"}",
"else",
"if",
"(",
"ocasilla",
"==",
"14",
")",
"{",
"partida",
".",
"mapas",
"[",
"partida",
".",
"jugador",
".",
"posicion",
".",
"mapa",
"]",
".",
"visibilidad",
"[",
"oposx",
"]",
"[",
"oposy",
"]",
"=",
"true",
";",
"}",
"else",
"if",
"(",
"ocasilla",
"==",
"15",
")",
"{",
"partida",
".",
"mapas",
"[",
"partida",
".",
"jugador",
".",
"posicion",
".",
"mapa",
"]",
".",
"visibilidad",
"[",
"oposx",
"]",
"[",
"oposy",
"]",
"=",
"true",
";",
"}",
"else",
"if",
"(",
"ocasilla",
">=",
"30",
")",
"{",
"partida",
".",
"mapas",
"[",
"partida",
".",
"jugador",
".",
"posicion",
".",
"mapa",
"]",
".",
"visibilidad",
"[",
"oposx",
"]",
"[",
"oposy",
"]",
"=",
"true",
";",
"}",
"else",
"if",
"(",
"ocasilla",
">=",
"20",
"&&",
"ocasilla",
"<",
"30",
")",
"{",
"partida",
".",
"mapas",
"[",
"partida",
".",
"jugador",
".",
"posicion",
".",
"mapa",
"]",
".",
"visibilidad",
"[",
"oposx",
"]",
"[",
"oposy",
"]",
"=",
"true",
";",
"}",
"}",
"//mira el mapa de visibilidad y dibuja las casilla que sean visibles",
"for",
"(",
"var",
"k",
"=",
"0",
";",
"k",
"<",
"10",
";",
"k",
"++",
")",
"{",
"for",
"(",
"var",
"l",
"=",
"0",
";",
"l",
"<",
"10",
";",
"l",
"++",
")",
"{",
"//se asegura que la flecha del jugador solo este en la casilla actual haciendo un barrido de todo el mapa",
"$",
"(",
"\"#\"",
"+",
"idaux",
")",
".",
"attr",
"(",
"\"src\"",
",",
"\"media/images/mapa_null.png\"",
")",
";",
"//si esa casilla tiene visibilidad activada dibujara el tile correspondiente a su ID",
"if",
"(",
"partida",
".",
"mapas",
"[",
"partida",
".",
"jugador",
".",
"posicion",
".",
"mapa",
"]",
".",
"visibilidad",
"[",
"k",
"]",
"[",
"l",
"]",
"==",
"true",
")",
"{",
"idaux",
"=",
"k",
"*",
"10",
"+",
"l",
";",
"cas",
"=",
"partida",
".",
"mapas",
"[",
"partida",
".",
"jugador",
".",
"posicion",
".",
"mapa",
"]",
".",
"distribucion",
"[",
"k",
"]",
"[",
"l",
"]",
";",
"switch",
"(",
"true",
")",
"{",
"case",
"(",
"cas",
"==",
"10",
")",
":",
"$",
"(",
"\"#\"",
"+",
"idaux",
")",
".",
"css",
"(",
"\"background-image\"",
",",
"\"url(media/images/mapa_pared.png)\"",
")",
";",
"break",
";",
"case",
"(",
"cas",
"==",
"11",
")",
":",
"$",
"(",
"\"#\"",
"+",
"idaux",
")",
".",
"css",
"(",
"\"background-image\"",
",",
"\"url(media/images/mapa_suelo.png)\"",
")",
";",
"break",
";",
"case",
"(",
"cas",
"==",
"12",
")",
":",
"$",
"(",
"\"#\"",
"+",
"idaux",
")",
".",
"css",
"(",
"\"background-image\"",
",",
"\"url(media/images/mapa_salida.png)\"",
")",
";",
"break",
";",
"case",
"(",
"cas",
"==",
"13",
")",
":",
"$",
"(",
"\"#\"",
"+",
"idaux",
")",
".",
"css",
"(",
"\"background-image\"",
",",
"\"url(media/images/mapa_origen.png)\"",
")",
";",
"break",
";",
"case",
"(",
"cas",
"==",
"15",
"||",
"cas",
"==",
"14",
")",
":",
"$",
"(",
"\"#\"",
"+",
"idaux",
")",
".",
"css",
"(",
"\"background-image\"",
",",
"\"url(media/images/mapa_objeto.png)\"",
")",
";",
"break",
";",
"case",
"(",
"cas",
">=",
"20",
"&&",
"cas",
"<",
"30",
")",
":",
"$",
"(",
"\"#\"",
"+",
"idaux",
")",
".",
"css",
"(",
"\"background-image\"",
",",
"\"url(media/images/mapa_objeto.png)\"",
")",
";",
"break",
";",
"case",
"(",
"cas",
">=",
"30",
")",
":",
"$",
"(",
"\"#\"",
"+",
"idaux",
")",
".",
"css",
"(",
"\"background-image\"",
",",
"\"url(media/images/mapa_enemigo.png)\"",
")",
";",
"break",
";",
"default",
":",
"break",
";",
"}",
"}",
"}",
"}",
"//decide en que direccion y posicion se pondra la flecha del jugador",
"switch",
"(",
"partida",
".",
"jugador",
".",
"posicion",
".",
"orientacion",
".",
"join",
"(",
"' '",
")",
")",
"{",
"case",
"\"0 1\"",
":",
"$",
"(",
"\"#\"",
"+",
"id",
")",
".",
"attr",
"(",
"\"src\"",
",",
"\"media/images/mapa_derecha.png\"",
")",
";",
"break",
";",
"case",
"\"0 -1\"",
":",
"$",
"(",
"\"#\"",
"+",
"id",
")",
".",
"attr",
"(",
"\"src\"",
",",
"\"media/images/mapa_izquierda.png\"",
")",
";",
"break",
";",
"case",
"\"1 0\"",
":",
"$",
"(",
"\"#\"",
"+",
"id",
")",
".",
"attr",
"(",
"\"src\"",
",",
"\"media/images/mapa_abajo.png\"",
")",
";",
"break",
";",
"case",
"\"-1 0\"",
":",
"$",
"(",
"\"#\"",
"+",
"id",
")",
".",
"attr",
"(",
"\"src\"",
",",
"\"media/images/mapa_arriba.png\"",
")",
";",
"break",
";",
"default",
":",
"break",
";",
"}",
"//poner nivel de mapa",
"switch",
"(",
"partida",
".",
"jugador",
".",
"posicion",
".",
"mapa",
")",
"{",
"case",
"0",
":",
"$",
"(",
"'#nivel-actual'",
")",
".",
"html",
"(",
"'Nivel -3'",
")",
";",
"break",
";",
"case",
"1",
":",
"$",
"(",
"'#nivel-actual'",
")",
".",
"html",
"(",
"'Nivel -2'",
")",
";",
"break",
";",
"case",
"2",
":",
"$",
"(",
"'#nivel-actual'",
")",
".",
"html",
"(",
"'Nivel -1'",
")",
";",
"break",
";",
"}",
"}"
] | [
65,
0
] | [
175,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
leerCurso | (curso) | null | vamos a leer en consola el curso que estamos presionando al hacer click | vamos a leer en consola el curso que estamos presionando al hacer click | function leerCurso(curso) {
//creamos un objeto para extraer la informacion de los cursos
const infoCursos = {
imagen: curso.querySelector('img').src,
titulo: curso.querySelector('h4').textContent,
precio: parseInt(curso.querySelector('span').textContent.substr(1)),
id: curso.querySelector('a').getAttribute('data-id'),
cantidad: 1,
precioBase: parseInt(curso.querySelector('.precio span').textContent.substr(1)),
}
const existe = articulosCarrito.some((curso) => curso.id === infoCursos.id)
if (existe) {
const cursoSeleccionado = articulosCarrito.forEach(curso => {
if (curso.id === infoCursos.id) {
curso.cantidad++
curso.precio = curso.precioBase * curso.cantidad
} else {
curso.precio = curso.precioBase - curso.cantidad
}
})
} else {
articulosCarrito.push(infoCursos)
}
console.log(articulosCarrito)
mostrarHTML()
} | [
"function",
"leerCurso",
"(",
"curso",
")",
"{",
"//creamos un objeto para extraer la informacion de los cursos ",
"const",
"infoCursos",
"=",
"{",
"imagen",
":",
"curso",
".",
"querySelector",
"(",
"'img'",
")",
".",
"src",
",",
"titulo",
":",
"curso",
".",
"querySelector",
"(",
"'h4'",
")",
".",
"textContent",
",",
"precio",
":",
"parseInt",
"(",
"curso",
".",
"querySelector",
"(",
"'span'",
")",
".",
"textContent",
".",
"substr",
"(",
"1",
")",
")",
",",
"id",
":",
"curso",
".",
"querySelector",
"(",
"'a'",
")",
".",
"getAttribute",
"(",
"'data-id'",
")",
",",
"cantidad",
":",
"1",
",",
"precioBase",
":",
"parseInt",
"(",
"curso",
".",
"querySelector",
"(",
"'.precio span'",
")",
".",
"textContent",
".",
"substr",
"(",
"1",
")",
")",
",",
"}",
"const",
"existe",
"=",
"articulosCarrito",
".",
"some",
"(",
"(",
"curso",
")",
"=>",
"curso",
".",
"id",
"===",
"infoCursos",
".",
"id",
")",
"if",
"(",
"existe",
")",
"{",
"const",
"cursoSeleccionado",
"=",
"articulosCarrito",
".",
"forEach",
"(",
"curso",
"=>",
"{",
"if",
"(",
"curso",
".",
"id",
"===",
"infoCursos",
".",
"id",
")",
"{",
"curso",
".",
"cantidad",
"++",
"curso",
".",
"precio",
"=",
"curso",
".",
"precioBase",
"*",
"curso",
".",
"cantidad",
"}",
"else",
"{",
"curso",
".",
"precio",
"=",
"curso",
".",
"precioBase",
"-",
"curso",
".",
"cantidad",
"}",
"}",
")",
"}",
"else",
"{",
"articulosCarrito",
".",
"push",
"(",
"infoCursos",
")",
"}",
"console",
".",
"log",
"(",
"articulosCarrito",
")",
"mostrarHTML",
"(",
")",
"}"
] | [
75,
0
] | [
115,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
dibujar | () | null | Esta rutina crea dinámicamente los elementos del tablero y los eventos asociados a ellos. Dicha funcionalidad se puede ver en este URL https://www.w3schools.com/jsref/met_document_createelement.asp Esto es prácticamente crear instancias de objetos y métodos. | Esta rutina crea dinámicamente los elementos del tablero y los eventos asociados a ellos. Dicha funcionalidad se puede ver en este URL https://www.w3schools.com/jsref/met_document_createelement.asp Esto es prácticamente crear instancias de objetos y métodos. | function dibujar() {
// Se crea el div que contiene todos los elementos dentro
tablero_rompecabezas = document.createElement('div');
// Le asigna la clase al elemento
tablero_rompecabezas.classList.add('tablero_rompecabezas')
// El ancho y la altura se configurar con base a la cantidad de fichas con las que cuenta el tablero,
// usando como referencia que cada ficha mide 100px, se dejan 5px de margen en los 4 lados.
tablero_rompecabezas.style.height = nivel * 110 + 'px';
tablero_rompecabezas.style.width = nivel * 110 + 'px';
for(i = cantidad_fichas; i >= 0; i--) {
// Este método agrega un una nueva ficha dentro del DIV
crear_ficha(tablero_rompecabezas);
}
// Una vez que ya el objeto fue instanciado, se agrega en el código del cuerpo de la página
document.body.appendChild(tablero_rompecabezas);
revolver();
} | [
"function",
"dibujar",
"(",
")",
"{",
"// Se crea el div que contiene todos los elementos dentro",
"tablero_rompecabezas",
"=",
"document",
".",
"createElement",
"(",
"'div'",
")",
";",
"// Le asigna la clase al elemento",
"tablero_rompecabezas",
".",
"classList",
".",
"add",
"(",
"'tablero_rompecabezas'",
")",
"// El ancho y la altura se configurar con base a la cantidad de fichas con las que cuenta el tablero,",
"// usando como referencia que cada ficha mide 100px, se dejan 5px de margen en los 4 lados.",
"tablero_rompecabezas",
".",
"style",
".",
"height",
"=",
"nivel",
"*",
"110",
"+",
"'px'",
";",
"tablero_rompecabezas",
".",
"style",
".",
"width",
"=",
"nivel",
"*",
"110",
"+",
"'px'",
";",
"for",
"(",
"i",
"=",
"cantidad_fichas",
";",
"i",
">=",
"0",
";",
"i",
"--",
")",
"{",
"// Este método agrega un una nueva ficha dentro del DIV",
"crear_ficha",
"(",
"tablero_rompecabezas",
")",
";",
"}",
"// Una vez que ya el objeto fue instanciado, se agrega en el código del cuerpo de la página",
"document",
".",
"body",
".",
"appendChild",
"(",
"tablero_rompecabezas",
")",
";",
"revolver",
"(",
")",
";",
"}"
] | [
34,
0
] | [
54,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
createMessage | (message, callback) | null | Crear mensaje en el servidor | Crear mensaje en el servidor | function createMessage(message, callback) {
$.ajax({
method: "POST",
url: '/messages',
data: JSON.stringify(message),
processData: false,
headers: {
"Content-Type": "application/json"
}
}).done(function (message) {
callback(message);
})
} | [
"function",
"createMessage",
"(",
"message",
",",
"callback",
")",
"{",
"$",
".",
"ajax",
"(",
"{",
"method",
":",
"\"POST\"",
",",
"url",
":",
"'/messages'",
",",
"data",
":",
"JSON",
".",
"stringify",
"(",
"message",
")",
",",
"processData",
":",
"false",
",",
"headers",
":",
"{",
"\"Content-Type\"",
":",
"\"application/json\"",
"}",
"}",
")",
".",
"done",
"(",
"function",
"(",
"message",
")",
"{",
"callback",
"(",
"message",
")",
";",
"}",
")",
"}"
] | [
10,
0
] | [
22,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
alternarAutomatico | () | null | /*Esta funcion alterna los botones dependiendo de si esta activado el modo o no
y ademas activa y desactiva el modo | /*Esta funcion alterna los botones dependiendo de si esta activado el modo o no
y ademas activa y desactiva el modo | function alternarAutomatico(){
if(automaticoCheck==false){
automaticoCheck=true;
enviarDatosx();
document.getElementById("auto_iniciar").style.backgroundColor="#ffb84d";
document.getElementById("auto_empaquetar").disabled=false;
document.getElementById("auto_sellar").disabled=false;
modoActivo=true;
}else{
automaticoCheck=false;
document.getElementById("auto_iniciar").style.backgroundColor="#01313a";
document.getElementById("auto_empaquetar").disabled=true;
document.getElementById("auto_sellar").disabled=true;
modoActivo=false;
}
var datos = '\"WEB_1\".BOTON_AUTOMATICO='+automaticoCheck;
$($.ajax({
method:'POST',
data: datos,
success: function(datos){
console.log("funciona: el dato que se ha enviado es "+automaticoCheck);
},
error: function(jqXRH,status,opt){
console.log("errores"+jqXRH+"\n"+status);
}
}))
} | [
"function",
"alternarAutomatico",
"(",
")",
"{",
"if",
"(",
"automaticoCheck",
"==",
"false",
")",
"{",
"automaticoCheck",
"=",
"true",
";",
"enviarDatosx",
"(",
")",
";",
"document",
".",
"getElementById",
"(",
"\"auto_iniciar\"",
")",
".",
"style",
".",
"backgroundColor",
"=",
"\"#ffb84d\"",
";",
"document",
".",
"getElementById",
"(",
"\"auto_empaquetar\"",
")",
".",
"disabled",
"=",
"false",
";",
"document",
".",
"getElementById",
"(",
"\"auto_sellar\"",
")",
".",
"disabled",
"=",
"false",
";",
"modoActivo",
"=",
"true",
";",
"}",
"else",
"{",
"automaticoCheck",
"=",
"false",
";",
"document",
".",
"getElementById",
"(",
"\"auto_iniciar\"",
")",
".",
"style",
".",
"backgroundColor",
"=",
"\"#01313a\"",
";",
"document",
".",
"getElementById",
"(",
"\"auto_empaquetar\"",
")",
".",
"disabled",
"=",
"true",
";",
"document",
".",
"getElementById",
"(",
"\"auto_sellar\"",
")",
".",
"disabled",
"=",
"true",
";",
"modoActivo",
"=",
"false",
";",
"}",
"var",
"datos",
"=",
"'\\\"WEB_1\\\".BOTON_AUTOMATICO='",
"+",
"automaticoCheck",
";",
"$",
"(",
"$",
".",
"ajax",
"(",
"{",
"method",
":",
"'POST'",
",",
"data",
":",
"datos",
",",
"success",
":",
"function",
"(",
"datos",
")",
"{",
"console",
".",
"log",
"(",
"\"funciona: el dato que se ha enviado es \"",
"+",
"automaticoCheck",
")",
";",
"}",
",",
"error",
":",
"function",
"(",
"jqXRH",
",",
"status",
",",
"opt",
")",
"{",
"console",
".",
"log",
"(",
"\"errores\"",
"+",
"jqXRH",
"+",
"\"\\n\"",
"+",
"status",
")",
";",
"}",
"}",
")",
")",
"}"
] | [
24,
0
] | [
50,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
comprobarLogin | () | null | /* Comprueba si hay login para mostrar "mi perfil" en vez de login. Solo en version movil. | /* Comprueba si hay login para mostrar "mi perfil" en vez de login. Solo en version movil. | function comprobarLogin() {
if ($('#verLogin').val() == 1) {
document.getElementById("link").innerHTML = "Mi perfil";
}
} | [
"function",
"comprobarLogin",
"(",
")",
"{",
"if",
"(",
"$",
"(",
"'#verLogin'",
")",
".",
"val",
"(",
")",
"==",
"1",
")",
"{",
"document",
".",
"getElementById",
"(",
"\"link\"",
")",
".",
"innerHTML",
"=",
"\"Mi perfil\"",
";",
"}",
"}"
] | [
67,
0
] | [
71,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
cargarArticulos | (categoria) | null | } Traigo los datos del csv y los cargo en los elementos del html. | } Traigo los datos del csv y los cargo en los elementos del html. | async function cargarArticulos(categoria) {
const URL = `/articulo/${categoria}`;
try {
let response = await fetch(URL);
if (response.ok) {
let listadoArticulos = await response.json();
cargarCategoria(listadoArticulos, categoria);
}
} catch (response) {
console.log("Error en la conexión", response);
}
} | [
"async",
"function",
"cargarArticulos",
"(",
"categoria",
")",
"{",
"const",
"URL",
"=",
"`",
"${",
"categoria",
"}",
"`",
";",
"try",
"{",
"let",
"response",
"=",
"await",
"fetch",
"(",
"URL",
")",
";",
"if",
"(",
"response",
".",
"ok",
")",
"{",
"let",
"listadoArticulos",
"=",
"await",
"response",
".",
"json",
"(",
")",
";",
"cargarCategoria",
"(",
"listadoArticulos",
",",
"categoria",
")",
";",
"}",
"}",
"catch",
"(",
"response",
")",
"{",
"console",
".",
"log",
"(",
"\"Error en la conexión\",",
" ",
"esponse)",
";",
"",
"}",
"}"
] | [
21,
0
] | [
33,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
Mostrar | () | null | Debemos lograr mostrar un mensaje al presionar el botón 'MOSTRAR'. | Debemos lograr mostrar un mensaje al presionar el botón 'MOSTRAR'. | function Mostrar()
{
var ancho;
var largo;
var perimetro;
var alambre;
ancho = document.getElementById("ancho").value
largo = document.getElementById("largo").value;
if (ancho == 0 || isNaN(ancho)){
alert ("Reingrese el ancho");
}
else if (largo == 0 || isNaN(largo)){
alert ("Reingrese el largo");
}
else {
perimetro = 2*ancho + 2*largo;
alambre = perimetro * 6;
alert ("La cantidad de metrosn de alambre a usar son: " + alambre);
}
} | [
"function",
"Mostrar",
"(",
")",
"{",
"var",
"ancho",
";",
"var",
"largo",
";",
"var",
"perimetro",
";",
"var",
"alambre",
";",
"ancho",
"=",
"document",
".",
"getElementById",
"(",
"\"ancho\"",
")",
".",
"value",
"largo",
"=",
"document",
".",
"getElementById",
"(",
"\"largo\"",
")",
".",
"value",
";",
"if",
"(",
"ancho",
"==",
"0",
"||",
"isNaN",
"(",
"ancho",
")",
")",
"{",
"alert",
"(",
"\"Reingrese el ancho\"",
")",
";",
"}",
"else",
"if",
"(",
"largo",
"==",
"0",
"||",
"isNaN",
"(",
"largo",
")",
")",
"{",
"alert",
"(",
"\"Reingrese el largo\"",
")",
";",
"}",
"else",
"{",
"perimetro",
"=",
"2",
"*",
"ancho",
"+",
"2",
"*",
"largo",
";",
"alambre",
"=",
"perimetro",
"*",
"6",
";",
"alert",
"(",
"\"La cantidad de metrosn de alambre a usar son: \"",
"+",
"alambre",
")",
";",
"}",
"}"
] | [
1,
0
] | [
21,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
keyboard | (value) | null | Funcion dada por Pixi para reconocer teclado | Funcion dada por Pixi para reconocer teclado | function keyboard(value) {
let key = {};
key.value = value;
key.isDown = false;
key.isUp = true;
key.press = undefined;
key.release = undefined;
//The `downHandler`
key.downHandler = event => {
if (event.key === key.value) {
if (key.isUp && key.press) key.press();
key.isDown = true;
key.isUp = false;
event.preventDefault();
}
};
//The `upHandler`
key.upHandler = event => {
if (event.key === key.value) {
if (key.isDown && key.release) key.release();
key.isDown = false;
key.isUp = true;
event.preventDefault();
}
};
//Attach event listeners
const downListener = key.downHandler.bind(key);
const upListener = key.upHandler.bind(key);
window.addEventListener(
"keydown", downListener, false
);
window.addEventListener(
"keyup", upListener, false
);
// Detach event listeners
key.unsubscribe = () => {
window.removeEventListener("keydown", downListener);
window.removeEventListener("keyup", upListener);
};
return key;
} | [
"function",
"keyboard",
"(",
"value",
")",
"{",
"let",
"key",
"=",
"{",
"}",
";",
"key",
".",
"value",
"=",
"value",
";",
"key",
".",
"isDown",
"=",
"false",
";",
"key",
".",
"isUp",
"=",
"true",
";",
"key",
".",
"press",
"=",
"undefined",
";",
"key",
".",
"release",
"=",
"undefined",
";",
"//The `downHandler`",
"key",
".",
"downHandler",
"=",
"event",
"=>",
"{",
"if",
"(",
"event",
".",
"key",
"===",
"key",
".",
"value",
")",
"{",
"if",
"(",
"key",
".",
"isUp",
"&&",
"key",
".",
"press",
")",
"key",
".",
"press",
"(",
")",
";",
"key",
".",
"isDown",
"=",
"true",
";",
"key",
".",
"isUp",
"=",
"false",
";",
"event",
".",
"preventDefault",
"(",
")",
";",
"}",
"}",
";",
"//The `upHandler`",
"key",
".",
"upHandler",
"=",
"event",
"=>",
"{",
"if",
"(",
"event",
".",
"key",
"===",
"key",
".",
"value",
")",
"{",
"if",
"(",
"key",
".",
"isDown",
"&&",
"key",
".",
"release",
")",
"key",
".",
"release",
"(",
")",
";",
"key",
".",
"isDown",
"=",
"false",
";",
"key",
".",
"isUp",
"=",
"true",
";",
"event",
".",
"preventDefault",
"(",
")",
";",
"}",
"}",
";",
"//Attach event listeners",
"const",
"downListener",
"=",
"key",
".",
"downHandler",
".",
"bind",
"(",
"key",
")",
";",
"const",
"upListener",
"=",
"key",
".",
"upHandler",
".",
"bind",
"(",
"key",
")",
";",
"window",
".",
"addEventListener",
"(",
"\"keydown\"",
",",
"downListener",
",",
"false",
")",
";",
"window",
".",
"addEventListener",
"(",
"\"keyup\"",
",",
"upListener",
",",
"false",
")",
";",
"// Detach event listeners",
"key",
".",
"unsubscribe",
"=",
"(",
")",
"=>",
"{",
"window",
".",
"removeEventListener",
"(",
"\"keydown\"",
",",
"downListener",
")",
";",
"window",
".",
"removeEventListener",
"(",
"\"keyup\"",
",",
"upListener",
")",
";",
"}",
";",
"return",
"key",
";",
"}"
] | [
1,
0
] | [
47,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
addFavouritesInVipSection | () | null | Ahora vamos a pintar las series favoritas en otra sección | Ahora vamos a pintar las series favoritas en otra sección | function addFavouritesInVipSection() {
if( favourites.length !== 0 ) {
favouritesSection.classList.remove('hidden');
}
else {
favouritesSection.classList.add('hidden');
}
let vipClass = '';
let printVip = `<h2> Mis series favoritas </h2> <button class="reset-button js-reset-button">Reset</button>`;
for (const eachItem of favourites) {
const isFavourite = favouriteIsFavourite(eachItem);
if (isFavourite) {
vipClass = 'colorVIP__VIPsection';
} else {
vipClass = '';
}
printVip += `<li class="js-listitem eachitemlist ${vipClass}" id="${eachItem.show.id}"> `;
printVip += `<h3>${eachItem.show.name}</h3>`;
if (eachItem.show.image === null) {
printVip += `<img src="./assets/images/defaultimage.png" class="cover" alt="${eachItem.show.name} cover image">`;
} else {
printVip += `<img src="${eachItem.show.image.medium}" class="cover" alt="${eachItem.show.name} cover image">`;
}
printVip += `</li>`;
favouriteIsFavourite(eachItem);
}
favouritesSection.innerHTML = printVip;
const removeFavouriteList = document.querySelector('.js-reset-button');
removeFavouriteList.addEventListener('click', handleResetButton);
/* const cornerButtons=document.querySelectorAll('.js-cornerbutton');
for (const eachcornerButton of cornerButtons){
cornerButtons.addEventListener('click', handleRemoveOne); */
//}
} | [
"function",
"addFavouritesInVipSection",
"(",
")",
"{",
"if",
"(",
"favourites",
".",
"length",
"!==",
"0",
")",
"{",
"favouritesSection",
".",
"classList",
".",
"remove",
"(",
"'hidden'",
")",
";",
"}",
"else",
"{",
"favouritesSection",
".",
"classList",
".",
"add",
"(",
"'hidden'",
")",
";",
"}",
"let",
"vipClass",
"=",
"''",
";",
"let",
"printVip",
"=",
"`",
"`",
";",
"for",
"(",
"const",
"eachItem",
"of",
"favourites",
")",
"{",
"const",
"isFavourite",
"=",
"favouriteIsFavourite",
"(",
"eachItem",
")",
";",
"if",
"(",
"isFavourite",
")",
"{",
"vipClass",
"=",
"'colorVIP__VIPsection'",
";",
"}",
"else",
"{",
"vipClass",
"=",
"''",
";",
"}",
"printVip",
"+=",
"`",
"${",
"vipClass",
"}",
"${",
"eachItem",
".",
"show",
".",
"id",
"}",
"`",
";",
"printVip",
"+=",
"`",
"${",
"eachItem",
".",
"show",
".",
"name",
"}",
"`",
";",
"if",
"(",
"eachItem",
".",
"show",
".",
"image",
"===",
"null",
")",
"{",
"printVip",
"+=",
"`",
"${",
"eachItem",
".",
"show",
".",
"name",
"}",
"`",
";",
"}",
"else",
"{",
"printVip",
"+=",
"`",
"${",
"eachItem",
".",
"show",
".",
"image",
".",
"medium",
"}",
"${",
"eachItem",
".",
"show",
".",
"name",
"}",
"`",
";",
"}",
"printVip",
"+=",
"`",
"`",
";",
"favouriteIsFavourite",
"(",
"eachItem",
")",
";",
"}",
"favouritesSection",
".",
"innerHTML",
"=",
"printVip",
";",
"const",
"removeFavouriteList",
"=",
"document",
".",
"querySelector",
"(",
"'.js-reset-button'",
")",
";",
"removeFavouriteList",
".",
"addEventListener",
"(",
"'click'",
",",
"handleResetButton",
")",
";",
"/* const cornerButtons=document.querySelectorAll('.js-cornerbutton');\n for (const eachcornerButton of cornerButtons){\n cornerButtons.addEventListener('click', handleRemoveOne); */",
"//}",
"}"
] | [
94,
0
] | [
129,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
getMunicipios | (request, response) | null | Tomar todos los municipios | Tomar todos los municipios | function getMunicipios(request, response) {
let {tipo_departamento} = request.params,
values = [tipo_departamento];
const text = 'SELECT * FROM TIPO_MUNICIPIO WHERE TIPO_DEPARTAMENTO = $1';
pool.query( text, values, (err, res) => {
if (err) {
console.log(err.stack)
} else {
return response.json(res.rows);
}
})
} | [
"function",
"getMunicipios",
"(",
"request",
",",
"response",
")",
"{",
"let",
"{",
"tipo_departamento",
"}",
"=",
"request",
".",
"params",
",",
"values",
"=",
"[",
"tipo_departamento",
"]",
";",
"const",
"text",
"=",
"'SELECT * FROM TIPO_MUNICIPIO WHERE TIPO_DEPARTAMENTO = $1'",
";",
"pool",
".",
"query",
"(",
"text",
",",
"values",
",",
"(",
"err",
",",
"res",
")",
"=>",
"{",
"if",
"(",
"err",
")",
"{",
"console",
".",
"log",
"(",
"err",
".",
"stack",
")",
"}",
"else",
"{",
"return",
"response",
".",
"json",
"(",
"res",
".",
"rows",
")",
";",
"}",
"}",
")",
"}"
] | [
17,
0
] | [
28,
3
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
(IdReferencia) | null | Cambio de estatus a inactivo de una referencia GET Al final lo deje por GET ignoren el POST del nombre | Cambio de estatus a inactivo de una referencia GET Al final lo deje por GET ignoren el POST del nombre | function(IdReferencia){
var url = '/historial/referencia/deshabilitar/' + IdReferencia;
axios.get( url).then(response => {
this.cargarParticipaciones();
$('#ModalEliminarReferencia').modal('hide');
this.errors = [];
toastr['success']('Referencia eliminada correctamente', 'Referencias actualizadas');
}).catch(error => {
this.errors = error.response.data;
});
} | [
"function",
"(",
"IdReferencia",
")",
"{",
"var",
"url",
"=",
"'/historial/referencia/deshabilitar/'",
"+",
"IdReferencia",
";",
"axios",
".",
"get",
"(",
"url",
")",
".",
"then",
"(",
"response",
"=>",
"{",
"this",
".",
"cargarParticipaciones",
"(",
")",
";",
"$",
"(",
"'#ModalEliminarReferencia'",
")",
".",
"modal",
"(",
"'hide'",
")",
";",
"this",
".",
"errors",
"=",
"[",
"]",
";",
"toastr",
"[",
"'success'",
"]",
"(",
"'Referencia eliminada correctamente'",
",",
"'Referencias actualizadas'",
")",
";",
"}",
")",
".",
"catch",
"(",
"error",
"=>",
"{",
"this",
".",
"errors",
"=",
"error",
".",
"response",
".",
"data",
";",
"}",
")",
";",
"}"
] | [
251,
36
] | [
261,
9
] | null | javascript | es | ['es', 'es', 'es'] | True | true | pair |
|
calc | (num1, num2, callback) | null | Ahora vamos a crear esa función que recibe como argumento la función que se creo antes. | Ahora vamos a crear esa función que recibe como argumento la función que se creo antes. | function calc(num1, num2, callback) {
return callback(num1, num2)
} | [
"function",
"calc",
"(",
"num1",
",",
"num2",
",",
"callback",
")",
"{",
"return",
"callback",
"(",
"num1",
",",
"num2",
")",
"}"
] | [
8,
0
] | [
10,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
(btn) | null | Funcion para cerrar cuenta de mesa | Funcion para cerrar cuenta de mesa | function(btn){
if (confirm("Seguro deseea cerrar esta cuenta?")){
var mesa = $(btn).data('mesa');
var cuenta = $(btn).data('cuenta');
$.ajax({
type: "POST",
url: "cuenta/close/"+cuenta,
success: function(response){
if (response.cerrarmesa==1)
$('#mesa-'+response.idmesa).removeClass('mesa-ocupada');
showCuenta(mesa);
$.ajax({
type: "POST",
url: "cuenta/getDatosMesa/"+cuenta,
success: function(response){
var cuenta = response.cuenta;
var details = response.cuenta.detalle;
var ventimp = window.open('cuenta/imprimir/'+cuenta.id, 'popimpr');
}
});
},
error: function(){
alert('Error al cerrar cuenta...');
}
});
}
} | [
"function",
"(",
"btn",
")",
"{",
"if",
"(",
"confirm",
"(",
"\"Seguro deseea cerrar esta cuenta?\"",
")",
")",
"{",
"var",
"mesa",
"=",
"$",
"(",
"btn",
")",
".",
"data",
"(",
"'mesa'",
")",
";",
"var",
"cuenta",
"=",
"$",
"(",
"btn",
")",
".",
"data",
"(",
"'cuenta'",
")",
";",
"$",
".",
"ajax",
"(",
"{",
"type",
":",
"\"POST\"",
",",
"url",
":",
"\"cuenta/close/\"",
"+",
"cuenta",
",",
"success",
":",
"function",
"(",
"response",
")",
"{",
"if",
"(",
"response",
".",
"cerrarmesa",
"==",
"1",
")",
"$",
"(",
"'#mesa-'",
"+",
"response",
".",
"idmesa",
")",
".",
"removeClass",
"(",
"'mesa-ocupada'",
")",
";",
"showCuenta",
"(",
"mesa",
")",
";",
"$",
".",
"ajax",
"(",
"{",
"type",
":",
"\"POST\"",
",",
"url",
":",
"\"cuenta/getDatosMesa/\"",
"+",
"cuenta",
",",
"success",
":",
"function",
"(",
"response",
")",
"{",
"var",
"cuenta",
"=",
"response",
".",
"cuenta",
";",
"var",
"details",
"=",
"response",
".",
"cuenta",
".",
"detalle",
";",
"var",
"ventimp",
"=",
"window",
".",
"open",
"(",
"'cuenta/imprimir/'",
"+",
"cuenta",
".",
"id",
",",
"'popimpr'",
")",
";",
"}",
"}",
")",
";",
"}",
",",
"error",
":",
"function",
"(",
")",
"{",
"alert",
"(",
"'Error al cerrar cuenta...'",
")",
";",
"}",
"}",
")",
";",
"}",
"}"
] | [
205,
18
] | [
231,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | variable_declarator |
|
imprimirApellidoEnMayusculas | (persona) | null | si no queremos agregar una variable en la función podemos usar | si no queremos agregar una variable en la función podemos usar | function imprimirApellidoEnMayusculas(persona){
console.log(persona.apellido.toUpperCase())
} | [
"function",
"imprimirApellidoEnMayusculas",
"(",
"persona",
")",
"{",
"console",
".",
"log",
"(",
"persona",
".",
"apellido",
".",
"toUpperCase",
"(",
")",
")",
"}"
] | [
27,
0
] | [
29,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
esMayorDeEdad1 | (persona) | null | el uso de var hace hoisting, la variable se inicia arriba siempre conviene declararlas hasta arriba para saber cuales variables se ocuparan | el uso de var hace hoisting, la variable se inicia arriba siempre conviene declararlas hasta arriba para saber cuales variables se ocuparan | function esMayorDeEdad1(persona) {
var mensaje
if(persona.edad > 18) {
mensaje = 'Es mayor de edad'
} else {
mensaje = 'Es menor de edad'
}
console.log(mensaje)
} | [
"function",
"esMayorDeEdad1",
"(",
"persona",
")",
"{",
"var",
"mensaje",
"if",
"(",
"persona",
".",
"edad",
">",
"18",
")",
"{",
"mensaje",
"=",
"'Es mayor de edad'",
"}",
"else",
"{",
"mensaje",
"=",
"'Es menor de edad'",
"}",
"console",
".",
"log",
"(",
"mensaje",
")",
"}"
] | [
19,
0
] | [
27,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
MostrarDescuento | () | null | /*Debemos lograr tomar el importe por ID.
Transformarlo a entero (parseInt), luego
mostrar el importe con un Descuento del 25 %
en el cuadro de texto "RESULTADO" | /*Debemos lograr tomar el importe por ID.
Transformarlo a entero (parseInt), luego
mostrar el importe con un Descuento del 25 %
en el cuadro de texto "RESULTADO" | function MostrarDescuento()
{
var importe;
var resultado;
importe = parseInt (document.getElementById("importe").value);
resultado = importe - (importe * 25)/100;
document.getElementById("resultado").value = resultado;
} | [
"function",
"MostrarDescuento",
"(",
")",
"{",
"var",
"importe",
";",
"var",
"resultado",
";",
"importe",
"=",
"parseInt",
"(",
"document",
".",
"getElementById",
"(",
"\"importe\"",
")",
".",
"value",
")",
";",
"resultado",
"=",
"importe",
"-",
"(",
"importe",
"*",
"25",
")",
"/",
"100",
";",
"document",
".",
"getElementById",
"(",
"\"resultado\"",
")",
".",
"value",
"=",
"resultado",
";",
"}"
] | [
4,
0
] | [
11,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |
setSubtotal | () | null | Función para calcular el subtotal de la compra | Función para calcular el subtotal de la compra | function setSubtotal(){
$("#subtotal").val(round(parseFloat($("#unitcost").val())*parseFloat($("#quantity").val()),2));
if($("#subtotal").val().indexOf('.',0)<0){
$("#subtotal").val($("#subtotal").val().concat(".00"));
}
setTotal();
} | [
"function",
"setSubtotal",
"(",
")",
"{",
"$",
"(",
"\"#subtotal\"",
")",
".",
"val",
"(",
"round",
"(",
"parseFloat",
"(",
"$",
"(",
"\"#unitcost\"",
")",
".",
"val",
"(",
")",
")",
"*",
"parseFloat",
"(",
"$",
"(",
"\"#quantity\"",
")",
".",
"val",
"(",
")",
")",
",",
"2",
")",
")",
";",
"if",
"(",
"$",
"(",
"\"#subtotal\"",
")",
".",
"val",
"(",
")",
".",
"indexOf",
"(",
"'.'",
",",
"0",
")",
"<",
"0",
")",
"{",
"$",
"(",
"\"#subtotal\"",
")",
".",
"val",
"(",
"$",
"(",
"\"#subtotal\"",
")",
".",
"val",
"(",
")",
".",
"concat",
"(",
"\".00\"",
")",
")",
";",
"}",
"setTotal",
"(",
")",
";",
"}"
] | [
84,
0
] | [
90,
1
] | null | javascript | es | ['es', 'es', 'es'] | True | true | program |