File size: 8,898 Bytes
a89b0c7
2c6c229
 
 
765eafe
2c6c229
 
a2b9a56
2c6c229
 
 
765eafe
2c6c229
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
a2b9a56
 
2c6c229
a2b9a56
 
 
 
765eafe
a2b9a56
 
 
 
 
765eafe
2c6c229
 
 
a2b9a56
 
 
 
e252b93
2c6c229
 
 
 
 
 
e252b93
2c6c229
 
 
 
 
 
 
 
 
 
765eafe
 
f932c00
2c6c229
e252b93
2c6c229
 
 
 
 
 
 
 
 
765eafe
2c6c229
765eafe
2c6c229
a2b9a56
2c6c229
a2b9a56
2c6c229
 
 
 
 
 
 
 
 
 
 
 
 
 
 
765eafe
 
2c6c229
 
 
 
 
 
c729959
e252b93
2c6c229
f04e22b
2c6c229
765eafe
2c6c229
 
a2b9a56
2c6c229
 
 
a89b0c7
2c6c229
e252b93
2c6c229
c443f96
2c6c229
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
a89b0c7
2c6c229
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
a89b0c7
2c6c229
 
 
 
765eafe
2c6c229
 
765eafe
2c6c229
765eafe
2c6c229
765eafe
2c6c229
765eafe
 
 
 
 
2c6c229
765eafe
 
 
 
2c6c229
 
 
 
 
 
 
 
 
 
 
 
 
 
a2b9a56
2c6c229
 
 
 
 
 
 
 
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
import streamlit as st
import os
from gpt_researcher import GPTResearcher
import asyncio
import nest_asyncio
from contextlib import redirect_stdout
import io
from fpdf import FPDF
from datetime import datetime
import uuid
import importlib.metadata

# ---------- version helpers (as in your original) ----------
def get_version(package_name, module=None):
    try:
        if module and hasattr(module, '__version__'):
            version = module.__version__
        else:
            version = importlib.metadata.version(package_name)
        print(f"{package_name} version: {version}")
    except AttributeError:
        print(f"{package_name} does not have a __version__ attribute.")
    except importlib.metadata.PackageNotFoundError:
        print(f"{package_name} is not installed.")

import asyncio as _asyncio
get_version('streamlit', st)
get_version('gpt_researcher')
get_version('nest_asyncio', nest_asyncio)
get_version('fpdf')

print("\nStandard Library Modules:")
for lib in ['os', 'asyncio', 'contextlib', 'io', 'datetime', 'uuid']:
    print(f"{lib} is part of the Python Standard Library and does not have a separate version number.")

# ---------- Streamlit / asyncio setup ----------
st.set_page_config(layout="wide")
nest_asyncio.apply()

# ---------- PDF helper (same logic, safe path) ----------
class PDF(FPDF):
    def header(self):
        self.set_font("Arial", "B", 12)
        self.cell(0, 10, "Research Report", 0, 1, "C")

    def footer(self):
        self.set_y(-15)
        self.set_font("Arial", "I", 8)
        self.cell(0, 10, f"Page {self.page_no()}", 0, 0, "C")

def create_pdf(report_text: str) -> str:
    """Create the PDF and return a unique file path under /tmp."""
    os.makedirs("/tmp", exist_ok=True)
    pdf_path = f"/tmp/report_{uuid.uuid4().hex}.pdf"
    pdf = PDF()
    pdf.add_page()
    pdf.set_auto_page_break(auto=True, margin=15)
    pdf.set_font("Arial", size=12)

    for line in report_text.split('\n'):
        # FPDF is latin-1; degrade gracefully
        pdf.multi_cell(0, 10, line.encode('latin-1', 'replace').decode('latin-1'))

    pdf.output(pdf_path, 'F')
    return pdf_path

# ---------- async run (unchanged behavior: capture stdout, return at end) ----------
async def get_report(query: str, report_type: str, sources: list, report_source: str):
    f = io.StringIO()
    unique_key = str(uuid.uuid4())  # kept from your original (not strictly used)
    with redirect_stdout(f):
        if report_source == 'local':
            # Use a guaranteed-writable dir in containers
            os.environ['DOC_PATH'] = '/tmp/uploads'
            os.makedirs(os.environ['DOC_PATH'], exist_ok=True)
            researcher = GPTResearcher(query=query, report_type=report_type, report_source=report_source)
        else:
            researcher = GPTResearcher(query=query, report_type=report_type, source_urls=sources)

        await researcher.conduct_research()

        # Your original polling to avoid infinite loop
        max_attempts = 30
        attempts = 0
        while attempts < max_attempts:
            logs = f.getvalue()
            if "Finalized research step" in logs:
                break
            await asyncio.sleep(1)
            attempts += 1

        report = await researcher.write_report()

    return report, f.getvalue()

# ---------- UI (same layout/wording as your original) ----------
st.title("GPT Researcher")
st.markdown("""
GPT Researcher is an autonomous agent designed for comprehensive online research tasks. 
It pulls information from the web or uploaded documents to create detailed, factual, research reports.
""")
with st.expander("Why Use GPT Researcher?", expanded=False):
    st.markdown("""
- **Objective and Unbiased**: GPT Researcher focuses on delivering accurate and factual information without bias.
- **Time-Efficient**: It significantly reduces the time required for manual research tasks.
- **Up-to-Date Information**: Unlike traditional LLMs, GPT Researcher avoids outdated information and minimizes the risk of hallucinations.
- **Comprehensive Reports**: Capable of producing long, detailed research reports (2,000+ words).
- **Reduced Misinformation**: By considering a wide range of sources, it minimizes the risks associated with limited or biased information.
For more details, visit the [GPT Researcher GitHub repository](https://github.com/assafelovic/gpt-researcher).
""")

# Keep your style tweaks
st.markdown(
    """
    <style>
    .big-green-font { font-size:20px !important; font-weight: bold; color: green; margin-bottom: -10px; }
    .stTextInput > div > input { margin-top: -25px; }
    </style>
    """,
    unsafe_allow_html=True,
)

st.markdown('<p class="big-green-font">Enter your research query:</p>', unsafe_allow_html=True)

default_query = "Why is the Stock Price of Nvidia Soaring?"

# Same input — just hide label for accessibility warning
user_query = st.text_input("", default_query, help="Type your research question or topic.", label_visibility="collapsed")

if user_query:
    current_date = datetime.now().strftime("%B %Y")
    final_query = f"{user_query} Current Date is {current_date}"
else:
    final_query = ""

st.sidebar.title("Research Settings")

with st.sidebar.expander("How to Use", expanded=False):
    st.markdown("""
### How to Use
1. **Select Research Type**: Choose between Web Research and Document Research.
2. **Enter Research Query**: Type in your research question or topic.
3. **Choose Report Type**: Select the format of the report you want (research report, resource list, or article outline).
4. **Provide Sources or Upload Files**: For Web Research, you can enter URLs. For Document Research, upload the necessary files.
5. **Run Research**: Click the "Run Research" button to start. The logs will update after the run, and the final report will be displayed and available for download as a PDF.
""")

with st.sidebar:
    research_type = st.selectbox("Select research type:", ["Web Research", "Document Research"], help="Choose between web-based research or research from local documents.")
    report_type = st.selectbox("Select report type:", ["research_report", "resource_list", "article_outline"], help="Choose the format of the final report.")

    if research_type == "Web Research":
        sources_input = st.text_area("Enter your sources (optional, comma-separated URLs):", help="Provide a list of URLs to use as sources, separated by commas.")
        sources = [url.strip() for url in sources_input.split(',') if url.strip()]
    else:
        uploaded_files = st.file_uploader("Upload files for local research:", accept_multiple_files=True, help="Upload documents for the research.")
        sources = []
        if uploaded_files:
            # Save uploads to the writable /tmp/uploads
            os.makedirs("/tmp/uploads", exist_ok=True)
            for uploaded_file in uploaded_files:
                file_path = os.path.join("/tmp/uploads", uploaded_file.name)
                with open(file_path, "wb") as f:
                    f.write(uploaded_file.getbuffer())

    if st.button("Run Research"):
        if not user_query:
            st.warning("Please enter a research query.")
        else:
            # Same as your original
            os.environ['RETRIEVER'] = 'tavily'
            report_source = 'local' if research_type == "Document Research" else 'web'

            with st.spinner("Running research..."):
                report, logs = asyncio.run(get_report(final_query, report_type, sources, report_source))
                st.session_state.report = report
                st.session_state.logs = logs

# ---------- Results (report + PDF + final logs, same as your original) ----------
if 'report' in st.session_state:
    st.markdown("### Research Report")
    st.markdown(st.session_state.report)

    # Create PDF safely under /tmp and offer download
    try:
        pdf_path = create_pdf(st.session_state.report)
        with open(pdf_path, "rb") as pdf_file:
            st.download_button(
                label="Download report as PDF",
                data=pdf_file,
                file_name="report.pdf",
                mime="application/pdf"
            )
    except Exception as e:
        st.warning(f"Could not generate PDF: {e}")

st.markdown("### Agent Logs")
if 'logs' in st.session_state:
    st.text_area(
        "Logs will appear here during the research process:",
        value=st.session_state.logs,
        height=200,
        key=f"logs_{uuid.uuid4()}"  # same trick you had originally
    )
else:
    st.text_area(
        "Logs will appear here during the research process",
        height=200,
        key=f"logs_{uuid.uuid4()}"
    )

# Hide Streamlit's default footer and menu
hide_streamlit_style = """
<style>
#MainMenu {visibility: hidden;}
footer {visibility: hidden;}
</style>
"""
st.markdown(hide_streamlit_style, unsafe_allow_html=True)