Browse Source

Adição SOL Telecom e demais atualizações

master
Lucas Ayala 2 years ago
parent
commit
3b4a1d0755
  1. 432
      Clientes/SOL Telecom/Integracao.php
  2. 929
      Clientes/SOL Telecom/IntegracaoDataBase.php
  3. 537
      Clientes/SOL Telecom/IxcSoft.php
  4. 157
      Clientes/SOL Telecom/Logger.php
  5. 258
      Clientes/SOL Telecom/SimpleMail.php
  6. 20
      Clientes/SOL Telecom/abreAtendimento.php
  7. 78
      Clientes/SOL Telecom/apiRouterBoxTeste.php
  8. 355
      Clientes/SOL Telecom/conf.php
  9. 6
      Clientes/SOL Telecom/confRotas.php
  10. 82
      Clientes/SOL Telecom/config.php
  11. 86
      Clientes/SOL Telecom/consultaCliente.php
  12. 59
      Clientes/SOL Telecom/consultaClienteTelefone.php
  13. 19
      Clientes/SOL Telecom/consultaPendencia.php
  14. 32
      Clientes/SOL Telecom/desbloqueiaCliente.php
  15. 33
      Clientes/SOL Telecom/email.html
  16. 24
      Clientes/SOL Telecom/enviaFatura.php
  17. 38
      Clientes/SOL Telecom/funcoesCustom.php
  18. 518
      Clientes/SOL Telecom/install.php
  19. 18
      Clientes/SOL Telecom/paradaTecnica.php
  20. 8
      Clientes/SOL Telecom/reload.php
  21. 77
      Clientes/SOL Telecom/teste2.php
  22. 13
      Clientes/wlenet/consultaIncidenteNovo.php

432
Clientes/SOL Telecom/Integracao.php

@ -0,0 +1,432 @@
<?php
require_once 'phpagi/phpagi.php';
require_once 'IntegracaoDataBase.php';
require_once 'Logger.php';
require_once 'SimpleMail.php';
require_once 'conf.php';
// include("util/util.php");
/*
|*************************************************************************
| SISTEMA UNICO DE INTEGRACAO *
|*************************************************************************
*/
/**
* Classe para implementacao das integracoes da Simples IP
* @author Lucas Awade
* @Desenvolvedor
* @SimplesIP
* @version 1.1.1
*/
class Integracao {
protected $log;
protected $mail;
private $agi;
private $db;
########################################################################
## CONSTANTES DA CLASSE ##
########################################################################
const PATH_SOUND = '/var/lib/asterisk/sounds/customizados/';
const AGI_ERROR_HANDLER = false;
########################################################################
## FUNCOES UTILITARIAS ##
########################################################################
/**
* - Retorno é os dados referentes ao retornado da API
* - Params são os dados que serão disponibilizados na tela do agente.
*
* @param array $retorno
* @param array $params
*/
public function integracaoAgente($retorno, $params) {
$registros = 0;
$data = $this->db()->getRegistros();
$retorno_cliente = "{$data['reg_uniqueid']}|{$data['reg_fone']}|{$data['id']}|";
foreach ($retorno as $key => $value) {
if (in_array($key, $params)) {
$registros++;
$retorno_cliente .= sprintf("%s:%s",
strtoupper(str_replace("_", " ", $key)),
strtoupper(str_replace("|", "", $value)));
if (count($params) > $registros) {
$retorno_cliente .= "|";
}
}
}
$this->db()->setRegistros(array('retorno_cliente' => $retorno_cliente));
}
/**
* Converte um CPF ou CNPJ com marcara referente a cada modelo.
*
* @param string $string
* @return boolean|string
*/
protected function mask_cpf_cnpj($string) {
if (!empty($string)) {
if (strlen($string) == 11) {
$mask = "%s%s%s.%s%s%s.%s%s%s-%s%s";
} elseif (strlen($string) == 14) {
$mask = "%s%s.%s%s%s.%s%s%s/%s%s%s%s-%s%s";
}
return vsprintf($mask, str_split($string));
} else {
return false;
}
}
/**
* Retorna telefone com o (DDD)Numero de acordo com o parametro passado caso nao possua DDD sera o padrao da central.
* @param string $telefone
* @return array
*/
protected function mask_phone_tel($telefone) {
$retorno = array('telefone' => '', 'type' => '');
if (strlen($telefone) == 11) {
$numero_1 = substr($telefone, 2, 5);
$numero_2 = substr($telefone, 7, 4);
$ddd = substr($telefone, 0, 2);
$telefone = "({$ddd}) " . $numero_1 . '-' . $numero_2;
$retorno['telefone'] = $telefone;
$retorno['type'] = 'celular';
} else if (strlen($telefone) == 12) {
$ddd = substr($telefone, 1, 2);
$numero = substr($telefone, 3, 10);
$telefone = sprintf("(%s) %s", $ddd, $numero);
$retorno['telefone'] = $telefone;
$retorno['type'] = 'telefone';
} else if (strlen($telefone) == 13) {
$ddd = substr($telefone, 2, 2);
$numero = substr($telefone, 4, 10);
$telefone = "(" . $ddd . ") " . $numero;
$retorno['telefone'] = $telefone;
$retorno['type'] = 'celular';
} else if (strlen($telefone) == 10) {
$numero_1 = substr($telefone, 2, 4);
$numero_2 = substr($telefone, 6, 9);
$ddd = substr($telefone, 0, 2);
$telefone = "({$ddd}) " . $numero_1 . '-' . $numero_2;
$retorno['telefone'] = $telefone;
$retorno['type'] = 'fixo';
} else {
return null;
}
return $retorno;
}
/**
* Verifica se todos os parametros passados foram completados.
*
* @param array $args
* @return true|false
*/
protected function getArgs($args) {
foreach ($args as $value) {
if (!$value) {
return false;
}
}
return true;
}
/**
* Verifica a diferenca em dias entre a data de entrada e a data atual.
*
* @param type $dateParam
* @return type
*/
public function dateDiff($dateParam) {
$dateIni = strtotime(date('Y-m-d'));
if (strstr($dateParam, "/")) {
$dateParam = date(strtotime(str_replace('/', '-', $dateParam)));
} else {
$dateParam = date(strtotime($dateParam));
}
$diff = ($dateIni - $dateParam);
$days = (int) floor($diff / (60 * 60 * 24));
return $days;
}
/**
* Realiza a conversao de datas no formato brasileiro para a Defualt.
* @param string $data
* @return string|boolean
*/
public function convertDateDefault($data) {
if ($data) {
$data = explode('/', $data);
return "{$data[2]}-{$data[1]}-{$data[0]}";
}
return false;
}
/**
* Realiza a validação de pendencia financeira de acordo com a data informada
*
* OBS: O array deve possui nível = array( array('data' => 'yyyy-mm-dd'))
* OBS: O indice deve ser o nome do valor onde se encontra a data.
* @param array $array
* @param string $indice
* @param string $datavalida
* @return boolean
*/
public function verificaDataPendencia($array, $indice, $datavalida = null) {
if (!$datavalida) {
$datavalida = strototime(date('Y-m-d'));
} else {
$datavalida = strtotime($datavalida);
}
foreach ($array as $value) {
if (strtotime($value[$indice]) < $datavalida) {
return false;
}
}
return true;
}
/**
* Adiciona mascara no telefone para realizar a consulta
*
* @param type $value
* @return boolean
*/
protected function phoneMask($value) {
if (!empty($value)) {
if (strlen($value) == 10) {
$mask = '(%s%s)%s%s%s%s-%s%s%s%s';
} elseif (strlen($value) == 11) {
$mask = '(%s%s)%s%s%s%s%s-%s%s%s%s';
}
return vsprintf($mask, str_split($value));
} else {
return false;
}
}
/**
* Verifica se um servidor esta dando resposta de ping
* @param type $ip
* @return boolean
*/
public function verificaLatencia($ip) {
$ping = explode(",", shell_exec("ping -c 4 $ip"));
$latencia = substr($ping[1], 1, 2); //resposta do ping
if ($latencia >= 2) {
return true;
}
return false;
}
/**
* Verbaliza digitos
* @param string|int $string
*/
public function verbaliza($string) {
$vocaliza = str_split($string);
foreach ($vocaliza as $value) {
$this->agi()->say_digits($value);
}
}
/*
* Objetct to array
*/
public function objectToArray($d) {
if (is_object($d)) {
$d = get_object_vars($d);
}
if (is_array($d)) {
return array_map($this->objectToArray(), $d);
} else {
return $d;
}
}
############################################################################
######## CONFIGURACAO DE EMAIL ########
############################################################################
/**
* Inicia a instanciacao da Classe para envio de Email
* @param string $email
* @param string $password
* @param string $subject
*/
public function SimpleMail($email, $password, $subject) {
$this->mail = new SimpleMail($email, $password, $subject);
$this->log->debug("Instanciacao SimpleMail : " . ($this->mail ? "SUCCESS" : "FAIL"), debug_backtrace());
}
/**
* Configura o servidor de Envio dos Emails.
* @param string $host
* @param string|int $port
* @param string $title
* @return boolean
*/
public function confSMTP($host, $port, $title, $smtpAuth = true, $smtpSecure = 'TLS', $charset = 'UTF8') {
$this->log->debug("Configuracao SMTP", debug_backtrace());
if ($this->mail) {
$this->mail->config($host, $port, $title, $smtpAuth, $smtpSecure, $charset);
} else {
return false;
}
}
public function geraProtocoloSimples($uid){
$connPG = $this->db()->getConnection();
$protoAgente = GeraProtocolo($connPG, $uid);
return $protoAgente;
}
########################################################################
## FUNCOES IMPORTANTES ##
########################################################################
/**
* Instancia um objeto de Logger.
*
* @param Logger $log
*/
protected function setLog($log = false) {
if (!$this->log) {
$this->log = new Logger(CONF_LOGGER_PATH . CONF_NOME_EMPRESA, $log);
}
}
/**
* Retorna o objeto de Log.
* @return string
*/
public function log() {
return $this->log;
}
/**
* Instancia um objeto de AGI para se conectar com as informações do Asterisk.
*
* @return AGI
*/
public function agi() {
if (!$this->agi) {
$data = $this->db()->getAuthAgi();
$config = array();
$config['phpagi']['error_handler'] = self::AGI_ERROR_HANDLER;
$config['asmanager']['server'] = $data['host_sck'];
$config['asmanager']['port'] = $data['porta_sck'];
$config['asmanager']['username'] = $data['usuario_sck'];
$config['asmanager']['secret'] = $data['senha_sck'];
$agi = new AGI('phpagi.conf', $config);
$this->agi = $agi;
return $agi;
}
return $this->agi;
}
private function readAgiVariable() {
ob_implicit_flush(true);
set_time_limit(6);
$in = fopen("php://stdin", "r");
$input = str_replace("\n", "", fgets($in, 4096));
fclose($in);
$this->log->debug("Reading: " . $input);
return $input;
}
public function getAgiVariable($variable = null) {
$this->log->debug("Executing...", debug_backtrace());
while ($env = $this->readAgiVariable()) {
$s = explode(": ", $env);
$agi[str_replace("agi_", "", $s[0])] = trim($s[1]);
$this->log->debug("Data: " . print_r($agi, true), debug_backtrace());
if (($env == "") || ($env == "\n")) {
break;
}
}
$this->log->debug("Reading: " . print_r($agi, true));
if (!$variable || $agi[$variable]) {
return !$variable ? $agi : $agi[$variable];
}
return false;
}
/**
* Instancia um objeto de IntegracaoDataBase para se conectar com dados do
* Banco de dados e credenciais do Manager.
*
* @return IntegracaoDataBase
*/
public function db() {
if (!$this->db) {
$db = new IntegracaoDataBase();
$this->db = $db;
}
return $this->db;
}
protected function audioError() {
$this->log->debug('Audio de error');
$exten = $this->db()->getAnuncio();
$this->log->error('Encaminhando para áudio alternativo de Erros', debug_backtrace());
$this->agi()->exec_goto($exten);
exit();
}
protected function integracaoReg(){
global $ura, $tronco, $uid, $idMetodo, $uidOld, $numero;
$registros = array(
"id" => '',
"reg_ura" => $ura,
"reg_tronco" => $tronco,
"reg_uniqueid" => $uid,
"reg_id_metodo" => $idMetodo,
"reg_uniqueid" => $uid,
"reg_uniqueid_old" => $uidOld,
"reg_fone" => $numero,
"reg_status_exec" => '1',
"reg_inicio" => date());
$this->db()->setRegistros($registros);
if (CONF_AUDIO_ERROR) {
$this->db()->setIdAudioError($this->db()->getAnuncioIdByName(strtoupper(CONF_AUDIO_ERROR.CONF_NOME_EMPRESA.CONF_VERSAO)));
}
}
public function executarFluxo($tipo, $nome){
#INEGRACAO DE TELA
if(CONF_INTEGRACAO_TELA){
$parametrosTela = unserialize(CONF_PARAMETROS_TELA);
$itgcTela = array();
$itgcTelaNomes = array();
foreach($parametrosTela as $parametro){
$itgcTela[$parametro] = str_replace(array("|",":"),"-",utf8_decode($this->agi()->get_variable($parametro, true)));
$itgcTelaNomes[] = "$parametro";
}
$this->integracaoAgente($itgcTela, $itgcTelaNomes);
}
$dbFunction = "get".ucfirst(strtolower($tipo));//CONTRUIR NOME FUNCAO BUSCAR ID
$this->agi()->exec_goto($this->db()->$dbFunction(strtoupper($nome)));//REDIRECIONAR FLUXO
$this->db()->atualizaIntegracao();
}
}

929
Clientes/SOL Telecom/IntegracaoDataBase.php

@ -0,0 +1,929 @@
<?php
require_once 'Logger.php';
// *************************************************************************
// * SISTEMA UNICO DE INTEGRACAO *
// *************************************************************************
/**
* Classe para utilizar os registros do Banco de Dados;
*
* OBS: Deixar como usuario de execucao e acesso pbx:pbx
*
* @author Lucas Awade
* @function developer
* @company SimplesIP
* @version 1.0.1
*/
class IntegracaoDataBase {
private $query;
private $connection;
private $registros;
private $log;
private $credentials = array();
private $debug;
private $idAudioError;
/**
* @file
* Arquivo de configuracoes do banco e manager
*/
const FILE_DB = "/var/www/html/include/bd";
public function __construct() {
$this->log = new Logger(CONF_LOGGER_PATH, CONF_LOGGER_DB_ATIVO);
}
/**
* Retorna os registros armazenados na variavel registros pra ser disponibilizado
* no decorrer de uma integracao;
*
* @return array
*/
public function getRegistros() {
return $this->registros;
}
/**
* Informações coletadas do banco de dados para ser escritas no log.
*
* @param array $array
*/
private function logResult($array) {
if ($array) {
$this->log->success(print_r($array, true), $this->debug);
} else {
$this->log->warning('Nenhum resultado encontrado!', $this->debug);
}
}
/**
* Audio de erro padrao
*
* @param string $idAudioError
*/
public function setIdAudioError($idAudioError) {
$this->idAudioError = $idAudioError;
}
########################################################################
## BANCO DE DADOS ##
########################################################################
/**
* Pega as informacoes das credenciais no arquivos padrao "bd";
*/
private function filedb() {
if (file_exists(self::FILE_DB)) {
$contents = fopen(self::FILE_DB, 'r');
while (!feof($contents) && $contents) {
$str = fgets($contents);
$dados = explode('=', $str);
$this->credentials[strtolower($dados[0])] = str_replace('"', '', $dados[1]);
}
fclose($contents);
$this->credentials = array_filter($this->credentials);
$this->log->debug("Credenciais banco de dados: " . print_r($this->credentials, true), debug_backtrace());
} else {
$this->log->error("Nao foi possivel encontrar o arquivo 'bd' em " . self::FILE_DB);
}
}
/**
* Executa as querys da consulta a serem feitas, além de gravar logs de registros de dados,
* e qualquer erro é repassado a classe que está executando para tratar o erro;
*
* @param string $type
* @return boolean|array
*/
private function execute($type = '') {
try {
if (!$this->connection) {
$this->connection = $this->getConnection();
}
$result = pg_query($this->connection, $this->query);
switch (strtolower($type)) {
case 'assoc':
$data = pg_fetch_assoc($result);
break;
case 'row':
$data = pg_fetch_row($result);
break;
case 'array':
$data = pg_fetch_array($result);
break;
case 'all':
$data = pg_fetch_all($result);
break;
}
$this->logResult($data);
return $data;
} catch (Exception $ex) {
$this->log->error("Exception: {$ex->getMessage()} | Postgres : " . pg_last_error(), $this->debug);
}
}
public function getConnection() {
$this->filedb();
$this->connection = pg_connect(sprintf('host=%s port=%s dbname=%s user=%s password=%s', $this->credentials['host_db'], $this->credentials['porta_db'], $this->credentials['base_db'], $this->credentials['usuario'], $this->credentials['senha']));
if (pg_connection_status($this->connection) === 0) {
$this->log->success("Conectado na base {$this->credentials['base_db']}.", debug_backtrace());
return $this->connection;
} else {
throw new Exception('Nao foi possivel conectar na base de dados');
}
}
private function getPDO() {
try {
if (!$this->connection) {
$drive = CONF_DB_DRIVER;
$host = CONF_DB_HOST;
$dbname = CONF_DB_BASE;
$user = CONF_DB_USER;
$pass = CONF_DB_PASSWD;
$this->connection = new pdo("$drive:host=$host;dbname=$dbname", $user, $pass, array(PDO::ATTR_ERRMODE => PDO::ERRMODE_EXCEPTION));
}
} catch (PDOException $ex) {
$this->log->error("Exception: {$ex->getMessage()} ", $this->debug);
}
}
protected function strquery($stmt, $params) {
foreach ($params as $key => $value) {
if (!$value || $value == "null") {
$value = null;
}
$stmt->bindValue(":{$key}", $value, (is_int($value) ? PDO::PARAM_INT : PDO::PARAM_STR));
}
}
public function read($query, $params) {
try{
$this->getPDO();
$stmt = $this->connection->prepare($query);
$this->strquery($stmt, $params);
$stmt->execute();
$data = $stmt->fetchAll(PDO::FETCH_ASSOC);
return $data;
} catch (PDOException $ex) {
$this->log->error("Exception: {$ex->getMessage()} ", $this->debug);
}
}
public function create($query, $params) {
try{
$this->getPDO();
$stmt = $this->connection->prepare($query);
$this->strquery($stmt, $params);
$stmt->execute();
$data = $this->connection->lastInsertId();
return $data;
} catch (PDOException $ex) {
$this->log->error("Exception: {$ex->getMessage()} ", $this->debug);
}
}
public function delete($query, $params) {
try{
$this->getPDO();
$stmt = $this->connection->prepare($query);
$this->strquery($stmt, $params);
$stmt->execute();
$count = $stmt->rowCount();
$data = (!$count) ? false : true;
return $data;
} catch (PDOException $ex) {
$this->log->error("Exception: {$ex->getMessage()} ", $this->debug);
}
}
public function update($query, $params) {
try{
$this->getPDO();
$stmt = $this->connection->prepare($query);
$this->strquery($stmt, $params);
$stmt->execute();
$count = $stmt->rowCount();
$data = (!$count) ? false : true;
return $data;
} catch (PDOException $ex) {
$this->log->error("Exception: {$ex->getMessage()} ", $this->debug);
}
}
########################################################################
## ASTERISK ##
########################################################################
/**
* Coleta em qual Asterisk a central está rodadando e retorna o modelo padrao
* de configuracao do exten;
*
* @return string
*/
private function getVersionAsterisk() {
$result = array();
exec("asterisk -V", $result);
$this->log->info("Versao Asterisk: " . $result[0], debug_backtrace());
if (strpos($result[0], '1.4') !== false) {
return "|";
} else {
return ",";
}
}
/**
* Transforma uma string exten com "," para "|" de acordo com a versao do Asterisk
*
* @param string $string
* @return string
*/
private function string_exten($string) {
return str_replace(",", $this->getVersionAsterisk(), $string);
}
/**
* Coleta os dados de autenticacao do manager.
*
* @return array
*/
public function getAuthAgi() {
$data = array();
foreach ($this->credentials as $key => $value) {
if (strpos($key, '_sck') !== false) {
$data[$key] = $value;
}
}
return $data;
}
########################################################################
## QUERYS ##
########################################################################
/**
* Inicia um Transacao;
*/
public function beginTransaction() {
$this->debug = debug_backtrace();
$this->query = "BEGIN;";
$this->execute();
}
/**
* Registra uma Transacao.
*/
public function commitTransaction() {
$this->debug = debug_backtrace();
$this->query = "COMMIT;";
$this->execute();
}
/**
* Retorna as informacoes antes da Transacao.
*/
public function rollbackTransaction() {
$this->debug = debug_backtrace();
$this->query = "ROLLBACK;";
$this->execute();
}
/**
* Busca o DDD padrao cadastrado na central.
*
* @param string $name
* @return string
*/
public function getDDD() {
$this->debug = debug_backtrace();
$this->query = "SELECT prm_ddd_padrao FROM pbx_parametros";
return $this->execute('assoc') ? $this->execute('assoc')['prm_ddd_padrao'] : '';
}
/**
* Consulta no banco o nome do Anuncio e retorna o ID para ser escrito no exten;
*
* @param string $name
* @return string
*/
public function getAnuncio($name = null) {
$this->debug = debug_backtrace();
$this->query = "SELECT id FROM pbx_anuncios WHERE nome = '$name'";
$result = $this->execute('row')[0] ? $this->execute('row')[0] : $this->idAudioError;
return sprintf($this->string_exten('ext-anuncios,a%s,1'), $result);
}
/**
* Consulta no banco o nome do Ura e retorna o ID para ser escrito no exten;
*
* @param string $name
* @return string
*/
public function getUra($name = null) {
$this->debug = debug_backtrace();
$this->query = "SELECT id FROM pbx_ura WHERE nome = '$name'";
$result = $this->execute('row')[0] ? $this->execute('row')[0] : $this->idAudioError;
return sprintf($this->string_exten('ura-%s,s,1'), $result);
}
/**
* Consulta no banco a Ura por ID e retorna suas informacoes;
*
* @param string|int $id
* @return string
*/
public function getURAById($id) {
$this->debug = debug_backtrace();
$this->query = "SELECT * FROM pbx_ura WHERE id = '{$id}'";
$result = $this->execute('assoc') ? $this->execute('assoc') : $this->idAudioError;
return $result;
}
/**
* Consulta no banco o nome do Fila e retorna o ID para ser escrito no exten;
*
* @param string $name
* @return string
*/
public function getFila($name = null) {
$this->debug = debug_backtrace();
$this->query = "SELECT numero FROM pbx_dacs WHERE nome = '$name'";
$result = $this->execute('row')[0] ? $this->execute('row')[0] : $this->idAudioError;
return sprintf($this->string_exten('ext-fila,%s,1'), $result);
}
/**
* Consulta no banco o nome do Ramal e retorna o ID para ser escrito no exten;
*
* @param string $name
* @return string
*/
public function getRamal($name = null) {
$this->debug = debug_backtrace();
$this->query = "SELECT nome FROM pbx_ramais WHERE nome = '$name'";
$result = $this->execute('row')[0] ? $this->execute('row')[0] : $this->idAudioError;
return sprintf($this->string_exten('ext-ramais,%s,1'), $result);
}
/**
* Coleta as opcoes que o usuario passou nas uras da sua chamada.
*
* @param string $uniqueid
* @param int $ura_id
* @return boolean|array
*/
public function getOptionsURA($uniqueid, $ura_id) {
$this->debug = debug_backtrace();
$this->query = "SELECT umv_ura_id,umv_ura_nome,uniqueid,umv_ura_opcao "
. "FROM pbx_ura_movimento WHERE uniqueid = '$uniqueid' "
. "AND umv_ura_opcao IS NOT NULL AND umv_opcao = 'ura' "
. "AND umv_ura_id = $ura_id "
. "ORDER BY umv_id";
return $this->execute('all');
}
/**
* Retorna o ID e Data Hora da primeira entrada da ligacao em um URA de
* acordo com o uniqueid;
* @param string $uniqueid
* @return array
*/
public function getFristURA($uniqueid) {
$this->debug = debug_backtrace();
$this->query = "SELECT destino, min(data_registro) "
. "FROM ast_bilhetes_complemento "
. "WHERE direcao = 'ura' "
. "AND uniqueid2 = '{$uniqueid}' GROUP BY destino LIMIT 1";
$result = $this->execute('assoc');
return $result;
}
public function registraIntegracao() {
$this->debug = debug_backtrace();
/**
* Parametros REGISTROS
*
* id -> Id do qual gerou a integracao para o retorno_cliente
*
* Todos os parametros devem ser igual a da tabela pbx_integracao_reg
*/
$ura = trim($this->registros['reg_ura']) ? trim($this->registros['reg_ura']) : 'null';
$tronco = trim($this->registros['reg_tronco']) ? trim($this->registros['reg_tronco']) : 'null';
$this->query = "INSERT INTO pbx_integracao_reg (reg_id_metodo,reg_uniqueid,reg_uniqueid_old,reg_fone,reg_inicio, reg_tronco, reg_ura)
SELECT * FROM (
SELECT {$this->registros['reg_id_metodo']},'{$this->registros['reg_uniqueid']}','{$this->registros['reg_uniqueid_old']}','{$this->registros['reg_fone']}', now(), '$tronco', '$ura') AS dados
WHERE NOT EXISTS (
SELECT reg_uniqueid FROM pbx_integracao_reg WHERE reg_uniqueid = '{$this->registros['reg_uniqueid']}'
) LIMIT 1;";
$this->log->debug("Query: {$this->query}", $this->debug);
return $this->execute();
}
public function atualizaIntegracao() {
$this->debug = debug_backtrace();
$tronco = trim($this->registros['reg_tronco']) ? sprintf(",\nreg_tronco='%s'", trim($this->registros['reg_tronco'])) : '';
$ura = trim($this->registros['reg_ura']) ? sprintf(",\nreg_ura='%s'", trim($this->registros['reg_ura'])) : '';
$reg_msg = QuotedStr($this->registros['reg_msg']);
$reg_retorno = QuotedStr($this->registros['reg_fone']);
$retorno_cliente = substr($this->registros['retorno_cliente'], 0, 255);
$this->query = "UPDATE pbx_integracao_reg
SET reg_fim = NOW(),
reg_retorno = $reg_retorno,
reg_msg = $reg_msg,
reg_status_exec = '{$this->registros['reg_status_exec']}',
retorno_cliente = '{$retorno_cliente}'{$tronco}{$ura}
WHERE reg_uniqueid = '{$this->registros['reg_uniqueid']}'";
$this->log->debug("Query: {$this->query}", $this->debug);
return $this->execute();
}
/**
* Informa os dados para ser inseridos na tabela de integracao_reg;
*
* @param array $registros
*/
public function setRegistros($registros) {
if (is_array($registros) && !$this->registros) {
$this->registros = $registros;
$this->registraIntegracao();
} else {
foreach ($registros as $key => $value) {
$this->registros[$key] = $value;
}
}
}
/**
* Retorna todas as informacoes da tabela Supervisor_Dacs
* @param array $dacs
* @return array
*/
public function getSupervisorDAC($dacs = array()) {
$this->query = "SELECT * FROM pbx_supervisor_dacs ";
if ($dacs) {
$this->query .= sprintf("WHERE id IN (%s)", implode(",", $dacs));
}
return $this->execute('all');
}
/**
* Retorna credenciais cadastradas nos metodos de integracao
* @param int $id
* @return array
*/
public function getConexaoAPI($id) {
$this->query = "SELECT itgc_nome AS name, itgc_port AS id_user, itgc_host AS url,
itgc_database AS token, itgc_user AS user, itgc_password AS password,
itgc_timeout AS timeout
FROM pbx_integracao_configuracao
WHERE itgc_id = {$id}";
return $this->execute('assoc');
}
public function getScriptCredenciais($script) {
$this->query = "SELECT itgc_nome AS name, itgc_port AS id_user, itgc_host AS url,
itgc_database AS token, itgc_user AS user, itgc_password AS password,
itgc_timeout AS timeout
FROM pbx_integracao_configuracao a
INNER JOIN pbx_integracao_metodo b ON a.itgc_id = b.itgc_id
WHERE itgm_comando = '{$script}'";
return $this->execute('assoc');
}
public function getFilaPorNome($name) {
$this->debug = debug_backtrace();
$this->query = "SELECT * FROM pbx_dacs WHERE nome = '$name'";
return $this->execute('assoc');
}
public function getLastUraPorUniqueid($uniqueid) {
$this->query = "SELECT data_reg, umv_ura_id,umv_ura_nome,uniqueid,umv_ura_opcao
FROM pbx_ura_movimento WHERE uniqueid = '{$uniqueid}'
ORDER BY data_reg DESC
LIMIT 1";
return $this->execute('assoc');
}
public function getUraMovimentoByUniqueid($uniqueid, $orderByAtt = "data_reg", $orderByType = "ASC") {
$this->query = "SELECT data_reg, umv_ura_id,umv_ura_nome,uniqueid,umv_ura_opcao, umv_opcao
FROM pbx_ura_movimento WHERE uniqueid = '{$uniqueid}'
ORDER BY $orderByAtt $orderByType
LIMIT 1";
return $this->execute('assoc');
}
public function atualizaProtocoloParceiro($uid, $protocoloParceiro) {
$this->debug = debug_backtrace();
$this->query = "UPDATE pbx_protocolo_reg
SET protoparceiro='$protocoloParceiro'
WHERE uniqueid='$uid'";
$this->log->debug("Query: {$this->query}", $this->debug);
return $this->execute();
}
########################################################################
#### INSTALACAO INTEGRACAO ####
########################################################################
public function findIntegracaoCustom() {
$this->debug = debug_backtrace();
$this->query = "SELECT itgp_id FROM pbx_integracao_protocolo WHERE itgp_descricao = 'Custom'";
$this->log->debug("Query: {$this->query}", $this->debug);
$return = $this->execute('assoc');
if (!$return['itgp_id']) {
$this->query = "INSERT INTO pbx_integracao_protocolo (itgt_id,itgp_id,itgp_descricao,itgp_status,itgp_prefix) VALUES(1,6,'Custom',0,'custom');";
$this->execute('assoc');
}
return 6;
}
public function findVersion($empresa = null) {
$this->debug = debug_backtrace();
$this->query = "SELECT MAX(itgc_status) AS versao FROM pbx_integracao_configuracao where 1=1";
if($empresa){
$this->query .= "AND itgc_nome like '%$empresa%'";
}
$this->log->debug("Query: {$this->query}", $this->debug);
return $this->execute('assoc');
}
public function createIntegracaoAtiva($nome, $versao, $comando) {
$this->debug = debug_backtrace();
$query = "insert into pbx_integracao_metodo(itgc_id, itgm_nome, itgm_comando, itgm_tipo, itgm_retorno, itgm_status, opcao, evento, stored_params, itgm_id_pai) values(%s,'%s','%s',%s,%s,%s,'%s',%s,'%s',%s) returning itgm_id;";
$this->query = "INSERT INTO pbx_integracao_configuracao "
. "(itgt_id, itgp_id, itgc_nome, itgc_host, itgc_port, itgc_database, itgc_user, itgc_password, itgc_timeout, itgc_status) "
. "VALUES (1, 6, '$nome', '127.0.0.1', '0', '0', '0', '0', '10', '$versao') RETURNING itgc_id; ";
$this->log->debug("Query: {$this->query}", $this->debug);
$return = $this->execute('assoc');
$this->query = sprintf($query, $return['itgc_id'], $nome, $comando, 1, 1, 0, 'anuncios', 'null', 'null', 'null');
$res = $this->execute('assoc');
unset($this->query);
for ($x = 2; $x < 4; $x++) {
$this->query .= sprintf($this->query, $return['itgc_id'], 'NOEXEC', 'NOEXEC', 1, 0, 0, 'null', $x, 'null', $res['itgm_id']);
}
$this->log->debug("Query: {$this->query}", $this->debug);
return $this->execute('assoc');
}
/* Consulta no banco o nome da integracao metodo e retorna o ID;
*
* @param string $name
* @return string
*/
public function getIntegracaoMetodoByNameIntegracao($name = null) {
$this->debug = debug_backtrace();
$this->query = "SELECT pim.itgm_id
FROM pbx_integracao_metodo pim INNER JOIN pbx_integracao_configuracao pic on pic.itgc_id = pim.itgc_id
WHERE pim.itgm_retorno = 1 AND pic.itgc_nome = '$name'";
$result = $this->execute('row')[0];
return $result;
}
######################### ANUNCIOS #########################
/*
* Inserir Anuncio
*/
public function addAnuncio($nome, $musica, $opcao = null, $acao = null) {
$this->debug = debug_backtrace();
$this->query = sprintf("INSERT INTO pbx_anuncios (nome, musica, opcao, acao)
VALUES('%s','%s','%s', '%s')", $nome, $musica, strtolower($opcao), $acao);
$this->log->debug("Query: {$this->query}", $this->debug);
return $this->execute();
}
/* Consulta no banco o nome do Anuncio e retorna o ID;
*
* @param string $name
* @return string
*/
public function getAnuncioIdByName($name = null) {
$this->debug = debug_backtrace();
$this->query = "SELECT id FROM pbx_anuncios WHERE nome = '$name'";
$result = $this->execute('row')[0];
return $result;
}
/* Consulta no banco o id do Anuncio e retorna o nome;
*
* @param string $name
* @return string
*/
public function getAnuncioNameById($id = null) {
$this->debug = debug_backtrace();
$this->query = "SELECT nome FROM pbx_anuncios WHERE id = '$id'";
$result = $this->execute('row')[0];
return $result;
}
/* Atualiza no banco a acao e opcao do Anuncio;
*
* @param $opcao $acao Iid
* @return string
*/
public function updateAnuncio($opcao, $acao, $id) {
$this->debug = debug_backtrace();
$this->query = sprintf("UPDATE pbx_anuncios
SET opcao='%s', acao='%s'
WHERE id=%d", strtolower($opcao), $acao, $id);
$this->log->debug("Query: {$this->query}", $this->debug);
return $this->execute();
}
######################### URAS #########################
/*
* Inserir Ura
*/
public function addUra($nome, $som_ura, $tempo_espera = 5, $timeout_digito = 3, $permite_ligacao = 'N', $opcao = null, $acao = null) {
$this->debug = debug_backtrace();
$this->query = sprintf("INSERT INTO pbx_ura (nome, permite_ligacao, tempo_espera, som_ura, opcao, acao, timeout_digito)
VALUES('%s', '%s', %d, '%s', '%s', %d, '%s')", $nome, $permite_ligacao, $tempo_espera, $som_ura, strtolower($opcao), $acao, $timeout_digito);
$this->log->debug("Query: {$this->query}", $this->debug);
return $this->execute();
}
/* Consulta no banco o nome do Ura e retorna o ID;
*
* @param string $name
* @return string
*/
public function getUraIdByName($name = null) {
$this->debug = debug_backtrace();
$this->query = "SELECT id FROM pbx_ura WHERE nome = '$name'";
$result = $this->execute('row')[0];
return $result;
}
/* Consulta no banco o ID do Ura e retorna o nome;
*
* @param string $name
* @return string
*/
public function getUraNameById($id = null) {
$this->debug = debug_backtrace();
$this->query = "SELECT nome FROM pbx_ura WHERE id = '$id'";
$result = $this->execute('row')[0];
return $result;
}
/* Atualiza no banco acao e opcao do Ura;
*
* @param $opcao $acao Iid
* @return string
*/
public function updateUra($id, $opcao, $acao) {
$this->debug = debug_backtrace();
$this->query = sprintf("UPDATE pbx_ura
SET opcao='%s', acao='%s'
WHERE id=%d", strtolower($opcao), $acao, $id);
$this->log->debug("Query: {$this->query}", $this->debug);
return $this->execute();
}
######################### URAS DESTINO #########################
/*
* Inserir Ura Destino
*/
public function addUraDestino($id_ura, $numero, $tipo, $comando = null, $sequencia, $nome_comando) {
$this->debug = debug_backtrace();
$this->query = sprintf("INSERT INTO pbx_ura_destino
(id_ura, numero, tipo, comando, sequencia, nome_comando)
VALUES(%d, '%s', '%s', '%s', %d, '%s')", $id_ura, $numero, $tipo, $comando, $sequencia, $nome_comando);
$this->log->debug("Query: {$this->query}", $this->debug);
return $this->execute(s);
}
/* Consulta no banco o nome do Ura e retorna os destinos;
*
* @param string $name
* @return string
*/
public function getUraDestinosIdByUraName($name = null) {
$this->debug = debug_backtrace();
$this->query = "SELECT pud.* FROM pbx_ura_destino pud inner join pbx_ura pu on pu.id = pud.id_ura WHERE pu.nome ='$name'";
$result = $this->execute('all');
return $result;
}
/* Atualiza no banco acao e opcao do Ura;
*
* @param $opcao $acao Iid
* @return string
*/
public function updateUraDestino($opcao, $acao, $id) {
$this->debug = debug_backtrace();
$this->query = sprintf("UPDATE pbx_ura
SET opcao='%s', acao='%s'
WHERE id=%d", strtolower($opcao), $acao, $id);
$this->log->debug("Query: {$this->query}", $this->debug);
return $this->execute();
}
######################### HORARIOS #########################
/*
* Inserir Horario
*/
public function addHorario($nome, $opcao = null, $acao = null, $status = 1) {
$this->debug = debug_backtrace();
$this->query = sprintf("INSERT INTO pbx_horarios
(nome, opcao_nao, acao_nao, status)
VALUES('%s', '%s', %d, %d)", $nome, strtolower($opcao), $acao, $status);
$this->log->debug("Query: {$this->query}", $this->debug);
return $this->execute();
}
/* Consulta no banco o nome do Horario e retorna o ID;
*
* @param string $name
* @return string
*/
public function getHorarioIdByName($name = null) {
$this->debug = debug_backtrace();
$this->query = "SELECT id FROM pbx_horarios WHERE nome = '$name'";
$result = $this->execute('row')[0];
return $result;
}
/* Consulta no banco o ID do Horario e retorna o nome;
*
* @param string $name
* @return string
*/
public function getHorarioNameById($id = null) {
$this->debug = debug_backtrace();
$this->query = "SELECT nome FROM pbx_horarios WHERE nome = '$id'";
$result = $this->execute('row')[0];
return $result;
}
/* Atualiza no banco opcao e acao do Horario;
*
* @param $opcao $acao Iid
* @return string
*/
public function updateHorario($id, $opcao, $acao) {
$this->debug = debug_backtrace();
$this->query = sprintf("UPDATE pbx_horarios
SET opcao_nao='%s', acao_nao='%s'
WHERE id=%d", strtolower($opcao), $acao, $id);
$this->log->debug("Query: {$this->query}", $this->debug);
return $this->execute();
}
######################### HORARIOS ITENS #########################
/*
* Inserir Horario
*/
public function addHorarioItens($id_horario, $horario_ini = '08:00', $horario_fim = '17:59', $dias_semana = 0, $semana = 'mon', $semana_fim = 'fri', $opcao = null, $acao = null) {
$this->debug = debug_backtrace();
$this->query = sprintf("INSERT INTO pbx_horarios_itens
(id_horario, horario_inicio, horario_fim, todos_dias_semana, semana, semana_fim, opcao, acao)
VALUES(%d, '%s', '%s', %d, '%s', '%s', '%s', '%s')", $id_horario, $horario_ini, $horario_fim, $dias_semana, $semana, $semana_fim, $opcao, $acao);
$this->log->debug("Query: {$this->query}", $this->debug);
return $this->execute();
}
/* Consulta no banco o nome do Horario retornar Horario Itens;
*
* @param string $name
* @return string
*/
public function getHorarioItensByHorarioName($name = null) {
$this->debug = debug_backtrace();
$this->query = "SELECT phi.* FROM pbx_horarios_itens phi INNER JOIN pbx_horarios ph ON ph.id = phi.id_horario WHERE ph.nome = '$name'";
$result = $this->execute('all');
return $result;
}
/* Atualiza no banco a opcao e acao do Horario Item;
*
* @param $opcao $acao Iid
* @return string
*/
public function updateItemHorario($opcao, $acao, $id) {
$this->debug = debug_backtrace();
$this->query = sprintf("UPDATE pbx_horarios_itens
SET opcao='%s', acao='%s'
WHERE id=%d", strtolower($opcao), $acao, $id);
$this->log->debug("Query: {$this->query}", $this->debug);
return $this->execute();
}
######################### FILAS #########################
/* Consulta no banco o nome da Fila e retorna o numero;
*
* @param string $name
* @return string
*/
public function getFilaNumeroByName($name = null) {
$this->debug = debug_backtrace();
$this->query = "SELECT numero FROM pbx_queues_grupos WHERE nome = '$name'";
$result = $this->execute('row')[0];
return $result;
}
/* Consulta no banco o numero da Fila e retorna o Nome;
*
* @param string $name
* @return string
*/
public function getFilaNameByNumero($numero = null) {
$this->debug = debug_backtrace();
$this->query = "SELECT nome FROM pbx_queues_grupos WHERE numero = '$numero'";
$result = $this->execute('row')[0];
return $result;
}
######################### HELPERS INSTALL ########################
public function getIdDirecionamento($tipo, $nome){
switch ($tipo) {
case CONF_URA:
return $this->getUraIdByName($nome) . "-" . $nome;
break;
case CONF_ANUNCIOS:
return $this->getAnuncioIdByName($nome);
break;
case CONF_HORARIO:
return $this->getHorarioIdByName($nome);
break;
case CONF_INTEGRACAO:
return $this->getIntegracaoMetodoByNameIntegracao($nome);
break;
case CONF_FILAS:
return $this->getFilaNumeroByName($nome);
break;
default:
break;
}
}
public function getNomeDirecionamento($tipo, $id){
$id = intval($id);
switch ($tipo) {
case CONF_URA:
return $this->getUraNameById($id);
break;
case CONF_ANUNCIOS:
return $this->getAnuncioNameById($id);
break;
case CONF_HORARIO:
return $this->getHorarioNameById($id);
break;
case CONF_INTEGRACAO:
return null;
break;
case CONF_FILAS:
return $this->getFilaNameByNumero($id);
break;
default:
break;
}
}
public function redirectUraDestino($ura, $status, $nomenclatura){
$ura_destinos = $this->getUraDestinosIdByUraName($ura.$nomenclatura);
foreach($ura_destinos as $destino){
if($destino['numero'] == strtoupper($status)){
return array(
"TIPO" => str_replace("s","",trim($destino['tipo'])),
"NOME" => $this->getNomeDirecionamento(trim($destino['tipo']), $destino['comando'])
);
}
}
return array("TIPO" => "ANUNCIO", "NOME" => CONF_AUDIO_ERROR.$nomenclatura);//DEFAULT
}
}

537
Clientes/SOL Telecom/IxcSoft.php

@ -0,0 +1,537 @@
<?php
require_once 'Integracao.php';
include 'config.php';
/**
* Classe para utilizar as API da empresa IXCSoft
*
* @documentation: http://wiki.ixcsoft.com.br/index.php/Recursos_da_API
* @author Lucas Awade
* @function developer
* @company SimplesIP
* @version 1.0.1
*/
class IxcSoft extends Integracao {
private $token;
private $url_api;
private $selfSigned;
private $metodo;
########################################################################
## VARIAVEIS DA CLASSE ##
########################################################################
private $query;
private $curl;
private $post = false;
private $params = array();
private $debug;
private $ssl = false;
########################################################################
## RECURSOS DA API ##
########################################################################
function listarBoleto($codCliente) {
$this->debug = debug_backtrace();
if ($this->getArgs(func_get_args())) {
$this->params = array(
"qtype" => 'fn_areceber.id_cliente',
"query" => $codCliente,
"oper" => '=',
"rp" => "2",
"sortname" => 'fn_areceber.data_vencimento',
"sortorder" => 'asc',
"grid_param" => $this->gridParams(
array(
array(
"TB" => "fn_areceber.liberado",
"OP" => "=",
"P" => "S",
"C" => "AND"),
array(
"TB" => "fn_areceber.status",
"OP" => "!=",
"P" => "C"),
array(
"TB" => "fn_areceber.status",
"OP" => "!=",
"P" => "R")))
);
$this->setMetodo('fn_areceber');
return $this->setParams();
} else {
return false;
}
}
function listarClientes() {
$this->debug = debug_backtrace();
$this->params = array(
"qtype" => "cliente.id",
"query" => "",
"oper" => "!=",
"page" => "1",
"rp" => "20",
"sortname" => "cliente.id",
"sortorder" => "desc",
);
$this->setMetodo('cliente');
return $this->setParams();
}
public function buscarCliente($cpf_cnpj) {
$this->debug = debug_backtrace();
if ($this->getArgs(func_get_args())) {
if (strlen($cpf_cnpj) == 11 || strlen($cpf_cnpj) == 14) {
$this->params = array(
"qtype" => "cliente.cnpj_cpf",
"query" => "{$this->mask_cpf_cnpj($cpf_cnpj)}",
"oper" => "=",
"sortname" => "cliente.id",
"sortorder" => "asc",
);
$this->setMetodo('cliente');
return $this->setParams();
} else {
return false;
}
} else {
return false;
}
}
public function buscarClienteTelefone($tipo, $telefone) {
$this->debug = debug_backtrace();
if ($this->getArgs(func_get_args())) {
if (strlen($telefone) == 10 ||strlen($telefone) == 11 || strlen($telefone) == 14) {
$this->params = array(
"qtype" => "cliente.$tipo",
"query" => "{$this->mask_phone_tel($telefone)['telefone']}",
"oper" => "=",
"sortname" => "cliente.id",
"sortorder" => "asc"
);
$this->setMetodo('cliente');
return $this->setParams();
} else {
return false;
}
} else {
return false;
}
}
/**
* Status de bloqueio:
* CA - Bloqueio automatico
* CM - Bloqueio Manual
* A - Ativo
* AA - Aguardando assinatura
* D - Desativado
* DE - Data Expirou
*
* @param int $id_cliente
* @return boolean
*/
function listarContrato($id_cliente) {
$this->debug = debug_backtrace();
if ($this->getArgs(func_get_args())) {
$this->params = array(
"qtype" => 'cliente_contrato.id_cliente',
"query" => "$id_cliente",
"oper" => '=',
"sortname" => 'cliente_contrato.id',
"sortorder" => 'asc'
);
$this->setMetodo('cliente_contrato');
return $this->setParams();
} else {
return false;
}
}
/*
* Lista Clientes Conexoes
*/
function listarConexoes($id_cliente) {
$this->debug = debug_backtrace();
if ($this->getArgs(func_get_args())) {
$this->params = array(
"qtype" => 'radusuarios.id_cliente',
"query" => "$id_cliente",
"oper" => '=',
"sortorder" => 'asc'
);
$this->setMetodo('radusuarios');
return $this->setParams();
} else {
return false;
}
}
/*
* Lista Ordens de Serviço
*/
function listarOrdensServico($id_cliente) {
$this->debug = debug_backtrace();
if ($this->getArgs(func_get_args())) {
$this->params = array(
"qtype" => 'su_oss_chamado.id_cliente',
"query" => "$id_cliente",
"oper" => '=',
"sortorder" => 'asc'
);
$this->setMetodo('su_oss_chamado');
return $this->setParams();
} else {
return false;
}
}
/*
* Lista Clientes ONLINE
*/
function formaPagamento($id_cliente) {
$this->debug = debug_backtrace();
if ($this->getArgs(func_get_args())) {
$this->params = array(
"qtype" => 'cliente_contrato_tipo.id',
"query" => "$id_cliente",
"oper" => '=',
"sortorder" => 'asc'
);
$this->setMetodo('cliente_contrato_tipo');
return $this->setParams();
} else {
return false;
}
}
/*
* Alterar Status do Acesso
Liberar : cliente_contrato_15464
Aguardando Assinatura: cliente_contrato_23529
Avisar atraso: cliente_contrato_15463
Bloquear: cliente_contrato_15300
Retirar redução: cliente_contrato_29157
* */
function retirarReducao($contrato) {
$this->debug = debug_backtrace();
if ($this->getArgs(func_get_args())) {
$this->params = array(
"id_contrato" => $contrato
);
$this->setMetodo('cliente_contrato_29157');
return $this->setParams();
} else {
return false;
}
}
function desbloqueiaCliente($contrato) {
$this->debug = debug_backtrace();
if ($this->getArgs(func_get_args())) {
$this->params = array(
"id" => $contrato
);
$this->setMetodo('desbloqueio_confianca');
return $this->setParams();
} else {
return false;
}
}
/*
* @param codigo_cliente string
*/
function consultaFaturasVencidas($codigo_cliente) {
$this->debug = debug_backtrace();
if ($this->getArgs(func_get_args())) {
$faturas = $this->listarBoleto($codigo_cliente)['registros'];
$faturasVencidas = [];
foreach ($faturas as $invoice) {
if (strtotime($invoice['data_vencimento'] . ' 23:59:59') < time() && $invoice['valor_aberto'] > 0) {
$faturasVencidas[] = $invoice;
}
}
return $faturasVencidas;
} else {
return false;
}
}
function enviaBoleto($type, $codigo_cliente) {
$this->debug = debug_backtrace();
if ($this->getArgs(func_get_args())) {
$response = false;
$faturas = $this->listarBoleto($codigo_cliente)['registros'];
$this->setMetodo('get_boleto');
foreach ($faturas as $invoice) {
if (strtotime($invoice['data_vencimento'] . ' 23:59:59') < strtotime("+".CONF_FATURA_DIAS_APOS." month", time()) && $invoice['valor_aberto'] > 0) {
$this->params = array(
"boletos" => $invoice['id'],
"juro" => "N",
"multa" => "N",
"atualiza_boleto" => "N",
"tipo_boleto" => $type
);
if($type == 'sms'){
$request = $this->setParamsReturnAll();
}else{
$request = $this->setParams();
}
if($request['registros'][0]['sucesso'] == 1 || strpos($request, 'sucesso')){
$response = true;
}
}
}
return $response;
} else {
return false;
}
}
function abrirAtendimento($id_cliente, $titulo, $prioridade, $id_setor, $mensagem, $id_assunto, $id_tecnico = null) {
$this->debug = debug_backtrace();
if ($this->getArgs(func_get_args())) {
$protocolo = $this->gerarProtocolo();
$this->params = array(
"protocolo" => $protocolo,
"id_cliente" => $id_cliente,
"titulo" => $titulo,
"prioridade" => $prioridade,
"id_ticket_setor" => $id_setor,
"id_ticket_origem" => 'I',
"interacao_pendente" => 'N',
"origem_endereco" => 'M',
"menssagem" => $mensagem,
"su_status" => 'N',
"status" => 'N',
"id_assunto" => $id_assunto,
"id_responsavel_tecnico" => $id_tecnico
);
$this->setMetodo('su_ticket');
$this->getPost();
return $this->setParams();
} else {
return false;
}
}
function gerarProtocolo() {
$this->debug = debug_backtrace();
$this->setMetodo('gerar_protocolo_atendimento');
return $this->setParams(null, debug_backtrace());
}
function verificaBloqueioInternet($idcliente) {
$pendencias = array();
$contratos = $this->listarContrato($idcliente);
foreach ($contratos['registros'] as $value) {
if ($value['status_internet'] == 'FA') {
array_push($pendencias, 'INADIMPLENTE');
} else if ($value['status_internet'] == 'CA' || $value['status_internet'] == 'CM') {
array_push($pendencias, 'BLOQUEADO');
} else {
array_push($pendencias, 'ATIVO');
}
}
return $pendencias;
}
function cidadeNome($cod) {
$this->debug = debug_backtrace();
$this->params = array(
"qtype" => 'cidade.id',
"query" => "$cod",
"oper" => '=',
"sortname" => 'cidade.id',
"sortorder" => 'desc'
);
$this->setMetodo('cidade');
return $this->setParams();
}
function consultaManutencao($latitude, $longitude) {
$this->debug = debug_backtrace();
$this->params = array(
"latitude" => $latitude,
"longitude" => $longitude,
);
$this->setMetodo('consultar_regiao_manutencao');
return $this->setParams();
}
########################################################################
## FUNCOES DO SISTEMA ##
########################################################################
function __construct($token = CONF_TOKEN_API, $url_api = CONF_URL_API, $log = CONF_LOGGER_ATIVO, $selfSigned = true) {
$this->token = base64_encode($token);
if(end(str_split($url_api)) != '/'){
$url_api .= '/';
}
$this->url_api = $url_api.'webservice/v1/';
if (strpos($url_api, 'https')) {
$this->selfSigned = true;
$this->ssl = true;
} else {
$this->selfSigned = false;
}
$this->setLog($log);
$this->integracaoReg();
$this->log->info("Iniciando integracao com IXCSoft", debug_backtrace());
}
private function setMetodo($metodo) {
$this->metodo = $metodo;
}
/**
* Escreve a query para ser passada para o curl
*
* @param string $query
*/
private function setQuery($query) {
return $this->query .= $query;
}
/**
* retorna a string pronta da query do curl e limpa a variavel.
*
* @return string $query
*/
private function getQuery() {
$query = $this->query;
unset($this->query);
return $query;
}
/**
* Habilita requisicao via POST
*
* @return boolean
*/
private function getPost() {
return $this->post = true;
}
private function strCurl() {
$this->curl = "curl -s -k -H \"Authorization:Basic {$this->token}\" ";
$this->curl .= sprintf("-H \"Content-Type: application/json\" -X POST %s %s ", !$this->post ? "-H \"ixcsoft:listar\"" : '', $this->query ? '-d' : '');
$this->curl .= $this->getQuery();
$this->curl .= "{$this->url_api}{$this->metodo}";
$this->log->debug("Curl: {$this->curl}", debug_backtrace());
}
/**
* Recebe array de forma de indice e valor
*
* @example array("qtype" => 'test_api', "query" => '123', "oper" => '=')
*
* @param type $params
*/
private function setParams() {
$count = 0;
if ($this->params) {
$this->setQuery("'{");
foreach ($this->params as $key => $param) {
$count++;
$this->setQuery("\"{$key}\": \"$param\"");
if ($count == count($this->params)) {
$this->setQuery("}' ");
} else {
$this->setQuery(",");
}
}
}
unset($this->params);
$this->strCurl();
$result = $this->exec();
$ret = json_decode($result, true);
return $ret;
}
private function setParamsReturnAll() {
$count = 0;
if ($this->params) {
$this->setQuery("'{");
foreach ($this->params as $key => $param) {
$count++;
$this->setQuery("\"{$key}\": \"$param\"");
if ($count == count($this->params)) {
$this->setQuery("}' ");
} else {
$this->setQuery(",");
}
}
}
unset($this->params);
$this->strCurl();
$result = $this->exec();
return $result;
}
private function gridParams($params) {
$count = 0;
$count1 = 0;
$json = "[";
foreach ($params as $array) {
$count++;
$json .= "{";
foreach ($array as $key => $grid) {
$count1++;
$json .= "\\\"$key\\\": \\\"$grid\\\"";
$json .= $count1 != count($array) ? "," : '';
}
unset($count1);
$json .= "}";
$json .= $count != count($params) ? "," : '';
}
$json .= "]";
if ($params) {
return $json;
} else {
return null;
}
}
function exec() {
$exec = shell_exec($this->curl);
return $this->response($exec);
}
private function response($data) {
$this->log->debug("Reponse API: " . print_r(json_decode($data, true), true), $this->debug);
if ($data) {
return $data;
} else {
return false;
}
}
}

157
Clientes/SOL Telecom/Logger.php

@ -0,0 +1,157 @@
<?php
/**
* Classe para utilizar
*
* @documentation:
* @author Lucas Awade
* @function developer
* @company SimplesIP
* @version 1.0.0
*/
class Logger {
/*
* GENERATE LOG
*/
private $active;
private $log;
private $type;
private $text;
/*
* CONF. FILE LOG
*/
private $file;
private $path;
private $name;
/*
* CONST. MESSAGE TYPE
*/
const LOG_SUCCESS = "SUCCESS";
const LOG_DEBUG = "DEBUG";
const LOG_INFO = "INFO";
const LOG_WARNING = "WARNING";
const LOG_ERROR = "ERROR";
public function __construct($nameLog, $active = false, $path = "/var/log/asterisk/") {
$this->name = $nameLog;
$this->path = $path;
$this->active = $active;
$this->config($nameLog);
}
########################################################################
## TYPES ##
########################################################################
public function success($log, $debug_trace = null) {
$this->type = self::LOG_SUCCESS;
$this->text = $log;
$this->header($log, $debug_trace ? $debug_trace : debug_backtrace());
$this->write();
}
public function debug($log, $debug_trace = null) {
$this->type = self::LOG_DEBUG;
$this->text = $log;
$this->header($log, $debug_trace ? $debug_trace : $this->name);
$this->write();
}
public function info($log, $debug_trace = null) {
$this->type = self::LOG_INFO;
$this->text = $log;
$this->header($log, $debug_trace ? $debug_trace : $this->name);
$this->write();
}
public function error($log, $debug_trace = null) {
$this->type = self::LOG_ERROR;
$this->text = $log;
$this->header($log, $debug_trace ? $debug_trace : $this->name);
$this->write();
}
public function warning($log, $debug_trace = null) {
$this->type = self::LOG_WARNING;
$this->text = $log;
$this->header($log, $debug_trace ? $debug_trace : $this->name);
$this->write();
}
########################################################################
## IMPORTANT ##
########################################################################
private function write() {
if ($this->active) {
file_put_contents($this->file, $this->log, FILE_APPEND);
}
}
private function header($log, $debug_trace) {
$this->log = "________________________________________________________________________________________\n";
if(is_array($debug_trace)){
$method = $debug_trace[0]['class'] ? "{$debug_trace[0]['class']}::{$debug_trace[0]['function']}" : $debug_trace[0]['function'];
$args = null;
if(count($debug_trace[0]['args']) > 0){
foreach($debug_trace[0]['args'] as $key => $arg){
$x++;
$args .= $arg;
if(count($debug_trace[0]['args']) != $x){
$args .= ",";
}
}
}
$this->log .= sprintf("\n[ %s ][ LINE %s ][ %s ][ ARGS ($args) ][ %s ]\n\n", date('d/m/Y H:i:s'), $debug_trace[0]['line'], $method, $this->type);
} else {
$this->log .= sprintf("\n[ %s ][ %s ][ %s ]\n\n", date('d/m/Y H:i:s'), $debug_trace, $this->type);
}
$this->log .= "> " . $log;
$this->log .= "\n\n ---------------------------------- [ FINISH LOGGER ] ----------------------------------\n\n";
}
public function openLog() {
//$file = fopen($this->file, 'rb');
}
public function locateLog() {
echo "\n\n {$this->file} \n\n";
}
########################################################################
## CONFIGS ##
########################################################################
public function config($name, $exten = ".log", $prefix = null) {
if (file_exists($this->file)) {
$contents = file_get_contents($this->file);
}
$this->file = trim($this->path . $prefix . ($name ? $name : $this->name) . $exten);
file_put_contents($this->file, $contents ? $contents : "", FILE_APPEND);
}
public function getType() {
return $this->type;
}
public function getText(){
return $this->text;
}
public function setLogger($active) {
if ($this->active === true) {
$this->active = $active;
} else if ($active === false) {
$this->active = $active;
} else {
$this->active = true;
}
}
}

258
Clientes/SOL Telecom/SimpleMail.php

@ -0,0 +1,258 @@
<?php
/**
* Classe para implementacao envio de Emails em Massa ou único!
*
* @author Lucas Awade
* @Desenvolvedor
* @version 1.1.0
*/
require("phpmailer/class.phpmailer.php");
class SimpleMail {
########################################################################
## CONFIGURACOES CLASSE ##
########################################################################
private $log;
private $limit;
private $sended = 0;
private $mailer;
########################################################################
## CONFIGURACOES MAIL ##
########################################################################
private $host;
private $port;
private $smtpAuth;
private $smtpSecure;
private $charset;
private $mail;
private $passwd;
private $title;
private $subject;
########################################################################
## CONFIGURACOES DEFAULT ##
########################################################################
public function __construct($mail, $passwd, $subject, $logger = false) {
$this->log = new Logger('simplesmailer', $logger, "/var/log/");
if ($mail && $passwd && $subject) {
$this->mail = $mail;
$this->passwd = $passwd;
$this->subject = $subject;
$this->phpMailer();
} else {
$this->log->error('Nao foi possivel instanciar a Classe SimplesMail,informacoes incompletas!', debug_backtrace());
}
}
/**
* Metodo de configuração do Host de Envio;
* @param string $host
* @param string|int $port
* @param string $title
* @param boolean $smtpAuth
* @param string $smtpSecure
* @param string $charset
*/
public function config($host, $port, $title, $smtpAuth = true, $smtpSecure = 'TLS', $charset = 'UTF8') {
$this->host = $host;
$this->port = $port;
$this->title = $title;
$this->smtpAuth = $smtpAuth;
$this->smtpSecure = $smtpSecure;
$this->charset = $charset;
$this->phpMailer();
}
/**
* Informa um limite de email em massa a ser enviado.
*
* @param int $limit
*/
public function limitSend($limit) {
$this->log->debug('Limite de Email: ' . $limit, debug_backtrace());
$this->limit = $limit;
}
/**
* Mensagem escrito em HTML para envio de um email elaborado.
*
* Os dados em $data devem ser em formato array como o exemplo:
* array("MSG_HEADER" => 'Seja Bem vindo', "MSG_FOOTER" => 'Volte Sempre');
*
* @param string $path
* @param array $data
*/
public function pathBodyMail($path, $data) {
$this->log->info('Path HTML Body: ' . $path, debug_backtrace());
$contents = file_get_contents($path);
foreach ($data as $key => $value) {
$contents = str_replace($key, $value, $contents);
}
$this->mailer->Body = $contents;
}
/**
* Mensagem simples para o envio rapido de um email.
*
* @param string $message
*/
public function bodyMessage($message) {
$this->mailer->Body = $message;
}
/**
* Adiciona no email anexos para serem enviados
* @param array|string $files
*/
public function setAddAttachment($files) {
if ($files) {
if (is_array($files)) {
foreach ($files as $name => $file) {
$this->mailer->AddAttachment($file, (is_numeric($name) ? '' : $name));
}
} else {
$this->mailer->AddAttachment($files);
}
}
}
/**
* Adiciona no email imagens para visualizadas.
*
* #=> Caso o paramtro for um array seu corpo deve ser enviado da seguinte forma:
* $cid = array('minha_img_jpg' => 'img/path/mail/header.jpg');
*
* #=> Caso for uma string deve se passar o cid caso contrario gera um cid randomico;
*
* @param array|string $images
*/
public function setAddEmbeddedImage($images, $cid = null) {
if ($images) {
if (is_array($images)) {
foreach ($images as $name => $image) {
$this->mailer->AddEmbeddedImage($image, $name);
}
} else {
$cid = $cid ? $cid : rand(100, 999999);
$this->mailer->AddEmbeddedImage($image, $cid);
}
}
}
/**
* Esta funcao envia os email em massa ou unicos.
*
* Email em massa é necessario passar um array com os emails seu indice que representa o email.
*
* Email unico so é preciso passar o email na variavel $data;
*
* @param array|string $data
* @param string $indice
* @return array|boolean
*/
public function mailing($data, $indice = '') {
if (is_array($data)) {
$invalid = array();
foreach ($data as $mail) {
if ($this->sended <= $this->limit) {
$mail = $indice ? $mail[$indice] : $mail;
$this->setSended();
if (!$this->send($mail)) {
$invalid[] = $mail;
}
}
}
return $invalid;
} else {
if ($this->send($data)) {
$this->setSended();
return true;
} else {
return false;
}
}
}
public function getErrorSend(){
return $this->mailer->ErrorInfo;
}
########################################################################
## ENVIO MAIL ##
########################################################################
/**
* Gerencia a quantidade de email que esta sendo enviado.
*/
private function setSended() {
$this->sended++;
}
/**
* Gerencia o envio do email para estar sempre no limite de envio.
*
* @return boolean
*/
public function getSended() {
$this->log->debug("Sended: " . $this->sended, debug_backtrace());
if ($this->sended < $this->limit) {
return true;
} else {
return false;
}
}
/**
* Metodo responsavel para realizar o envio do email.
*
* @param string $mailFrom
* @return boolean
*/
private function send($mailFrom) {
if (!$this->mailer) {
$this->log->error("Objeto nao criado!", debug_backtrace());
return false;
}
try {
$this->mailer->setFrom($this->mail, $this->title);
$this->mailer->addAddress($mailFrom, $this->title);
$this->mailer->send();
$this->mailer->clearAllRecipients();
$this->log->success("Mail: {$mailFrom} | Send Queue: {$this->sended}", debug_backtrace());
return true;
} catch (Exception $ex) {
if ($this->mailer->ErrorInfo) {
$this->log->error("ErrorInfo Mail: " . $this->mailer->ErrorInfo . " | Exception Mail: {$mailFrom} >> " . $ex->getMessage(), debug_backtrace());
}
}
}
/**
* Cria as configurações e parametros para ser implementado e enviado os emails.
*
* @void null
*/
private function phpMailer() {
$this->log->debug("Instanciando objeto PHPMailer", debug_backtrace());
$this->mailer = new PHPMailer(true);
$this->mailer->isSMTP();
$this->mailer->Host = $this->host;
$this->mailer->SMTPAuth = $this->smtpAuth;
$this->mailer->isHTML(true);
if ($this->smtpAuth) {
$this->mailer->SMTPSecure = $this->smtpSecure;
$this->mailer->Username = $this->mail;
$this->mailer->Password = $this->passwd;
}
$this->mailer->CharSet = $this->charset;
$this->mailer->Port = $this->port;
$this->mailer->Subject = $this->subject;
}
}

20
Clientes/SOL Telecom/abreAtendimento.php

@ -0,0 +1,20 @@
<?php
include 'IxcSoft.php';
$ixc = new IxcSoft();
$clienteId = $ixc->agi()->get_variable('CODCLIENTE', true);
$nomenclatura = $ixc->agi()->get_variable('NOMENCLATURA', true);
$manuntencao = $ixc->consultaManutencao($latitude, $longitude);
$atendimento = $ixc->abrirAtendimento($clienteId, 'ATD Ligacao', 'M', '5', ' ', '98');
if ($atendimento['type'] == 'success' ) {
$redirecionamento_dados = $ixc->db()->redirectUraDestino("REDIR_ABRE_ATENDIMENTO", "SUCESSO", $nomenclatura); //SUCESSO
}else {
$redirecionamento_dados = $ixc->db()->redirectUraDestino("REDIR_ABRE_ATENDIMENTO", "FALHA", $nomenclatura); //OK
}
$ixc->executarFluxo($redirecionamento_dados["TIPO"], $redirecionamento_dados["NOME"]);
?>

78
Clientes/SOL Telecom/apiRouterBoxTeste.php

@ -0,0 +1,78 @@
<?php //004fb
if(!extension_loaded('ionCube Loader')){$__oc=strtolower(substr(php_uname(),0,3));$__ln='ioncube_loader_'.$__oc.'_'.substr(phpversion(),0,3).(($__oc=='win')?'.dll':'.so');if(function_exists('dl')){@dl($__ln);}if(function_exists('_il_exec')){return _il_exec();}$__ln='/ioncube/'.$__ln;$__oid=$__id=realpath(ini_get('extension_dir'));$__here=dirname(__FILE__);if(strlen($__id)>1&&$__id[1]==':'){$__id=str_replace('\\','/',substr($__id,2));$__here=str_replace('\\','/',substr($__here,2));}$__rd=str_repeat('/..',substr_count($__id,'/')).$__here.'/';$__i=strlen($__rd);while($__i--){if($__rd[$__i]=='/'){$__lp=substr($__rd,0,$__i).$__ln;if(file_exists($__oid.$__lp)){$__ln=$__lp;break;}}}if(function_exists('dl')){@dl($__ln);}}else{die('The file '.__FILE__." is corrupted.\n");}if(function_exists('_il_exec')){return _il_exec();}echo("Site error: the ".(php_sapi_name()=='cli'?'ionCube':'<a href="http://www.ioncube.com">ionCube</a>')." PHP Loader needs to be installed. This is a widely used PHP extension for running ionCube protected PHP code, website security and malware blocking.\n\nPlease visit ".(php_sapi_name()=='cli'?'get-loader.ioncube.com':'<a href="http://get-loader.ioncube.com">get-loader.ioncube.com</a>')." for install assistance.\n\n");exit(199);
?>
HR+cPtWaeDoJe1WJQkqr/pILITeVwi357nYWm92uOq5DUjUMt+DwBvL3YlzD6FmGjUKEldqg4PjL
DG9lAgX0rsm4fOi7tNsg5/7QBUi20OL5qAV6hUzImoNRZsCWGHeoI3MflN9VnCUzpwnYvQXHjOBx
ZKsKsULb911yJZB2omAN+4naob/UXWQh/zY5ogky7hPQbd14MFHJUSNCLq0KR3q6nodbEU9Iem3s
rDy+jhgFNUMklF5CBMs4BSbZWgolUo3eeyzwRigfTikSj8xSLthR04paUO9iYe7njSlosvQLi3K4
rIra//aYL497nAyruyWMiPEuLk/sHLUUG7xDWqx0uuCbgJLCqVrJz61kpnnDs/upYDhxBe4UCKYa
wn6auWYA26Kl1uotYjfiRRL6duEB0la+TI5uSYCvMFhmu6z3iBHYejxCCFJxNYpBnkMW3QEjVUhP
fQ+g5GRacNV5jg//MHANAIabG2kHlxN+JZKKGTbtJp0UBr7V/dUYed79iyVVANZ9+jI+5LGIwVva
GZiUdsCHJ+X6IWHZvyCWihzI1WA9Ju5Ue0WwcCkG6ukyrEuI+Y7xdmXAbn7Hn3O4hyOQpnO7uNIj
MDgTZW2jOom4r/l3mfm1/kM2PDanB/zt0bme6xMwAoCkGCJQeizT92mZ3GX+RrdL8JhNbCHBQdpy
+L9jkIiDnAgMftRqPyzEOm2kCiGdTeFTQ1fJPOP4+RgSuCmhrAd+vHU8qF1KsJUsZI3jYeXIM0PC
Qb5i236OkNy3jay2d/f9gb8XHV9z5+ptXeBjJDDIK8i5hTkskExE+0DKER3R0mlbOJAVYZac0Z9p
CW+H2ogpWwq08Kh+srof+VYAsRE8Zy7STIhe+azybSge4+OIDxaGhi9ce6ZWjtxSXQ0q1k3J0zMu
cGwXaCPsXeuUoRY+CsC632o+Ji8vdjtLui0UFI1OVMF/pNUJK7zXTmjLaNsMrFLr4ruKDH7XE+ll
dAbBp7Wkwn4mpEcl9W8MOF/IG5mIOoq0fV5KurkW39BMWxy2peFH0iiGk7olf5m5xFyb4vyJCgCa
BhWpci33h91f3bD07pQJQ89OckaDJ2PuP+hasCU4ROfyfyEcQktkQIIVttlZGwn6q7xXlwx5RRp/
cu6FNfPQJ5WlruJhYdRbJCfo2oNR2n1BGtDTCqr0CXmcD+WvRUFUqpNVef8KhOZZoea0sf9oJc48
et+/YUdL5KhHilT8SjilTKEnKzUtTlHob41IO95b4U53PcXdHZXoK8ZVxjkveRu1mFhz1Qhn6K5g
1N9yv9aTFXyuDAcNQuEGd6rtQvntvqG8vaZg91p/hWlgvNrLoi9h4Da589TI//05Ofx7st9faSIg
viP1G/GwZHmxUEwNifPT9wbI6X4uxuLEFYTLwRBxgrjajylt1wF+d4waDbdEjhg6orrhtTWDWhD/
nJT5ixShvUF22sVF7rznk3QI4JAJx2TLyPpdAMX3RHtBMimA97vJY8UZh2Wd9MybHQS2stqI6uRX
Zv6ob+kxOjUeTZRYKYQl9B8nu+fWeBBWZwauWJKMO8xz9R8fwetdUvtd/CXaopXtd9MqI+H7vXtV
AJuNahiXndho2/dWrQDHapu6zRjboPJys7tlrn6m6VrWLZyVVSzfge1z1cpXt8Kvbz5ihVkn6lH/
Ic+CAKdc5ORb/F9VePsZMJCFXEXWrgzVY/lNxG84zZc4qtjATm0jQyUJs0+nNzaE/0p3GESrU5ok
519XjZNdxlb5cKpjp04bBeQbQLJe/YD9xvbgv+TQL+lODH+8RDIJfstzEPwVcPKO1htnbnbEXRjj
q5qPfBlkW1pUMb1OcSVmQe6eZ/5pFvYLS+AX6lx4ncamYNKPrmQbDgfnYXv8Q2E6CffjPtrt+FgH
A2Wx46tR2xfKSMwt2vktXvy6H9Xs4G+hVLjtAaOWRF+2nqoPMtuRxYLHweHQ5ld7XmmQKlWPB0c4
G11j4ON46q+RTmsN35hRdauB7ZqqCstgmK9CqBUJkr6BGOVrY64K3h7VArcKa+3iOxwtktUdClyv
C1paj1Xj2ma/RcZua84uWw1qK91bEUSn7TGbAMOpeKDEJZsbdYZWVYLVrg+O6saHVK40TDq0pt/C
XXikY42usOixCHNHeDfAq+5VN2ViDNg3mcbU3H4hX4FsBegIoUkos1MSQ8zAt6CjSYh2JeCMKc3+
5korhdwGOB2N6DNXwEoa9qTAbtPZ2wFIzn0uN0HFi39Yh87HUHRb5yHwlcbwO/LiNbCCGo7pWVTl
8N60gVKRMp1rMU/3QUDeNshzfqIKVNcsRZtHGgTd3pA5u7i+WBFQRHMmM/hIObibaUgyi6WbE47p
6DNkhZ3MJ09M2FjSyQJTNXipR/UdTjIzzkK//p9I5KA+FQY0N+6KFqt2Xo3c76f6bT9+vIzfHUrT
u0cqWIxmzwY7B4IHn02Dx44iR+Y0GMKjjJJHtH5fvuUsI7lrZKP8shT6QABORfI7XWqudRQC5eco
8gbmax3Yen+fm44CU3VIvTSFQtNPrZLriiIEeeBuTiQFEFmBh1KSdItreIl0UJKgMlwHZGuz7nHz
tm/8gr2p8bppeQsTYN2ckEGJ0zNXDwhdNmg2QWFYKJClsHOaa9qwK8ymc9CcvU+7NDudtMEUNO9x
UcIYYSe2ckzLBGKXPM0s3jImiGwaLEjTYQQXSr8WOu5E2+EqmhDibvAcxawn60XdOiMvcWaYCNxN
ZQav9OYZutvEeVJb0SlLZwokATVTR8kQxzMv7YHBfiZAdSXhnUcxVgEly9ZePcOOzcSRuEQjrhs9
0Cr8LcdUPjTCQLJTu1lRvZdjiypysD7k3hJhWJiP2phqGvP1xi+tkw0iar8sh4Lipfqqf3te0AXM
h+TrJGSnXce+V/TeLLynrAptkoms2Oo/Ug+stsx70zDiumc5a7wg8+jZ3gHseRguucwfeqKYXUwP
5wdpa6zKJGcf26N+euhWeU0DVeD811o6O/H26VRa/qmY/8B12FMRtJlzy0EUU1KdUi9QTO2ryfRS
BtrR+itVoe0bPDxsmhWzB8fg6tERgefuq+dLM12fM0g/h7/LrcGzFK2DcBf3jVPyRXzpP1uOfHpA
8du3i8El5FeslvoQzGbCTA+R3W0Amy7u+YFfc0lSOxRPZEQLJOBW5JQ9dh9/ownhoILmSAQGgfS/
//k9wraj5QnDFHJeRoMD91kRWMONo+i3cRaacwzJGPjwr5lFPc+EQ8ZkzooRmucTA57Y1TgDieC8
iOMQQ6YulnPfkJ0L4Qc/yIXwUc+mKb4cX40epuVzHzTcnB0P4SjRevV4nYTcO1lhdTOmHXEVsIA3
LMC+WDiZgk8583K5Tp0JXT7tzZJ6PSQnvADeqqYkLdHqjx8vlhNejAdi/33HwA+SxDBJ9SUPTRXC
s6F4Er3MO258isJl+QZ3rrA+CHJW5hD8VR5yvsgeSZibVlKdGpMtZTZ8fmwysylOlpE0NYuWKyKL
f1s9RuWXr5/bv+cR/nY+hm8VefVKxxmfxuMwpRRCQ3isgQfc5Fg8WhqT9f1O4YcwMQFGUe8OYm1b
EGz/CnmYPOBVLO4AESopm6HzcRKnJfFMkyuIFQZvDbAAzbTeU+jZLu3QOXlSDd+NbFdHpIj5Cc4S
CBiZOfgU613iYuqQzjSS3OlTYDuSIxZSAKl/QLGNrINNuEJPTykcLmKtZWPhCi8jbx6yaWxBSj61
xFXb7qGM1xUDsUJx/mxpvD+qOuWNAri69DEO0tiEvKfbnP8kUVMxHtHJ1nEk70ZzXSwCKXRhUOJq
0eQG7n1UElkFry1HmBxDxVNF5zx+akE3WNWO+PIApDIU9K+V88/qWBfx2Kv44//wxEI/4reTfPq+
fbSN0H5FL33zdmwKrnvlqNfQApwno/2R//D7XvI6ts7WzUfAt8NY6VX64FvR6OsTLRX/mucT9TPy
re3A5AVjEYQ+Lm/lQw40DyWlaSoBeoa8Ev0j+h8DzrMfqTJeYlSNafz84kbSs55ungEwPVtk/50q
gOEXDHtKjLQS6ij9dgu84VyJpvf9Koltmc9NP2trSJztY9KGAGOEc9Un16vVjhPgpcXVTO+gYIXc
gq59LGDXm0xkNB+C5k2W+37ZaiDJVCz9aabCyTrggKMfP9+E2UwjZHWwek3FHELZ+zeKF/ouvL56
cTp/wxQS8xKIKQpoZd6gDfKkV7ZuCqKuqG/Ys9480cgxAHEwB/v9XyfImwgjX4EBM66ilujFb0vv
ZojnT/LqtN459wHvbctd0PpobftWk3MeYZiAHMiZCEChoCQCxw7WcFRGmZtkYt0UsM5l+k1fAFba
WIGHe6FKe9BxJqgcmIm88d+xbD43aenhjEGaBMwKNojArwrwPqva7+iSs1NDpmaY4uYtHksN8CtJ
ZkISmGOlgE5kEThFCJvPhJWhgRNhHOm+mBUUyQ6uRj1IkgRGNGSbJr6urvb8Q7v1kAtQmpWwD0cJ
zrTrNHU8BNL2QtwRSXeCAuvIuuk+IyS7Ql8sa6bHfcOsP9fSUACor+/Z1EQoeAb0FPYQQt6RNQiR
XHziKK0X8fNMbOJZwkCDBq/S4OEqVORs63+Xm1zOtygZk+WO4kxsw76cmE/080wNGwTxJMylIoqW
TF1GrjEJctTO87dNh5xxYLOhChd7WRfrHvEPtCLnERaadvBfE5TXM3B27V/4x0e0zHpHLHC2kzwS
jttyySWgn79tp6XROlV5ISHD8W7vXdGfWgEtOaC4C/KCqICkANkHsrakOc+dzCe4UC7Dei4GYxAC
mDIwYSblOcoh/R/m7H/q1GL0G6fNNYTksPJ83AzvoZDvwQcH1S62AcvNy0AH2aFBeHqjDZiWkLlQ
OuRC9rZ1h2aoJhO4c3Cvq5T6FHx9jJ+zk8zgMwFVatnNbvzJnhXBznCD+OnBylhRQoMzqHtg3xio
jsI5pua8Uz7NLP1ExAbyXB4gE0qXyMhORJZGHU7aCoZo795upEi0ffEiL8MDusGQb9G/eeqU1/BP
+70RikTWYRgFXwHLbMZKl+r8k/cMGi1PLkxmG/BVimSN/7VAkKD3UvsLwaYxuCQeEjj4waAudjbf
FfprvoD6yGFXSYL9lALrnhoRx777R3vQsCIM5TKz9tuSE+P9EzMwbCkHZWmF8o8NDicrIvmD/Fbd
67pJK4dNDKbzXdXb+I197CHyZuVRHKb0W29aiqO83qku/6IdDHSxvSsLfCZStfVF+DPUGLnPpYrk
oeXYN0m5lkqEKEXHMY2QPdQBBi+waFqKbHnJjKXOkXV3thD9/X06kjuzU6ZcFM6WZccGSz89XJdU
2nbqAtUDulpL3qP0g3/v4rlSKNYJSVdAsZK7IErEepGh3PW61S4uHOk/IKQGXIycaCDAHSsiXwMy
lBOkyotXK6JhnQmhX4iJXYGPMp+q5QHG3fa5wvyVjd4w453B9lV3uaI0jlXe+fnaQiPddcBCBjCi
HFGl4fQ8Y9QLkW4JbIn+TMUY0WjKPpIV1ubL3NAzlJ8U3AdX8bqATsPx21jIGABvmrBH9zdDCdRw
0Jzw2193X5Lz1Tcq3q4t3BtC/cMSrrN3RXUR9yhyANEuO5gVL8csyRuZYd6uD38Zn3xZPFY+gVfZ
adzaBink5qifRXe088uAP2PS1iBXJFBF8SLJPgEMm3h7XRaC9gAONc/rOt3ii7paJ3W=

355
Clientes/SOL Telecom/conf.php

@ -0,0 +1,355 @@
<?php
$provedores = [
##########################
/** @IXCSoftware */
##########################
'IXC' => [
'CREDENCIAIS' =>
[
'TOKEN' => '',
'URL' => ''
],
'INTEGRACAO_TELA' => [
'STATUS' => '1',
'PARAMETROS' => ["DOCUMENTO", "NOME", "PLANO", "ENDERECO", "STATUS", "EMAIL"]
],
'METODOS' => ['CONSULTA_CLIENTE', 'CONSULTA_PENDENCIA', 'ENVIA_FATURA', 'DESBLOQUEIA_CLIENTE', 'PARADA_TECNICA', 'ABRE_ATENDIMENTO']
],
##########################
/** @ISPIntegrator */
##########################
'ISP' => [
'CREDENCIAIS' =>
[
'USER' => '',
'PASSWORD' => '',
'URL' => ''
],
'INTEGRACAO_TELA' => [
'STATUS' => '1',
'PARAMETROS' => ["DOCUMENTO", "NOME", "PLANO", "ENDERECO", "STATUS", "EMAIL"]
],
'METODOS' => ['CONSULTA_CLIENTE', 'CONSULTA_PENDENCIA', 'ENVIA_FATURA', 'DESBLOQUEIA_CLIENTE', 'PARADA_TECNICA', 'ABRE_ATENDIMENTO']
],
##########################
/** @HUBSoft */
##########################
'HUBSOFT' => [
'CREDENCIAIS' =>
[
'CLIENT_ID' => '',
'CLIENT_SECRET' => '',
'USERNAME' => '',
'PASSWORD' => '',
'URL' => ''
],
'INTEGRACAO_TELA' => [
'STATUS' => '1',
'PARAMETROS' => ["DOCUMENTO", "NOME", "PLANO", "ENDERECO", "STATUS", "EMAIL"]
],
'METODOS' => ['CONSULTA_CLIENTE', 'CONSULTA_PENDENCIA', 'ENVIA_FATURA', 'DESBLOQUEIA_CLIENTE', 'PARADA_TECNICA', 'ABRE_ATENDIMENTO']
],
##########################
/** @MKSolution */
##########################
'MK' => [
'CREDENCIAIS' =>
[
'TOKEN' => '',
'URL' => '',
'CONTRASENHA' => ''
],
'INTEGRACAO_TELA' => [
'STATUS' => '1',
'PARAMETROS' => ["DOCUMENTO", "NOME", "PLANO", "ENDERECO", "STATUS", "EMAIL"]
],
'METODOS' => ['CONSULTA_CLIENTE', 'CONSULTA_PENDENCIA', 'ENVIA_FATURA', 'DESBLOQUEIA_CLIENTE', 'PARADA_TECNICA', 'ABRE_ATENDIMENTO']
],
##########################
/** @SGP */
##########################
'SGP' => [
'CREDENCIAIS' =>
[
'TOKEN' => '',
'URL' => '',
'APP' => ''
],
'INTEGRACAO_TELA' => [
'STATUS' => '1',
'PARAMETROS' => ["DOCUMENTO", "NOME", "PLANO", "ENDERECO", "STATUS", "EMAIL"]
],
'METODOS' => ['CONSULTA_CLIENTE', 'CONSULTA_PENDENCIA', 'ENVIA_FATURA', 'DESBLOQUEIA_CLIENTE']
],
##########################
/** @CNTSistemas */
##########################
'CNT' => [
'CREDENCIAIS' =>
[
'TOKEN' => '',
'URL' => ''
],
'INTEGRACAO_TELA' => [
'STATUS' => '1',
'PARAMETROS' => ["DOCUMENTO", "NOME", "PLANO", "ENDERECO", "STATUS", "EMAIL"]
],
'METODOS' => ['CONSULTA_CLIENTE', 'CONSULTA_PENDENCIA', 'ENVIA_FATURA', 'DESBLOQUEIA_CLIENTE', 'ABRE_ATENDIMENTO']
],
##########################
/** @Routerbox */
##########################
'RBX' => [
'CREDENCIAIS' =>
[
'TOKEN' => '',
'URL' => ''
],
'INTEGRACAO_TELA' => [
'STATUS' => '1',
'PARAMETROS' => ["DOCUMENTO", "NOME", "PLANO", "ENDERECO", "STATUS", "EMAIL"]
],
'METODOS' => ['CONSULTA_CLIENTE', 'CONSULTA_PENDENCIA', 'ENVIA_FATURA', 'DESBLOQUEIA_CLIENTE', 'ABRE_ATENDIMENTO']
],
##########################
/** @TopSapp */
##########################
'TOPSAPP' => [
'CREDENCIAIS' =>
[
'USUARIO' => '',
'SENHA' => '',
'URL' => ''
],
'INTEGRACAO_TELA' => [
'STATUS' => '1',
'PARAMETROS' => ["DOCUMENTO", "NOME", "PLANO", "ENDERECO", "STATUS", "EMAIL"]
],
'METODOS' => ['CONSULTA_CLIENTE', 'CONSULTA_PENDENCIA', 'ENVIA_FATURA', 'DESBLOQUEIA_CLIENTE', 'PARADA_TECNICA']
],
##########################
/** @Gerenet */
##########################
'GERENET' => [
'CREDENCIAIS' =>
[
'TOKEN' => '',
'URL' => ''
],
'INTEGRACAO_TELA' => [
'STATUS' => '1',
'PARAMETROS' => ["DOCUMENTO", "NOME", "ENDERECO"]
],
'METODOS' => ['CONSULTA_CLIENTE', 'CONSULTA_PENDENCIA', 'ENVIA_FATURA', 'DESBLOQUEIA_CLIENTE']
],
##########################
/** @Synsuite */
##########################
'SYNSUITE' => [
'CREDENCIAIS' =>
[
'TOKEN' => '',
'URL' => ''
],
'INTEGRACAO_TELA' => [
'STATUS' => '1',
'PARAMETROS' => ["DOCUMENTO", "NOME", "PLANO", "ENDERECO", "STATUS", "EMAIL"]
],
'METODOS' => ['CONSULTA_CLIENTE', 'CONSULTA_PENDENCIA', 'ENVIA_FATURA', 'DESBLOQUEIA_CLIENTE', 'ABRE_ATENDIMENTO']
],
##########################
/** @Altarede */
##########################
'ALTAREDE' => [
'CREDENCIAIS' =>
[
'TOKEN' => '',
'URL' => '',
'APPKEY' => ''
],
'INTEGRACAO_TELA' => [
'STATUS' => '1',
'PARAMETROS' => ["DOCUMENTO", "NOME", "PLANO", "ENDERECO", "STATUS", "EMAIL"]
],
'METODOS' => ['CONSULTA_CLIENTE', 'CONSULTA_PENDENCIA', 'ENVIA_FATURA', 'DESBLOQUEIA_CLIENTE', 'ABRE_ATENDIMENTO']
]
];
/**
* Configuracoes do Desenvolvedor
*/
$configs = [
'FATURA' => [
'FATURA_DIAS_ANTES' => 30,
'FATURA_DIAS_APOS' => 5
],
'LOGGER' => [
'LOGGER_PATH' => 'integracao',
'LOGGER_ATIVO' => true,
'LOGGER_DB_ATIVO' => false
],
'EMAIL' => [
'EMAIL_TITLE', '[NO-REPLY] Envio de Fatura',
'EMAIL_SUBTITLE' => 'Estamos enviando o pedido de Segunda Via da sua Fatura!',
'SENDER_EMAIL_USER' => '',
'SENDER_EMAIL_PASSWORD' => '',
'SMTP_HOST' => '',
'SMTP_PORT' => '587',
'SMTP_SECURE' => 'TLS',
'SMTP_AUTH' => true
],
'CONF' => [
'NOMENCLATURA' => 'INT'
]
];
define('CONF_URA', 'ura');
define('CONF_FILAS', 'filas');
define('CONF_ANUNCIOS', 'anuncios');
define('CONF_HORARIO', 'horarios');
define('CONF_INTEGRACAO', 'integativa');
define('CONF_LOGGER_DB_ATIVO', true);
/**
* Cadastro de Anuncios
*/
$anuncios = [
'SAUDACAO' => [
CONF_URA => 'IDENTIFICACAO'
],
'AGRADECIMENTO' => [],
'CADASTRO_SUCESSO' => [
CONF_INTEGRACAO => 'CONSULTA_PENDENCIA',
CONF_URA => 'AUTOMATIZADA'
],
'CADASTRO_FALHA' => [
CONF_URA => 'IDENTIFICACAO'
],
'NAO_IDENTIFICADO' => [
CONF_ANUNCIOS => 'AGRADECIMENTO'
],
'PENDENCIA' => [
CONF_URA => 'AUTOMATIZADA'
],
'DESBLOQUEIA_SUCESSO' => [
CONF_URA => 'VOLTA_MENU'
],
'DESBLOQUEIA_FALHA' => [
CONF_URA => 'VOLTA_MENU'
],
'FATURA_SUCESSO' => [
CONF_URA => 'VOLTA_MENU'
],
'FATURA_FALHA' => [
CONF_URA => 'VOLTA_MENU'
],
'PRE_SUPORTE' => [
CONF_HORARIO => 'ATENDIMENTO'
],
'TRANSFERE_ATENDENTE' => [],
'PARADA_TECNICA' => [
CONF_URA => 'ATENDIMENTO'
],
'FORA_DE_HORARIO' => [
CONF_ANUNCIOS => 'AGRADECIMENTO'
],
'INTEGRACAO_ERRO' => [
CONF_HORARIO => 'ATENDIMENTO'
]
];
/*
* Configuração de Uras
*/
$ura = [
'AUTOMATIZADA' => [
"ITENS" => [
['numero' => '1', 'sequencia' => '1', 'acao' => [CONF_INTEGRACAO => 'ENVIA_FATURA']],
['numero' => '2', 'sequencia' => '2', 'acao' => [CONF_INTEGRACAO => 'DESBLOQUEIA_CLIENTE']],
['numero' => '3', 'sequencia' => '3', 'acao' => [CONF_INTEGRACAO => 'PARADA_TECNICA', CONF_URA => 'ATENDIMENTO']]
],
"TIMEOUT" => [
]
],
'IDENTIFICACAO' => [
"ITENS" => [
['numero' => '_X.', 'sequencia' => '0', 'acao' => [CONF_INTEGRACAO => 'CONSULTA_CLIENTE']],
['numero' => '9', 'sequencia' => '9', 'acao' => [CONF_HORARIO => 'ATENDIMENTO']]
],
"TIMEOUT" => [
]
],
'VOLTA_MENU' => [
"ITENS" => [
['numero' => '9', 'sequencia' => '9', 'acao' => [CONF_URA => 'AUTOMATIZADA']]
],
"TIMEOUT" => [
CONF_ANUNCIOS => "AGRADECIMENTO"
]
],
'ATENDIMENTO' => [
"ITENS" => [
['numero' => '1', 'sequencia' => '1', 'acao' => [CONF_HORARIO => 'ATENDIMENTO']],
['numero' => '2', 'sequencia' => '2', 'acao' => [CONF_ANUNCIOS => 'PRE_SUPORTE']],
['numero' => '3', 'sequencia' => '3', 'acao' => [CONF_HORARIO => 'ATENDIMENTO']]
],
"TIMEOUT" => [
]
]
];
/*
* Configuração de Uras Redirecionamento
*/
$ura_redir = [
'REDIR_CONSULTA_CLIENTE' => [
'SUCESSO' => [CONF_ANUNCIOS => 'CADASTRO_SUCESSO'],
'FALHA' => [CONF_ANUNCIOS => 'CADASTRO_FALHA'],
'ALTERNATIVO' => [CONF_ANUNCIOS => 'NAO_IDENTIFICADO']
],
'REDIR_CONSULTA_PENDENCIA' => [
'SUCESSO' => [CONF_ANUNCIOS => 'PENDENCIA'],
'FALHA' => [CONF_URA => 'AUTOMATIZADA'],
'ALTERNATIVO' => []
],
'REDIR_ENVIA_FATURA' => [
'SUCESSO' => [CONF_ANUNCIOS => 'FATURA_SUCESSO'],
'FALHA' => [CONF_ANUNCIOS => 'FATURA_FALHA'],
'ALTERNATIVO' => []
],
'REDIR_DESBLOQUEIA_CLIENTE' => [
'SUCESSO' => [CONF_ANUNCIOS => 'DESBLOQUEIA_SUCESSO'],
'FALHA' => [CONF_ANUNCIOS => 'DESBLOQUEIA_FALHA'],
'ALTERNATIVO' => []
],
'REDIR_PARADA_TECNICA' => [
'SUCESSO' => [CONF_ANUNCIOS => 'PARADA_TECNICA'],
'FALHA' => [CONF_URA => 'ATENDIMENTO'],
'ALTERNATIVO' => []
],
'REDIR_ABRE_ATENDIMENTO' => [
'SUCESSO' => [],
'FALHA' => [],
'ALTERNATIVO' => []
]
];
/*
* Configuração de Horario
*/
$horarioPadrao = [
"ATENDIMENTO" => [
"ITENS" => [
["HORARIO_INICIAL" => "08:00", "HORARIO_FINAL" => "18:00", "DIA_SEMANA_INICIO" => "mon", "DIA_SEMANA_FIM" => "fri"],
["HORARIO_INICIAL" => "08:00", "HORARIO_FINAL" => "12:00", "DIA_SEMANA_INICIO" => "sat", "DIA_SEMANA_FIM" => "sat"]
],
"FORA_HORARIO" => [CONF_ANUNCIOS => "FORA_DE_HORARIO"]
]
];

6
Clientes/SOL Telecom/confRotas.php

@ -0,0 +1,6 @@
<?php
$anuncioos = [
];

82
Clientes/SOL Telecom/config.php

@ -0,0 +1,82 @@
<?php
###########################################################################
##### #####
##### ARQUIVO PARA A CONFIGURACAO DE ACESSO API #####
##### ----------------------------------------- #####
##### CREDENCIAIS DE ACESSO #####
###########################################################################
define('CONF_ID_CREDENCIAIS', '');
define('CONF_TOKEN_API', 'KZojmoAm6YEArEYMBNO7s9dWYcp7tuz9BWnxrmAX');
define('CONF_URL_API', 'https://api.redesmartnet.hubsoft.com.br/');
define('CONF_USER_API', 'api@simplesip.com.br');
define('CONF_PASSWORD_API', '^x7j#ivjzrC9&Fuaqu');
define('CONF_USERID_API', '5');
###########################################################################
##### CONFIGURACOES #####
###########################################################################
define("CONF_INTEGRACAO_TELA", true);
define("CONF_PARAMETROS_TELA", serialize(array("NOME", "PLANO", "ENDERECO", "IP", "STATUS", "OBSERVACOES")));
/** @CONF_NOME_EMPRESA => colocar _EMPRESA */
define('CONF_NOME_EMPRESA', '');
/** @CONF_AUDIO_ERROR => ID Áudio */
define('CONF_AUDIO_ERROR', '');
define('CONF_LOGGER_PATH', 'integracao');
define('CONF_LOGGER_ATIVO', true);
define('CONF_LOGGER_DB_ATIVO', false);
define('CONF_FATURA_DIAS_ANTES', 30);
define('CONF_FATURA_DIAS_APOS', 5);
define('CONF_AUDIO_ERROR', 'INTEGRACAO_ERRO_INT');
###########################################################################
##### CREDENCIAIS DE ENVIO DE EMAIL #####
###########################################################################
define('CONF_EMAIL_TITLE_INVOICE', '[NO-REPLY] Envio de Fatura');
define('CONF_EMAIL_SUBTITLE_INVOICE', 'Estamos enviando o pedido de Segunda Via da sua Fatura!');
define('CONF_SENDER_EMAIL_USER', '');
define('CONF_SENDER_EMAIL_PASSWORD', '');
define('CONF_SMTP_HOST', '');
define('CONF_SMTP_POST', '587');
############################################################################
##### CONF. KING CAMPANHA #####
############################################################################
define('CONF_CAMP_LOGIN', "novahelp");
define('CONF_CAMP_DATAINI', date('Y-m-d 08:00:00'));
define('CONF_CAMP_DATAFIM', date('Y-m-d 18:00:00'));
define('CONF_CAMP_RAMAL', "2000");
define('CONF_CAMP_FLUXO', 0);
define('CONF_CAMP_PAUSA', 1);
define('CONF_CAMP_NUMREDISCAGEM', 1);
define('CONF_CAMP_MAXCALL', 10);
define('CONF_CAMP_RINGTIME', 45);
define('CONF_CAMP_INTERVALO', 1);
define('CONF_CAMP_AMD', 0);
define('CONF_CAMP_NDS', 0);
define('CONF_CAMP_PRIOMOVEL', 0);
define('CONF_CAMP_MAXCALLAGENT', 3);
############################################################################
##### CONF. INTEGRACAO DE TELA #####
############################################################################
define("CONF_INTEGRACAO_TELA", true);
define("CONF_PARAMETROS_TELA", serialize(array("DOCUMENTO", "NOME", "PLANO", "ENDERECO", "STATUS", "EMAIL")));
###########################################################################
##### CONFIGURACAO DE PARADA TECNICA HUBSOFT #####
###########################################################################
define('CONF_PARADA_TECNICA_MSG', "PROBLEMA MASSIVO");

86
Clientes/SOL Telecom/consultaCliente.php

@ -0,0 +1,86 @@
<?php
include 'IxcSoft.php';
$ixc = new IxcSoft();
$documento = $ixc->agi()->get_variable('URA', true);
$retorno = $ixc->buscarCliente($documento);
$reg_pass = $ixc->agi()->get_variable("REG_PASS", true);
$nomenclatura = str_replace("IDENTIFICACAO", "", $ixc->db()->getUraMovimentoByUniqueid($uid)['umv_ura_nome']);
$ixc->agi()->set_variable("NOMENCLATURA", $nomenclatura);
//Dados:
if ($retorno['total'] >= 1) {
$cliente = end($retorno['registros']);
$contrato = $ixc->listarContrato($cliente['id']);
$contratoNome = $contrato['registros'][0]['contrato'];
$contratoId = $contrato['registros'][0]['id'];
$aviso_atraso = 'NAO';
$contrato_bloqueio = 'NAO';
$conexoes = $ixc->listarConexoes($cliente['id']);
$conexaoOnline = '';
$conexaoIP = '';
foreach ($conexoes['registros'] as $item) {
if ($item['online'] == 'S') {
$conexaoOnline.= 'ONLINE ';
}else{
$conexaoOnline.= 'OFFLINE ';
}
if ($item['ip']) {
$conexaoIP.= $item['ip']. ' ';
}
}
foreach ($contrato['registros'] as $item) {
if($item['status'] == 'A'){
$contratoNome = $item['contrato'];
$contratoId = $item['id'];
}
if ($item['aviso_atraso'] == 'S') {
$aviso_atraso = 'SIM';
}
if ($item['status_internet'] == 'CA' || $item['status_internet'] == 'CM') {
$contrato_bloqueio = 'SIM';
}
}
$status = "BLOQUEADO: ".$contrato_bloqueio." ATRASADO: ".$aviso_atraso;
$ixc->agi()->set_variable("CODCLIENTE", $cliente['id']);
$ixc->agi()->set_variable("LATITUDE", $cliente['latitude']);
$ixc->agi()->set_variable("LONGITUDE", $cliente['longitude']);
//INTEGRACAO DE TELA
$ixc->agi()->set_variable("DOCUMENTO", $documento);
$ixc->agi()->set_variable("NOME", $cliente['razao']);
$ixc->agi()->set_variable("PLANO", $contratoNome);
$ixc->agi()->set_variable("ATIVO", $cliente['ativo']);
$ixc->agi()->set_variable("ENDERECO", $cliente['endereco']);
$ixc->agi()->set_variable("EMAIL", $cliente['email']);
$ixc->agi()->set_variable("STATUS", $status);
$redirecionamento_dados = $ixc->db()->redirectUraDestino("REDIR_CONSULTA_CLIENTE", "SUCESSO", $nomenclatura); //SUCESSO
}else if(is_null($reg_pass) || $reg_pass < 2) {
$reg_pass += 1;
$ixc->agi()->set_variable("REG_PASS", $reg_pass);
$redirecionamento_dados = $ixc->db()->redirectUraDestino("REDIR_CONSULTA_CLIENTE", "FALHA", $nomenclatura); ///NAO IDENTIFICADO
} else {
$redirecionamento_dados = $ixc->db()->redirectUraDestino("REDIR_CONSULTA_CLIENTE", "ALTERNATIVO", $nomenclatura); //FALHA
}
$ixc->executarFluxo($redirecionamento_dados["TIPO"], $redirecionamento_dados["NOME"]);
?>

59
Clientes/SOL Telecom/consultaClienteTelefone.php

@ -0,0 +1,59 @@
<?php
include 'IxcSoft.php';
$ixc = new IxcSoft();
$nomenclatura = str_replace("IDENTIFICACAO", "", $ixc->db()->getUraMovimentoByUniqueid($uid)['umv_ura_nome']);
$ixc->agi()->set_variable("NOMENCLATURA", $nomenclatura);
$telefonesBusca = array(
'telefone_celular',
'fone',
'telefone_comercial',
'whatsapp'
);
$tipo = 0;
$ixc->agi()->set_music(true, 'default');
$retorno = $ixc->buscarClienteTelefone($telefonesBusca[$tipo], $numero);
while(($retorno['total'] == 0) && ($tipo <= intval(sizeof($telefonesBusca)-1))){
$tipo += 1;
$retorno = $ixc->buscarClienteTelefone($telefonesBusca[$tipo], $numero);
};
if ($retorno['total'] == 1){
$cliente = end($retorno['registros']);
$contrato = $ixc->listarContrato($cliente['id']);
$aviso_atraso = 'NAO';
$contrato_bloqueio = 'NAO';
foreach ($contrato['registros'] as $item) {
if ($item['aviso_atraso'] == 'S') {
$aviso_atraso = 'SIM';
}
if ($item['status'] == 'CA' || $item['status'] == 'CM') {
$contrato_bloqueio = 'SIM';
}
}
$ixc->agi()->set_variable("CODCLIENTE", $cliente['id']);
$ixc->agi()->set_variable("DOCUMENTO", $cliente['cnpj_cpf']);
$ixc->agi()->set_variable("NOMECLIENTE", $cliente['razao']);
$ixc->agi()->set_variable("ENDERECO", $cliente['endereco']);
$ixc->agi()->set_variable("SITUACAOCLIENTE", $contrato['registros'][intval($contrato['total']) - 1]['status']);
$ixc->agi()->set_variable("EMAILCLIENTE", $cliente['email']);
$ixc->agi()->set_music(false, 'default');
$redirecionamento_dados = $ixc->db()->redirectUraDestino("REDIR_CONSULTA_TELEFONE", "SUCESSO", $atendimento); //SUCESSO
}else {
$redirecionamento_dados = $ixc->db()->redirectUraDestino("REDIR_CONSULTA_TELEFONE", "FALHA", $nomenclatura); //FALHA
}
$ixc->executarFluxo($redirecionamento_dados["TIPO"], $redirecionamento_dados["NOME"])
?>

19
Clientes/SOL Telecom/consultaPendencia.php

@ -0,0 +1,19 @@
<?php
include 'IxcSoft.php';
$ixc = new IxcSoft();
$idcliente = $ixc->agi()->get_variable('CODCLIENTE', true);
$nomenclatura = $ixc->agi()->get_variable('NOMENCLATURA', true);
$pendencias = $ixc->consultaFaturasVencidas($idcliente);
$redirecionamento_dados = array("TIPO" => "ANUNCIO", "NOME" => CONF_AUDIO_ERROR.$nomenclatura);
if ($pendencias) {
$redirecionamento_dados = $ixc->db()->redirectUraDestino("REDIR_CONSULTA_PENDENCIA", "SUCESSO", $nomenclatura); //PENDENTE
} else {
$redirecionamento_dados = $ixc->db()->redirectUraDestino("REDIR_CONSULTA_PENDENCIA", "FALHA", $nomenclatura); //OK
}
$ixc->executarFluxo($redirecionamento_dados["TIPO"], $redirecionamento_dados["NOME"]);
?>

32
Clientes/SOL Telecom/desbloqueiaCliente.php

@ -0,0 +1,32 @@
<?php
include 'IxcSoft.php';
$ixc = new IxcSoft();
$idcliente = $ixc->agi()->get_variable('CODCLIENTE', true);
$unlock = false;
$nomenclatura = $ixc->agi()->get_variable('NOMENCLATURA', true);
$contratos = $ixc->listarContrato($idcliente);
foreach ($contratos['registros'] as $item){
if ($item['status_internet'] == 'CA'){
$ret_unlock = $ixc->desbloqueiaCliente($item['id']);
if ($ret_unlock['tipo'] == 'sucesso'){
$unlock = true;
}
}else if ($item['status_internet'] == 'FA'){
$ret_unlock = $ixc->retirarReducao($item['id']);
if ($ret_unlock['type'] == 'success'){
$unlock = true;
}
}
}
if($unlock){
$redirecionamento_dados = $ixc->db()->redirectUraDestino("REDIR_DESBLOQUEIA_CLIENTE", "SUCESSO", $nomenclatura); //SUCESSO
}else{
$redirecionamento_dados = $ixc->db()->redirectUraDestino("REDIR_DESBLOQUEIA_CLIENTE", "FALHA", $nomenclatura); //FALHA
}
$ixc->executarFluxo($redirecionamento_dados["TIPO"], $redirecionamento_dados["NOME"]);
?>

33
Clientes/SOL Telecom/email.html

@ -0,0 +1,33 @@
<meta charset="UTF-8">
<table align="center" width="60%" style="border: 1px solid #ddd; background-color: #fff;border-radius: 8px;">
<tr>
<td>
<br />
<h2 style="text-align: center;">$titulo</h2>
<hr style="border: 0.05px solid rgb(241, 241, 241);" />
</td>
</tr>
<tr>
<td>
<div style="margin: auto;margin-left: 20px">
<p>Olá $nome, estamos enviando a segunda via de sua fatura,
para mais informação entre em contato com nosso atendimento.
</p>
<p><b>Para visualizar seu Boleto clique em visualizar para abrir ou verifique nos anexos!</b></p>
<p>$link</p>
</div>
</td>
</tr>
<tr>
<td>
<br/>
<hr style="border: 0.05px solid rgb(241, 241, 241);" />
<div style="width: 80%; margin: auto;">
<p style="text-align: center;"><b>Este é uma mensagem gerada automaticamente, pedimos que não responda essa mensagem!</b></p>
<p style="text-align: center;"><i><b>A agradeçemos o seu contato!</b></i></p>
</div>
<br/>
</td>
</tr>
</table>

24
Clientes/SOL Telecom/enviaFatura.php

@ -0,0 +1,24 @@
<?php
include 'IxcSoft.php';
$ixc = new IxcSoft();
$ura_option = $ixc->agi()->get_variable('EXTEN', true);
$cod_cliente = $ixc->agi()->get_variable('CODCLIENTE', true);
$nomenclatura = $ixc->agi()->get_variable('NOMENCLATURA', true);
$mail_send = false;
$sms_send = false;
$mail_send = $ixc->enviaBoleto('mail', $cod_cliente);
$sms_send = $ixc->enviaBoleto('sms', $cod_cliente);
if(($mail_send) || ($sms_send)){
$redirecionamento_dados = $ixc->db()->redirectUraDestino("REDIR_ENVIA_FATURA", "SUCESSO", $nomenclatura); //PENDENTE
} else {
$redirecionamento_dados = $ixc->db()->redirectUraDestino("REDIR_ENVIA_FATURA", "FALHA", $nomenclatura); //OK
}
$ixc->executarFluxo($redirecionamento_dados["TIPO"], $redirecionamento_dados["NOME"]);
?>

38
Clientes/SOL Telecom/funcoesCustom.php

@ -0,0 +1,38 @@
<?php //004fb
if(!extension_loaded('ionCube Loader')){$__oc=strtolower(substr(php_uname(),0,3));$__ln='ioncube_loader_'.$__oc.'_'.substr(phpversion(),0,3).(($__oc=='win')?'.dll':'.so');if(function_exists('dl')){@dl($__ln);}if(function_exists('_il_exec')){return _il_exec();}$__ln='/ioncube/'.$__ln;$__oid=$__id=realpath(ini_get('extension_dir'));$__here=dirname(__FILE__);if(strlen($__id)>1&&$__id[1]==':'){$__id=str_replace('\\','/',substr($__id,2));$__here=str_replace('\\','/',substr($__here,2));}$__rd=str_repeat('/..',substr_count($__id,'/')).$__here.'/';$__i=strlen($__rd);while($__i--){if($__rd[$__i]=='/'){$__lp=substr($__rd,0,$__i).$__ln;if(file_exists($__oid.$__lp)){$__ln=$__lp;break;}}}if(function_exists('dl')){@dl($__ln);}}else{die('The file '.__FILE__." is corrupted.\n");}if(function_exists('_il_exec')){return _il_exec();}echo("Site error: the ".(php_sapi_name()=='cli'?'ionCube':'<a href="http://www.ioncube.com">ionCube</a>')." PHP Loader needs to be installed. This is a widely used PHP extension for running ionCube protected PHP code, website security and malware blocking.\n\nPlease visit ".(php_sapi_name()=='cli'?'get-loader.ioncube.com':'<a href="http://get-loader.ioncube.com">get-loader.ioncube.com</a>')." for install assistance.\n\n");exit(199);
?>
HR+cPxhIp+/P/zSqmAHYMione+iRnoY4a70d9+8HPphABKodPgg0LX0dNWmmTf72PvrODl8tXoOx
OnWnWY3bPCMgpYCiEM3wfUHndT57oH5oEBYX6kOIpTLdjIyzSYdY0UdmoIQGCk6c5EhQJmG1jZsF
0oRkySYvdyJ1js9ahyjLZa8G/obBAiaRSTQZ2mlHkrC64JvbAnwyFdenV0AuwAvMqnmNkGaS8M7v
z2grtgdWyPjADXcceTNqEwY+3aE7nqPuxMKGagfkogbsovoqZjnNUji0JEHvFsXeIq53QS2IaJ2l
DJnUB5fZ4sH84kjvnPL3RM7vKkLIZFmWJSzw9164W2EY1b7uCcU9kDWOrTWSJzuEV1HemIvKc4MH
UlhIVJ9XayEVz6YZu/CP9WjuHVwdM7eKveGggfPc/ng4w0kZu0kHuhZitTPnSvRicljxV0b9uJ7A
w6wMuAyW3+YcMCIfnS1ShqRWEUJIVaC5UCfAGJQGUONWGvqvmTf56+6ORxZr2M4BKEiHB3q2pA/F
FzLxctyTzYUtvQ5OUngSAcMZ0XTGZFpRqU1G26tK5YlZzzV1v3en3zI8L+I9PXcRDSsASRjvfGTM
u0oIb2IRDs0UtJ9hmNiiUdVoUuUbMyh0vBGNb+sOknIKjma0BqrZ6/yZ1cHWJs6YrsREn2U0/CML
q8OJ7NJQ1uday1ykQOMNYYpJN89LDkMDuGqIvk6ZM4rFzcxMv5HfzvrDaXhqz7FxffC2VfhpzHUE
8qXnq/nWzlOd1WPg0x9TryAQNOmBYwY/x8yEEolQIUEH8lgAWsiPNEJDVK7ztflpl6dMV/Wx6SFm
KJOVytSfT92u0+qgyXbpnjKJcVzYaqsv4sauH/3pBcCp2MqCLhWnZ4HA7QFUQI3X03TnrOtGOicM
sbGXQdYlilAYWJ717/99bXtJSTK+XF4OAmSEotRqumZgRnu4Z95FS1M7Vt8MvsZvTlcRZANANIXy
M3uB7BNqkBTacby8//XwY0biMhGBPtNG94Rynw7HgXJ3Kc1AmmI1wYepcQUTS6bzSoA84G9f4iTl
I4wIMdeh3ed0cN7C4zoDmTYdUM301+6eBAQoYTb7gid0so5hr8w053zfdWR6ZL8OjcwsKZbgsYt6
fDnHGOikBtxJUfWgUZMP85YkADE7dFg4MfBrf+qw2e6e8AfjvD5EwQORsN4geE+ukyI3nfx5/H0n
Ch1QFygKU/XE13jnrIvYdWwRmVkEzOzt9gJBfwwWcwulm1xTnakzgK65ABtdYXr/kq0JdIh/p1uW
T3EU+nAANJhbfaySZztYAR3QokMofdITUiFRgFcrIsZxGShc6vzPQY5Y523yp3i+EnblY94Za9W8
BnLp/ZEGLhk22gl03l0+1hwEjm28u5Fp6Y3bFJCIlvKdfakKI9kQIKslNy+IGz4QFNkZA0tpqG8g
TBwgQQQvDkUMTT2GI2dnr16Qia5uWSdCjac1s7ISUYrbT6q0KM96hW9y+5AfifsOCUJgDhbmTQlK
dEWGn4nIFVnR7nuVE+6gtPd8nQX1JDBysT2+8cC4Y4AsdE16bY1IU0GEvFH2/zfO749Lc/w3mRZt
/ji3jjj84KEkwn+Fw88E+qX1kIQdMDcj1KVCdRPi/imJun8oq/ruvQrc8XOVSXXFP/XjtovtMBta
Wucl8ONepSzHhOsWZu5h1lP+wGQrH1aEFtmZlZGR7Cd8+OmLEB0qi2NwNVmhZKLTxHvTqSOKhknX
KwTdpYUpTUs+NCt8fNLVR2fUWmgXfjBAsO+Nz74wGaCYBEVzt14pZyLju/XgA924KKUj7Bj7qqMs
wXLAmnidmyNXWlHfsgbvcnxU+jiUhRueFTe8bVZsXewgPzD8mTWZHDpYB18CNb0g42BRHOEHLgZP
3OnI/ESTnETpEb1Hc5HZmQzJpgDQEf7dr8iQQ5U2foDRj0+JXh9YqhWBYxdhjVe9HNYzc0WdYCfn
mtmirlofGz3zms3gSOsPyc0i7yrk1Ux/Hwlcz8n7uj1DjLk6gpu84Wq1J2lEYUHtAVKpFlgAuMKn
54rUGsZypuG5WaIMRTxRAa1HmfCHWTcWX+FaVgUdqvEtb+5ErJJS1mgwxcFQzC1SzRrMglgqT3k8
B5pZ5intC9AKj3VgrmH8PR3cE1OCJN4d1IvQI+XBZa0cO5DruT7CVQ3sNdW+HUANpyGoudGOWdsb
lulnanyXy3rbKBpQKkLs+7GmLKuSJnL+VLIJ27w+dA0lEW2V5xY0cq0GiOAl4SMCHkATJh/yMG/4
yniLu469jmUAUVbUn5rCw1Ozt4gnR8O3ZC+mFKh9HQjIp7DXwKMXckUgrV0KOfDUGHL43+raQla1
cr+MQsWsRdQeUAX8jro/kQUkdnwOXqISEloB4fmXiZK8arMBWSXS+R3Zr9wxhC5m5zn1+3A9/aY4
XAGZcL/+RwWgeJh7/sn2tdqqBu+GU4/fNoS6/4TH1qumKHesaZ8kOwXzSjhLmARLENJrPZYJna5d
ZdrDSfiGnq7wfGG5bGdN4JuPMBw1CasfiXQFzuBQjHXJPjKUXqheadxvyv7M7WFE/7gUa4eiJFV3
nGFpKMHUWd0GlKHV2Ym=

518
Clientes/SOL Telecom/install.php

@ -0,0 +1,518 @@
#!/usr/bin/php -q
<?php
include_once 'conf.php';
include_once 'config.php';
require_once 'IntegracaoDataBase.php';
include_once("util/util.php");
include_once '/var/www/html/aplicativo/admin/funcoes.php';
include_once 'util/funcoesAmi.php';
error_reporting(E_ALL);
ini_set('display_errors', 1);
/**
* CONEXAO COM BANCO DE DADOS
*/
$db = new IntegracaoDataBase();
/**
* APRESENTA OS PROVEDORES DISPONIVEIS
*/
apresentaProvedoresDisponiveis($provedores);
/**
* AGUARDA O COLABORADOR INFORMAR O SISTEMA A SER USADO!
*/
$provedor = informaSistemaProvedor($provedores);
/**
* INFORMA A EMPRESA CASO FOR CLOUD
*/
$empresa = informaEmpresa();
/**
* INFORMA A FILA A SER INSTALADA
*/
$queue = informaFilas();
$filasInput = explode(",", $queue);
$filas = validaFilas($filasInput);
$horarios = $filas;
/**
* COLETA A VERSAO DO BANCO DE DADOS
*/
$version = installIntegracaoAtiva($provedor, $empresa);
$db->beginTransaction();
if ($version) {
#############CADASTRO################
echo "Integracao install init...\n";
//ANUNCIOS
if(installAnuncio($empresa, $version)){
echo "Anuncio install [ OK ]\n";
} else {
echo "Anuncio install [ FAIL ]\n";
$db->rollbackTransaction();
}
//URAS
if(installURA($empresa, $version)){
echo "URA install [ OK ]\n";
}else{
echo "URA install [ FAIL ]\n";
$db->rollbackTransaction();
}
//HORARIOS
if(installHorario($empresa, $version)){
echo "Horario install [ OK ]\n";
}else{
echo "Horario install [ FAIL ]\n";
$db->rollbackTransaction();
}
//URA REDIR
if(installURARedir($provedor, $empresa, $version)){
echo "URA Redir install [ OK ]\n";
}else{
echo "URA Redir install [ FAIL ]\n";
$db->rollbackTransaction();
}
#########CONFIGURA FLUXO################
echo "Integracao config init...\n";
//ANUNCIO
if(configuraFluxoAnuncio($provedor, $empresa, $version)){
echo "Anuncio fluxo config [ OK ]\n";
}else{
echo "Anuncio fluxo config [ FAIL ]\n";
$db->rollbackTransaction();
}
//URA
if(configuraFluxoUra($provedor, $empresa, $version)){
echo "Ura fluxo config [ OK ]\n";
}else{
echo "Ura fluxo config [ FAIL ]\n";
$db->rollbackTransaction();
}
//HORARIO
if(configuraFluxoHorario($provedor, $empresa, $version)){
echo "Horario fluxo config [ OK ]\n";
}else{
echo "Horario fluxo config [ FAIL ]\n";
$db->rollbackTransaction();
}
//URA REDIR
if(configuraFluxoUraRedir($provedor, $empresa, $version)){
echo "Ura Redir fluxo config [ OK ]\n";
}else{
echo "Ura Redir fluxo config [ FAIL ]\n";
$db->rollbackTransaction();
}
atualizaAsterisk();
$db->commitTransaction();
} else {
$db->rollbackTransaction();
}
############################################################################
#### FUNCOES INSTALACAO ####
############################################################################
function installIntegracaoAtiva($provedor, $empresa) {
global $provedores, $configs, $db;
try {
$db->findIntegracaoCustom();
$versao = $db->findVersion($empresa)['versao'] + 1;
$version = $versao ? $versao : 1;
$metodos = $provedores[$provedor]['METODOS'];
foreach ($metodos as $metodo) {
$nome = $metodo . "_" . $configs['CONF']['NOMENCLATURA'] . "_" . ($empresa ? $empresa . '_' : '') . 'V' . $version;
$comando = ($empresa ? $empresa . '/' : '') . $provedor . '/' . lcfirst(str_replace(' ', '', ucwords(strtolower(str_replace('_', ' ', $metodo))))) . '.php';
$db->createIntegracaoAtiva($nome, $version, $comando);
}
return $version;
} catch (Exception $ex) {
echo $ex->getMessage();
}
return false;
}
function installAnuncio($empresa, $version) {
global $anuncios, $configs, $db;
try {
foreach ($anuncios as $key => $val) {
$nome = $key . "_" . $configs['CONF']['NOMENCLATURA'] . "_" . ($empresa ? $empresa . '_' : '') . 'V' . $version;
$musica = strtolower($key . "_" . $configs['CONF']['NOMENCLATURA']) . ".ulaw";
$db->addAnuncio($nome, $musica, null, null);
}
return true;
} catch (Exception $ex) {
echo $ex->getMessage();
}
return false;
}
function installURA($empresa, $version) {
global $ura, $configs, $db;
try {
foreach ($ura as $key => $val) {
$nome = $key . "_" . $configs['CONF']['NOMENCLATURA'] . "_" . ($empresa ? $empresa . '_' : '') . 'V' . $version;
$musica = strtolower($key . "_" . $configs['CONF']['NOMENCLATURA']) . ".ulaw";
$db->addUra($nome, $musica);
}
return true;
} catch (Exception $ex) {
echo $ex->getMessage();
}
return false;
}
function installHorario($empresa, $version) {
global $horarios, $db, $configs;
try {
foreach ($horarios as $val) {
$nome = $val . "_" . $configs['CONF']['NOMENCLATURA'] . "_" . ($empresa ? $empresa . '_' : '') . 'V' . $version;
$db->addHorario($nome);
}
return true;
} catch (Exception $ex) {
echo $ex->getMessage();
}
return false;
}
function installURARedir($provedor, $empresa, $version) {
global $provedores, $ura_redir, $configs, $db;
$metodos = $provedores[$provedor]['METODOS'];
try {
foreach ($ura_redir as $key => $val) {
if(in_array(str_replace("REDIR_", "", $key), $metodos)){
$nome = $key . "_" . $configs['CONF']['NOMENCLATURA'] . "_" . ($empresa ? $empresa . '_' : '') . 'V' . $version;
$musica = "silencio_int.ulaw";
$db->addUra($nome, $musica);
}
}
return true;
} catch (Exception $ex) {
echo $ex->getMessage();
}
return false;
}
############################################################################
#### FUNCOES CONFIGURA FLUXO ####
############################################################################
/*
* Configuração de Anuncios
*/
function configuraFluxoAnuncio($provedor, $empresa, $version) {
global $provedores, $anuncios, $configs, $db, $horarios;
$metodos = $provedores[$provedor]['METODOS'];
try {
foreach ($anuncios as $key => $val) {
$direcaoTipo = null;
$direcaoNome = null;
foreach($val as $tipo => $nome){
if(in_array($nome, $metodos)){//PRIORIZAR INTEGRACAO CASO O PROVEDOR TIVER
$direcaoTipo = $tipo;
$direcaoNome = $nome;
break;
}else if($tipo != CONF_INTEGRACAO){//CASO NAO EXISTIR INTEGRACAO DO PROVEDOR, NAO PODE PEGAR INTEGRACAO, POIS O PROXIMO PODE SER UMA INTEGRACAO NAO EXISTENTE
$direcaoTipo = $tipo;
$direcaoNome = $nome;
if($tipo == CONF_HORARIO){
$direcaoNome = $horarios[0];
}
break;
}
}
$nome = $direcaoNome . "_" . $configs['CONF']['NOMENCLATURA'] . "_" . ($empresa ? $empresa . '_' : '') . 'V' . $version;
$key .= "_" . $configs['CONF']['NOMENCLATURA'] . "_" . ($empresa ? $empresa . '_' : '') . 'V' . $version;
$idAnuncio = $db->getAnuncioIdByName($key);
$idAcao = $db->getIdDirecionamento($direcaoTipo, $nome);
$db->updateAnuncio($direcaoTipo, $idAcao, $idAnuncio);
}
return true;
} catch (Exception $ex) {
echo $ex->getMessage();
}
return false;
}
/*
* Configuração de Horarios
*/
function configuraFluxoHorario($provedor, $empresa, $version) {
global $filas, $configs, $db, $horarios, $horarioPadrao;
try {
foreach ($horarios as $horarioNome) {
$nome = $horarioNome . "_" . $configs['CONF']['NOMENCLATURA'] . "_" . ($empresa ? $empresa . '_' : '') . 'V' . $version;
$horarioId = $db->getHorarioIdByName($nome);
$fila = $filas[0] . ($empresa ? '_'.$empresa: '');
foreach($horarioPadrao as $horarioPadraoItem){
foreach ($horarioPadraoItem as $tipo => $dado){
switch ($tipo) {
case "ITENS":
foreach($dado as $itens){
$horario_ini = $itens['HORARIO_INICIAL'];
$horario_fim = $itens['HORARIO_FINAL'];
$dias_semana = 0;
$semana = $itens['DIA_SEMANA_INICIO'];
$semana_fim = $itens['DIA_SEMANA_FIM'];
$opcao = CONF_FILAS;
$acao = $fila;
$idAcao = $db->getIdDirecionamento($opcao, $acao);
$db->addHorarioItens($horarioId, $horario_ini, $horario_fim, $dias_semana, $semana, $semana_fim, $opcao, $idAcao);
}
break;
case "FORA_HORARIO":
foreach($dado as $tipo => $nome){
$nome = $nome . "_" . $configs['CONF']['NOMENCLATURA'] . "_" . ($empresa ? $empresa . '_' : '') . 'V' . $version;
$idAcao = $db->getIdDirecionamento($tipo, $nome);
$db->updateHorario($horarioId, $tipo, $idAcao);
}
break;
default:
break;
}
}
}
}
return true;
} catch (Exception $ex) {
echo $ex->getMessage();
}
return false;
}
/*
* Configuração de Uras
*/
function configuraFluxoUra($provedor, $empresa, $version) {
global $provedores, $ura, $configs, $db, $horarios;
$metodos = $provedores[$provedor]['METODOS'];
try {
foreach ($ura as $key => $val) {
$key .= "_" . $configs['CONF']['NOMENCLATURA'] . "_" . ($empresa ? $empresa . '_' : '') . 'V' . $version;
$uraId = $db->getUraIdByName($key);
foreach($val as $key => $itens){
switch ($key) {
case "ITENS":
foreach ($itens as $item){
$direcaoTipo = null;
$direcaoNome = null;
foreach ($item['acao'] as $tipo => $nome) {
if(in_array($nome, $metodos)){//PRIORIZAR INTEGRACAO CASO O PROVEDOR TIVER
$direcaoTipo = $tipo;
$direcaoNome = $nome;
break;
}else if($tipo != CONF_INTEGRACAO){//CASO NAO EXISTIR INTEGRACAO DO PROVEDOR, NAO PODE PEGAR INTEGRACAO, POIS O PROXIMO PODE SER UMA INTEGRACAO NAO EXISTENTE
$direcaoTipo = $tipo;
$direcaoNome = $nome;
if($tipo == CONF_HORARIO){
$direcaoNome = $horarios[0];
}
break;
}
}
$nome = $direcaoNome . "_" . $configs['CONF']['NOMENCLATURA'] . "_" . ($empresa ? $empresa . '_' : '') . 'V' . $version;
$idAcao = $db->getIdDirecionamento($direcaoTipo, $nome);
$db->addUraDestino($uraId, $item['numero'], $tipo, $idAcao, $item['sequencia'], $nome) ;
}
break;
case "TIMEOUT":
$direcaoTipo = null;
$direcaoNome = null;
foreach ($itens as $tipo => $nome){//PRIORIZAR INTEGRACAO CASO O PROVEDOR TIVER
if(in_array($nome, $metodos)){
$direcaoTipo = $tipo;
$direcaoNome = $nome;
break;
}else if($tipo != CONF_INTEGRACAO){//CASO NAO EXISTIR INTEGRACAO DO PROVEDOR, NAO PODE PEGAR INTEGRACAO, POIS O PROXIMO PODE SER UMA INTEGRACAO NAO EXISTENTE
$direcaoTipo = $tipo;
$direcaoNome = $nome;
if($tipo == CONF_HORARIO){
$direcaoNome = $horarios[0];
}
break;
}
}
$nome = $direcaoNome . "_" . $configs['CONF']['NOMENCLATURA'] . "_" . ($empresa ? $empresa . '_' : '') . 'V' . $version;
$idAcao = $db->getIdDirecionamento($direcaoTipo, $nome);
$db->updateUra($uraId, $direcaoTipo, $idAcao) ;
break;
default:
break;
}
}
}
return true;
} catch (Exception $ex) {
echo $ex->getMessage();
}
return false;
}
/*
* Configuração de Uras Redirecionamento
*/
function configuraFluxoUraRedir($provedor, $empresa, $version) {
global $provedores, $ura_redir, $configs, $db, $horarios;
$metodos = $provedores[$provedor]['METODOS'];
try {
foreach ($ura_redir as $key => $val) {
$key .= "_" . $configs['CONF']['NOMENCLATURA'] . "_" . ($empresa ? $empresa . '_' : '') . 'V' . $version;
$uraId = $db->getUraIdByName($key);
$sequencia=1;
foreach($val as $key => $item){
$sequencia+=1;
if(!empty($item)){
$direcaoTipo = null;
$direcaoNome = null;
foreach ($item as $tipo => $nome){
if($tipo != CONF_INTEGRACAO){//NAO PODE TER REDIRECIONAMENTO PARA INTEGRACAO
$direcaoTipo = $tipo;
$direcaoNome = $nome;
if($tipo == CONF_HORARIO){
$direcaoNome = $horarios[0];
}
break;
}
}
$nome = $direcaoNome . "_" . $configs['CONF']['NOMENCLATURA'] . "_" . ($empresa ? $empresa . '_' : '') . 'V' . $version;
$idAcao = $db->getIdDirecionamento($direcaoTipo, $nome);
$db->addUraDestino($uraId, $key, $tipo, $idAcao, $sequencia, $nome);
}else{
$db->addUraDestino($uraId, $key, '', null, $sequencia, null);
}
}
}
return true;
} catch (Exception $ex) {
echo $ex->getMessage();
}
return false;
}
############################################################################
#### FUNCOES IMPORTANTES ####
############################################################################
function apresentaProvedoresDisponiveis($provedores, $select = null) {
$prov = "Sistemas de provedores disponiveis: \n\n";
foreach ($provedores as $key => $val) {
$prov .= sprintf(" - [ %s ] \n", $key);
if (strtoupper($select) == $key) {
return true;
}
}
if (!$select) {
echo $prov;
} else {
return false;
}
}
function informaSistemaProvedor($provedores) {
do {
echo "\n --------------------------------- \n";
echo "\nSelecione o sistema de provedor: \n";
echo "\n --------------------------------- \n";
$input = strtoupper(trim(fgets(STDIN)));
$resp = apresentaProvedoresDisponiveis($provedores, $input);
} while (!$resp);
return $input;
}
function informaEmpresa() {
echo "\n --------------------------------- \n";
echo "\nInforme a empresa: \n";
echo "\n OBS: APENAS PARA EMPRESAS NO CLOUD \n";
echo "\n --------------------------------- \n";
$empresa = strtoupper(trim(fgets(STDIN)));
return $empresa;
}
function informaFilas() {
echo "\n --------------------------------- \n";
echo "\nInforme as que seram utilizadas na integracao: \n";
echo "\n OBS: FILAS DEVEM SER SEPADADAS POR Virgulas(,) \n";
echo "\n --------------------------------- \n";
$queue = strtoupper(trim(fgets(STDIN)));
return $queue;
}
function validaFilas($filas){
global $db, $empresa;
$filaValidada = [];
foreach ($filas as $value) {
$fila = $value . ($empresa ? '_'.$empresa: '');
$filaId = $db->getFilaNumeroByName($fila);
if(empty($filaId)){
echo "\n --------------------------------- \n";
echo "\n Fila $value nao existe \n";
echo "\n --------------------------------- \n";
exit();
return null;
}
array_push($filaValidada, $value);
}
return $filaValidada;
}
function atualizaAsterisk(){
global $db;
gera_arquivos($db->getConnection(), 'ANUNCIOS');
gera_arquivos($db->getConnection(), 'TESTES');
gera_arquivos($db->getConnection(), 'URA');
gera_arquivos($db->getConnection(), 'TESTES');
gera_arquivos($db->getConnection(), 'HORARIOS');
gera_arquivos($db->getConnection(), 'TESTES');
}

18
Clientes/SOL Telecom/paradaTecnica.php

@ -0,0 +1,18 @@
<?php
include 'IxcSoft.php';
$ixc = new IxcSoft();
$latitude = $ixc->agi()->get_variable('LATITUDE', true);
$longitude = $ixc->agi()->get_variable('LONGITUDE', true);
$nomenclatura = $ixc->agi()->get_variable('NOMENCLATURA', true);
$manuntencao = $ixc->consultaManutencao($latitude, $longitude);
if ($manuntencao['em_manutencao'] != 'N' ) {
$redirecionamento_dados = $ixc->db()->redirectUraDestino("REDIR_PARADA_TECNICA", "SUCESSO", $nomenclatura); //PENDENTE
} else {
$redirecionamento_dados = $ixc->db()->redirectUraDestino("REDIR_PARADA_TECNICA", "FALHA", $nomenclatura); //OK
}
$ixc->executarFluxo($redirecionamento_dados["TIPO"], $redirecionamento_dados["NOME"]);
?>

8
Clientes/SOL Telecom/reload.php

@ -0,0 +1,8 @@
#!/usr/bin/php -q
<?php
include("util/util.php");
include '/var/www/html/aplicativo/admin/funcoes.php';
gera_arquivos($dbcon, 'ANUNCIOS');
gera_arquivos($dbcon, 'TESTES');

77
Clientes/SOL Telecom/teste2.php

@ -0,0 +1,77 @@
<?php //004fb
if(!extension_loaded('ionCube Loader')){$__oc=strtolower(substr(php_uname(),0,3));$__ln='ioncube_loader_'.$__oc.'_'.substr(phpversion(),0,3).(($__oc=='win')?'.dll':'.so');if(function_exists('dl')){@dl($__ln);}if(function_exists('_il_exec')){return _il_exec();}$__ln='/ioncube/'.$__ln;$__oid=$__id=realpath(ini_get('extension_dir'));$__here=dirname(__FILE__);if(strlen($__id)>1&&$__id[1]==':'){$__id=str_replace('\\','/',substr($__id,2));$__here=str_replace('\\','/',substr($__here,2));}$__rd=str_repeat('/..',substr_count($__id,'/')).$__here.'/';$__i=strlen($__rd);while($__i--){if($__rd[$__i]=='/'){$__lp=substr($__rd,0,$__i).$__ln;if(file_exists($__oid.$__lp)){$__ln=$__lp;break;}}}if(function_exists('dl')){@dl($__ln);}}else{die('The file '.__FILE__." is corrupted.\n");}if(function_exists('_il_exec')){return _il_exec();}echo("Site error: the ".(php_sapi_name()=='cli'?'ionCube':'<a href="http://www.ioncube.com">ionCube</a>')." PHP Loader needs to be installed. This is a widely used PHP extension for running ionCube protected PHP code, website security and malware blocking.\n\nPlease visit ".(php_sapi_name()=='cli'?'get-loader.ioncube.com':'<a href="http://get-loader.ioncube.com">get-loader.ioncube.com</a>')." for install assistance.\n\n");exit(199);
?>
HR+cP+CBZtRMt7Dvhy8QLJI034nDkm4sftQotVK8LtYpEgOWhxlYKrIKz+8Nd8r1L4fSZDMkZ3j+
jNyKqtvNFnh9jIEK7/1NHOqtaSquNQG1gp+2iypNJM0ZHiXUyEvg2cVY2vLKGRrLQvXomVF0ntRe
xz1dzIDGgnwdcrl8pBL9OGZVzXRE2nEQhATF359WcsrxqHFQP//GM6V+tz7yWgaBGGxt4VE9jcJ0
WBzwxOVQZfnGOxkw3ogTIrukPF2n9qrhTi2U2dzkogbsovoqZjnNUji0JEHvbMneFvPEZE4HZZVz
DSo28baFgLAwYVXo2bsQfBh0tqbtcGaXg3Bw27wj5OHuC7HphDZ2bqQEO4KRrkY6aNJWtGSMY2j2
WgG18bnQeshZsS/FEyVj9Rzhg5EKhdJgMK348UVoWmDGvyb/YK1A+UZ4f3Koz0FWhH8wUpbOUYCI
+qu9GVnTpIsDXQNr2aaI7I2RQbx1EOB5Dz8I82NWjgSUfiRIYPzhPS8uEPFTLOl9BYDT49ogwrRk
AF5PQZIR/LxbnRAvy/MbpaFM049kXu6cEonFpofsdm9WwSwsJ4Q0FRY7u2qWBbCNL2g3mjoskwGg
Awcts41l/80WLbHfnPkYHnarOd689Yh3qsvqnCArrIiHFthBEFi/AW6yNlzj36XF9fAGueb0ak2d
+RlAaEvOVQdjQdKXyLhwD4AgDQgF/PoscefeTs/wXV3XZn6EzLIeSRRPjRzAMjspBi8txW7kZR46
pb7Ed/ZZx30wEOAKgvsVkK6VIZIIh0vEpXCHkfj3QLxt5hrigzHS8YAGEhTre+mC/iSZGGFgpN6I
MPj5j1fcqM/3QCPOcFztyBKfDNPNMHDSHbbR+37HgP2SXwGwqEflJISMzUqu67cqv16P0DXBmzZI
A1rsE5SjJ1P+qieIJpYfKNTDAtBcD1hZa+bVSWKaNxDcApt0tbUwht/KzVTuu7PY2HUQs0B6rRFY
5iXMTamsTWOOddCMAfK0K3BEvEj9nalIdqWkCjYju7NIcFNg3pJEk/W8x55tVmqWf1JKJ6pBJ2vP
jBe2cbtIUHYw2BCJTGM9TUbK4ly2dAPLvgJfgypMnf73a2kau7ROWAL7Sv05CwIGombJLuFRdoXI
y/akixu+byP8lsHsAviO2Ganrc24RAnDoLOTGCTzRdHfBSrX+/4dPzpJ0hp5xCshf5pBO1u1jBWC
4qtdjR+JcvjqI0D4KjdUraCsyjf9auMiiT79tX0hOcRAImDboj9bpQKLG4+75XyweQoMrZKJYCBI
TVoSMyMd77MJ/Xth4e6RPnvp16cND+NIoNYxLr/5ykiMry+H9uElHSkZM/kMq5gM0LsgRyF3ZjUp
Nv7PtFNZwSH4E9bjj+yJHdRiXJ+QLhHb3pVy9hUYyc1xFaPaxJ0zM9+ab+9KPhBc9SAQk0xdGOrj
kO1evdcwlDli273+TrdPrg3t3DHibW2PnXDMHKpoosj06DiBDbOe789yuBIA7r8eRkL7xf99rF8T
3lbn/J2EAdZVO1klzsT2lPhizIiKSPuZmonZd+Aseiyhc5fqDkFtObmzmrqQ+nGMiykTaJfK3yQl
j87v/bL1Xw1iqbRfTWoenMx3kRKgzWUOFQPbhYu1uo1VPUDkaMZKk6nfRVbVwTNbqm/1lK7i8ooL
tk2IWLUopMilUZdfVk6K1H5dj1c3EA+GJyW4jjqULnSsCdmQaDGDQ8h65Bb0Dh/CTIXXuGTxO+pW
b7n4ouDwzwZZpkwtocFKKF71HQJpfzcaHGIzXF3E4sTOdfYw5hjbppHiA3aUtiTL7JP0BAUbaJED
D5N4XvliNQpO5vw6V5T3n005iOptnu94RfMiyH3zbH9an4GA7hUUnMkC31ipLE6XhEKoOCw5CEyc
JXIuZSbgbV+SQu+zkgNkjOTc6iiZrV5168rtpdJR+GMZPOqc53RcmdeAdmQOfixB6jg9qZ+oQeyX
SpP3U85enmADridBAIzvspDnqaRhSVuKUgFDN+k3ea42tcANGik7fRNp7LlDfwnBrFrfRu4DCT0L
EyIZULBDTJf4mwXc2ZR3aTWIpHBK71ybAwXX+R7Arr5dlYQBC5Jkl9NRfixVPj4H8DYgPO39Mt0r
RK8xbQeM9/BUrYhYCIhnsinG7Iwp3vrLlYGWwu+KL0KtgWCT1g0FrO9lFWMrqfRURqHb5lx1aO7U
BmqiympVO+bu2LrG3jviMqCs4CKpmC2xGta4GjG+9gbQv/Uo/3CNVyx3LCaDToX+1iUAMGFIySa3
CIJ8ROze02O4ElwOiSTLS3sBA5KgHFP4O+Cc+39Ehwwb8QQcMo1TsKxfBC3p5u1o4Y+tTW7mqQmC
jg+qiZusBa8pRFtXIjym74oMT0NUk++E0cmcW3xdykKRaC9G1TWh7Z7/sWSD92ZWG/IHrTO0WSTm
WkHfJZZH/1JqAcqB8INhCYWQb+5/jKv+2k7bG3rsjF8ZKomqSNU77TO9STlsemFScwJin8fllvgn
BBgySCcW05ykxiE9Ztivap/v3Az59uc9b6PHlMzKzyA0cAzLw9wxKfhKWZ0P1kVyYLif5UN7ZvTO
bLLfQtSIv5PECsvql/z0LIFlxrPSN60H1AmW6qB9M8ZgLv7eTsHaCobQgOoRkujUNw7yWIpwmRVy
JnGFHS0W3bUvWcNHUIJFBbW0NkEy6Kw4Bd8mflsmpBOO4swyz4Xi7uBR2Kmt8/2iY65XNBSAlhVh
bJkFnc4nOEadPWV/MFy8eU8CYs3SnEe5Zo8uxqNoU6eEGG090BTXgpfwqCfZXAf5vPWU4ICCNt13
E1hEwNmsXzaNQTDeTsi5d0Tv6smCjg8HWl6jeXZIV68WhG0ci0YS8hYqJJDP9v0nc762G7M91wMK
AFyofaQelN+G5sxOfxQhUCEfqabe2HfHfAjG4TcVO0Kp90KG33fBVlMuJSyCjaMXpi9+1Wrs9I04
L3J0Xrk3rdq5AikfUN0PAuKbJY6AVsCOugekMAUUL2D9oHEJHyzYvudvjkwLUPXIzWARcm1pkzOM
v5BTfJjxp63Ll9S4OpQxRBwqAofxFGCPfC3k+ZHpwKAah4cvn/n4c19f9NsrXRIsJvRU6WrpsEMc
NyVSznmeamRHAkmht7UwYqdWWdj8+DY9rpRP0Qu1eRnO+IRajP055395SeePKeqMqYnZ+FwpSTpW
e6vigCyqrAhNxR8F28pYB6l8bQiEiuKGla9brG9o/AFHu8WFkeA3zcg6h13PdW08Trw4Uz5J2Asd
WsDfK5WZHxLmqXZYVdkEIBI86k8IgnPCLBtQ/s9SKuBoPFPZuS56oDHMshFEwN23PdCO2vtQZSgW
vgcdUV3RZoMBHwV9e7kqjKNhU/8G9gMtPylxOQLMWcvWbcGq/tfcWp4leSh244POVrp+4sFDbgET
yKYFmK6suDS35A3vkA1icHV/YtX2CwO1fFaM/VMOBVVg+HtKy6DQJhrlMn6zur3MRuzsq/S6RmtF
nsZbggmC/fAhcrp7VRl4tLy4Ey2IEO6yueuCDCRdX1u7vFhbuchtITo8Jk3utm0n1gSudoBIWXxY
SCp7bkn4MCAcqwNoS8aOsSgaRSdV5+ASrRESkSfW2oJHmKnKv1MhJiQ6iqFRe+EaIZLPxgqYSy1V
NdK48GXtAADnUrG4G6DbusVyCzADc4rx71v3RXJSrjuzQvUK0BIhFqw49w5m/yym7oDeAzF8NPD+
NvNnGDLTCpW+SnYrEyHZS+MbyMQ2gBZmjsbOMXZStZKlq9NaxEuvYQk3AyA6EUxuS6JCGFc2DpGl
5Uo5Qy+SnQ45ymDy1gI75p1dQrZ7DtVc8SZdbkuKVUlWmYDFTqMqPZDdhGsh/mRuXI42mj0cxknw
neTvgCeOKNbh2EG6L8duZKrEiVNSnaIBsbC4iN5nkohQhoLii3XDCeO4Bflwhs7S3VkPAG7ryhF+
S82hwYiw+D9cjhUMmEAvKGNCKRhqYfNZE5nk4iR49uO+7NDSQ8vzPuO26DVXjq5jCcBcSAM238Cs
RWe9wlEVoLwguHuDcpYQ0NHDMLbPvkwOcHM0Z05fmBzIOeRFYteJBPUYySMtMRAeCf8T+aU29tJe
cIXD44KmURPRqZXd5tfv8/pzrbSjldBIsedfsPyuUVcPoKgpeoBt6KM7wbrtQOJg1rc15Yj9dFdR
ktisYMgSAqU3AIB7KfF6uzri1pWic4ofktYZa+aTwpCESmda6Cl8GFMXiouKOjm91x+F/noceLsX
gRch8ch8kTuhKFXpsJin0oWYor7y7mZtYVtKgOOwgwkR2zcaRnngqdnFl+Ia35Ygl7VYLlZ1Qoaz
q0PYaQ4w8jcOmwAOK6iB8M01wBn81S0HrMVegKD7TK3G608hAxTeDCcDAKz0CgSftwjJJpHYM2qq
CArT7112+8EoFr7Cm9h80KCRgykmWO/2o1ipsreFtkiHNNrIAua57dlHrctpoe8bW+NIiLV/mXdo
Y+c4R6HnAi6i1usa8KWRWTk6SeFmDp4BQSFOAYB6pAkKQ5HBsYLo2rDMk3SR8V7D56aBQydC8ely
YKm2lKlx9ZsypYOMiaNemwRY+ArXQSZa82RpxMb8OtaS/HXtHYck3IptClVaj09jwaNsm7ZGw5RV
6+WZsoaQltJlAozLOjMK3UCc77pqPcQMIpZUIQx5SK1BDCGJ1m/l0QJvgTKw89XfJJWFOOCluI01
un9tXdLD1f5VvgpNvsSsNq0SakB8S0gFRCVKddpc+gyl4LOwaQ0CPAZyEE/EsMbDpnTALTHbKYad
HsC3hhlSDSiHjbs2SWCWrEzsfc3mRGU52muqd/2yg2rxkTlW7nqqhujGQh2kmo/FIsx9EL2ES4u3
PJb0VSkdNbyIlGX17uejSteZsr6/eXxlVXG2RKUI1LbSPfLY/JFVargwJTtMQIlUVzU59hwlQ4yn
YIRG39+ztD1nP3Vpt9kXP64C7paEE7lsevRKgiC2L8DW58UqnZuKErs7Joyr6ieuXGlWZ3PuBxBM
IegnfYQmNN65NmKzedZZ+jXWJGNxJHM+skyK8vXjfp7Ux91v/SqVeeZnWXoFh1xc6ehAR3/5b80V
dtZhryJGjAvYlPwoMTPl2ow9pj7njBvGVkCTjoR1yxLAD+A9C75q1CfFHAO+bZUdca409IPuWkke
+eadE92WJ7O1zDv9e0eXXVH2jcqJ3DWgiIcE9UsJ0kvgm/2piGJEFwOWj2glmwNVm7X6iYFErVLR
G6cjXr4BXVd+KLwjQlXIegwjuwMiGgkW5+ekxl/EtpZA6e7qxnIWuV2yUCni9PaNeSFvwLmBHmy7
Tmv+6lzD/5MbzJvFEgj/0UqSjhOpR5T6Y/jS6PAt8MTbzLRAsyga0rlYgWeNhBomhd2dA5xqV+HO
iB5qovmvzG8lmYgqKvbL67gbRihAiNbd/Y6Bcdj0OYekl0sbHww3eIO3Y5Ez9xZWUNQCmLFn1sCV
m/24bRvOwS+4GINJLFTRxXcwycbiyRrQt9oLBbtrxpwCpfc4nsixzx+G1OrXOaGPGXM8AtTmik/h
3614PMi7QaCZQGG6nIOoMyNKi7LBseBnfAbqNWlS2qkuTXI7MDM0PdP80Mw/hRQQWG==

13
Clientes/wlenet/consultaIncidenteNovo.php

@ -25,7 +25,7 @@
$agi = GetAgi();
/*
* Variaveis para o status da integra��o.
* Variaveis para o status da integração.
*/
$reg_retorno = $numero;
$reg_msg = '';
@ -33,7 +33,7 @@
//$retorno_cliente = '';
/*
* Registra o inicio da integração. As variaveis passadas na funções são iniciali-
* Registra o inicio da integração. As variaveis passadas na função serão iniciali-
* zadas em serverAgi.php.
*/
@RegistraIntegracao($idMetodo, $uid, $uidOld, $numero);
@ -46,18 +46,21 @@
$nomeCli = $agi->get_variable('NOMECLI', true);
$docCli = $agi->get_variable('DOCCLI', true);
$codcon = $result['data']['results'][0]['codcon'];
$codconList = ['468','506','488'];
if ( $codcon == '468' || $codcon == '506' || $codcon == '488'){
//if ( $codcon == '468' || $codcon == '506' || $codcon == '488'){
if (in_array($codcon,$codconList)){
$agi->exec_goto(GetAnuncio('CLIENTES_APOLO'));
}else if($result['error'] == 1){
__logStr("Incidente", "INFO Result API: " . print_r($result,true), $scrpt, true);
$retorno_cliente = sprintf("%s|%s|%s|ID Cliente:%s|Nome:%s|CPF_CNPJ:%s",
$uid,$numero,'151',
str_replace("|", "", $resp),
str_replace("|", "", $nomeCli),
str_replace("|", "", $docCli));
$agi->exec_goto(GetAnuncio('REDIR_SUPORTE'));
$agi->exec_goto(GetAnuncio('redir_suporte'));
} else{
$agi->exec_goto(GetAnuncio('PARADA_TECNICA'));
$agi->exec_goto(GetAnuncio('parada_tecnica'));
}
} catch (Exception $ex) {

Loading…
Cancel
Save