Ir para conteúdo

POWERED BY:

Arquivado

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

rtavix

Problema ao realizar o filtro de consulta

Recommended Posts

Pessoal eu sou iniciante na programação, e irei detalhar todo o processo resumidamente que estou fazendo no momento. Eu tenho uma pagina web que realiza uma consulta através de uma determinada data. Tenho um dropdow e dentro dele eu tenho a Opção Mês base e Período, caso eu selecione o Mês base devo carregar um campo de data informando o mes e o ano e em seguida eu tenho dois radio button escrito a opção Sim e Não e caso escolho fazer o filtro por periodo, deverei carregar um capo de data automaticamente para informar um determinado periodo preenchendo a data de inicio dd/MM/yyyy até a data final dd/MM/yyyy, após escolher Mês base ou por Período dentro do dropDow e carregar o campo de data automaticamente onde o usuário informará a data, consequentemente o mesmo irá escolher se a opção é de Liberação Sim ou Não (radio button) acho que é assim que se escreve rs, caso ele realiza sua escolha, deverá carregar os seguintes dados na grid:

AnoMêsBase, inscEstadual, razaoSocial e NME_ABREV.

Observação: No meu banco de dados a coluna AnoMesBase está dessa forma por exemplo 032018, sempre irá vir dessa forma, a data nunca será formatado o campo.

Porém não estou conseguindo trazer as informações que está no banco de dados.

Até agora implementei as seguintes classes:

 

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using NHibernate.Mapping.Attributes;

namespace Dominio.Domain
{
    [Serializable]
    [Class(Table = "DAP_EMPRESA", NameType = typeof(Empresa), Lazy = false)]
    public class Empresa
    {
        private int codigo;
        private string inscEstadual;
        private string razaoSocial;
        private string nomeAbreviado;
        private DateTime dataCadastro;
        private string cnpj;

        [Id(Column = "ID_EMPRESA", Name = "Codigo", Generator = "increment", UnsavedValue = "0")]
      
        public int Codigo
        {
            get { return codigo; }
            set { codigo = value; }
        }

        [Property(Column = "INSC_ESTADUAL", Lazy = false)]
        public string InscEstadual
        {
            get { return inscEstadual; }
            set { inscEstadual = value; }
        }

        [Property(Column = "RAZAO_SOCIAL", Lazy = false)]
        public string RazaoSocial
        {
            get { return razaoSocial; }
            set { razaoSocial = value; }
        }

        [Property(Column = "NME_ABREV", Lazy = false)]
        public string NomeAbreviado
        {
            get { return nomeAbreviado; }
            set { nomeAbreviado = value; }
        }

        [Property(Column = "DAT_CADASTRO", Lazy = false)]
        public DateTime DataCadastro
        {
            get { return dataCadastro; }
            set { dataCadastro = value; }
        }

        [Property(Column = "CNPJ", Lazy = false)]
        public string Cnpj
        {
            get { return cnpj; }
            set { cnpj = value; }
        }

    }
}
using NHibernate.Mapping.Attributes;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;

namespace Dominio.Domain
{

    [Serializable]
    [Class(Table = "DAP_FINANCIAMENTO", NameType = typeof(Financiamento), Lazy = false)]
    public class Financiamento
    {
        private int codigo; //
        private Empresa empresa; //
        private decimal vlrFinanciamento;//
        private string inscEstadual;//
        private string anoMesBase; //
        private string anoMesFaturamento; //
        private decimal vlrICMSPrevisto;  //
        private decimal totalRecolhimento; //
        private DateTime datUltimoRecolhimento; //
        private decimal totalLiberacao; //
        private DateTime datLiberacao; //
        private DateTime datUltimaLiberacao; //
        private decimal totalDevolucao; //
        private string descObservacao; //
        private DateTime dataDevolucao; //
        private DateTime dataCadastramento; //
        private int mesBase; //
        private int mesFat; //

        [Id(Column = "ID_FINANCIAMENTO", Name = "Codigo", Generator = "increment", UnsavedValue = "0")]
  
        public int Codigo
        {
            get { return codigo; }
            set { codigo = value; }
        }

        [ManyToOne(0, Name = "Empresa", ClassType = typeof(Empresa), Column = "ID_EMPRESA", Lazy = Laziness.False)]
        public Empresa Empresa
        {
            get { return empresa; }
            set { empresa = value; }
        }

        [Property(Column = "VLR_FINANCIAMENTO", Lazy = false)]
        public decimal VlrFinanciamento
        {
            get { return vlrFinanciamento; }
            set { vlrFinanciamento = value; }
        }

        [Property(Column = "INSC_ESTADUAL", Lazy = false)]
        public string InscEstadual
        {
            get { return inscEstadual; }
            set { inscEstadual = value; }
        }

        [Property(Column = "ANO_MES_BASE", Lazy = false)]
        public string AnoMesBase
        {
            get { return anoMesBase; }
            set { anoMesBase = value; }
        }

        [Property(Column = "ANO_MES_FATURA", Lazy = false)]
        public string AnoMesFaturamento
        {
            get { return anoMesFaturamento; }
            set { anoMesFaturamento = value; }
        }

        [Property(Column = "VLR_ICMS_PREVISTO", Lazy = false)]
        public decimal VlrICMSPrevisto
        {
            get { return vlrICMSPrevisto; }
            set { vlrICMSPrevisto = value; }
        }

        [Property(Column = "TOTAL_RECOLHIDO", Lazy = false)]
        public decimal TotalRecolhimento
        {
            get { return totalRecolhimento; }
            set { totalRecolhimento = value; }
        }

        [Property(Column = "DATA_ULTIMO_RECOL", Lazy = false)]
        public DateTime DatUltimoRecolhimento
        {
            get { return datUltimoRecolhimento; }
            set { datUltimoRecolhimento = value; }
        }

        [Property(Column = "TOTAL_LIBERACAO", Lazy = false)]
        public decimal VlrTotalLiberacao
        {
            get { return totalLiberacao; }
            set { totalLiberacao = value; }
        }

        [Property(Column = "DAT_ULTIMA_LIBERACAO", Lazy = false)]
        public DateTime DatUltimaLiberacao
        {
            get { return datUltimaLiberacao; }
            set { datUltimaLiberacao = value; }
        }

        [Property(Column = "TOTAL_DEVOLUCAO", Lazy = false)]
        public decimal TotalDevolucao
        {
            get { return totalDevolucao; }
            set { totalDevolucao = value; }
        }

        [Property(Column = "DSC_OBSERVACAO", Lazy = false)]
        public string DescObservacao
        {
            get { return descObservacao; }
            set { descObservacao = value; }
        }

        [Property(Column = "DAT_LIBERACAO", Lazy = false)]
        public DateTime DatLiberacao
        {
            get { return datLiberacao; }
            set { datLiberacao = value; }
        }

        [Property(Column = "MES_BASE", Lazy = false)]
        public int MesBase
        {
            get { return mesBase; }
            set { mesBase = value; }
        }

        
    }
}
using Dominio.Domain;
using NHibernate;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;

namespace Dominio.DataAccess
{
    public class FinanciamentoDAO
    {
        public static List<Financiamento> ListarTodos()
        {
            try
            {
                ISession sessao = NhibernateHelper.SessaoCorrente;
                Financiamento financiamento = new Financiamento();
                ICriteria criterios = sessao.CreateCriteria(financiamento.GetType());
                return criterios.List<Financiamento>().ToList();
            }
            catch (Exception e)
            {
                throw new Exception(e.ToString());
            }
        }

        public static void InserirOuAtualizar(Financiamento financiamento)
        {
            ISession sessao = NhibernateHelper.SessaoCorrente;
            ITransaction transacao = sessao.BeginTransaction();

            try
            {
                sessao.SaveOrUpdate(financiamento);
                transacao.Commit();
            }
            catch (Exception e)
            {
                transacao.Rollback();
                throw new Exception(e.ToString());
            }
        }

        public static void Deletar(Financiamento financiamento)
        {
            ISession sessao = NhibernateHelper.SessaoCorrente;
            ITransaction transacao = sessao.BeginTransaction();
            try
            {
                sessao.Delete(financiamento);
                transacao.Commit();
            }
            catch (Exception e)
            {
                transacao.Rollback();
                throw new Exception(e.ToString());
            }
        }

        internal static Financiamento BuscarPorInscEstadual(string InscEstadual)
        {
            try
            {
                ISession sessao = NhibernateHelper.SessaoCorrente;
                Financiamento financiamento = new Financiamento();
                ICriteria criterios = sessao.CreateCriteria(financiamento.GetType());
                criterios.Add(NHibernate.Criterion.Expression.Eq("InscEstadual", InscEstadual));
                return criterios.UniqueResult() as Financiamento;
            }
            catch (Exception e)
            {
                throw new Exception(e.ToString());
            }
        }

        internal static Financiamento BuscarPorIDFinanciamento(int COD_FINANCIAMENTO)
        {
            try
            {
                ISession sessao = NhibernateHelper.SessaoCorrente;
                Financiamento financiamento = new Financiamento();
                ICriteria criterios = sessao.CreateCriteria(financiamento.GetType());
                criterios.Add(NHibernate.Criterion.Expression.Eq("Codigo", COD_FINANCIAMENTO));
                return criterios.UniqueResult() as Financiamento;
            }
            catch (Exception e)
            {
                throw new Exception(e.ToString());
            }
        }

        internal static List<Financiamento> ListarPorEmpresa(int ID_EMPRESA)
        {
            ISession sessao = NhibernateHelper.SessaoCorrente;
            Financiamento financiamento;
            try
            {
                financiamento = new Financiamento();
                ICriteria criterios = sessao.CreateCriteria(financiamento.GetType());
                criterios.CreateAlias("Empresa", "e").Add(NHibernate.Criterion.Expression.Eq("e.Codigo", ID_EMPRESA));
                return criterios.List<Financiamento>().ToList();
            }
            catch (Exception e)
            {
                throw new Exception(e.ToString());
            }
        }

    }
}
using Dominio.DataAccess;
using Dominio.Domain;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;

namespace Dominio.APL
{
    public class AplFinanciamento
    {
        public void gravar(Financiamento financiamento)
        {
            FinanciamentoDAO.InserirOuAtualizar(financiamento);
        }

        public void deletar(Financiamento financiamento)
        {
            FinanciamentoDAO.Deletar(financiamento);
        }

        public List<Financiamento> listarTodas()
        {
            return FinanciamentoDAO.ListarTodos();
        }

        public Financiamento buscarPorInscEstadual(string InscEstadual)
        {
            return FinanciamentoDAO.BuscarPorInscEstadual(InscEstadual);
        }

        public Financiamento buscarPorIDFinanciamento(int IDFinanciamento)
        {
            return FinanciamentoDAO.BuscarPorIDFinanciamento(IDFinanciamento);
        }

        public List<Financiamento> listarFinanciamentoPorEmpresa(int idEmpresa)
        {
            return FinanciamentoDAO.ListarPorEmpresa(idEmpresa);
        }
    }
} 

 

Esse é meu .cs porém não estou conseguindo fazer funcionar, porque me retorna tudo null ao compilar o código e desconfio que a minha lógica esteja errada.

 

using Dominio.APL;
using Dominio.Domain;
using dap.Models;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;
using System.Web.UI;
using System.Web.UI.HtmlControls;
using System.Web.UI.WebControls;

namespace dapView.Relatorios.RelFinancLiberadoMesBase
{
    public partial class RelFinancLiberadoMesBase : System.Web.UI.Page
    {
        private AplFinanciamento aplFinanciamento = new AplFinanciamento();
        private List<Financiamento> financiamento = new List<Financiamento>();
        private static bool keyJS { get; set; }
        protected void Page_Load(object sender, EventArgs e)
        {
            keyJS = true;
           // CarregarComboLiberado();
            if (!IsPostBack)
            {
                GerenciadorUsuarioPagina.funcao = "RELFIN01";
                //btnImprime.Visible = false;
                
            }
        }
      //Carrega os dados relacionando o tipo de liberação por data
    //private void CarregarComboLiberado()
    //    {
    //        ddlLiberado.Items.Add("---------Selecione----------");
    //        ddlLiberado.Items.Add("Mês Base");
    //        ddlLiberado.Items.Add("Período");
    //    }

        protected void btnConsultar_Click(object sender, EventArgs e)
        {
            CarregaRelatorio();
        }

        protected void ddlLiberado_SelectedIndexChanged(object sender, EventArgs e)
        {
           
        }
        public void CarregaRelatorio()
        {
         
            financiamento = aplFinanciamento.listarTodas();
            var dados = (from financiamento in financiamento
                         where DateTime.Compare(financiamento.DatUltimaLiberacao, Convert.ToDateTime(txtMesBase.Text.ToString())) == 0

                         group financiamento by new { financiamento.Codigo, financiamento.Empresa.InscEstadual, financiamento.Empresa.RazaoSocial, financiamento.Empresa.Cnpj, financiamento.Empresa.NomeAbreviado, financiamento.AnoMesBase } into g
                         select new
                         {
                             codigo = g.Key.Codigo,
                             AnoMesBase = g.Key.AnoMesBase,
                             InscricaoEstadual = g.Key.InscEstadual,
                             RazaoSocial = g.Key.RazaoSocial,
                             Cnpj = g.Key.Cnpj,
                             NmeAbreviado = g.Key.NomeAbreviado
                         }).OrderBy(o => o.codigo).ToList();
            if (dados.Count() > 0)
            {
                //Carrega os dados da gridview de consulta
                gv.DataSource = dados;
                gv.DataBind();
                gv.UseAccessibleHeader = true;
                gv.HeaderRow.TableSection = TableRowSection.TableHeader;

                //Carrega os dados da gridview usada para imprimir
                gvImprimir.DataSource = dados;
                gvImprimir.DataBind();
                gvImprimir.UseAccessibleHeader = true;
                gvImprimir.HeaderRow.TableSection = TableRowSection.TableHeader;

                //mostra botão imprimir
                //btnImprime.Visible = true;
            }
            else
            {
                if (keyJS) chamarSwal("aviso", "Não foram encontrados financiamentos para essa data.");
               // btnImprime.Visible = false;
            }

        }

        private void chamarSwal(string tipo, string mensagem)
        {
            var body = (HtmlGenericControl)(Page.Master.FindControl("body"));
            body.Attributes["onload"] = $"{tipo}(\"{mensagem}\")";
            keyJS = false;
        }

    }
}

Esse é o meu html

 

<%@ Page Title="" Language="C#" MasterPageFile="~/Content/MasterPage.Master" AutoEventWireup="true"

    CodeBehind="RelFinanciamento.aspx.cs" Inherits="dapView.Relatorios.RelFinancLiberadoMesBase.RelFinancLiberadoMesBase" %>

 

<asp:Content ID="head" ContentPlaceHolderID="headPlaceHolder" runat="server">

    <link rel="stylesheet" href="https://use.fontawesome.com/releases/v5.6.3/css/all.css">

    <script src="../JsRelatorioFinancLiberadoMesBase.js"></script>

    <script>

        var d = "16/09/2019" // date received from card

        function filldate() {

            document.getElementById('cardexpirydate').value = d.split('/').reverse().join("-");

        }

    </script>

    <script>

        function exibir_ocultar(val) {

            if (val.value == 'LiberadoMesBase') {

                document.getElementById('periodo').style.display = 'none';

                document.getElementById('MesBase').style.display = 'block';

                document.getElementById('periodo').style.display = 'none';

            }

            else {

                document.getElementById('periodo').style.display = 'block';

                document.getElementById('MesBase').style.display = 'none';

            }

        };

    </script>

</asp:Content>

<asp:Content ID="ContentForm" ContentPlaceHolderID="formPlaceHolder" runat="server">

    <asp:ScriptManager runat="server"></asp:ScriptManager>

    <div class="row">

        <div class="col-md-12">

            <div class="content-box">

                <div class="box-title">Financiamento</div>

                <div class="box-body">

                    <div id="triage">

                        <label for="category">Liberado:</label>

                        <div class="form-inline">

                         

                            <div class="col-md-2">

                                <label class="radio-inline control-label">

                                    <input checked="checked" name="TaskLog.TaskTypeId" type="radio" value="2">

                                    SIM

                                </label>

                                <label class="radio-inline control-label">

                                    <input id="TaskLog_TaskTypeId" name="TaskLog.TaskTypeId" type="radio" value="1">

                                    NÃO

                                </label>

                            </div>

                             <div id="category-select">

 

                                <select onchange="exibir_ocultar(this)" class="col-md-3 form-control" id="category" name="category" style="width: auto">

                                    <option value="LiberadoMesBase">-----------Selecione----------</option>

                                    <option value="LiberadoMesBase">Mês Base</option>

                                    <option value="LiberadoPeriodo">Período</option>

                                </select>

                            </div>

                        </div>

                        <br />

                        <div class="row">

 

                            <div class="form-group">

                                <label class="radio-inline control-label">

                                    <input type="radio" name="optradio" checked>Sim</label>

                                <label class="radio-inline">

                                    <input type="radio" name="optradio">Não</label>

                            </div>

                            <br />

                            <div id="periodo">

                                <asp:TextBox type="Month" Style="width: 10%" runat="server" ClientIDMode="Static" class="form-control " ID="TextBox1" MaxLength="30"></asp:TextBox>

                                <br />

                            </div>

                            <br />

                            <div id="MesBase">

                                <asp:TextBox type="date" Style="width: 10%" runat="server" ClientIDMode="Static" class="form-control " ID="TextBox2" MaxLength="30"></asp:TextBox>

                                <br />

                            </div>

 

                        </div>

 

                    </div>

 

                    <div class="row">

                        <div class="content-box content-box-tabela" id="tabela" style="visibility: hidden">

                            <asp:GridView class="col-md-12" CssClass="tabela-padrao tabela-padrao-borda dataTable" runat="server" AutoGenerateColumns="False" PageSize="9" ID="gv" Width="100%">

                                <Columns>

                                    <asp:TemplateField HeaderText="Empresa" ItemStyle-HorizontalAlign="Left">

                                        <ItemTemplate>

                                            <asp:Label ID="lblCodigo" runat="server" Text='<%# Bind("Codigo") %>'></asp:Label>

                                        </ItemTemplate>

                                    </asp:TemplateField>

                                    <asp:TemplateField HeaderText="Valor Financiamento" ItemStyle-HorizontalAlign="Center">

                                        <ItemTemplate>

                                            <asp:Label ID="lblValorFinanciamento" runat="server" Text='<%# Bind("ValorFinanciamento") %>'></asp:Label>

                                        </ItemTemplate>

                                    </asp:TemplateField>

                                    <asp:TemplateField HeaderText="Inscricao Estadual" ItemStyle-HorizontalAlign="Center">

                                        <ItemTemplate>

                                            <asp:Label ID="lblInscricaoEstadual" runat="server" Text='<%# Bind("InscricaoEstadual") %>'></asp:Label>

                                        </ItemTemplate>

                                    </asp:TemplateField>

                                    <asp:TemplateField HeaderText="Ano mes base" ItemStyle-HorizontalAlign="Right">

                                        <ItemTemplate>

                                            <asp:Label ID="lblAnoMesBase" runat="server" Text='<%# Bind("AnoMesBase") %>'></asp:Label>

                                        </ItemTemplate>

                                    </asp:TemplateField>

                                </Columns>

                                <PagerStyle CssClass="" HorizontalAlign="Center" />

                            </asp:GridView>

                        </div>

                    </div>

                </div>

                <div class="box-footer">

                    <button runat="server" class="btn btn-padrao" id="btnConsultar" onserverclick="btnConsultar_Click">Consultar</button>

                </div>

            </div>

 

            <%--IMPRIMIR--%>

            <div class="container" style="visibility: hidden" id="ConteinerImprimir">

                <div class="table" runat="server" style="margin: 0 auto; width: auto;">

                    <div class="row">

                        <div class="col-lg-12">

                            <img src="http://internet.sefaz.es.gov.br/imagens/topo_brasao.png" alt="">

                            <br>

                            <br>

                        </div>

                    </div>

                    <div class="row" runat="server" style="border-bottom: 2px solid #B0BEC5">

                        <div class="col-lg-5">

                            <strong>Financiamento</strong>

                        </div>

                        <div class="col-lg-5" style="text-align: end;" runat="server" id="totalRegistros"></div>

                    </div>

                </div>

                <div class="row">

 

                    <div class="content-box content-box-tabela">

                        <asp:GridView class="col-md-12 grid" runat="server" AutoGenerateColumns="False" PageSize="9" ID="gvImprimir" GridLines="None"

                            RowStyle-HorizontalAlign="Center" Width="100%">

                            <Columns>

                                <asp:TemplateField HeaderText="Empresa" ItemStyle-HorizontalAlign="Left">

                                    <ItemTemplate>

                                        <asp:Label ID="lblCodigo" runat="server" Text='<%# Bind("Codigo") %>'></asp:Label>

                                    </ItemTemplate>

                                </asp:TemplateField>

                                <asp:TemplateField HeaderText="Valor Financiamento" ItemStyle-HorizontalAlign="Center">

                                    <ItemTemplate>

                                        <asp:Label ID="lblValorFinanciamento" runat="server" Text='<%# Bind("ValorFinanciamento") %>'></asp:Label>

                                    </ItemTemplate>

                                </asp:TemplateField>

                                <asp:TemplateField HeaderText="Inscricao Estadual" ItemStyle-HorizontalAlign="Center">

                                    <ItemTemplate>

                                        <asp:Label ID="lblInscricaoEstadual" runat="server" Text='<%# Bind("InscricaoEstadual") %>'></asp:Label>

                                    </ItemTemplate>

                                </asp:TemplateField>

                                <asp:TemplateField HeaderText="Ano mes base" ItemStyle-HorizontalAlign="Right">

                                    <ItemTemplate>

                                        <asp:Label ID="lblAnoMesBase" runat="server" Text='<%# Bind("AnoMesBase") %>'></asp:Label>

                                    </ItemTemplate>

                                </asp:TemplateField>

                            </Columns>

                            <PagerStyle CssClass="" HorizontalAlign="Center" />

                        </asp:GridView>

                    </div>

                </div>

            </div>

        </div>

    </div>

</asp:Content>

 

Se alguém puder me ajudar, agradeço.

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.