我想通过AJAX将MySQL表(自定义表)数据提取到我的管理面板。当用户单击按钮获取数据而不刷新页面时。 我已经在PHP上创建了它,但是在WordPress中添加AJAX文件的位置?
这是我的代码。注意我正在尝试制作插件当用户单击fetchdata按钮时,调用AJAX获取结果。 我在我的插件中添加了JS文件
我从主插件文件
调用了jsfunction school_register_head() {
$siteurl = get_option('siteurl');
$url2 = $siteurl . '/wp-content/plugins/' . basename(dirname(__FILE__)) . '/jquery-1.3.2.js';
$url3 = $siteurl . '/wp-content/plugins/' . basename(dirname(__FILE__)) . '/script.js';
echo "<script src=$url2 type=text/javascript></script>\n";
echo "<script src=$url3 type=text/javascript></script>\n";
}
add_action('admin_head', 'school_register_head');
script.js文件
$(document).ready(function() {
$("#display").click(function() {
$.ajax({ //create an ajax request to load_page.php
type: "GET",
url: "display.php",
dataType: "html", //expect html to be returned
success: function(response){
$("#responsecontainer").html(response);
//alert(response);
}
});
});
});
display.php文件
<?php
global $wpdb;
$rows = $wpdb->get_results("SELECT postid from `wp_school_post`");
echo "<table class='wp-list-table widefat fixed'>";
echo "<tr><th>ID</th><tr>";
foreach ($rows as $row ){
echo "<tr>";
echo "<td>$row->postid</td>";
echo "</tr>";}
echo "</table>";
?>
html按钮
<input type="button" id="display" class="button" value="Fetch All Data" onClick="fetch_data();" />
<div id="responsecontainer" align="center">
答案 0 :(得分:3)
如果&#34;在哪里放置AJAX文件&#34;表示如何将其包含在管理页面中:最简单的方法是使用admin_enqueue_scripts()
,例如,如果您在主题中实现它:
<?php
function load_ajax_script() {
wp_enqueue_script("ajax-script", get_template_directory() . "/scripts/ajax-script.js");
}
add_action("admin_enqueue_scripts", "load_ajax_script");
?>
将此代码添加到活动主题目录中的functions.php中。
下一步将是 jQuery脚本。打开与wp_enqueue_script()
一起使用的.js脚本文件,并添加以下内容:
jQuery(document).ready(function() {
jQuery("#fetch-data").click(function() {
var script_url = "http://www.example.com/wp-content/themes/my-theme/display.php";
var response_container = jQuery("#responsecontainer");
jQuery.ajax({
type: "GET",
url:script_url,
success:function(response) {
response_container.html(response);
},
error:function() {
alert("There was an error while fetching the data.");
}
});
});
});
请注意,在调用.php文件时必须使用URL ,而不是像使用PHP include()
时那样使用服务器上的绝对路径。根据您放置脚本的位置,使用$(...)
或jQuery(...)
。
现在我们必须插入调用AJAX的按钮,当然还有容器,其中插入了返回的内容。由于您没有说出它的显示位置,我现在只是把它放在管理区域的顶部:
function display_ajax_button() {
?>
<input type="button" value="Fetch data" id="fetch-data" />
<div id="fetched-data-content"></div>
<?php
}
add_action("admin_init", "display_ajax_button");
最后,我们自己创建PHP脚本。我刚刚复制了您的代码并将其保存在jQuery.ajax()
URL
参数中定义的同一目录中:
<?php
global $wpdb;
$rows = $wpdb->get_results("SELECT postid from `wp_school_post`");
echo "<table class='wp-list-table widefat fixed'>";
echo "<tr><th>ID</th><tr>";
foreach ($rows as $row ){
echo "<tr>";
echo "<td>$row->postid</td>";
echo "</tr>";}
echo "</table>";
?>
这应该是最简单的方法。打开管理页面并尝试一下。让我知道它是否有效。