当前位置:首页>python>抖音无水印解析-python版本

抖音无水印解析-python版本

  • 2026-02-27 07:21:04
抖音无水印解析-python版本
这个东西是很泛滥了 现在我把这个原理分享出来大家喜欢的可以自己去研究一下主要支持视频跟图集
运行示例-视频解析
运行示例-图集解析
#!/usr/bin/env python3# -*- coding: utf-8 -*-"""抖音视频解析工具 - 独立版本功能:解析抖音分享链接,获取视频信息和无水印下载地址作者:千秋Api版本:1.0.0"""import reimport jsonimport sysfrom urllib.parse import urlparse, parse_qsimport urllib.requestimport urllib.error# ============================================================================# 链接提取与处理# ============================================================================def extract_douyin_url(text):    """    从文本中提取抖音链接    参数:        text: 包含抖音链接的文本    返回:        str: 提取到的抖音链接,未找到则返回None    """    pattern = r'https?://v\.douyin\.com/[A-Za-z0-9_-]+/?'    match = re.search(pattern, text)    if match:        return match.group(0)    return Nonedef get_redirect_url(short_url, timeout=5):    """    获取短链接重定向后的真实URL    参数:        short_url: 抖音短链接        timeout: 请求超时时间(秒)    返回:        str: 重定向后的完整URL,失败返回None    """    try:        req = urllib.request.Request(            short_url,            headers={                'User-Agent''Mozilla/5.0 (iPhone; CPU iPhone OS 16_6 like Mac OS X) AppleWebKit/605.1.15'            }        )        with urllib.request.urlopen(req, timeout=timeout) as response:            return response.url    except Exception as e:        print(f"[错误] 获取重定向URL失败: {e}")        return Nonedef extract_video_id(url):    """    从URL中提取视频ID    参数:        url: 完整的抖音视频URL    返回:        str: 19位视频ID,未找到返回None    """    # 尝试多种匹配模式    patterns = [        r'/video/(\d{19})',      # 标准格式        r'/(\d{19})',            # 简化格式        r'modal_id=(\d{19})',    # 参数格式    ]    for pattern in patterns:        match = re.search(pattern, url)        if match:            return match.group(1)    # 尝试从查询参数中获取    parsed = urlparse(url)    query_params = parse_qs(parsed.query)    if 'modal_id' in query_params:        return query_params['modal_id'][0]    return None# ============================================================================# 视频数据获取与解析# ============================================================================def fetch_video_data(video_id, timeout=8):    """    从抖音服务器获取视频详细数据    参数:        video_id: 19位视频ID        timeout: 请求超时时间(秒)    返回:        dict: 视频数据字典,失败返回None    """    url = f'https://www.iesdouyin.com/share/video/{video_id}/'    try:        req = urllib.request.Request(            url,            headers={                'User-Agent''Mozilla/5.0 (Linux; Android 8.0.0; SM-G955U Build/R16NW) AppleWebKit/537.36',                'Referer''https://www.douyin.com/?is_from_mobile_home=1&recommend=1'            }        )        with urllib.request.urlopen(req, timeout=timeout) as response:            html = response.read().decode('utf-8')            # 查找数据标记位置            start_marker = 'window._ROUTER_DATA'            start_idx = html.find(start_marker)            if start_idx == -1:                print("[错误] 未找到视频数据标记")                print("[提示] 页面可能已改版或需要登录")                return None            # 定位JSON数据起始位置            json_start = html.find('{', start_idx)            if json_start == -1:                print("[错误] 无法找到JSON数据")                return None            # 匹配大括号,找到JSON结束位置            brace_count = 0            json_end = json_start            max_search = min(json_start + 500000len(html))            for i in range(json_start, max_search):                if html[i] == '{':                    brace_count += 1                elif html[i] == '}':                    brace_count -= 1                    if brace_count == 0:                        json_end = i + 1                        break            if json_end == json_start:                print("[错误] 无法解析完整JSON")                return None            # 解析JSON数据            json_str = html[json_start:json_end]            try:                router_data = json.loads(json_str)            except json.JSONDecodeError as e:                print(f"[错误] JSON解析失败: {e}")                print(f"[调试] JSON片段: {json_str[:200]}...")                return None            # 提取视频信息 - 使用更灵活的路径            try:                # 尝试标准路径                loader_data = router_data.get('loaderData', {})                if not loader_data:                    print("[错误] loaderData为空")                    print(f"[调试] router_data键: {list(router_data.keys())}")                    return None                # 查找包含videoInfoRes的键 - 遍历所有键查找有效数据                video_key = None                video_data = None                for key in loader_data.keys():                    data = loader_data.get(key)                    if data and isinstance(data, dictand 'videoInfoRes' in data:                        video_key = key                        video_data = data                        break                if not video_key or not video_data:                    print(f"[错误] 未找到包含videoInfoRes的数据")                    print(f"[调试] loaderData中的键: {list(loader_data.keys())}")                    return None                if isinstance(video_data, dict):                    video_info = video_data.get('videoInfoRes', {})                    if not video_info:                        print(f"[错误] videoInfoRes为空")                        print(f"[调试] video_data键: {list(video_data.keys())}")                        return None                    item_list = video_info.get('item_list', [])                    if not item_list:                        print("[错误] 视频列表为空")                        return None                    return item_list[0]                else:                    print(f"[错误] video_data类型错误: {type(video_data)}")                    return None            except (KeyError, IndexError) as e:                print(f"[错误] 数据结构错误: {e}")                print(f"[调试] router_data键: {list(router_data.keys())}")                if 'loaderData' in router_data:                    print(f"[调试] loaderData键: {list(router_data['loaderData'].keys())}")                return None    except urllib.error.HTTPError as e:        print(f"[错误] HTTP错误 {e.code}{e.reason}")        return None    except urllib.error.URLError as e:        print(f"[错误] 网络错误: {e.reason}")        return None    except Exception as e:        print(f"[错误] 获取视频数据失败: {e}")        import traceback        traceback.print_exc()        return Nonedef get_real_download_url(play_url, timeout=5):    """    获取视频的真实CDN下载地址    参数:        play_url: 播放接口URL        timeout: 请求超时时间(秒)    返回:        str: CDN直链地址,失败返回原播放URL    """    try:        req = urllib.request.Request(            play_url,            headers={                'User-Agent''Mozilla/5.0 (Linux; Android 8.0.0; SM-G955U Build/R16NW) AppleWebKit/537.36',                'Referer''https://www.douyin.com/'            }        )        with urllib.request.urlopen(req, timeout=timeout) as response:            real_url = response.url            # 检查是否为CDN链接            if 'douyinvod.com' in real_url or 'douyinstatic.com' in real_url:                return real_url            return play_url    except Exception as e:        print(f"[提示] 获取CDN直链失败,使用播放接口: {e}")        return play_urldef parse_video_info(item):    """    解析视频数据,提取关键信息    参数:        item: 从API获取的原始视频数据    返回:        dict: 包含视频信息的字典,失败返回None    """    try:        # 检查是否为图集        images = item.get('images', [])        is_image = bool(images)        # 提取封面图片        cover_url = ''        if item['video']['cover']['url_list']:            cover_url = item['video']['cover']['url_list'][0]        # 提取统计数据        statistics = item.get('statistics', {})        # 构建基本结果字典        result = {            'video_id': item['aweme_id'],            'title': item.get('desc''抖音视频'),            'author': item['author']['nickname'],            'author_id': item['author'].get('unique_id'''),            'cover': cover_url,            'type''image' if is_image else 'video',            'duration': item['video'].get('duration'0) / 1000,            'like_count': statistics.get('digg_count'0),            'comment_count': statistics.get('comment_count'0),            'share_count': statistics.get('share_count'0),            'collect_count': statistics.get('collect_count'0),        }        # 处理图集        if is_image:            print("[步骤8] 解析图集链接...")            image_list = []            for idx, img in enumerate(images, 1):                if img.get('url_list'):                    img_url = img['url_list'][0]                    image_list.append(img_url)                    print(f"  图片 {idx}{img_url[:80]}...")            result['image_list'] = image_list            result['video_url'] = None            result['real_video_url'] = None        else:            # 处理视频            video_uri = item['video']['play_addr']['uri']            video_url = f"https://www.douyin.com/aweme/v1/play/?video_id={video_uri}"            result['video_url'] = video_url            result['image_list'] = []            # 获取真实CDN下载地址            print("[步骤8] 获取视频CDN直链...")            real_url = get_real_download_url(video_url)            result['real_video_url'] = real_url            if real_url != video_url:                print(f"  成功获取CDN直链")            else:                print(f"  使用播放接口链接")        return result    except Exception as e:        print(f"[错误] 解析视频信息失败: {e}")        import traceback        traceback.print_exc()        return None# ============================================================================# 主解析流程# ============================================================================def parse_douyin(url_or_text):    """    解析抖音视频的主函数    参数:        url_or_text: 抖音链接或包含链接的文本    返回:        dict: 解析结果,失败返回None    """    print("[步骤1] 开始解析...")    # 提取链接    url = extract_douyin_url(url_or_text)    if not url:        url = url_or_text    print(f"[步骤2] 提取到的链接: {url}")    # 获取重定向URL    print("[步骤3] 获取重定向URL...")    redirect_url = get_redirect_url(url)    if not redirect_url:        return None    print(f"[步骤4] 重定向后的URL: {redirect_url}")    # 提取视频ID    video_id = extract_video_id(redirect_url)    if not video_id:        print("[错误] 无法提取视频ID")        return None    print(f"[步骤5] 视频ID: {video_id}")    # 获取视频数据    print("[步骤6] 获取视频数据...")    item = fetch_video_data(video_id)    if not item:        return None    # 解析视频信息    print("[步骤7] 解析视频信息...")    result = parse_video_info(item)    return result# ============================================================================# 结果输出# ============================================================================def print_result(result):    """    格式化打印解析结果    参数:        result: 解析得到的视频信息字典    """    if not result:        print("\n" + "="*70)        print("[失败] 解析失败")        print("="*70)        return    print("\n" + "="*70)    print("[成功] 解析完成")    print("="*70)    # 基本信息    print("\n[基本信息]")    print(f"  视频ID    : {result['video_id']}")    print(f"  标题      : {result['title']}")    print(f"  作者      : {result['author']}")    if result['author_id']:        print(f"  作者ID    : {result['author_id']}")    print(f"  类型      : {'图集'if result['type'] == 'image'else'视频'}")    # 统计信息    print("\n[统计信息]")    if result['type'] == 'video':        print(f"  时长      : {result['duration']:.1f} 秒")    print(f"  点赞数    : {result['like_count']:,}")    print(f"  评论数    : {result['comment_count']:,}")    print(f"  分享数    : {result['share_count']:,}")    print(f"  收藏数    : {result['collect_count']:,}")    # 封面链接    if result['cover']:        print("\n[封面链接]")        print(f"  {result['cover']}")    # 视频下载链接    if result['type'] == 'video':        print("\n[视频下载链接]")        print(f"  播放接口  : {result['video_url']}")        if result['real_video_url'and result['real_video_url'] != result['video_url']:            print(f"  CDN直链   : {result['real_video_url']}")    # 图集链接    elif result['image_list']:        print(f"\n[图集链接] (共 {len(result['image_list'])} 张)")        for i, img in enumerate(result['image_list'], 1):            print(f"  [{i}{img}")    print("\n" + "="*70)# ============================================================================# 程序入口# ============================================================================def main():    """主函数"""    print("="*70)    print("抖音视频解析工具 v1.0.0")    print("="*70)    # 获取输入    if len(sys.argv) > 1:        # 从命令行参数获取        url = sys.argv[1]    else:        # 交互式输入        print("\n请输入抖音分享链接或包含链接的文本:")        url = input("> ").strip()    if not url:        print("[错误] 未输入链接")        return    # 执行解析    result = parse_douyin(url)    # 输出结果    print_result(result)if __name__ == '__main__':    main()

最新文章

随机文章

基本 文件 流程 错误 SQL 调试
  1. 请求信息 : 2026-02-28 08:58:49 HTTP/2.0 GET : https://f.mffb.com.cn/a/476503.html
  2. 运行时间 : 0.376525s [ 吞吐率:2.66req/s ] 内存消耗:4,843.39kb 文件加载:140
  3. 缓存信息 : 0 reads,0 writes
  4. 会话信息 : SESSION_ID=00b8ee3a9a68de19e039905815d39fbb
  1. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/public/index.php ( 0.79 KB )
  2. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/autoload.php ( 0.17 KB )
  3. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/composer/autoload_real.php ( 2.49 KB )
  4. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/composer/platform_check.php ( 0.90 KB )
  5. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/composer/ClassLoader.php ( 14.03 KB )
  6. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/composer/autoload_static.php ( 4.90 KB )
  7. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-helper/src/helper.php ( 8.34 KB )
  8. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-validate/src/helper.php ( 2.19 KB )
  9. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/helper.php ( 1.47 KB )
  10. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/stubs/load_stubs.php ( 0.16 KB )
  11. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Exception.php ( 1.69 KB )
  12. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-container/src/Facade.php ( 2.71 KB )
  13. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/symfony/deprecation-contracts/function.php ( 0.99 KB )
  14. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/symfony/polyfill-mbstring/bootstrap.php ( 8.26 KB )
  15. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/symfony/polyfill-mbstring/bootstrap80.php ( 9.78 KB )
  16. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/symfony/var-dumper/Resources/functions/dump.php ( 1.49 KB )
  17. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-dumper/src/helper.php ( 0.18 KB )
  18. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/symfony/var-dumper/VarDumper.php ( 4.30 KB )
  19. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/App.php ( 15.30 KB )
  20. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-container/src/Container.php ( 15.76 KB )
  21. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/psr/container/src/ContainerInterface.php ( 1.02 KB )
  22. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/app/provider.php ( 0.19 KB )
  23. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Http.php ( 6.04 KB )
  24. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-helper/src/helper/Str.php ( 7.29 KB )
  25. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Env.php ( 4.68 KB )
  26. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/app/common.php ( 0.03 KB )
  27. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/helper.php ( 18.78 KB )
  28. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Config.php ( 5.54 KB )
  29. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/app.php ( 0.95 KB )
  30. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/cache.php ( 0.78 KB )
  31. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/console.php ( 0.23 KB )
  32. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/cookie.php ( 0.56 KB )
  33. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/database.php ( 2.48 KB )
  34. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/facade/Env.php ( 1.67 KB )
  35. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/filesystem.php ( 0.61 KB )
  36. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/lang.php ( 0.91 KB )
  37. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/log.php ( 1.35 KB )
  38. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/middleware.php ( 0.19 KB )
  39. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/route.php ( 1.89 KB )
  40. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/session.php ( 0.57 KB )
  41. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/trace.php ( 0.34 KB )
  42. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/config/view.php ( 0.82 KB )
  43. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/app/event.php ( 0.25 KB )
  44. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Event.php ( 7.67 KB )
  45. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/app/service.php ( 0.13 KB )
  46. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/app/AppService.php ( 0.26 KB )
  47. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Service.php ( 1.64 KB )
  48. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Lang.php ( 7.35 KB )
  49. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/lang/zh-cn.php ( 13.70 KB )
  50. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/initializer/Error.php ( 3.31 KB )
  51. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/initializer/RegisterService.php ( 1.33 KB )
  52. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/services.php ( 0.14 KB )
  53. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/service/PaginatorService.php ( 1.52 KB )
  54. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/service/ValidateService.php ( 0.99 KB )
  55. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/service/ModelService.php ( 2.04 KB )
  56. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-trace/src/Service.php ( 0.77 KB )
  57. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Middleware.php ( 6.72 KB )
  58. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/initializer/BootService.php ( 0.77 KB )
  59. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/Paginator.php ( 11.86 KB )
  60. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-validate/src/Validate.php ( 63.20 KB )
  61. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/Model.php ( 23.55 KB )
  62. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/model/concern/Attribute.php ( 21.05 KB )
  63. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/model/concern/AutoWriteData.php ( 4.21 KB )
  64. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/model/concern/Conversion.php ( 6.44 KB )
  65. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/model/concern/DbConnect.php ( 5.16 KB )
  66. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/model/concern/ModelEvent.php ( 2.33 KB )
  67. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/model/concern/RelationShip.php ( 28.29 KB )
  68. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-helper/src/contract/Arrayable.php ( 0.09 KB )
  69. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-helper/src/contract/Jsonable.php ( 0.13 KB )
  70. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/model/contract/Modelable.php ( 0.09 KB )
  71. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Db.php ( 2.88 KB )
  72. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/DbManager.php ( 8.52 KB )
  73. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Log.php ( 6.28 KB )
  74. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Manager.php ( 3.92 KB )
  75. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/psr/log/src/LoggerTrait.php ( 2.69 KB )
  76. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/psr/log/src/LoggerInterface.php ( 2.71 KB )
  77. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Cache.php ( 4.92 KB )
  78. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/psr/simple-cache/src/CacheInterface.php ( 4.71 KB )
  79. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-helper/src/helper/Arr.php ( 16.63 KB )
  80. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/cache/driver/File.php ( 7.84 KB )
  81. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/cache/Driver.php ( 9.03 KB )
  82. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/contract/CacheHandlerInterface.php ( 1.99 KB )
  83. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/app/Request.php ( 0.09 KB )
  84. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Request.php ( 55.78 KB )
  85. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/app/middleware.php ( 0.25 KB )
  86. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Pipeline.php ( 2.61 KB )
  87. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-trace/src/TraceDebug.php ( 3.40 KB )
  88. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/middleware/SessionInit.php ( 1.94 KB )
  89. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Session.php ( 1.80 KB )
  90. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/session/driver/File.php ( 6.27 KB )
  91. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/contract/SessionHandlerInterface.php ( 0.87 KB )
  92. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/session/Store.php ( 7.12 KB )
  93. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Route.php ( 23.73 KB )
  94. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/route/RuleName.php ( 5.75 KB )
  95. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/route/Domain.php ( 2.53 KB )
  96. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/route/RuleGroup.php ( 22.43 KB )
  97. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/route/Rule.php ( 26.95 KB )
  98. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/route/RuleItem.php ( 9.78 KB )
  99. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/route/app.php ( 1.72 KB )
  100. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/facade/Route.php ( 4.70 KB )
  101. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/route/dispatch/Controller.php ( 4.74 KB )
  102. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/route/Dispatch.php ( 10.44 KB )
  103. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/app/controller/Index.php ( 4.81 KB )
  104. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/app/BaseController.php ( 2.05 KB )
  105. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/facade/Db.php ( 0.93 KB )
  106. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/connector/Mysql.php ( 5.44 KB )
  107. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/PDOConnection.php ( 52.47 KB )
  108. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/Connection.php ( 8.39 KB )
  109. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/ConnectionInterface.php ( 4.57 KB )
  110. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/builder/Mysql.php ( 16.58 KB )
  111. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/Builder.php ( 24.06 KB )
  112. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/BaseBuilder.php ( 27.50 KB )
  113. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/Query.php ( 15.71 KB )
  114. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/BaseQuery.php ( 45.13 KB )
  115. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/concern/TimeFieldQuery.php ( 7.43 KB )
  116. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/concern/AggregateQuery.php ( 3.26 KB )
  117. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/concern/ModelRelationQuery.php ( 20.07 KB )
  118. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/concern/ParamsBind.php ( 3.66 KB )
  119. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/concern/ResultOperation.php ( 7.01 KB )
  120. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/concern/WhereQuery.php ( 19.37 KB )
  121. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/concern/JoinAndViewQuery.php ( 7.11 KB )
  122. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/concern/TableFieldInfo.php ( 2.63 KB )
  123. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-orm/src/db/concern/Transaction.php ( 2.77 KB )
  124. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/log/driver/File.php ( 5.96 KB )
  125. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/contract/LogHandlerInterface.php ( 0.86 KB )
  126. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/log/Channel.php ( 3.89 KB )
  127. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/event/LogRecord.php ( 1.02 KB )
  128. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-helper/src/Collection.php ( 16.47 KB )
  129. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/facade/View.php ( 1.70 KB )
  130. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/View.php ( 4.39 KB )
  131. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Response.php ( 8.81 KB )
  132. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/response/View.php ( 3.29 KB )
  133. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/Cookie.php ( 6.06 KB )
  134. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-view/src/Think.php ( 8.38 KB )
  135. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/framework/src/think/contract/TemplateHandlerInterface.php ( 1.60 KB )
  136. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-template/src/Template.php ( 46.61 KB )
  137. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-template/src/template/driver/File.php ( 2.41 KB )
  138. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-template/src/template/contract/DriverInterface.php ( 0.86 KB )
  139. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/runtime/temp/067d451b9a0c665040f3f1bdd3293d68.php ( 11.98 KB )
  140. /yingpanguazai/ssd/ssd1/www/f.mffb.com.cn/vendor/topthink/think-trace/src/Html.php ( 4.42 KB )
  1. CONNECT:[ UseTime:0.000781s ] mysql:host=127.0.0.1;port=3306;dbname=f_mffb;charset=utf8mb4
  2. SHOW FULL COLUMNS FROM `fenlei` [ RunTime:0.001379s ]
  3. SELECT * FROM `fenlei` WHERE `fid` = 0 [ RunTime:0.023549s ]
  4. SELECT * FROM `fenlei` WHERE `fid` = 63 [ RunTime:0.004939s ]
  5. SHOW FULL COLUMNS FROM `set` [ RunTime:0.001463s ]
  6. SELECT * FROM `set` [ RunTime:0.000616s ]
  7. SHOW FULL COLUMNS FROM `article` [ RunTime:0.001829s ]
  8. SELECT * FROM `article` WHERE `id` = 476503 LIMIT 1 [ RunTime:0.024278s ]
  9. UPDATE `article` SET `lasttime` = 1772240330 WHERE `id` = 476503 [ RunTime:0.028490s ]
  10. SELECT * FROM `fenlei` WHERE `id` = 66 LIMIT 1 [ RunTime:0.001902s ]
  11. SELECT * FROM `article` WHERE `id` < 476503 ORDER BY `id` DESC LIMIT 1 [ RunTime:0.046753s ]
  12. SELECT * FROM `article` WHERE `id` > 476503 ORDER BY `id` ASC LIMIT 1 [ RunTime:0.002819s ]
  13. SELECT * FROM `article` WHERE `id` < 476503 ORDER BY `id` DESC LIMIT 10 [ RunTime:0.045391s ]
  14. SELECT * FROM `article` WHERE `id` < 476503 ORDER BY `id` DESC LIMIT 10,10 [ RunTime:0.004265s ]
  15. SELECT * FROM `article` WHERE `id` < 476503 ORDER BY `id` DESC LIMIT 20,10 [ RunTime:0.013293s ]
0.378097s