# -*- coding: utf-8 -*-

import json
import sqlite3
import os
from datetime import datetime, timedelta

def create_database():
    conn = sqlite3.connect('./resources/db/xianzhi.db')
    cursor = conn.cursor()
    cursor.execute('''CREATE TABLE IF NOT EXISTS articles (
        id INTEGER PRIMARY KEY AUTOINCREMENT,
        title TEXT,
        link TEXT,
        published DATETIME
    )''')
    conn.commit()
    conn.close()

def insert_data(data):
    conn = sqlite3.connect('./resources/db/xianzhi.db')
    cursor = conn.cursor()
    for entry in data:
        try:
            # 解析 published 字符串为 datetime 对象
            pub_date = datetime.strptime(entry['published'], '%Y-%m-%dT%H:%M:%S%z')
            # 格式化 published 为所需的格式
            formatted_pub_date = pub_date.strftime('%Y-%m-%d %H:%M:%S')
            # print(formatted_pub_date)
        except ValueError:
            # 如果解析失败,使用原始 published 字符串
            formatted_pub_date = entry['published']
        
        cursor.execute('''
            INSERT INTO articles (title, link, published)
            VALUES (?, ?, ?)
        ''', (entry['title'], entry['link'], formatted_pub_date))
    conn.commit()
    conn.close()

def get_xianzhi_json():
    # 检查文件是否存在
    if not os.path.exists('./resources/JSON/xianzhi.json'):
        raise FileNotFoundError(f"xianzhi.json文件不存在,请检查程序是否运行正常!")
    
    # 打开并读取JSON文件
    with open('./resources/JSON/xianzhi.json', 'r', encoding='utf-8') as file:
        content = file.read()
        if not content:
            pass
        else:
            data = json.loads(content)
    
    # 假设data是一个包含多个JSON对象的列表
    if not isinstance(data, list):
        raise ValueError("JSON文件格式错误,请检查common.py是否异常!")
    
    # 提取所需字段并编号
    total_data = []
    for index, item in enumerate(data, start=1):
        entry = {
            "id": index,
            "title": item.get("title", ""),
            "link": item.get("link", ""),
            "published": item.get("published", "")
        }
        total_data.append(entry)
    
    return total_data

def select_articles(e_hour):
    conn = sqlite3.connect('./resources/db/xianzhi.db')
    cursor = conn.cursor()
    
    # 获取当前日期和时间
    now = datetime.now()
    start_time = now - timedelta(hours=e_hour)
    end_time = now
    
    # 查询指定时间段内的数据
    cursor.execute('''
        SELECT * FROM articles
        WHERE published BETWEEN ? AND ?
    ''', (start_time.strftime('%Y-%m-%d %H:%M:%S'), end_time.strftime('%Y-%m-%d %H:%M:%S')))
    
    results = cursor.fetchall()
    conn.close()
    return results

def clear_table():
    conn = sqlite3.connect('./resources/db/xianzhi.db')
    cursor = conn.cursor()
    cursor.execute('DELETE FROM articles')
    conn.commit()
    conn.close()

def record_md(result, filename="./resources/history/tech_passage.md"):
    # 读取现有内容
    if os.path.exists(filename):
        with open(filename, 'r', encoding='utf-8') as file:
            existing_content = file.read()
    else:
        existing_content = ""
    
    # 将新内容插入到现有内容的开头
    new_content = result + existing_content
    
    # 写回文件
    with open(filename, 'w', encoding='utf-8') as file:
        file.write(new_content)

def get_filtered_articles(entries):
    result_long = ""
    result_short = ""
    record = ""
    short_results = []

    for entry in entries:
        # 构建长文本结果
        result_long += f"文章:[{entry[1]}]({entry[2]})\n"
        result_long += f"上传时间:{entry[3]}\n"
        result_long += "\n" + "-" * 40 + "\n"  # 添加分隔线以便区分不同文章

        # 构建短文本结果并进行分块处理
        current_entry = (
            f"文章:[{entry[1]}]({entry[2]})\n"
            f"上传时间:{entry[3]}\n"
            "\n" + "-" * 3 + "\n"  # 添加分隔线以便区分不同文章
        )
        temp_result = result_short + current_entry
        if len(temp_result.encode('utf-8')) > 4096:
            short_results.append(result_short)
            result_short = current_entry
        else:
            result_short = temp_result

        record += f"#### 文章:[{entry[1]}]({entry[2]})\n"
        record += f"**上传时间**:{entry[3]}\n"
        record += "\n" + "-" * 40 + "\n"  # 添加分隔线以便区分不同文章

    # 处理最后一个结果
    if result_short:
        short_results.append(result_short)

    record_md(record)

    return result_long, short_results

def Src_xianzhi(e_hour):
    if not os.path.exists('./resources/db/xianzhi.db'):
        # 创建数据库和表
        create_database()

    # 清空表
    clear_table()

    # 获取 JSON 数据
    M_xianzhi_data = get_xianzhi_json()

    # 插入数据到数据库
    insert_data(M_xianzhi_data)

    # 查询指定时间段内的数据
    filtered_articles = select_articles(e_hour)
    # print(filtered_articles)

    if filtered_articles:
        result_long, short_results = get_filtered_articles(filtered_articles)
        return result_long, short_results
    else:
        return False

if __name__ == "__main__":
    results = Src_xianzhi(124)
    if results != False:
        result_long, short_results = results
        
        # 打印长文本结果
        print("长文本结果:")
        print(result_long)
        print("\n" + "-" * 40 + "\n")
        
        # 打印分块的短文本结果
        print("分块的短文本结果:")
        for short_result in short_results:
            print(short_result)
            print("\n" + "-" * 40 + "\n")
    else:
        # 如果为空,则跳过执行
        print("-" * 40)
        print("先知社区数据为空,跳过执行。")