Aqui está uma alternativa com AJAX, mas sem jQuery, apenas JavaScript normal:
Adicione isso à primeira / página principal do php, de onde você deseja chamar a ação, mas altere-a de uma a
tag potencial (hiperlink) para um button
elemento, de modo que não seja clicado por bots ou aplicativos maliciosos (ou qualquer outro).
<head>
<script>
// function invoking ajax with pure javascript, no jquery required.
function myFunction(value_myfunction) {
var xmlhttp = new XMLHttpRequest();
xmlhttp.onreadystatechange = function() {
if (this.readyState == 4 && this.status == 200) {
document.getElementById("results").innerHTML += this.responseText;
// note '+=', adds result to the existing paragraph, remove the '+' to replace.
}
};
xmlhttp.open("GET", "ajax-php-page.php?sendValue=" + value_myfunction, true);
xmlhttp.send();
}
</script>
</head>
<body>
<?php $sendingValue = "thevalue"; // value to send to ajax php page. ?>
<!-- using button instead of hyperlink (a) -->
<button type="button" onclick="value_myfunction('<?php echo $sendingValue; ?>');">Click to send value</button>
<h4>Responses from ajax-php-page.php:</h4>
<p id="results"></p> <!-- the ajax javascript enters returned GET values here -->
</body>
Quando o button
é clicado, onclick
usa a função javascript do head para enviar $sendingValue
via ajax para outra página php, como muitos exemplos anteriores a este. A outra página ajax-php-page.php
,, verifica o valor GET e retorna com print_r
:
<?php
$incoming = $_GET['sendValue'];
if( isset( $incoming ) ) {
print_r("ajax-php-page.php recieved this: " . "$incoming" . "<br>");
} else {
print_r("The request didn´t pass correctly through the GET...");
}
?>
A resposta de print_r
é então retornada e exibida com
document.getElementById("results").innerHTML += this.responseText;
O +=
preenche e adiciona aos elementos html existentes, removendo as +
atualizações justas e substituindo o conteúdo existente do p
elemento html "results"
.