搜索
首页后端开发php教程此 Cron 作业代码如何为您提供帮助?

How Can Help You in This Cron JOB Code?

我使用 postype TVShows、Seasons、Episodes 为我的网站创建了此 Cron 作业,它正确获取季节,然后生成它并发布,但当其现有季节的时间需要时它不会生成和发布剧集吗?有哪位好心人能帮我解决这个问题吗?

`// 第 1 步:注册自定义一分钟间隔进行测试
add_filter('cron_schedules', 'custom_one_month_cron_schedule');
函数 custom_one_month_cron_schedule($schedules) {
$schedules['every_month'] = array(
'间隔' => 60, // 60 秒
'显示' => __('每分钟')
);
返回 $schedules;
}

// 第 2 步:安排 Cron 作业每分钟运行一次(用于测试目的)
if (!wp_next_scheduled('auto_generate_new_seasons')) {
wp_schedule_event(time(), 'every_month', 'auto_generate_new_seasons');
}

// 第 3 步:定义回调函数以生成新的季节和剧集
add_action('auto_generate_new_seasons', 'generate_new_seasons');
函数generate_new_seasons() {
全局 $wpdb;

// Query to get all TMDb IDs of existing TV shows from post meta
$tmdb_ids = $wpdb->get_col("SELECT DISTINCT meta_value FROM {$wpdb->postmeta} WHERE meta_key = 'ids'");

foreach ($tmdb_ids as $tmdb_id) {
    // Check if the TV show exists in the 'tvshows' custom post type
    $tv_show_posts = get_posts(array(
        'post_type' => 'tvshows',
        'meta_key'  => 'ids',
        'meta_value'=> $tmdb_id,
        'posts_per_page' => 1,  // Only need one result
    ));

    // If TV show does not exist, skip to the next TMDb ID
    if (empty($tv_show_posts)) {
        continue;
    }

    // If the TV show is found, process it
    foreach ($tv_show_posts as $post) {
        // First, check if the 'clgnrt' meta is already set to avoid duplicate generation
        $clgnrt = get_post_meta($post->ID, 'clgnrt', true);
        if (!$clgnrt) {
            // Set the 'clgnrt' meta to '1' for the TV show to avoid regenerating it
            update_post_meta($post->ID, 'clgnrt', '1');
        }
    }

    // Now check for and import new seasons for each TMDb ID
    $existing_seasons = $wpdb->get_col($wpdb->prepare(
        "SELECT meta_value FROM {$wpdb->postmeta} WHERE post_id IN (
            SELECT post_id FROM {$wpdb->postmeta} WHERE meta_key = 'ids' AND meta_value = %s
        ) AND meta_key = 'temporada'",
        $tmdb_id
    ));

    $season = 1;
    while ($season) {
        // Skip seasons that already exist (duplicate check)
        if (in_array($season, $existing_seasons)) {
            $season++;
            continue;
        }

        // Fetch season data from TMDb API
        $response = wp_remote_get("https://api.themoviedb.org/3/tv/$tmdb_id/season/$season", array(
            'body' => array(
                'api_key' => 'YOUR_TMDB_API_KEY',
                'language' => 'en-US',
                'append_to_response' => 'images'
            )
        ));

        if (is_wp_error($response) || wp_remote_retrieve_response_code($response) != 200) {
            break;
        }

        $json_tmdb = json_decode(wp_remote_retrieve_body($response), true);

        // If no season data is found, break the loop
        if (!isset($json_tmdb['season_number'])) {
            break;
        }

        // Create a new season post
        $post_data = array(
            'post_status'  => 'publish',
            'post_title'   => $json_tmdb['name'] . ': Season ' . $json_tmdb['season_number'], // Season Title: "Show Name: Season 1"
            'post_content' => $json_tmdb['overview'],
            'post_type'    => 'seasons',
        );

        $post_id = wp_insert_post($post_data);

        if (!is_wp_error($post_id)) {
            // Add meta data for the new season
            add_post_meta($post_id, 'ids', $tmdb_id);
            add_post_meta($post_id, 'temporada', $json_tmdb['season_number']);
            add_post_meta($post_id, 'air_date', $json_tmdb['air_date']);
            add_post_meta($post_id, 'dt_poster', $json_tmdb['poster_path']);

            // Update the 'clgnrt' meta for seasons to avoid regeneration
            update_post_meta($post_id, 'clgnrt', '1');

            // Generate episodes for the new season
            generate_episodes($tmdb_id, $season, $post_id);
        }

        $season++;
    }
}

}

// 第 4 步:生成一季的剧集
函数generate_episodes($tmdb_id, $season_number, $season_post_id) {
全局 $wpdb;

// Check if the episodes for this season already exist
$existing_episodes = $wpdb->get_col($wpdb->prepare(
    "SELECT meta_value FROM {$wpdb->postmeta} WHERE post_id IN (
        SELECT post_id FROM {$wpdb->postmeta} WHERE meta_key = 'temporada' AND meta_value = %s
    ) AND meta_key = 'episodio' ",
    $season_number
));

$episode_number = 1;
while ($episode_number) {
    // Skip episodes that already exist (duplicate check)
    if (in_array($episode_number, $existing_episodes)) {
        $episode_number++;
        continue;
    }

    // Fetch episode data from TMDb API
    $response = wp_remote_get("https://api.themoviedb.org/3/tv/$tmdb_id/season/$season_number/episode/$episode_number", array(
        'body' => array(
            'api_key' => 'YOUR_TMDB_API_KEY',
            'language' => 'en-US',
            'append_to_response' => 'images'
        )
    ));

    if (is_wp_error($response) || wp_remote_retrieve_response_code($response) != 200) {
        break;
    }

    $json_tmdb = json_decode(wp_remote_retrieve_body($response), true);

    // If no episode data is found, break the loop
    if (!isset($json_tmdb['episode_number'])) {
        break;
    }

    // Create a new episode post
    $post_data = array(
        'post_status'  => 'publish',
        'post_title'   => $json_tmdb['name'] . ' ' . $season_number . 'x' . $episode_number, // Episode Title: "Show Name: 1x1"
        'post_content' => $json_tmdb['overview'],
        'post_type'    => 'episodes',
    );

    $episode_post_id = wp_insert_post($post_data);

    if (!is_wp_error($episode_post_id)) {
        // Add meta data for the new episode
        add_post_meta($episode_post_id, 'ids', $tmdb_id);
        add_post_meta($episode_post_id, 'temporada', $season_number);
        add_post_meta($episode_post_id, 'episodio', $json_tmdb['episode_number']);
        add_post_meta($episode_post_id, 'air_date', $json_tmdb['air_date']);
        add_post_meta($episode_post_id, 'dt_poster', $json_tmdb['still_path']);

        // Update the 'clgnrt' meta for episodes to avoid regeneration
        update_post_meta($episode_post_id, 'clgnrt', '1');
    }

    $episode_number++;
}

}

// 第 5 步:测试后清理并重置 cron 作业计划
add_action('init', function() {
if (已定义('WP_DEBUG') && WP_DEBUG) {
// 删除现有的 cron 计划以重置它
$timestamp = wp_next_scheduled('auto_generate_new_seasons');
if ($timestamp) {
wp_unschedule_event($timestamp, 'auto_generate_new_seasons');
}
}

// Re-schedule the cron job to run hourly instead of every minute for production
if (!wp_next_scheduled('auto_generate_new_seasons')) {
    wp_schedule_event(time(), 'hourly', 'auto_generate_new_seasons');
}

});
`

以上是此 Cron 作业代码如何为您提供帮助?的详细内容。更多信息请关注PHP中文网其他相关文章!

声明
本文内容由网友自发贡献,版权归原作者所有,本站不承担相应法律责任。如您发现有涉嫌抄袭侵权的内容,请联系admin@php.cn
高流量网站的PHP性能调整高流量网站的PHP性能调整May 14, 2025 am 12:13 AM

TheSecretTokeEpingAphp-PowerEdwebSiterUnningSmoothlyShyunderHeavyLoadInVolvOLVOLVOLDEVERSALKEYSTRATICES:1)emplactopCodeCachingWithOpcachingWithOpCacheToreCescriptexecution Time,2)使用atabasequercachingCachingCachingWithRedataBasEndataBaseLeSendataBaseLoad,3)

PHP中的依赖注入:初学者的代码示例PHP中的依赖注入:初学者的代码示例May 14, 2025 am 12:08 AM

你应该关心DependencyInjection(DI),因为它能让你的代码更清晰、更易维护。1)DI通过解耦类,使其更模块化,2)提高了测试的便捷性和代码的灵活性,3)使用DI容器可以管理复杂的依赖关系,但要注意性能影响和循环依赖问题,4)最佳实践是依赖于抽象接口,实现松散耦合。

PHP性能:是否可以优化应用程序?PHP性能:是否可以优化应用程序?May 14, 2025 am 12:04 AM

是的,优化papplicationispossibleandessential.1)empartcachingingcachingusedapcutorediucedsatabaseload.2)优化的atabaseswithexing,高效Quereteries,and ConconnectionPooling.3)EnhanceCodeWithBuilt-unctions,避免使用,避免使用ingglobalalairaiables,并避免使用

PHP性能优化:最终指南PHP性能优化:最终指南May 14, 2025 am 12:02 AM

theKeyStrategiestosiminificallyBoostphpapplicationPermenCeare:1)useOpCodeCachingLikeLikeLikeLikeLikeCacheToreDuceExecutiontime,2)优化AtabaseInteractionswithPreparedStateTemtStatementStatementSandProperIndexing,3)配置

PHP依赖注入容器:快速启动PHP依赖注入容器:快速启动May 13, 2025 am 12:11 AM

aphpdepentioncontiveContainerIsatoolThatManagesClassDeptions,增强codemodocultion,可验证性和Maintainability.itactsasaceCentralHubForeatingingIndections,因此reducingTightCightTightCoupOulplingIndeSingantInting。

PHP中的依赖注入与服务定位器PHP中的依赖注入与服务定位器May 13, 2025 am 12:10 AM

选择DependencyInjection(DI)用于大型应用,ServiceLocator适合小型项目或原型。1)DI通过构造函数注入依赖,提高代码的测试性和模块化。2)ServiceLocator通过中心注册获取服务,方便但可能导致代码耦合度增加。

PHP性能优化策略。PHP性能优化策略。May 13, 2025 am 12:06 AM

phpapplicationscanbeoptimizedForsPeedAndeffificeby:1)启用cacheInphp.ini,2)使用preparedStatatementSwithPdoforDatabasequesies,3)3)替换loopswitharray_filtaray_filteraray_maparray_mapfordataprocrocessing,4)conformentnginxasaseproxy,5)

PHP电子邮件验证:确保正确发送电子邮件PHP电子邮件验证:确保正确发送电子邮件May 13, 2025 am 12:06 AM

phpemailvalidation invoLvesthreesteps:1)格式化进行regulareXpressecthemailFormat; 2)dnsvalidationtoshethedomainhasavalidmxrecord; 3)

See all articles

热AI工具

Undresser.AI Undress

Undresser.AI Undress

人工智能驱动的应用程序,用于创建逼真的裸体照片

AI Clothes Remover

AI Clothes Remover

用于从照片中去除衣服的在线人工智能工具。

Undress AI Tool

Undress AI Tool

免费脱衣服图片

Clothoff.io

Clothoff.io

AI脱衣机

Video Face Swap

Video Face Swap

使用我们完全免费的人工智能换脸工具轻松在任何视频中换脸!

热门文章

热工具

SublimeText3 英文版

SublimeText3 英文版

推荐:为Win版本,支持代码提示!

MinGW - 适用于 Windows 的极简 GNU

MinGW - 适用于 Windows 的极简 GNU

这个项目正在迁移到osdn.net/projects/mingw的过程中,你可以继续在那里关注我们。MinGW:GNU编译器集合(GCC)的本地Windows移植版本,可自由分发的导入库和用于构建本地Windows应用程序的头文件;包括对MSVC运行时的扩展,以支持C99功能。MinGW的所有软件都可以在64位Windows平台上运行。

ZendStudio 13.5.1 Mac

ZendStudio 13.5.1 Mac

功能强大的PHP集成开发环境

禅工作室 13.0.1

禅工作室 13.0.1

功能强大的PHP集成开发环境

记事本++7.3.1

记事本++7.3.1

好用且免费的代码编辑器