-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmain.py
executable file
·323 lines (278 loc) · 11.4 KB
/
main.py
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
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
import spacy
import re
import sys
from collections import defaultdict
import os
import pytesseract
from pdf2image import convert_from_path
from scripts.find_location import find_keyword_locations, get_coords
import pandas as pd
from fastapi import FastAPI, Request, UploadFile, Form, File, BackgroundTasks, Body
from fastapi.templating import Jinja2Templates
from fastapi.responses import HTMLResponse
from fastapi.staticfiles import StaticFiles
from pydantic import BaseModel
from contextlib import asynccontextmanager
import uvicorn
import pickle
from datetime import datetime, timedelta
# from models.model import train_model, train_and_evaluate
from scripts.database import connect_to_mongo, insert_record, update_text, update_data, update_status, get_all_names, get_record_by_id, get_filter_data, get_filter_data2
import pymongo
import os
import random
from scripts.database import connect_to_mongo
import math
from fastapi.middleware.cors import CORSMiddleware
from typing import List, Optional, Dict, Any
import dateutil.parser
# from bson import ISODate
# Load the spaCy model
nlp = spacy.load("en_core_web_trf")
app = FastAPI()
origins = [
"*",
]
app.add_middleware(
CORSMiddleware,
allow_origins=origins,
allow_credentials=True,
allow_methods=["*"],
allow_headers=["*"],
)
templates = Jinja2Templates(directory="templates")
app.mount("/static", StaticFiles(directory="static"), name="static")
@app.get("/", response_class=HTMLResponse)
def home(request: Request):
return templates.TemplateResponse("index.html", {"request": request})
@app.get("/data", response_class=HTMLResponse)
def home(request: Request):
return templates.TemplateResponse("dtest.html", {"request": request})
class FilterRequest(BaseModel):
keywords: Optional[List[str]] = None
start_date: Optional[datetime] = None
end_date: Optional[datetime] = None
latitude: Optional[float] = None
longitude: Optional[float] = None
radius: Optional[float] = None
class DataField(BaseModel):
keyword: str
address: str
latitude: float
longitude: float
page: str
paragraph: str
@app.post("/filter")
async def filter_articles(filter_request: FilterRequest):
query = {}
date_query = {}
location_query = {}
stage1 = {
'$match': {
'status': 'Completed'
}
}
stage2 = {
'$project': {
'name': 1,
'date': 1,
'status': 1,
'data': 1
}
}
stage3 = {
'$unwind': {
'path': '$data'
}
}
stage4 = {
'$match': {
}
}
if filter_request.start_date or filter_request.end_date:
if filter_request.start_date:
date_query["$gte"] = filter_request.start_date
if filter_request.end_date:
date_query["$lte"] = filter_request.end_date
query["date"] = date_query
stage1['$match']['date'] = date_query
if filter_request.latitude and filter_request.longitude and filter_request.radius:
location_query = {
'$geoWithin': {
'$centerSphere': [
[
filter_request.longitude, filter_request.latitude
], filter_request.radius / 6378.1
]
}
}
stage4['$match']['data.location'] = location_query
if filter_request.keywords:
stage4['$match']['data.keyword'] = {'$in': filter_request.keywords}
collection = connect_to_mongo()
results = get_filter_data2(collection=collection, stage1=stage1, stage2=stage2, stage3=stage3, stage4=stage4)
return results
@app.post("/upload_pdf")
async def process_pdf(background_tasks: BackgroundTasks, file: UploadFile = File(...), newspaper_name: str = Form(...), date: datetime = Form(...)):
# Create a folder to store the uploaded file
print(f"Newspaper Name: {newspaper_name}")
print(f"Date: {date}")
foldername = os.path.splitext(file.filename)[0]+str(random.randint(0, 1000))
filename = file.filename
if not os.path.exists("uploads"):
os.makedirs("uploads")
if not os.path.exists(f"uploads/{foldername}"):
os.makedirs(f"uploads/{foldername}")
if not os.path.exists(f"uploads/{foldername}/input"):
os.makedirs(f"uploads/{foldername}/input")
if not os.path.exists(f"uploads/{foldername}/images"):
os.makedirs(f"uploads/{foldername}/images")
if not os.path.exists(f"uploads/{foldername}/text"):
os.makedirs(f"uploads/{foldername}/text")
# Write the file to disk with random name pdfname=filename,
with open(f"uploads/{foldername}/input/{filename}", "wb") as f:
f.write(file.file.read())
background_tasks.add_task(process_and_save_data, foldername, filename, newspaper_name, date)
return {"message": "Successfully Uploaded and Started Processing"}
@app.get("/data/names")
def get_all_records():
collection = connect_to_mongo()
records = get_all_names(collection)
print("This ran")
records = [{**record, '_id': str(record['_id'])} for record in records]
return records
@app.get("/data/{_id}")
def get_record_data(_id: str):
collection = connect_to_mongo()
record = get_record_by_id(collection, _id)
if record is None:
return {"error": "Record not found"}
record['id'] = record['id'].str()
return record
def process_and_save_data(foldername: str, filename: str, newspaper_name: str, date: datetime):
collection = connect_to_mongo()
_id: str = insert_record(collection, newspaper_name, date)
update_status(collection, _id, "Converting to images...")
convert(f"uploads/{foldername}/input/{filename}", f"uploads/{foldername}/images")
update_status(collection, _id, "Converting to text...")
ocr(f"uploads/{foldername}/images", textfolder=f"uploads/{foldername}/text", collection=collection, _id=_id)
update_status(collection, _id, "Processing data with NER...")
data = []
for txtfile in os.listdir(f"uploads/{foldername}/text"):
ocrtext = ""
print(f"Reading text from: {txtfile}")
with open(f"uploads/{foldername}/text/{txtfile}", "r") as f:
ocrtext += f.read()
paragraphs = re.split("\n\n+", ocrtext)
paragraphs = [p for p in paragraphs if len(p) > 30]
locations = find_keyword_locations(ocrtext, ["virus", "influenza", "LSD"])
for keyword_location in locations:
address, lat, lon = get_coords(keyword_location[2])
if (keyword_location[2] is None):
continue
# print(f"Keyword Mention: {keyword_location[0]} \nParagraph: {keyword_location[1]}\nLocation: {address}\nLatitude: {lat}\nLongitude: {lon}\n")
data.append({
"keyword": keyword_location[0].lower(),
"address": address.lower(),
"location": {
"type": "Point",
"coordinates": [lon, lat]
},
"page": txtfile,
"paragraph": keyword_location[1].replace("\n", " "),
})
update_data(collection, _id, data)
df = pd.DataFrame(data)
print("Completed")
print(df)
def ocr(folderpath: str, textfolder: str, collection: pymongo.collection.Collection, _id: str):
print(f"OCR on folder: {folderpath}")
for filename in os.listdir(folderpath):
if filename.endswith(".jpg"):
print(f"Performing OCR on: {filename}")
page_text = pytesseract.image_to_string(os.path.join(folderpath, filename))
update_text(collection, _id, filename, page_text)
with open(f"{textfolder}/{os.path.splitext(os.path.basename(filename))[0]}.txt", "w") as f:
f.write(page_text)
def preprocess_text(text):
"""
Preprocesses text by lowercasing, removing punctuation, and tokenizing.
"""
return [token.lemma_.lower().strip() for token in nlp(text) if token.text.isalnum()]
def group_paragraphs(preprocessed_paragraphs):
"""
Groups paragraphs based on their content similarity.
"""
grouped_paragraphs = defaultdict(list)
for i, p1 in enumerate(preprocessed_paragraphs):
for j, p2 in enumerate(preprocessed_paragraphs[i + 1 :], start=i + 1):
union_len = len(set(p1).union(p2))
if union_len != 0 and len(set(p1).intersection(p2)) / union_len > 0.05:
grouped_paragraphs[i].append(j)
grouped_paragraphs = {
k: [preprocessed_paragraphs[i] for i in group]
for k, group in grouped_paragraphs.items()
}
return grouped_paragraphs
def convert(filepath: str, img_destination_folder: str):
print(filepath)
filename = os.path.splitext(os.path.basename(filepath))[0]
print(f"Converting pdf: {filename}")
images = convert_from_path(filepath)
print(f"PDF converted: {filename} done")
for i in range(len(images)):
images[i].save(img_destination_folder + "/page" + str(i) + ".jpg", "JPEG")
print(f"Images saved to: {img_destination_folder}")
# clear memory after converting
del images
def main(folder_path: str):
# List of all pdf in this folder
files = [f for f in os.listdir(folder_path) if f.endswith(".pdf")]
# Iterate over each file
if not os.path.exists("text"):
os.makedirs("text")
if not os.path.exists("images"):
os.makedirs("images")
if not os.path.exists("data"):
os.makedirs("data")
for file in files:
filepath = os.path.join(folder_path, file)
# create folder text/filename if not exists
filename = os.path.splitext(file)[0]
img_destination_folder = "images/" + filename
if not os.path.exists("images/" + filename):
os.makedirs("images/" + filename)
# Convert pdf to images
convert(filepath, img_destination_folder)
ocr(img_destination_folder, pdfname=filename)
data = []
for txtfile in os.listdir(f"text/{filename}"):
ocrtext = ""
print(f"Reading text from: {txtfile}")
with open(f"text/{filename}/{txtfile}", "r") as f:
ocrtext += f.read()
paragraphs = re.split("\n\n+", ocrtext)
paragraphs = [p for p in paragraphs if len(p) > 30]
preprocessed_paragraphs = [preprocess_text(p) for p in paragraphs]
locations = find_keyword_locations(ocrtext, ["fever", "pandemic", "cold", "covid", "virus", "influenza", "LSD"])
for keyword_location in locations:
address, lat, lon = get_coords(keyword_location[2])
if (keyword_location[2] is None):
continue
print(f"Keyword Mention: {keyword_location[0]} \nParagraph: {keyword_location[1]}\nLocation: {address}\nLatitude: {lat}\nLongitude: {lon}\n")
data.append({
"Keyword": keyword_location[0],
"Paragraph": keyword_location[1].replace("\n", " "),
"Address": address,
"Latitude": lat,
"Longitude": lon,
"page": txtfile,
})
excel_file = os.path.join("data", f"{filename}.xlsx")
df = pd.DataFrame(data)
df.to_excel(excel_file, index=False)
print(f"Data saved to {excel_file}")
if __name__ == "__main__":
port = int(os.environ.get("PORT", 8000))
print("Starting on port: {port}")
uvicorn.run(app, host="0.0.0.0", port=port)