단축 코드에서 AJAX 사용


9

임의 코드를 표시하기 위해 단축 코드에 다음 코드가 있습니다. 질문 : 버튼에 새로운 임의의 따옴표를 표시하는 방법은 무엇입니까? 즉, 버튼을 누르면 새로운 페이지가 표시됩니다 (물론 페이지를 새로 고치지 않고).

function random_quote() {

    // quotes file
     $array = file("/path to txt file");

    // generate a random number between 0 and the total count of $array minus 1
    // we minus 1 from the total quotes because array indices start at 0 rather than 1 by default
    $r = rand(0,count($array)-1);

    // return the quote in the array with an indices of $r - our random number
    return $array[rand(0,count($array)-1)];
}

add_shortcode( 'randomquotes', 'random_quote');

WordPress에서 아약스를 사용하여 페이지의 내용을 업데이트하는 방법에 관심이 있습니까? 제 상황에서는 사실 정확히 그러하기 때문입니다.

내 하찮은 영어 실력에 죄송하다는 말씀을 드리고 싶습니다. 날 이해 해주길 바래. 감사!

답변:


4

우선, 이것은 WPSE의 범위 내에서 매우 경계 입니다.
초기 HTML 출력을 트리거하는 단축 코드 외에도 실제로 AJAX입니다.

어쨌든, 그렇게 말하면, 이것이 완료된 방법입니다.

PHP

제공 한 위의 PHP 스 니펫이 작동한다고 가정하면 ajax 호출을 위해 PHP 파일에 다음을 배치하십시오.

/wp-content/themes/%your_theme%/js/ajax-load-quote.php

 <?php
 /* uncomment the below, if you want to use native WP functions in this file */
// require_once('../../../../wp-load.php');

 $array = file( $_POST['file_path'] ); // file path in $_POST, as from the js
 $r = rand( 0, count($array) - 1 );

 return '<p>' . $array[$r] . '</p>';
 ?>

나중에 참조하고이 답변을 다른 사람에게 유용 wp-load.php하게하려면 다음을 수행하십시오. 기본 WordPress 기능을 사용하려면 포함해야합니다. 가장 commom 사례는 WP_Query또는 의 필요 일 수 $wpdb있습니다.

HTML 구조

페이지 컨텐츠, 위젯 또는 템플리트 파일에서 :

<div id="randomquotes">
    <p>I would rather have my ignorance than another man’s knowledge,
       because I have so much more of it.<br />
       -- Mark Twain, American author & Playwright</p>
</div>
<a id="newquote" class="button" href="#" title="Gimme a new one!">New Quote</a>

이것은 당신이 원하는대로 분명히 조정할 수 있지만,이 예제를 위해 이것은 우리가 겪고있는 것입니다.
우리는 나중에 짧은 코드를 통해 위의 내용을 생성 할 것입니다.

jQuery

/wp-content/themes/%your_theme%/js/ajax-load-quote.js

function ajaxQuote() {
    var theQuote = jQuery.ajax({
        type: 'POST',
        url: ajaxParams.themeURI+'js/ajax-load-quote.php',
        /* supplying the file path to the ajax loaded php as a $_POST variable */
        data: { file_path: ajaxParams.filePath },
        beforeSend: function() {
            ajaxLoadingScreen(true,'#randomquotes');
        },
        success: function(data) {
            jQuery('#randomquotes').find('p').remove();
            jQuery('#randomquotes').prepend(data);
        },
        complete: function() {
            ajaxLoadingScreen(false,'#randomquotes');
        }
    });
    return theQuote;
}
/* Loading screen to be displayed during the process, optional */
function ajaxLoadingScreen(switchOn,element) {
    /* show loading screen */
    if (switchOn) {
        jQuery(''+element).css({
            'position': 'relative'
        });
        var appendHTML = '<div class="ajax-loading-screen appended">
            <img src="'+ajaxParams.themeURI+'images/ajax-loader.gif"
                alt="Loading ..." width="16" height="16" /></div>';
        if( jQuery(''+element).children('.ajax-loading-screen').length === 0 ) {
            jQuery(''+element).append(appendHTML);
        }
        jQuery(''+element).children('.ajax-loading-screen').first().css({
            'display': 'block',
            'visibility': 'visible',
            'filter': 'alpha(opacity=100)',
            '-ms-filter': '"progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"',
            'opacity': '1'
        });
    } else {
        /* hide the loading screen */
        jQuery(''+element).children('.ajax-loading-screen').css({
            'display': '',
            'visibility': '',
            'filter': '',
            '-ms-filter': '',
            'opacity': ''
        });
        jQuery(''+element).css({
            'position': ''
        });
    }
}
/* triggering the above via the click event */
jQuery('#newquotes').click( function() {
    var theQuote = ajaxQuote();
    return false;
});

functions.php에 합치기

위의 스 니펫 아래 (아래에 포함 된 것으로 표시됨) 아래에 다음을 붙여 넣습니다.

function random_quote( $atts ) {
    /* extracts the value of shortcode argument path */
    extract( shortcode_atts( array(
        'path' => get_template_directory_uri() . '/quotes.txt' // default, if not set
    ), $atts ) );
    $array = file( $path );
    $r = rand( 0, count($array) - 1 );
    $output = '<div id="randomquotes">' .
            '<p>' . $array[$r] . '</p>' .
        '</div>' .
        '<a id="newquote" class="button" href="#" title="Gimme a new one!">New Quote</a>';
    /* enqueue the below registered script, if needed */
    wp_enqueue_script( 'ajax-quote' );
    /* supplying the file path to the script */
    wp_localize_script(
        'ajax-quote',
        'ajaxParams',
        array(
            'filePath' => $path,
            'themeURI' => get_template_directory_uri() . '/'
        )
    );
    return $output;
}
add_shortcode( 'randomquotes', 'random_quote');
/* register the js */
function wpse72974_load_scripts() {
    if ( ! is_admin() ) {
        wp_register_script(
           'ajax-quote', 
            get_template_directory_uri() . '/js/ajax-load-quote.js',
            array( 'jquery' ),
            '1.0',
            true
        );
    }
}
add_action ( 'init', 'wpse72974_load_scripts' );

선택 사항 : 로딩 화면의 CSS

.ajax-loading-screen {
    display: none;
    visibility: hidden;
    position: absolute;
    top: 0;
    right: 0;
    bottom: 0;
    left: 0;
    width: 100%;
    background: #ffffff; /* the background of your site or the container of the quote */
    filter: alpha(opacity=0);
    -ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=0)";
    opacity: 0;
    -webkit-transition:  opacity .1s;
    -moz-transition:  opacity .1s;
    -ms-transition:  opacity .1s;
    -o-transition: opacity .1s;
    transition: opacity .1s;
    z-index: 9999;
}
.ajax-loading-screen img {
    position: absolute;
    top: 50%;
    left: 50%;
    margin: -8px 0 0 -8px;
}

자료 / 독서


1
내장 AJAX API를 사용하지 않는 이유는 무엇입니까?
fuxia

@toscho 정직하게-너무 익숙하지 않습니다. 읽을 가치가 있습니까?
Johannes Pille

네 그럼요. :) 대안을 추가하겠습니다.
fuxia

완전한! 감사합니다! <br/> 함수 인수를 설정하면 스크립트가 작동합니까? 예를 들어, 텍스트 파일에 대한 링크를 제공하기 위해 단축 코드에 있습니까? <br/> function random_quote ($path) {      $ array = file ("$ path");<br/> ... [randomquote file = "http://exampe.com/file.txt"]<br/> 그러면 작동합니까? 나는 프로그래밍에 정통하지 않다.
user23769

답변을 업데이트했습니다. 이제 shortcode에 의해 설정되고 [randomquotes path="path/to/file.txt"]js로 전달되고 거기에서 php 스크립트로 전달 되는 파일 경로가 포함됩니다 .
Johannes Pille

7

짧은 코드로 스크립트를 등록 할 수 있습니다. 테마에 포함 된 경우 바닥 글에 인쇄됩니다 wp_footer().

작동 방식 :

  1. 로 단축 코드 콜백을 등록하십시오 add_shortcode().
  2. 단축 코드 콜백에서 스크립트를 등록한 다음 출력을 리턴하십시오.
  3. 스크립트에서 업데이트 버튼 추가에서 POST 요청을 보내고 admin_url( 'admin-ajax.php' )새 데이터를 가져옵니다. 반환 된 데이터를 짧은 코드와 함께 요소에 삽입하십시오.

이를 수행하는 샘플 스크립트는 다음과 같습니다. 두 개의 파일 : PHP 클래스와 JavaScript 파일. 예를 들어 둘 다 같은 디렉토리에 있어야합니다 ajax-shortcode-demo.

ajax-shortcode-demo.php

<?php
/**
 * Plugin Name: AJAX Shortcode Demo
 * Description: How to use AJAX from a shortcode handler named <code>[ajaxdemo]</code>.
 */

add_action( 'wp_loaded', array ( 'Ajax_Shortcode_Demo', 'get_instance' ) );

class Ajax_Shortcode_Demo
{
    /**
     * Current plugin instance
     *
     * @type NULL|object
     */
    protected static $instance = NULL;

    /**
     * Unique action name to trigger our callback
     *
     * @type string
     */
    protected $ajax_action = 'load_demo_data';

    /**
     * CSS class for the shortcode, reused as JavaScript handle.
     *
     * Must be unique too.
     *
     * @type string
     */
    protected $shortcode_class = 'ajaxdemo';

    /**
     * Remeber if we had regsitered a script on a page already.
     *
     * @type boolean
     */
    protected $script_registered = FALSE;

    /**
     * Create a new instance.
     *
     * @wp-hook wp_loaded
     * @return  object $this
     */
    public static function get_instance()
    {
        NULL === self::$instance and self::$instance = new self;
        return self::$instance;
    }

    /**
     * Constructor. Register shortcode and AJAX callback handlers.
     */
    public function __construct()
    {
        add_shortcode( 'ajaxdemo', array ( $this, 'shortcode_handler' ) );

        // register the AJAX callback
        $callback = array ( $this, 'ajax_callback' );
        // user who are logged in
        add_action( "wp_ajax_$this->ajax_action", $callback );
        // anonymous users
        add_action( "wp_ajax_nopriv_$this->ajax_action", $callback );
    }

    /**
     * Render the shortcode.
     */
    public function shortcode_handler()
    {
        $this->register_scripts();

        return sprintf(
            '<div class="%1$s"><b>%2$s</b></div>',
            $this->shortcode_class,
            $this->get_rand()
        );
    }

    /**
     * Return AJAX result.
     *
     * Must 'echo' and 'die'.
     *
     * @wp-hook wp_ajax_$this->ajax_action
     * @wp-hook wp_ajax_nopriv_$this->ajax_action
     * @return int
     */
    public function ajax_callback()
    {
        echo $this->get_rand();
        exit;
    }

    /**
     * Random number.
     *
     * @return int
     */
    protected function get_rand()
    {
        return rand( 1, 1000 );
    }

    /**
     * Register script and global data object.
     *
     * The data will be printent before the linked script.
     */
    protected function register_scripts()
    {
        if ( $this->script_registered )
            return;

        $this->script_registered = TRUE;

        wp_register_script(
            // unique handle
            $this->shortcode_class,
            // script URL
            plugin_dir_url( __FILE__ ) . '/jquery-ajax-demo.js',
            // dependencies
            array ( 'jquery'),
            // version
            'v1',
            // print in footer
            TRUE
        );

        wp_enqueue_script( $this->shortcode_class );

        $data = array (
            // URL address for AJAX request
            'ajaxUrl'   => admin_url( 'admin-ajax.php' ),
            // action to trigger our callback
            'action'    => $this->ajax_action,
            // selector for jQuery
            'democlass' => $this->shortcode_class
        );

        wp_localize_script( $this->shortcode_class, 'AjaxDemo', $data );
    }
}

jquery-ajax-demo.js

jQuery( function( $ ) {

    var buttonClass = AjaxDemo.democlass + 'Button',
        // insert AJAX result into the shortcode element
        updateDemo = function( response ){          
            $( '.' + AjaxDemo.democlass ).find( 'b' ).html( response );
        },
        // fetch AJAX data
        loadDemo = function() {
            $.post( AjaxDemo.ajaxUrl, { action: AjaxDemo.action }, updateDemo );
        };

    // add an update button
    $( '.' + AjaxDemo.democlass )
        .append( ' <button class="' + buttonClass + '">New</button>' );

    // assign the clock handler to the button
    $( '.' + buttonClass ).click( loadDemo );
});

블로그 게시물의 결과 :

여기에 이미지 설명을 입력하십시오


+1 & 위의 감사합니다. 계속 읽을 가치가 있습니다. 나는 위에서 일어나고있는 대부분의 것을 얻었고, 코덱스 페이지는 나의 독서 의제에 있으며 아마도 어쨌든 소스를 체크 아웃 할 것입니다. 그래도 두 가지 빠른 후속 질문을해볼 수 있습니다. API를 사용하면 프로그래머 (깨끗하고 간결하며 환경에 묶여있는 WP)에게 이점이 있음을 알 수 있습니다. 1. 성능은 어떻습니까? jQuery를 직접 사용하는 것과 비교하여 어떤 장점이나 단점이 있습니까? 2. 융통성이 있습니까? 즉, 동일한 콜백과 인수를 사용할 수 있습니까?
Johannes Pille

@JohannesPille 성능 이 완벽하지 않습니다 . 다른 한편으로, 당신은 지금 예측 가능한 환경에서 행동하고, 다른 플러그인은 코드 (후크, 함수)를 재사용 할 수 있으며 WP가 어디에 설치되어 있는지 알 필요가 없습니다 (플러그인 디렉토리 / URL은 다른 곳에있을 수 있습니다) 섬기는 사람). 그 외에도 맞춤 솔루션과 동일합니다.
fuxia

@toscho define('WP_DEBUG', true);내 wp-config.php에서를 활성화하면 이 솔루션에서 오류가 발생했습니다 Strict Standards: call_user_func_array() expects parameter 1 to be a valid callback, non-static method Ajax_Shortcode_Demo::get_instance() should not be called statically in /var/www/.../public_html/wp-includes/plugin.php on line 496. 이것이 중요합니까? : 나는 그것을 조금 변경 wordpress.stackexchange.com/q/196332/25187
Iurie 말라이

1
@Iurie 그래, 그 메소드는로 선언되어야한다 static. 게시물을 수정했습니다. 통지 해 주셔서 감사합니다. 더 이상 이와 같은 코드를 작성하지 않을 것입니다. :)
fuxia
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.