import json import os import pandas as pd import geopandas as gpd import numpy as np import re import zipfile from shapely.geometry.base import BaseGeometry from shapely.geometry import base as shapely_base from fastapi import File, Form, UploadFile, HTTPException from core.config import UPLOAD_FOLDER, MAX_FILE_MB, VALID_WKT_PREFIXES from services.upload_file.readers.reader_csv import read_csv from services.upload_file.readers.reader_shp import read_shp from services.upload_file.readers.reader_gdb import read_gdb from services.upload_file.readers.reader_mpk import read_mpk from services.upload_file.readers.reader_pdf import convert_df, read_pdf from services.upload_file.utils.geometry_detector import detect_and_build_geometry from services.upload_file.utils.geometry_detector import attach_polygon_geometry_auto from database.connection import engine, sync_engine from database.models import Base from pydantic import BaseModel from typing import Any, Dict, List, Optional from shapely import MultiLineString, MultiPolygon, wkt from sqlalchemy import text from datetime import datetime from response import successRes, errorRes from utils.logger_config import log_activity # Base.metadata.create_all(bind=engine) def is_geom_empty(g): if g is None: return True if isinstance(g, float) and pd.isna(g): return True if isinstance(g, BaseGeometry): return g.is_empty return False def safe_json(value): """Konversi aman untuk semua tipe numpy/pandas/shapely ke tipe JSON-serializable""" if isinstance(value, (np.int64, np.int32)): return int(value) if isinstance(value, (np.float64, np.float32)): return float(value) if isinstance(value, pd.Timestamp): return value.isoformat() if isinstance(value, shapely_base.BaseGeometry): return str(value) # convert to WKT string if pd.isna(value): return None return value def detect_zip_type(zip_path: str) -> str: with zipfile.ZipFile(zip_path, "r") as zip_ref: files = zip_ref.namelist() if any(f.lower().endswith(".gdb/") or ".gdb/" in f.lower() for f in files): return "gdb" if any(f.lower().endswith(ext) for ext in [".gdbtable", ".gdbtablx", ".gdbindexes", ".spx"] for f in files): return "gdb" if any(f.lower().endswith(".shp") for f in files): return "shp" return "unknown" def process_data(df: pd.DataFrame, ext: str): result = detect_and_build_geometry(df, master_polygons=None) if not hasattr(result, "geometry") or result.geometry.isna().all(): result = attach_polygon_geometry_auto(result) if isinstance(result, gpd.GeoDataFrame) and "geometry" in result.columns: geom_type = ", ".join([g for g in result.geometry.geom_type.unique() if g]) \ if not result.empty else "None" null_geom = result.geometry.isna().sum() print(f"[INFO] Tipe Geometry: {geom_type}") print(f"[INFO] Jumlah geometry kosong: {null_geom}") else: res = { "message": "Tidak menemukan tabel yang relevan.", "file_type": ext, "rows": 0, "columns": 0, "geometry_valid": 0, "geometry_empty": 0, "geometry_valid_percent": 0, "warnings": [], "warning_examples": [], "preview": [] } return errorRes(message="Tidak berhasil mencocokan geometry pada tabel." ,details=res, status_code=422) result = result.replace([pd.NA, float('inf'), float('-inf')], None) if isinstance(result, gpd.GeoDataFrame) and 'geometry' in result.columns: result['geometry'] = result['geometry'].apply( lambda g: g.wkt if g is not None else None ) empty_count = result['geometry'].apply(is_geom_empty).sum() valid_count = len(result) - empty_count match_percentage = (valid_count / len(result)) * 100 warnings = [] if empty_count > 0: warnings.append( f"{empty_count} dari {len(result)} baris tidak memiliki geometry yang valid " f"({100 - match_percentage:.2f}% data gagal cocok)." ) if empty_count > 0: examples = result[result['geometry'].apply(is_geom_empty)].head(500) warning_examples = examples.to_dict(orient="records") else: warning_examples = [] # preview_data = result.head(15).to_dict(orient="records") preview_data = result.to_dict(orient="records") preview_safe = [ {k: safe_json(v) for k, v in row.items()} for row in preview_data ] warning_safe = [ {k: safe_json(v) for k, v in row.items()} for row in warning_examples ] response = { "message": "File berhasil dibaca dan dianalisis.", "file_type": ext, "rows": int(len(result)), "columns": list(map(str, result.columns)), "geometry_valid": int(valid_count), "geometry_empty": int(empty_count), "geometry_valid_percent": float(round(match_percentage, 2)), "warnings": warnings, "warning_examples": warning_safe, "preview": preview_safe } # return successRes(content=response) return response async def handle_upload_file(file: UploadFile = File(...), page: Optional[str] = Form(""), sheet: Optional[str] = Form("")): fname = file.filename ext = os.path.splitext(fname)[1].lower() contents = await file.read() size_mb = len(contents) / (1024*1024) if size_mb > MAX_FILE_MB: raise errorRes(status_code=413, message="Ukuran File Terlalu Besar") tmp_path = UPLOAD_FOLDER / fname with open(tmp_path, "wb") as f: f.write(contents) try: df = None print('ext', ext) if ext == ".csv": df = read_csv(str(tmp_path)) elif ext == ".xlsx": df = read_csv(str(tmp_path), sheet) elif ext == ".mpk": df = read_mpk(str(tmp_path)) elif ext == ".pdf": tbl = read_pdf(tmp_path, page) if len(tbl) == 0: res = { "message": "Tidak ditemukan tabel valid", "tables": {}, "file_type": ext } return successRes(message="Tidak ditemukan tabel valid", data=res) elif len(tbl) > 1: res = { "message": "File berhasil dibaca dan dianalisis.", "tables": tbl, "file_type": ext } return successRes(data=res, message="File berhasil dibaca dan dianalisis.") else: df = convert_df(tbl[0]) elif ext == ".zip": zip_type = detect_zip_type(str(tmp_path)) if zip_type == "shp": print("[INFO] ZIP terdeteksi sebagai Shapefile.") df = read_shp(str(tmp_path)) elif zip_type == "gdb": print("[INFO] ZIP terdeteksi sebagai Geodatabase (GDB).") df = read_gdb(str(tmp_path)) else: raise errorRes( status_code=400, message="ZIP file tidak mengandung SHP atau GDB yang valid." ) else: raise errorRes(status_code=400, message="Unsupported file type") if df is None or (hasattr(df, "empty") and df.empty): return successRes(message="File berhasil dibaca, Tetapi tidak ditemukan tabel valid") res = process_data(df, ext) tmp_path.unlink(missing_ok=True) return successRes(data=res) except Exception as e: print(f"[ERROR] {e}") return errorRes( message="Internal Server Error", details=str(e), status_code=500 ) # finally: # db_session.close() class PdfRequest(BaseModel): title: str columns: List[str] rows: List[List] async def handle_process_pdf(payload: PdfRequest): try: df = convert_df(payload.model_dump()) if df is None or (hasattr(df, "empty") and df.empty): return errorRes(message="Tidak ada tabel") res = process_data(df, '.pdf') return successRes(data=res) except Exception as e: print(f"[ERROR] {e}") return errorRes(message="Internal Server Error", details= str(e), status_code=500) # finally: # db_session.close() class UploadRequest(BaseModel): title: str rows: List[dict] columns: List[str] author: Dict[str, Any] # generate _2 if exist async def generate_unique_table_name(base_name: str): base_name = base_name.lower().replace(" ", "_").replace("-", "_") table_name = base_name counter = 2 async with engine.connect() as conn: while True: result = await conn.execute( text("SELECT to_regclass(:tname)"), {"tname": table_name} ) exists = result.scalar() if not exists: return table_name table_name = f"{base_name}_{counter}" counter += 1 def str_to_date(raw_date: str): if raw_date: try: return datetime.strptime(raw_date, "%Y-%m-%d").date() except Exception as e: print("[WARNING] Tidak bisa parse dateCreated:", e) return None import asyncio # async def handle_to_postgis(payload: UploadRequest, user_id: int = 2): # try: # table_name = await generate_unique_table_name(payload.title) # df = pd.DataFrame(payload.rows) # df.columns = [col.upper() for col in df.columns] # if "GEOMETRY" not in df.columns: # raise HTTPException(400, "Kolom GEOMETRY tidak ditemukan") # df["GEOMETRY"] = df["GEOMETRY"].apply( # lambda g: wkt.loads(g) # if isinstance(g, str) else None # ) # # ====================================================== # # RENAME kolom GEOMETRY → geom (WAJIB) # # ====================================================== # df = df.rename(columns={"GEOMETRY": "geom"}) # gdf = gpd.GeoDataFrame(df, geometry="geom", crs="EPSG:4326") # # --- Wajib: gunakan engine sync TANPA asyncpg # loop = asyncio.get_running_loop() # await loop.run_in_executor( # None, # lambda: gdf.to_postgis( # table_name, # sync_engine, # if_exists="replace", # index=False # ) # ) # # === STEP 4: add ID column === # async with engine.begin() as conn: # await conn.execute(text( # f'ALTER TABLE "{table_name}" ADD COLUMN _ID SERIAL PRIMARY KEY;' # )) # # === STEP 5: save author metadata === # author = payload.author # async with engine.begin() as conn: # await conn.execute(text(""" # INSERT INTO backend.author_metadata ( # table_title, # dataset_title, # dataset_abstract, # keywords, # topic_category, # date_created, # dataset_status, # organization_name, # contact_person_name, # contact_email, # contact_phone, # geom_type, # user_id # ) VALUES ( # :table_title, # :dataset_title, # :dataset_abstract, # :keywords, # :topic_category, # :date_created, # :dataset_status, # :organization_name, # :contact_person_name, # :contact_email, # :contact_phone, # :geom_type, # :user_id # ) # """), { # "table_title": table_name, # "dataset_title": author.get("title") or payload.title, # "dataset_abstract": author.get("abstract"), # "keywords": author.get("keywords"), # "topic_category": author.get("topicCategory"), # "date_created": str_to_date(author.get("dateCreated")), # "dataset_status": author.get("status"), # "organization_name": author.get("organization"), # "contact_person_name": author.get("contactName"), # "contact_email": author.get("contactEmail"), # "contact_phone": author.get("contactPhone"), # "geom_type": json.dumps(list(gdf.geom_type.unique())), # "user_id": user_id # }) # # === STEP 6: log success === # await log_activity( # user_id=user_id, # action_type="UPLOAD", # action_title=f"Upload dataset {table_name}", # details={"table_name": table_name, "rows": len(gdf)} # ) # res = { # "table_name": table_name, # "status": "success", # "message": f"Tabel '{table_name}' berhasil dibuat.", # "total_rows": len(gdf), # "geometry_type": list(gdf.geom_type.unique()), # } # return successRes(data=res) # except Exception as e: # await log_activity( # user_id=user_id, # action_type="ERROR", # action_title="Upload gagal", # details={"error": str(e)} # ) # print(f"error : {str(e)}") # raise HTTPException(status_code=500, detail=str(e)) async def handle_to_postgis(payload: UploadRequest, user_id: int = 2): try: table_name = await generate_unique_table_name(payload.title) # DataFrame df = pd.DataFrame(payload.rows) df.columns = [col.upper() for col in df.columns] if "GEOMETRY" not in df.columns: raise HTTPException(400, "Kolom GEOMETRY tidak ditemukan") # ===================================================================== # 1. LOAD WKT → SHAPELY # ===================================================================== def safe_load_wkt(g): if not isinstance(g, str): return None try: geom = wkt.loads(g) return geom except: return None df["GEOMETRY"] = df["GEOMETRY"].apply(safe_load_wkt) df = df.rename(columns={"GEOMETRY": "geom"}) # ===================================================================== # 2. DROP ROW geometry NULL # ===================================================================== df = df[df["geom"].notnull()] if df.empty: raise HTTPException(400, "Semua geometry invalid atau NULL") # ===================================================================== # 3. VALIDATE geometry (very important) # ===================================================================== df["geom"] = df["geom"].apply(lambda g: g if g.is_valid else g.buffer(0)) # ===================================================================== # 4. SERAGAMKAN TIPE GEOMETRY (Polygon→MultiPolygon, Line→MultiLine) # ===================================================================== def unify_geometry_type(g): gtype = g.geom_type.upper() if gtype == "POLYGON": return MultiPolygon([g]) if gtype == "LINESTRING": return MultiLineString([g]) return g # sudah MULTI atau POINT df["geom"] = df["geom"].apply(unify_geometry_type) # ===================================================================== # 5. DETEKSI CRS DARI METADATA / INPUT / DEFAULT # ===================================================================== detected_crs = payload.author.get("crs") detected = payload.author.get("crs") print('crs', detected) if not detected_crs: detected_crs = "EPSG:4326" # Buat GeoDataFrame gdf = gpd.GeoDataFrame(df, geometry="geom", crs=detected_crs) # ===================================================================== # 6. VERIFY CRS (SRID) VALID di PROJ / PostGIS # ===================================================================== try: _ = gdf.to_crs(gdf.crs) # test CRS valid except: raise HTTPException(400, f"CRS {detected_crs} tidak valid") # ===================================================================== # 7. SIMPAN KE POSTGIS (synchronous) # ===================================================================== loop = asyncio.get_running_loop() await loop.run_in_executor( None, lambda: gdf.to_postgis( table_name, sync_engine, if_exists="replace", index=False ) ) # ===================================================================== # 8. ADD PRIMARY KEY (wajib untuk QGIS API) # ===================================================================== async with engine.begin() as conn: await conn.execute(text( f'ALTER TABLE "{table_name}" ADD COLUMN _ID SERIAL PRIMARY KEY;' )) # ===================================================================== # 9. SIMPAN METADATA (geom_type, author metadata) # ===================================================================== unified_geom_type = list(gdf.geom_type.unique()) author = payload.author async with engine.begin() as conn: await conn.execute(text(""" INSERT INTO backend.author_metadata ( table_title, dataset_title, dataset_abstract, keywords, topic_category, date_created, dataset_status, organization_name, contact_person_name, contact_email, contact_phone, geom_type, user_id ) VALUES ( :table_title, :dataset_title, :dataset_abstract, :keywords, :topic_category, :date_created, :dataset_status, :organization_name, :contact_person_name, :contact_email, :contact_phone, :geom_type, :user_id ) """), { "table_title": table_name, "dataset_title": author.get("title") or payload.title, "dataset_abstract": author.get("abstract"), "keywords": author.get("keywords"), "topic_category": author.get("topicCategory"), "date_created": str_to_date(author.get("dateCreated")), "dataset_status": author.get("status"), "organization_name": author.get("organization"), "contact_person_name": author.get("contactName"), "contact_email": author.get("contactEmail"), "contact_phone": author.get("contactPhone"), "geom_type": json.dumps(unified_geom_type), "user_id": user_id }) # ===================================================================== # 10. LOGGING # ===================================================================== await log_activity( user_id=user_id, action_type="UPLOAD", action_title=f"Upload dataset {table_name}", details={"table_name": table_name, "rows": len(gdf)} ) result = { "table_name": table_name, "status": "success", "message": f"Tabel '{table_name}' berhasil dibuat.", "total_rows": len(gdf), "geometry_type": unified_geom_type, "crs": detected_crs, } return successRes(data=result) except Exception as e: await log_activity( user_id=user_id, action_type="ERROR", action_title="Upload gagal", details={"error": str(e)} ) raise HTTPException(status_code=500, detail=str(e)) # =================================== # partition +VIEW # =================================== # Daftar prefix WKT yang valid # VALID_WKT_PREFIXES = ("POINT", "LINESTRING", "POLYGON", "MULTIPOLYGON", "MULTILINESTRING") def slugify(value: str) -> str: """Mengubah judul dataset jadi nama aman untuk VIEW""" return re.sub(r'[^a-zA-Z0-9]+', '_', value.lower()).strip('_') # Partition + VIEW # async def create_dataset_view_from_metadata(conn, metadata_id: int, user_id: int, title: str): # norm_title = slugify(title) # view_name = f"v_user_{user_id}_{norm_title}" # base_table = f"test_partition_user_{user_id}" # # Ambil daftar field # result = await conn.execute(text("SELECT fields FROM dataset_metadata WHERE id=:mid"), {"mid": metadata_id}) # fields_json = result.scalar_one_or_none() # base_columns = {"id", "user_id", "metadata_id", "geom"} # columns_sql = "" # field_list = [] # if fields_json: # fields = json.loads(fields_json) if isinstance(fields_json, str) else fields_json # field_list = fields # for f in field_list: # safe_col = slugify(f) # alias_name = safe_col if safe_col not in base_columns else f"attr_{safe_col}" # # CAST otomatis # if safe_col in ["longitude", "latitude", "lon", "lat"]: # columns_sql += f", (p.attributes->>'{f}')::float AS {alias_name}" # else: # columns_sql += f", p.attributes->>'{f}' AS {alias_name}" # # Drop view lama # await conn.execute(text(f"DROP VIEW IF EXISTS {view_name} CASCADE;")) # # 🔥 Buat VIEW baru yang punya FID unik # create_view_query = f""" # CREATE OR REPLACE VIEW {view_name} AS # SELECT # row_number() OVER() AS fid, -- FID unik untuk QGIS # p.id, # p.user_id, # p.metadata_id, # p.geom # {columns_sql}, # m.title, # m.year, # m.description # FROM {base_table} p # JOIN dataset_metadata m ON m.id = p.metadata_id # WHERE p.metadata_id = {metadata_id}; # """ # await conn.execute(text(create_view_query)) # # Register geometry untuk QGIS # await conn.execute(text(f"DELETE FROM geometry_columns WHERE f_table_name = '{view_name}';")) # await conn.execute(text(f""" # INSERT INTO geometry_columns # (f_table_schema, f_table_name, f_geometry_column, coord_dimension, srid, type) # VALUES ('public', '{view_name}', 'geom', 2, 4326, 'GEOMETRY'); # """)) # print(f"[INFO] VIEW {view_name} dibuat dengan FID unik dan kompatibel dengan QGIS.") # async def handle_to_postgis(payload, engine, user_id: int = 3): # """ # Menangani upload data spasial ke PostGIS (dengan partition per user). # - Jika partisi belum ada, akan dibuat otomatis # - Metadata dataset disimpan di tabel dataset_metadata # - Data spasial dimasukkan ke tabel partisi (test_partition_user_{id}) # - VIEW otomatis dibuat untuk QGIS # """ # try: # df = pd.DataFrame(payload.rows) # print(f"[INFO] Diterima {len(df)} baris data dari frontend.") # # --- Validasi kolom geometry --- # if "geometry" not in df.columns: # raise errorRes(status_code=400, message="Kolom 'geometry' tidak ditemukan dalam data.") # # --- Parsing geometry ke objek shapely --- # df["geometry"] = df["geometry"].apply( # lambda g: wkt.loads(g) # if isinstance(g, str) and g.strip().upper().startswith(VALID_WKT_PREFIXES) # else None # ) # # --- Buat GeoDataFrame --- # gdf = gpd.GeoDataFrame(df, geometry="geometry", crs="EPSG:4326") # # --- Metadata info dari payload --- # # dataset_title = getattr(payload, "dataset_title", None) # # dataset_year = getattr(payload, "dataset_year", None) # # dataset_desc = getattr(payload, "dataset_description", None) # dataset_title = "hujan 2045" # dataset_year = 2045 # dataset_desc = "test metadata" # if not dataset_title: # raise errorRes(status_code=400, detail="Field 'dataset_title' wajib ada untuk metadata.") # async with engine.begin() as conn: # fields = [col for col in df.columns if col != "geometry"] # # 💾 1️⃣ Simpan Metadata Dataset # print("[INFO] Menyimpan metadata dataset...") # result = await conn.execute( # text(""" # INSERT INTO dataset_metadata (user_id, title, year, description, fields, created_at) # VALUES (:user_id, :title, :year, :desc, :fields, :created_at) # RETURNING id; # """), # { # "user_id": user_id, # "title": dataset_title, # "year": dataset_year, # "desc": dataset_desc, # "fields": json.dumps(fields), # "created_at": datetime.utcnow(), # }, # ) # metadata_id = result.scalar_one() # print(f"[INFO] Metadata disimpan dengan ID {metadata_id}") # # ⚙️ 2️⃣ Auto-create Partisi Jika Belum Ada # print(f"[INFO] Memastikan partisi test_partition_user_{user_id} tersedia...") # await conn.execute( # text(f""" # DO $$ # BEGIN # IF NOT EXISTS ( # SELECT 1 FROM pg_tables WHERE tablename = 'test_partition_user_{user_id}' # ) THEN # EXECUTE format(' # CREATE TABLE test_partition_user_%s # PARTITION OF test_partition # FOR VALUES IN (%s); # ', {user_id}, {user_id}); # EXECUTE format('CREATE INDEX IF NOT EXISTS idx_partition_user_%s_geom ON test_partition_user_%s USING GIST (geom);', {user_id}, {user_id}); # EXECUTE format('CREATE INDEX IF NOT EXISTS idx_partition_user_%s_metadata ON test_partition_user_%s (metadata_id);', {user_id}, {user_id}); # END IF; # END # $$; # """) # ) # # 🧩 3️⃣ Insert Data Spasial ke Partisi # print(f"[INFO] Memasukkan data ke test_partition_user_{user_id} ...") # insert_count = 0 # for _, row in gdf.iterrows(): # geom_wkt = row["geometry"].wkt if row["geometry"] is not None else None # attributes = row.drop(labels=["geometry"]).to_dict() # await conn.execute( # text(""" # INSERT INTO test_partition (user_id, metadata_id, geom, attributes, created_at) # VALUES (:user_id, :metadata_id, ST_Force2D(ST_GeomFromText(:geom, 4326)), # CAST(:attr AS jsonb), :created_at); # """), # { # "user_id": user_id, # "metadata_id": metadata_id, # "geom": geom_wkt, # "attr": json.dumps(attributes), # "created_at": datetime.utcnow(), # }, # ) # insert_count += 1 # # 🧩 4️⃣ Membuat VIEW untuk dataset baru di QGIS # await create_dataset_view_from_metadata(conn, metadata_id, user_id, dataset_title) # print(f"[INFO] ✅ Berhasil memasukkan {insert_count} baris ke partisi user_id={user_id} (metadata_id={metadata_id}).") # return { # "status": "success", # "user_id": user_id, # "metadata_id": metadata_id, # "dataset_title": dataset_title, # "inserted_rows": insert_count, # "geometry_type": list(gdf.geom_type.unique()), # } # except Exception as e: # print(f"[ERROR] Gagal upload ke PostGIS partition: {e}") # raise errorRes(status_code=500, message="Gagal upload ke PostGIS partition", details=str(e))