Ir para conteúdo

POWERED BY:

Arquivado

Este tópico foi arquivado e está fechado para novas respostas.

geoleandro

Botão "voltar" quiz em JavaScript

Recommended Posts

O botão voltar funciona, mas ele adiciona uma questão na variável "numQ".

Onde está o erro no código abaixo:

<!DOCTYPE html>
<html>
<head>

	<meta name="viewport" content="width=device-width, initial-scale=1.0">

<style>

.imgbox {
  float: left;
  text-align: center;
  width: 150px;
  border: 1px solid #ddd;
  margin: 4px;
  padding: 5px;
}

#mylabel {

text-align: left;
}


</style>

<body onload="loadquestion()">


 
  <p id="numQ">

  <p id="mylabel" name="questao">Questões</p><br>
  
  
  <div class="imgbox" id="imgbox1"><br>
    <input type="image" src=" " width =auto height= 80px   id="btn0"  value="option0" name="opt0" onclick="checkans(1)"><br><br>
  </div>
  
  <div class="imgbox" id="imgbox2"><br>
  <input type="image" src=" " width =auto  height= 80px  id="btn1"  value="option1" name="opt1" onclick="checkans(2)"><br><br>
    </div>
  
  <br><br><br><br><br><br><br><br><br>
  
  <div class="imgbox" id="imgbox3"><br>
  <input type="image" src=" " width =auto  height= 80px  id="btn2"  value="option2" name="opt2" onclick="checkans(3)"><br><br>
  </div>
  
  
  <div class="imgbox" id="imgbox4"><br>
  <input type="image" src=" " width =auto  height= 80px  id="btn3"  value="option3" name="opt3" onclick="checkans(4)"><br><br>
  </div>
  
  

  <br><br><br><br><br><br>  <br><br><br><br>
  
     
  <input type="button" id="next" value="Próximo" name="nxtbtn" onclick="changequestion()"><br><br>

   <input type="button" id="back" value="voltar" name="bkbtn" onclick="backQ()"><br><br>
   
   
<p id="erro">
<p id="pontos">
<p id="questAtual">

<script type="text/javascript">

   i=0;
   var pontos = 0;
   var numQ = 1;
  

   
 myqs=[["Clique na foto 3 ?","img3.gif", "img2.gif","img1.gif","img1a.gif","3"],
      ["Clique na foto 2 ?","icone.png","icone2.png","certo.png","certo.png","2"],
      ["Clique na foto 4","icone.png","errado.png","certo.png","certo.png","4"]
 ];

 function loadquestion() {

 
document.getElementById("mylabel").innerHTML= myqs[i][0];
document.getElementById("btn0").src= myqs[i][1];
document.getElementById("btn1").src= myqs[i][2];
document.getElementById("btn2").src= myqs[i][3];
document.getElementById("btn3").src= myqs[i][4];
document.getElementById ("numQ").innerHTML = "Questão " + numQ + " de " + myqs.length;

document.getElementById("next").value = "Próximo";
document.getElementById("next").style.backgroundColor = "lightgray";
   numQ++;
   
document.getElementById("imgbox1").style.backgroundColor = "white";
document.getElementById("imgbox2").style.backgroundColor = "white";
document.getElementById("imgbox3").style.backgroundColor = "white";
document.getElementById("imgbox4").style.backgroundColor = "white";
document.getElementById("erro").innerHTML = "";
document.getElementById("erro").style.color = "";
	
}
 
 
 
function changequestion(){
 i=i+1;
 loadquestion();
	
	
	
}


function backQ(){

 loadquestion();
 i=i-1
 
}


function checkans(a){
 respostas =parseInt(myqs[i][5]);
 
 if(respostas==a && respostas==3){
  pontos++;
  
document.getElementById ("pontos").innerHTML = "Você acertou " + pontos ;
document.getElementById("imgbox3").style.backgroundColor = "#99ff99";
  
 }
  else if(respostas==a && respostas==2){
  pontos++;
  
document.getElementById ("pontos").innerHTML = "Você acertou " + pontos ;
document.getElementById("imgbox2").style.backgroundColor = "#99ff99";
 }
 
  else if(respostas==a && respostas==4){
  pontos++;
  
document.getElementById ("pontos").innerHTML = "Você acertou " + pontos ;
document.getElementById("imgbox4").style.backgroundColor = "#99ff99";
 }
 
 else {
 
 document.getElementById("erro").innerHTML = "Incorreta";
 document.getElementById("erro").style.color = "red";
 }


}

 </script>
</head>
</body>
</html>

 

Compartilhar este post


Link para o post
Compartilhar em outros sites

O erro no seu código e que você não manipula a variável que é incrementada pra exibir o estado da questão atual:

 

Before:

function backQ(){
 loadquestion();
 i = i - 1; // ainda não entendi pq decrementou depois de carregar
}

 

After:

function backQ(){
 i = i - 1;
 numQ = i;
 loadquestion();
}

 

JsBin: https://jsbin.com/zobofakija/edit?html,js,output

 

PS: Seu html tá triste precisa estudar CSS aqueles "<br>" da um certo desgosto você colocou dentro do <head> todo o código e não está se preocupando com os espaçamentos tornado seu código sujo e seu Javascript tem que começar a pensar em reaproveitar código.

 

 

fiz um outro código com um refactor:

i = 0;
var pontos = 0;
var numQ = 1;
  
var myqs = [
  ["Clique na foto 3 ?","img3.gif", "img2.gif","img1.gif","img1a.gif","3"],
  ["Clique na foto 2 ?","icone.png","icone2.png","certo.png","certo.png","2"],
  ["Clique na foto 4","icone.png","errado.png","certo.png","certo.png","4"]
 ];

function initApp() {
  setValue('next', 'Próximo');
  setBackground('next', 'lightgray');
  loadQuestion();
}

function loadQuestion(numQ = 1) {
  setContent('mylabel', myqs[i][0]);
  setImagesOnBox();
  updateStateQuestion(numQ);
  defaultStateBox();
  clearMessage('erro');
}

function setImagesOnBox() {
  const targetList = ['btn0', 'btn1', 'btn2', 'btn3'];
  targetList.forEach((item, index) => setSrc(item, myqs[i][index+1]));
}

function updateStateQuestion(numQ) {
  setContent("numQ", "Questão " + numQ + " de " + myqs.length);
}

function defaultStateBox() {
  const targetList = ['imgbox1', 'imgbox2', 'imgbox3', 'imgbox4'];
  targetList.forEach(item => setBackground(item, 'white'));
}

function nextQuestion(){
 i = i + 1;
 numQ = numQ + 1;
 loadQuestion(numQ);
}

function backQuestion(){
 i = i - 1;
 numQ = numQ - 1;
 loadQuestion(numQ);
}

function checkans(a){
 clearMessage('erro');
 respostas = parseInt(myqs[i][5]);

 if(respostas === a){
  pontos++;
  
  setContent("pontos", "Você acertou " + pontos);
  setBackground("imgbox"+respostas, "#99ff99"); 
 }
 else {
  showIncorrectMessage();
 }
}

function clearMessage(fieldId) {
  setContent(fieldId, "");
  setColor(fieldId, "");	
}

function showIncorrectMessage() {
  setContent("erro", "Incorreta");
  setColor("erro", "red");
}

// Utils methods
function refElement(fieldId) {
  return document.getElementById(fieldId);
}

function setValue(fieldId, value) {
  refElement(fieldId).value = value;
}

function setContent(fieldId, content) {
  refElement(fieldId).innerHTML = content;
}

function setBackground(fieldId, color) {
  refElement(fieldId).style.backgroundColor = color;
}

function setColor(fieldId, color) {
  refElement(fieldId).style.color = color;
}

function setSrc(fieldId, pathFile) {
  refElement(fieldId).src = pathFile;
}


Jsbin: https://jsbin.com/buduwibade/1/edit?html,js,output

Removendo os <br>: https://jsbin.com/hiloxogufu/1/edit?html,css,output

Compartilhar este post


Link para o post
Compartilhar em outros sites

  • Conteúdo Similar

    • Por violin101
      Caros amigos, saudações.

      Estou com uma dúvida, referente cálculo de valores em tempo real.

      Tenho uma rotina, que faz o cálculo, o problema é mostrar o resultado.

      Quero mostrar o RESULTADO assim: 0,00  ou  0.00

      Abaixo posto o código.
      jQuery('input').on('keyup',function(){ //Remover ponto e trocar a virgula por ponto var m = document.getElementById("pgRest").value; while (m.indexOf(".") >= 0) { m = m.replace(".", ""); } m = m.replace(",","."); //Remover ponto e trocar a virgula por ponto var j = document.getElementById("pgDsct").value; while (j.indexOf(".") >= 0) { j = j.replace(".", ""); } j = j.replace(",","."); m = parseFloat(jQuery('#pgRest').val() != '' ? jQuery('#pgRest').val() : 0); j = parseFloat(jQuery('#pgDsct').val() != '' ? jQuery('#pgDsct').val() : 0); //Mostra o Resultado em Tempo Real jQuery('#pgTroco').val(m - j); <<=== aqui estou errando })  
       
      Grato,
       
      Cesar
       
       
    • Por violin101
      Caro amigos, saudações.

      Tenho uma tabela escrita em JS que funciona corretamente.
       
      Minha dúvida:
      - como devo fazer para quando a Tabela HTML estiver vazia, exibir o LOGO da Empresa ?

      Abaixo posto o script:
      document.addEventListener( 'keydown', evt => { if (!evt.ctrlKey || evt.key !== 'i' ) return;// Não é Ctrl+A, portanto interrompemos o script evt.preventDefault(); //Chama a Função Calcular Qtde X Valor Venda calcvda(); var idProdutos = document.getElementById("idProdutos").value; var descricao = document.getElementById("descricao").value; var prd_unid = document.getElementById("prd_unid").value; var estoque_atual = document.getElementById("estoque_atual").value; var qtde = document.getElementById("qtde").value; var vlrunit = document.getElementById("vlrunit").value; var vlrtotals = document.getElementById("vlrtotal").value; var vlrtotal = vlrtotals.toLocaleString('pt-br', {minimumFractionDigits: 2}); if(validarConsumo(estoque_atual)){ //Chama a Modal com Alerta. $("#modal_qtdemaior").modal(); } else { if(qtde == "" || vlrunit == "" || vlrtotal == ""){ //Chama a Modal com Alerta. $("#modal_quantidade").modal(); } else { //Monta a Tabela com os Itens html = "<tr style='font-size:13px;'>"; html += "<td width='10%' height='10' style='text-align:center;'>"+ "<input type='hidden' name='id_prds[]' value='"+idProdutos+"'>"+idProdutos+"</td>"; html += "<td width='47%' height='10'>"+ "<input type='hidden' name='descricao[]' value='"+descricao+"'>"+descricao+ "<input type='hidden' name='esp[]' value='"+prd_unid+"'> - ESP:"+prd_unid+ "<input type='hidden' name='estoq[]' value='"+estoque_atual+"'></td>"; html += "<td width='10%' height='10' style='text-align:center;'>"+ "<input type='hidden' name='qtde[]' value='"+qtde+"'>"+qtde+"</td>"; html += "<td width='12%' height='10' style='text-align:right;'>"+ "<input type='hidden' name='vlrunit[]' value='"+vlrunit+"'>"+vlrunit+"</td>"; html += "<td width='14%' height='10' style='text-align:right;'>"+ "<input type='hidden' name='vlrtotal[]' value='"+vlrtotal+"'>"+vlrtotal+"</td>"; html += "<td width='12%' height='10' style='text-align:center;'>"+ "<button type='button' class='btn btn-uvas btn-remove-produto' style='margin-right:1%; padding:1px 3px; font-size:12px;' title='Remover Item da Lista'>"+ "<span class='fa fa-minus' style='font-size:12px;'></span></button></td>"; html += "</tr>"; $("#tbventas tbody").append(html); //Função para Somar os Itens do Lançamento somar(); $("#idProdutos").val(null); $("#descricao").val(null); $("#prd_unid").val(null); $("#qtde").val(null); $("#vlrunit").val(null); $("#vlrtotal").val(null); $("#idProdutos").focus(); //Se INCLUIR NOVO produto - Limpa a Forma de Pagamento $("#pgSoma").val(null); $("#pgRest").val(null); $("#pgDsct").val(null); $("#pgTroco").val(null); $("#tbpagar tbody").empty(); }//Fim do IF-qtde }//Fim do Validar Consumo });//Fim da Função btn-agregar  
      Grato,

      Cesar
       
    • Por violin101
      Caros amigos, saudações.

      Estou com uma pequena dúvida se é possível ser realizado.

      Preciso passar 2 IDs para o Sistema executar a função, estou utilizando desta forma e gostaria de saber como faço via JS para passar os parâmetro que preciso.

      Observação:
      Dentro da TABELA utilizei 2 Forms, para passar os IDS que preciso, funcionou conforme código abaixo.
      <div class="card-body"> <table id="tab_clie" class="table table-bordered table-hover"> <thead> <tr> <th style="text-align:center; width:10%;">Pedido Nº</th> <th style="text-align:center; width:10%;">Data Pedido</th> <th style="text-align:center; width:32%;">Fornecedor</th> <th style="text-align:center; width:10%;">Status</th> <th style="text-align:center; width:5%;">Ação</th> </tr> </thead> <tbody> <?php foreach ($results as $r) { $dta_ped = date(('d/m/Y'), strtotime($r->dataPedido)); switch ($r->pd_status) { case '1': $status = '&nbsp;&nbsp;Aberto&nbsp;&nbsp;'; $txt = '#FFFFFF'; //Cor: Branco $cor = '#000000'; //Cor: Preta break; case '2': $status = 'Atendido Total'; $txt = '#FFFFFF'; //Cor: Branco $cor = '#086108'; //Cor: Verde break; case '3': $status = 'Atendido Parcial'; $txt = '#000000'; //Cor: Branco $cor = '#FEA118'; //Cor: Amarelo break; default: $status = 'Cancelado'; $txt = '#FFFFFF'; //Cor: Branco $cor = '#D20101'; //Cor: Vermelho break; } echo '<tr>'; echo '<td width="10%" height="10" style="text-align:center;">'.$r->pd_numero.'</td>'; echo '<td width="10%" height="10" style="text-align:center;">'.$dta_ped.'</td>'; echo '<td width="32%" height="10" style="text-align:left;">'.$r->nome.'</td>'; echo '<td width="10%" height="10" style="text-align:left;"><span class="badge" style="color:'.$txt.'; background-color:'.$cor.'; border-color:'.$cor.'">'.$status.'</span></td>'; echo '<td width="5%" style="text-align:center;">'; ?> <div class="row"> <?php if($this->permission->checkPermission($this->session->userdata('permissao'), 'vPedido')){ ?> <form action="<?= base_url() ?>compras/pedidos/visualizar" method="POST" > <input type="hidden" name="idPedido" value="<?php echo $r->idPedidos; ?>"> <input type="hidden" name="nrPedido" value="<?php echo $r->pd_numero; ?>"> <button class="btn btn-warning" title="Visualizar" style="margin-left:50%; padding: 1px 3px;"><i class="fa fa-search icon-white"></i></button> </form> <?php } if($this->permission->checkPermission($this->session->userdata('permissao'), 'ePedido')){ ?> <form action="<?= base_url() ?>compras/pedidos/editar" method="POST" > <input type="hidden" name="idPedido" value="<?php echo $r->idPedidos; ?>"> <input type="hidden" name="nrPedido" value="<?php echo $r->pd_numero; ?>"> <button class="btn btn-primary" title="Editar" style="margin-left:50%; padding: 1px 3px;"><i class="fa fa-edit icon-white"></i></button> </form> <?php } ?> </div> <?php echo '</td>'; echo '</tr>'; } ?> </tbody> </table> </div>
      Grato,

      Cesar.
    • Por belann
      Olá!
       
      Estou usando o editor quill em uma página html, sem fazer a instalação com npm, mas usando as api´s via internet com http, no entanto não consigo fazer a tecla enter funcionar para mudança de linha, tentei essa configuração abaixo, mas não funcionou.
       
      modules: {       syntax: true,       toolbar: '#toolbar-container',       keyboard: {         bindings: {           enter: {             key: 13,             handler: function(range, context) {                       quill.formatLine(range.index, range.length, { 'align': '' });             }           }  
       
    • Por violin101
      Caros amigos, saudações.
       
      Gostaria de poder tirar uma dúvida com os amigos.
       
      Como faço uma função para Comparar a Data Digitada pelo o Usuário com a Data Atual ?

      Data Digitada:  01/09/2024
       
      Exemplo:
      25/09/2024 é menor que DATA Atual  ====> mensagem: informe uma data válida.
      25/09/2024 é igual DATA Atual ===> o sistema libera os INPUT's.
       
      Como faço uma comparação com a Data Atual, para não Deixar Gravar Data retroativa a data Atual.
       
      Grato,
       
      Cesar
×

Informação importante

Ao usar o fórum, você concorda com nossos Termos e condições.