web-dev-qa-db-ja.com

パス PHP JavaScriptへの変数

後で使用できるように、PHP変数をJavaScriptで渡すことはできますか?

single.php内のみです。
wp_enqueue_scriptsについて聞いたことがありますが、JSファイルへのパスを宣言することは必須ですが、必要はありません。

ベストプラクティスの方法

wp_localize_script を見てください。これはまさにそれを行うためのものです。

しかし、それはwp_enqueue_scriptsの以前の使用を必要とするため、実際にJSを別のファイルに移動する必要があります。
確かに確かに、これらの数分間の努力の価値があります。

function wpse_96370_scripts()
{
    if ( is_single() ) {

        wp_register_script(
           'your_script_handle',
           get_template_directory_uri() . '/js/your-script.js',
           array( /* dependencies*/ ),
           1.0,
           true
       );

       wp_enqueue_script( 'your-script-handle' );

       $script_params = array(
           /* examples */
           'post' => 99,
           'users' => array( 1, 20, 2049 )
       );

       wp_localize_script( 'your-script-handle', 'scriptParams', $script_params );

    }
}
add_action( 'wp_enqueue_scripts', 'wpse_96370_scripts' );

JSでは、渡されたパラメーターを次のように使用できます。

var posts = scriptParams.post,
    secondUser = scriptParams.users[1]; /* index starts at 0 */

// iterate over users
for ( var i = 0; i < scriptParams.users.length; i++ ) {
    alert( scriptParams.users[i] );
}

[編集]あなたの状況

あなたのコメントによると

Facebook apiのresponse.idsを使用して新しいdbテーブルを作成しました。これはテーブルです:action_id、user_id、post_id、fb_id fb_idはfacebookアクションからのresponse.idです。次に、single.phpにボタンがあります。このボタンを押すと、APIでfbアクションを削除する必要があります。FB.api('/'+fb.response, 'delete'); where fb.responseは、テーブルからfb_idになります。

次のテーマの/js/フォルダーを配置し、存在しない場合は作成します。
ファイルfb-response.jsを呼び出しましょう:

jQuery( '#button_id' ).click( function() {
    FB.api( '/' + fbParams.id, 'delete' );
});

次に、上記のように登録、エンキュー、およびローカライズします。渡したいIDを持っていると仮定して、$fb_idとしましょう:

wp_register_script(
    'fb-response',
     get_template_directory_uri() . '/js/fb-response.js',
     array( 'jquery' ),
     1.0,
     true
);

wp_enqueue_script( 'fb-response' );

wp_localize_script( 'fb-response', 'fbParams', array( 'id' => $fb_id ) );

N.B.明らかに、上記はこれがテーマにあると仮定しています。 「プラグイン」の場合は、それに応じて場所を変更します。

18
Johannes Pille

あなたのコメントを読んだ後、私はあなたがこのようなことをしたいと思うことを理解しています:

// Do something to get the ID
$facebook_id = ...

// Create and print the button
echo '<input onclick="FB.api('/'+'.$facebook_id.', 'delete')" />';
1
tfrommen