Ir para conteúdo

POWERED BY:

Arquivado

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

Rafael Motta

TEXTO RTF1(VB) P/ UTF-8 PHP

Recommended Posts

Boa tarde galera! Preciso de um suporte, caso alguém saiba uma forma de converter, ou conheça algum componente do php. Enfim, tenho um campo no banco de dados que salva textos(formato blob), porém ele salva em formato rtfl (provindo do sistema antigo feito em VB), precisaria de um componente ou alguma função que convertesse esses dados ao extrair do banco e jogá-lo no meu campo de texto... segue o exemplo abaixo.

Desde já, Agradeço!

{\rtf1\fbidis\ansi\ansicpg1252\deff0\deflang1046{\fonttbl{\f0\froman\fprq2\fcharset0 Times New Roman;}{\f1\fnil\fcharset0 Microsoft Sans Serif;}}
\viewkind4\uc1\pard\ltrpar\fi567\qj\f0\fs24 Bem, \'e9 que muitas pessoas n\'e3o tem esse problema, mas todos tem ao menos um cal\'e7ado em casa que causa o mau cheiro no cal\'e7ado, pois o contato da pr\'f3pria transpira\'e7\'e3o com o material de determinados cal\'e7ados causam o odor, al\'e9m disso ele proporciona um efeito refrescante, ent\'e3o \'e9 ideal para uso do dia-a-dia e para manter o cal\'e7ado sempre com cheiro agrad\'e1vel.\par
\pard\ltrpar\f1\fs17\par
}

 

Compartilhar este post


Link para o post
Compartilhar em outros sites

achei algo que supostamente remove as tags e "limpa" o texto do rtf, segue em anexo, porém queria que essa função filtrasse na entrada do campo de texto como na imagem (anexo 1 ). Obrigado!

<?php

function rtf2text($filename) {
    // Read the data from the input file.
    //$filename = file_get_contents($filename);
    if (!strlen($filename))
        return "";

// Create empty stack array.
    $document = "";
    $stack = array();
    $j = -1;
// Read the data character-by- character…
    for ($i = 0, $len = strlen($filename); $i < $len; $i++) {
        $c = $filename[$i];

// Depending on current character select the further actions.
        switch ($c) {
            // the most important key word backslash
            case "\\":
                // read next character
                $nc = $filename[$i + 1];

// If it is another backslash or nonbreaking space or hyphen,
// then the character is plain text and add it to the output stream.
                if ($nc == '\\' && rtf_isPlainText($stack[$j]))
                    $document .= '\\';
                elseif ($nc == '~' && rtf_isPlainText($stack[$j]))
                    $document .= ' ';
                elseif ($nc == '_' && rtf_isPlainText($stack[$j]))
                    $document .= '-';
// If it is an asterisk mark, add it to the stack.
                elseif ($nc == '*')
                    $stack[$j]["*"] = true;
// If it is a single quote, read next two characters that are the hexadecimal notation
// of a character we should add to the output stream.
                elseif ($nc == "'") {
                    $hex = substr($filename, $i + 2, 2);
                    if (rtf_isPlainText($stack[$j]))
                        $document .= html_entity_decode("" . hexdec($hex) . ";");
//Shift the pointer.
                    $i += 2;
// Since, we’ve found the alphabetic character, the next characters are control word
// and, possibly, some digit parameter.
                } elseif ($nc >= 'a' && $nc <= 'z' || $nc >= 'A' && $nc <= 'Z') {
                    $word = "";
                    $param = null;

// Start reading characters after the backslash.
                    for ($k = $i + 1, $m = 0; $k < strlen($filename); $k++, $m++) {
                        $nc = $filename[$k];
// If the current character is a letter and there were no digits before it,
// then we’re still reading the control word. If there were digits, we should stop
// since we reach the end of the control word.
                        if ($nc >= 'a' && $nc <= 'z' || $nc >= 'A' && $nc <= 'Z') {
                            if (empty($param))
                                $word .= $nc;
                            else
                                break;
                            // If it is a digit, store the parameter.
                        } elseif ($nc >= '0' && $nc <= '9')
                            $param .= $nc;
                        // Since minus sign may occur only before a digit parameter, check whether
                        // $param is empty. Otherwise, we reach the end of the control word.
                        elseif ($nc == '-') {
                            if (empty($param))
                                $param .= $nc;
                            else
                                break;
                        } else
                            break;
                    }
                    // Shift the pointer on the number of read characters.
                    $i += $m - 1;

                    // Start analyzing what we’ve read. We are interested mostly in control words.
                    $toText = "";
                    switch (strtolower($word)) {
                        // If the control word is "u", then its parameter is the decimal notation of the
                        // Unicode character that should be added to the output stream.
                        // We need to check whether the stack contains \ucN control word. If it does,
                        // we should remove the N characters from the output stream.
                        case "u":
                            $toText .= html_entity_decode("" . dechex($param) . ";");
                            $ucDelta = @$stack[$j]["uc"];
                            if ($ucDelta > 0)
                                $i += $ucDelta;
                            break;
                        // Select line feeds, spaces and tabs.
                        case "par": case "page": case "column": case "line": case "lbr":
                            $toText .= "\n";
                            break;
                        case "emspace": case "enspace": case "qmspace":
                            $toText .= " ";
                            break;
                        case "tab": $toText .= "\t";
                            break;
                        // Add current date and time instead of corresponding labels.
                        case "chdate": $toText .= date("m.d.Y");
                            break;
                        case "chdpl": $toText .= date("l, j F Y");
                            break;
                        case "chdpa": $toText .= date("D, j M Y");
                            break;
                        case "chtime": $toText .= date("H:i:s");
                            break;
                        // Replace some reserved characters to their html analogs.
                        case "emdash": $toText .= html_entity_decode("—");
                            break;
                        case "endash": $toText .= html_entity_decode("–");
                            break;
                        case "bullet": $toText .= html_entity_decode("•");
                            break;
                        case "lquote": $toText .= html_entity_decode("‘");
                            break;
                        case "rquote": $toText .= html_entity_decode("’");
                            break;
                        case "ldblquote": $toText .= html_entity_decode("«");
                            break;
                        case "rdblquote": $toText .= html_entity_decode("»");
                            break;
                        // Add all other to the control words stack. If a control word
                        // does not include parameters, set &param to true.
                        default:
                            $stack[$j][strtolower($word)] = empty($param) ? true : $param;
                            break;
                    }
// Add data to the output stream if required.
                    if (rtf_isPlainText($stack[$j]))
                        $document .= $toText;
                }

                $i++;
                break;
            // If we read the opening brace {, then new subgroup starts and we add
            // new array stack element and write the data from previous stack element to it.
            //case "{":
            //array_push($stack, $stack[$j++]);
            //break;
            // If we read the closing brace }, then we reach the end of subgroup and should remove
            // the last stack element.
            case "}":
                array_pop($stack);
                $j--;
                break;
            // Skip “trash”.
            case '\0': case '\r': case '\f': case '\n': break;
            // Add other data to the output stream if required.
            default:
                //if (rtf_isPlainText($stack[$j]))
                $document .= $c;
                break;
        }
    }
// Return result.
    return $document;
}

 

Sem título.png

Compartilhar este post


Link para o post
Compartilhar em outros sites

  • Conteúdo Similar

    • Por violin101
      Caros amigos do grupo, saudações e um feliz 2025.
       
      Estou com uma pequena dúvida referente a Teclas de Atalho.

      Quando o Caps Lock está ativado o Comando da Tecla de Atalho não funciona.
      ou seja:
      se estiver para letra minúscula ====> funciona
      se estiver para letra maiúscula ====> não funciona
       
      Como consigo evitar essa falha, tanto para Letra Maiúscula quanto Minúscula ?

      o Código está assim:
      document.addEventListener( 'keydown', evt => { if (!evt.ctrlKey || evt.key !== 'r' ) return;// Não é Ctrl+r, portanto interrompemos o script evt.preventDefault(); });  
      Grato,
       
      Cesar
    • Por violin101
      Caros amigos, saudações.
       
      Por favor, poderiam me ajudar.

      Estou com a seguinte dúvida:
      --> como faço para para implementar o input código do produto, para quando o usuário digitar o ID o sistema espera de 1s a 2s, sem ter que pressionar a tecla ENTER.

      exemplo:
      código   ----   descrição
           1       -----   produto_A
       
      Grato,
       
      Cesar
    • Por violin101
      Caros amigos, saudações.
       
      Humildemente peço desculpa por postar uma dúvida que tenho.

      Preciso salvar no MySql, os seguinte Registro:

      1 - Principal
      ====> minha dúvida começa aqui
      ==========> como faço para o Sistema Contar Automaticamente o que estiver despois do 1.____?
      1.01 - Matriz
      1.01.0001 - Estoque
      1.01.0002 - Oficina
      etc

      2 - Secundário
      2.01 - Loja_1
      2.01.0001 - Caixa
      2.01.0002 - Recepção
      etc
       
      Resumindo seria como se fosse um Cadastro de PLANO de CONTAS CONTÁBEIL.

      Grato,


      Cesar









       
    • Por violin101
      Caros amigos, saudações.

      Por favor, me perdoa em recorrer a orientação dos amigos.

      Preciso fazer um Relatório onde o usuário pode Gerar uma Lista com prazo para vencimento de: 15 / 20/ 30 dias da data atual.

      Tem como montar uma SQL para o sistema fazer uma busca no MySql por período ou dias próximo ao vencimento ?

      Tentei fazer assim, mas o SQL me traz tudo:
      $query = "SELECT faturamento.*, DATE_ADD(faturamento.dataVencimento, INTERVAL 30 DAY), fornecedor.* FROM faturamento INNER JOIN fornecedor ON fornecedor.idfornecedor = faturamento.id_fornecedor WHERE faturamento.statusFatur = 1 ORDER BY faturamento.idFaturamento $ordenar ";  
      Grato,
       
      Cesar
       
       
       
       
    • Por violin101
      Caros amigos, saudações
       
      Por favor, me perdoa em recorrer a orientação dos amigos, tenho uma dúvida.
       
      Gostaria de uma rotina onde o Sistema possa acusar para o usuário antes dos 30 dias, grifar na Tabela o aviso de vencimento próximo, por exemplo:
       
      Data Atual: 15/11/2024
                                           Vencimento
      Fornecedor.....................Data.....................Valor
      Fornecedor_1...........01/12/2024..........R$ 120,00 <== grifar a linha de Laranja
      Fornecedor_1...........01/01/2025..........R$ 130,00
      Fornecedor_2...........15/12/2024..........R$ 200,00 <== grifar a linha de Amarelo
      Fornecedor_2...........15/01/2025..........R$ 230,00
      Fornecedor_3...........20/12/2024..........R$ 150,00
       
      Alguém tem alguma dica ou leitura sobre este assunto ?

      Grato,
       
      Cesar
×

Informação importante

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