এমনকি যদি এই প্রশ্নটি পুরানো হয় তবে গুগল অনুসন্ধান থেকে কারও কাছে আরও নমনীয় উত্তর প্রয়োজন হলে আমি এটি এখানে রেখে দেব।
সময়ের সাথে সাথে, আমি WP_Query
বিশ্বব্যাপী ক্যোয়ারী অগ্নিস্টিক হওয়ার সমাধান তৈরি করেছি ped আপনি যখন কোনও কাস্টম ব্যবহার করেন WP_Query
, আপনি কেবল নিজের ব্যবহার include
বা require
ভেরিয়েবলগুলি ব্যবহার করতে সীমাবদ্ধ থাকেন $custom_query
তবে কিছু ক্ষেত্রে (যা আমার পক্ষে বেশিরভাগ ক্ষেত্রে!), আমি তৈরি টেম্পলেট অংশগুলি কিছু সময় বৈশ্বিক ক্যোয়ারিতে ব্যবহৃত হয় (যেমন সংরক্ষণাগার টেম্পলেট হিসাবে) বা একটি কাস্টম WP_Query
(যেমন প্রথম পৃষ্ঠায় একটি কাস্টম পোস্ট টাইপ জিজ্ঞাসা)। এর অর্থ হ'ল ক্যোয়ারের ধরণ ছাড়াই বিশ্বব্যাপী অ্যাক্সেসযোগ্য হওয়ার জন্য আমার একটি কাউন্টার দরকার need ওয়ার্ডপ্রেস এটি উপলভ্য করে না, তবে কয়েকটি হুকের জন্য ধন্যবাদ এটি কীভাবে করা যায় তা এখানে।
এটি আপনার ফাংশন.পিপিতে রাখুন Place
/**
* Create a globally accessible counter for all queries
* Even custom new WP_Query!
*/
// Initialize your variables
add_action('init', function(){
global $cqc;
$cqc = -1;
});
// At loop start, always make sure the counter is -1
// This is because WP_Query calls "next_post" for each post,
// even for the first one, which increments by 1
// (meaning the first post is going to be 0 as expected)
add_action('loop_start', function($q){
global $cqc;
$cqc = -1;
}, 100, 1);
// At each iteration of a loop, this hook is called
// We store the current instance's counter in our global variable
add_action('the_post', function($p, $q){
global $cqc;
$cqc = $q->current_post;
}, 100, 2);
// At each end of the query, we clean up by setting the counter to
// the global query's counter. This allows the custom $cqc variable
// to be set correctly in the main page, post or query, even after
// having executed a custom WP_Query.
add_action( 'loop_end', function($q){
global $wp_query, $cqc;
$cqc = $wp_query->current_post;
}, 100, 1);
এই সমাধানটির সৌন্দর্যটি হ'ল, আপনি একটি কাস্টম ক্যোয়ারিতে প্রবেশ করার পরে এবং সাধারণ লুপটিতে ফিরে আসার সাথে সাথে এটি কোনওভাবেই ডান কাউন্টারে পুনরায় সেট করতে চলেছে। যতক্ষণ আপনি কোনও প্রশ্নের ভিতরে রয়েছেন (যা ওয়ার্ডপ্রেসে সর্বদা ক্ষেত্রে থাকে, আপনি কি জানেন না) আপনার কাউন্টারটি সঠিক হতে চলেছে। মূল ক্যোয়ারী একই ক্লাসের সাথে মৃত্যুদন্ড কার্যকর করার কারণেই!
উদাহরণ:
global $cqc;
while(have_posts()): the_post();
echo $cqc; // Will output 0
the_title();
$custom_query = new WP_Query(array('post_type' => 'portfolio'));
while($custom_query->have_posts()): $custom_query->the_post();
echo $cqc; // Will output 0, 1, 2, 34
the_title();
endwhile;
echo $cqc; // Will output 0 again
endwhile;