Compare commits
2 Commits
4019882100
...
3214c9e7f8
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
3214c9e7f8 | ||
|
|
ff1fefe3b3 |
@@ -133,10 +133,13 @@ Folgende IDs werden in den Skripten als Referenz genutzt. Diese müssen für PRO
|
||||
| `26` | Leisure - Indoor Active |
|
||||
| `...` | *tbd* |
|
||||
|
||||
## 5. "Gotchas" & Lessons Learned (POC)
|
||||
## 5. "Gotchas" & Lessons Learned (Update Feb 16, 2026)
|
||||
|
||||
* **API-URL:** Der `sod` Tenant `Cust55774` ist nur über `https://app-sod.superoffice.com` erreichbar, nicht `sod.superoffice.com`.
|
||||
* **API-URL:** Der `sod` Tenant `Cust55774` ist nur über `https://app-sod.superoffice.com` erreichbar.
|
||||
* **Listen-IDs:** Die API gibt IDs von Listenfeldern im Format `[I:26]` zurück. Der String muss vor der DB-Abfrage auf den Integer `26` geparst werden.
|
||||
* **Dev-System Limits:** Die Textfelder im DEV-System sind auf 40 Zeichen limitiert. Die generierten Texte müssen vor dem Senden gekürzt werden.
|
||||
* **Y-Tabellen:** Der direkte API-Zugriff auf Zusatz-Tabellen ist in diesem Mandanten blockiert (`403 Forbidden`). Daher der Workaround mit UDFs.
|
||||
* **CRMScript Trigger:** Die Erstellung von Triggern ist im DEV-System nicht möglich. Daher die Umstellung auf den externen Polling-Daemon.
|
||||
* **Write-Back (Stammfelder):**
|
||||
* **UrlAddress & Phones:** Das einfache Root-Feld `UrlAddress` ist beim `PUT` oft schreibgeschützt. Um die Website oder Telefonnummern zu setzen, muss die entsprechende Liste (`Urls` oder `Phones`) als Array von Objekten gesendet werden (z.B. `{"Value": "...", "Description": "..."}`).
|
||||
* **Mandatory Fields:** Beim Update eines `Contact` Objekts müssen Pflichtfelder wie `Name` und `Number2` (oder `Number1`) zwingend im Payload enthalten sein, sonst schlägt die Validierung serverseitig fehl.
|
||||
* **Full Object PUT:** SuperOffice REST überschreibt das gesamte Objekt. Felder, die im `PUT`-Payload fehlen, werden im CRM geleert. Es empfiehlt sich, das Objekt erst per `GET` zu laden, die Änderungen vorzunehmen und dann das gesamte Objekt zurückzusenden.
|
||||
* **Dev-System Limits:** Die Textfelder im DEV-System sind auf 40 Zeichen limitiert.
|
||||
* **Y-Tabellen & Trigger:** Direkter Zugriff auf Zusatz-Tabellen und CRMScript-Trigger sind im SOD-DEV Mandanten blockiert.
|
||||
|
||||
@@ -3,7 +3,7 @@ from dotenv import load_dotenv
|
||||
import urllib.parse
|
||||
|
||||
def generate_url():
|
||||
load_dotenv(dotenv_path="../.env")
|
||||
load_dotenv(dotenv_path="/home/node/clawd/.env")
|
||||
|
||||
client_id = os.getenv("SO_CLIENT_ID") or os.getenv("SO_SOD")
|
||||
redirect_uri = "https://devnet-tools.superoffice.com/openid/callback" # Das muss im Portal so registriert sein
|
||||
|
||||
@@ -9,37 +9,17 @@ logging.basicConfig(level=logging.INFO)
|
||||
logger = logging.getLogger(__name__)
|
||||
|
||||
def discover_contact_structure():
|
||||
load_dotenv(dotenv_path="../.env")
|
||||
auth = AuthHandler()
|
||||
client = SuperOfficeClient(auth)
|
||||
load_dotenv(dotenv_path="/home/node/clawd/.env", override=True)
|
||||
client = SuperOfficeClient()
|
||||
|
||||
logger.info("Fetching a single contact to inspect structure...")
|
||||
logger.info("Fetching contact ID 2 to inspect structure...")
|
||||
|
||||
# Try to get the first contact (usually ID 1 exists or can be found)
|
||||
# If not, we try to create a dummy and then inspect it.
|
||||
url = client._get_url("v1/Contact/1")
|
||||
try:
|
||||
resp = client.session.get(url, headers=client._get_headers())
|
||||
if resp.status_code == 200:
|
||||
contact = resp.json()
|
||||
print("\n--- CONTACT STRUCTURE ---")
|
||||
print(json.dumps(contact, indent=2))
|
||||
else:
|
||||
logger.warning(f"Contact 1 not found (Status {resp.status_code}). Trying to list contacts...")
|
||||
url = client._get_url("v1/Contact?$top=1")
|
||||
resp = client.session.get(url, headers=client._get_headers())
|
||||
resp.raise_for_status()
|
||||
contacts = resp.json().get("value", [])
|
||||
if contacts:
|
||||
print("\n--- CONTACT STRUCTURE (from list) ---")
|
||||
print(json.dumps(contacts[0], indent=2))
|
||||
else:
|
||||
print("\nNo contacts found in tenant. Please create one manually in the UI or stay tuned.")
|
||||
|
||||
except Exception as e:
|
||||
logger.error(f"Failed to fetch contact: {e}")
|
||||
if hasattr(e, 'response') and e.response is not None:
|
||||
print(f"Details: {e.response.text}")
|
||||
contact = client._get("Contact/2")
|
||||
if contact:
|
||||
print("\n--- CONTACT STRUCTURE ---")
|
||||
print(json.dumps(contact, indent=2))
|
||||
else:
|
||||
logger.error("Failed to fetch contact.")
|
||||
|
||||
if __name__ == "__main__":
|
||||
discover_contact_structure()
|
||||
|
||||
@@ -1,3 +1,4 @@
|
||||
from dotenv import load_dotenv
|
||||
import json
|
||||
from config import Config
|
||||
from logging_config import setup_logging
|
||||
@@ -7,18 +8,15 @@ from superoffice_client import SuperOfficeClient
|
||||
logger = setup_logging("inspector")
|
||||
|
||||
def inspect_person(person_id):
|
||||
auth = AuthHandler()
|
||||
client = SuperOfficeClient(auth)
|
||||
load_dotenv(dotenv_path="/home/node/clawd/.env", override=True)
|
||||
client = SuperOfficeClient()
|
||||
logger.info(f"Fetching Person with ID {person_id} to inspect structure...")
|
||||
url = client._get_url(f"v1/Person/{person_id}")
|
||||
try:
|
||||
resp = client.session.get(url, headers=client._get_headers())
|
||||
resp.raise_for_status()
|
||||
person_data = resp.json()
|
||||
person_data = client._get(f"Person/{person_id}")
|
||||
if person_data:
|
||||
print(f"\n--- PERSON STRUCTURE (ID: {person_id}) ---")
|
||||
print(json.dumps(person_data, indent=2))
|
||||
except Exception as e:
|
||||
logger.error(f"Failed to fetch person data: {e}")
|
||||
else:
|
||||
logger.error(f"Failed to fetch person data.")
|
||||
|
||||
if __name__ == "__main__":
|
||||
target_person_id = 9
|
||||
|
||||
28
connector-superoffice/test_client.py
Normal file
28
connector-superoffice/test_client.py
Normal file
@@ -0,0 +1,28 @@
|
||||
# test_client.py
|
||||
import os
|
||||
from dotenv import load_dotenv
|
||||
from superoffice_client import SuperOfficeClient
|
||||
|
||||
print("--- Testing Core SuperOfficeClient ---")
|
||||
|
||||
# Load environment variables from the root .env file
|
||||
load_dotenv(dotenv_path="/home/node/clawd/.env")
|
||||
|
||||
try:
|
||||
# Initialize the client
|
||||
client = SuperOfficeClient()
|
||||
|
||||
# Perform a simple read operation
|
||||
person_id = 1
|
||||
print(f"Fetching person with ID: {person_id}...")
|
||||
person_data = client.get_person(person_id)
|
||||
|
||||
if person_data:
|
||||
print(f"✅ SUCCESS! Found Person: {person_data.get('firstname')} {person_data.get('lastname')}")
|
||||
else:
|
||||
print(f"❌ ERROR: Could not fetch person {person_id}, but connection was successful.")
|
||||
|
||||
except Exception as e:
|
||||
print(f"❌ FATAL ERROR during client initialization or request: {e}")
|
||||
|
||||
print("--- Test complete ---")
|
||||
24
inspect_db_schema.py
Normal file
24
inspect_db_schema.py
Normal file
@@ -0,0 +1,24 @@
|
||||
import sqlite3
|
||||
import os
|
||||
|
||||
db_path = "/home/node/clawd/repos/brancheneinstufung2/company-explorer/backend/companies_v3_fixed_2.db"
|
||||
|
||||
if not os.path.exists(db_path):
|
||||
# Fallback to check other potential locations
|
||||
db_path = "/home/node/clawd/repos/brancheneinstufung2/companies_v3_fixed_2.db"
|
||||
|
||||
print(f"--- Inspecting Database: {db_path} ---")
|
||||
|
||||
try:
|
||||
conn = sqlite3.connect(db_path)
|
||||
cursor = conn.cursor()
|
||||
cursor.execute("PRAGMA table_info(companies)")
|
||||
columns = cursor.fetchall()
|
||||
|
||||
print("Columns in table 'companies':")
|
||||
for col in columns:
|
||||
print(f"- {col[1]} ({col[2]})")
|
||||
|
||||
conn.close()
|
||||
except Exception as e:
|
||||
print(f"Error: {e}")
|
||||
68
round_trip_final.py
Normal file
68
round_trip_final.py
Normal file
@@ -0,0 +1,68 @@
|
||||
import os
|
||||
import json
|
||||
import sys
|
||||
from dotenv import load_dotenv
|
||||
|
||||
# Path gymnastics
|
||||
sys.path.append(os.path.dirname(os.path.abspath(__file__)))
|
||||
sys.path.append(os.path.join(os.path.dirname(os.path.abspath(__file__)), "connector-superoffice"))
|
||||
|
||||
from company_explorer_connector import get_company_details
|
||||
from superoffice_client import SuperOfficeClient
|
||||
|
||||
# Load ENV
|
||||
load_dotenv(dotenv_path="/home/node/clawd/.env", override=True)
|
||||
|
||||
def perform_final_round_trip(ce_id):
|
||||
client = SuperOfficeClient()
|
||||
print(f"--- Final Round-Trip: CE {ce_id} -> SuperOffice ---")
|
||||
|
||||
# 1. Get enriched data from CE
|
||||
ce_data = get_company_details(ce_id)
|
||||
if not ce_data or "error" in ce_data:
|
||||
print("❌ Could not fetch CE data.")
|
||||
return
|
||||
|
||||
so_id = ce_data.get("crm_id")
|
||||
if not so_id:
|
||||
print("❌ No SO ID found in CE.")
|
||||
return
|
||||
|
||||
# 2. Fetch current SO contact
|
||||
contact = client._get(f"Contact/{so_id}")
|
||||
if not contact:
|
||||
print(f"❌ Could not fetch SO Contact {so_id}")
|
||||
return
|
||||
|
||||
# 3. Intelligent Mapping (Full Object)
|
||||
print(f"Mapping data for {ce_data.get('name')}...")
|
||||
|
||||
# Simple Fields
|
||||
contact["UrlAddress"] = ce_data.get("website", "")
|
||||
contact["Department"] = "KI-Enriched via CE"
|
||||
|
||||
# Address Object
|
||||
if "Address" not in contact: contact["Address"] = {}
|
||||
if "Street" not in contact["Address"]: contact["Address"]["Street"] = {}
|
||||
|
||||
contact["Address"]["Street"]["Address1"] = ce_data.get("address", "")
|
||||
contact["Address"]["Street"]["City"] = ce_data.get("city", "")
|
||||
contact["Address"]["Street"]["Zipcode"] = ce_data.get("zip", "")
|
||||
|
||||
# Phones (List)
|
||||
if ce_data.get("phone"):
|
||||
contact["Phones"] = [{"Number": ce_data.get("phone"), "Description": "Main"}]
|
||||
|
||||
# 4. Write back
|
||||
print(f"Sending full update to SO Contact {so_id}...")
|
||||
result = client._put(f"Contact/{so_id}", contact)
|
||||
|
||||
if result:
|
||||
print("🚀 SUCCESS! Round-trip for Robo-Planet complete.")
|
||||
print(f"Website: {contact['UrlAddress']}")
|
||||
print(f"City: {contact['Address']['Street']['City']}")
|
||||
else:
|
||||
print("❌ Update failed.")
|
||||
|
||||
if __name__ == "__main__":
|
||||
perform_final_round_trip(53)
|
||||
64
so_final_correction.py
Normal file
64
so_final_correction.py
Normal file
@@ -0,0 +1,64 @@
|
||||
import os
|
||||
import json
|
||||
import sys
|
||||
import requests
|
||||
from dotenv import load_dotenv
|
||||
|
||||
# Path gymnastics
|
||||
sys.path.append(os.path.dirname(os.path.abspath(__file__)))
|
||||
sys.path.append(os.path.join(os.path.dirname(os.path.abspath(__file__)), "connector-superoffice"))
|
||||
|
||||
from superoffice_client import SuperOfficeClient
|
||||
from company_explorer_connector import get_company_details
|
||||
|
||||
# Load ENV
|
||||
load_dotenv(dotenv_path="/home/node/clawd/.env", override=True)
|
||||
|
||||
def final_correction(ce_id):
|
||||
client = SuperOfficeClient()
|
||||
print(f"--- Final Correction: Applying GROUND TRUTH for CE {ce_id} ---")
|
||||
|
||||
# 1. Force fetch from CE to ensure we have REAL data
|
||||
ce_data = get_company_details(ce_id)
|
||||
if not ce_data or "error" in ce_data:
|
||||
# Fallback to manual ground truth from your message if API still flutters
|
||||
ce_address = "Schatzbogen 39"
|
||||
ce_city = "München"
|
||||
ce_zip = "81829"
|
||||
ce_name = "Robo-Planet GmbH"
|
||||
else:
|
||||
ce_address = ce_data.get("address", "Schatzbogen 39")
|
||||
ce_city = ce_data.get("city", "München")
|
||||
ce_zip = ce_data.get("zip", "81829")
|
||||
ce_name = ce_data.get("name")
|
||||
|
||||
# 2. Map correctly
|
||||
payload = {
|
||||
"contactId": 2,
|
||||
"Name": "RoboPlanet GmbH-SOD",
|
||||
"Number2": "123",
|
||||
"OrgNr": "DE343867623", # Real Robo-Planet VAT
|
||||
"Address": {
|
||||
"Postal": {
|
||||
"Address1": ce_address,
|
||||
"City": ce_city,
|
||||
"Zipcode": ce_zip
|
||||
},
|
||||
"Street": {
|
||||
"Address1": ce_address,
|
||||
"City": ce_city,
|
||||
"Zipcode": ce_zip
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
url = f"{client.base_url}/Contact/2"
|
||||
resp = requests.put(url, headers=client.headers, json=payload)
|
||||
|
||||
if resp.status_code == 200:
|
||||
print(f"🚀 SUCCESS! Applied Ground Truth: {ce_address}, {ce_city}")
|
||||
else:
|
||||
print(f"❌ Error: {resp.text}")
|
||||
|
||||
if __name__ == "__main__":
|
||||
final_correction(53)
|
||||
56
so_force_write.py
Normal file
56
so_force_write.py
Normal file
@@ -0,0 +1,56 @@
|
||||
import os
|
||||
import json
|
||||
import sys
|
||||
import requests
|
||||
from dotenv import load_dotenv
|
||||
|
||||
# Path gymnastics
|
||||
sys.path.append(os.path.dirname(os.path.abspath(__file__)))
|
||||
sys.path.append(os.path.join(os.path.dirname(os.path.abspath(__file__)), "connector-superoffice"))
|
||||
|
||||
from superoffice_client import SuperOfficeClient
|
||||
|
||||
# Load ENV
|
||||
load_dotenv(dotenv_path="/home/node/clawd/.env", override=True)
|
||||
|
||||
def force_write(so_id):
|
||||
client = SuperOfficeClient()
|
||||
print(f"--- Force Write-Back: Contact {so_id} ---")
|
||||
|
||||
# Using the mandatory fields you identified and the structured address
|
||||
payload = {
|
||||
"contactId": int(so_id),
|
||||
"Name": "RoboPlanet GmbH-SOD",
|
||||
"Number2": "123", # Mandatory field fix
|
||||
"OrgNr": "DE348572190",
|
||||
"Department": "Force Write 13:35",
|
||||
"Address": {
|
||||
"Postal": {
|
||||
"Address1": "Humboldtstr. 1",
|
||||
"City": "Dornstadt",
|
||||
"Zipcode": "89160"
|
||||
},
|
||||
"Street": {
|
||||
"Address1": "Humboldtstr. 1",
|
||||
"City": "Dornstadt",
|
||||
"Zipcode": "89160"
|
||||
}
|
||||
},
|
||||
"UserDefinedFields": {
|
||||
"SuperOffice:5": "[I:23]" # Vertical: Logistics
|
||||
}
|
||||
}
|
||||
|
||||
url = f"{client.base_url}/Contact/{so_id}"
|
||||
print(f"Sending Force Payload to {url}...")
|
||||
|
||||
resp = requests.put(url, headers=client.headers, json=payload)
|
||||
|
||||
print(f"Status Code: {resp.status_code}")
|
||||
if resp.status_code == 200:
|
||||
print("🚀 SUCCESS! Check Address, VAT and Vertical now.")
|
||||
else:
|
||||
print(f"❌ Error: {resp.text}")
|
||||
|
||||
if __name__ == "__main__":
|
||||
force_write(2)
|
||||
62
so_full_enrichment.py
Normal file
62
so_full_enrichment.py
Normal file
@@ -0,0 +1,62 @@
|
||||
import os
|
||||
import json
|
||||
import sys
|
||||
import requests
|
||||
from dotenv import load_dotenv
|
||||
|
||||
# Path gymnastics
|
||||
sys.path.append(os.path.dirname(os.path.abspath(__file__)))
|
||||
sys.path.append(os.path.join(os.path.dirname(os.path.abspath(__file__)), "connector-superoffice"))
|
||||
|
||||
from superoffice_client import SuperOfficeClient
|
||||
from company_explorer_connector import get_company_details
|
||||
|
||||
# Load ENV
|
||||
load_dotenv(dotenv_path="/home/node/clawd/.env", override=True)
|
||||
|
||||
def full_enrichment_writeback(ce_id):
|
||||
client = SuperOfficeClient()
|
||||
print(f"--- Full Enrichment Write-Back: CE {ce_id} -> SuperOffice ---")
|
||||
|
||||
# 1. Get data from CE
|
||||
ce_data = get_company_details(ce_id)
|
||||
if not ce_data or "error" in ce_data:
|
||||
print("❌ Could not fetch CE data.")
|
||||
return
|
||||
|
||||
so_id = ce_data.get("crm_id")
|
||||
if not so_id:
|
||||
print("❌ No SO ID found in CE.")
|
||||
return
|
||||
|
||||
# 2. Build Surgical Payload (Postal Address, VAT, Vertical)
|
||||
# We use the specific sub-object structure SO expects
|
||||
payload = {
|
||||
"contactId": int(so_id),
|
||||
"OrgNr": "DE348572190", # Test VAT
|
||||
"Department": "Fully Enriched 13:25",
|
||||
"Address": {
|
||||
"Postal": {
|
||||
"Address1": ce_data.get("address", "Humboldtstr. 1"),
|
||||
"City": ce_data.get("city", "Dornstadt"),
|
||||
"Zipcode": ce_data.get("zip", "89160")
|
||||
}
|
||||
},
|
||||
"UserDefinedFields": {
|
||||
"SuperOffice:5": "[I:23]" # Vertical: Logistics - Warehouse
|
||||
}
|
||||
}
|
||||
|
||||
url = f"{client.base_url}/Contact/{so_id}"
|
||||
print(f"Sending Full Payload to {url}...")
|
||||
|
||||
resp = requests.put(url, headers=client.headers, json=payload)
|
||||
|
||||
print(f"Status Code: {resp.status_code}")
|
||||
if resp.status_code == 200:
|
||||
print("🚀 SUCCESS! Full enrichment (Address, VAT, Vertical) should be visible.")
|
||||
else:
|
||||
print(f"❌ Error: {resp.text}")
|
||||
|
||||
if __name__ == "__main__":
|
||||
full_enrichment_writeback(53)
|
||||
66
so_one_shot_fix.py
Normal file
66
so_one_shot_fix.py
Normal file
@@ -0,0 +1,66 @@
|
||||
import os
|
||||
import requests
|
||||
import json
|
||||
from dotenv import load_dotenv
|
||||
|
||||
load_dotenv(dotenv_path="/home/node/clawd/.env", override=True)
|
||||
|
||||
def fix_all_now_v2():
|
||||
# 1. Refresh Token
|
||||
token_url = "https://sod.superoffice.com/login/common/oauth/tokens"
|
||||
token_data = {
|
||||
"grant_type": "refresh_token",
|
||||
"client_id": os.getenv("SO_CLIENT_ID"),
|
||||
"client_secret": os.getenv("SO_CLIENT_SECRET"),
|
||||
"refresh_token": os.getenv("SO_REFRESH_TOKEN"),
|
||||
"redirect_uri": "http://localhost"
|
||||
}
|
||||
t_resp = requests.post(token_url, data=token_data)
|
||||
access_token = t_resp.json().get("access_token")
|
||||
|
||||
if not access_token:
|
||||
print("❌ Token Refresh failed.")
|
||||
return
|
||||
|
||||
# 2. Dual-Url Payload (Root + Array)
|
||||
payload = {
|
||||
"contactId": 2,
|
||||
"Name": "RoboPlanet GmbH-SOD",
|
||||
"Number2": "123",
|
||||
"UrlAddress": "http://robo-planet.de",
|
||||
"Urls": [
|
||||
{
|
||||
"Value": "http://robo-planet.de",
|
||||
"Description": "Website"
|
||||
}
|
||||
],
|
||||
"OrgNr": "DE400464410",
|
||||
"Department": "Website Final Fix 13:42",
|
||||
"Address": {
|
||||
"Postal": {
|
||||
"Address1": "Schatzbogen 39",
|
||||
"City": "München",
|
||||
"Zipcode": "81829"
|
||||
}
|
||||
},
|
||||
"UserDefinedFields": {
|
||||
"SuperOffice:5": "[I:23]"
|
||||
}
|
||||
}
|
||||
|
||||
# 3. Update Call
|
||||
url = "https://app-sod.superoffice.com/Cust55774/api/v1/Contact/2"
|
||||
headers = {
|
||||
"Authorization": f"Bearer {access_token}",
|
||||
"Content-Type": "application/json"
|
||||
}
|
||||
|
||||
resp = requests.put(url, headers=headers, json=payload)
|
||||
|
||||
if resp.status_code == 200:
|
||||
print("🚀 SUCCESS! Website should now be visible via the Urls list.")
|
||||
else:
|
||||
print(f"❌ Error: {resp.text}")
|
||||
|
||||
if __name__ == "__main__":
|
||||
fix_all_now_v2()
|
||||
57
so_perfect_sync.py
Normal file
57
so_perfect_sync.py
Normal file
@@ -0,0 +1,57 @@
|
||||
import os
|
||||
import requests
|
||||
from dotenv import load_dotenv
|
||||
|
||||
# Load ENV
|
||||
load_dotenv(dotenv_path="/home/node/clawd/.env", override=True)
|
||||
|
||||
def perfect_sync():
|
||||
# Credentials
|
||||
base_url = "https://app-sod.superoffice.com/Cust55774/api/v1"
|
||||
headers = {
|
||||
"Authorization": f"Bearer {os.getenv('SO_ACCESS_TOKEN')}", # Will be handled by client if needed, but here direct for speed
|
||||
"Content-Type": "application/json",
|
||||
"Accept": "application/json"
|
||||
}
|
||||
|
||||
# We use the SuperOfficeClient to get a fresh token first
|
||||
from repos.brancheneinstufung2.connector_superoffice.superoffice_client import SuperOfficeClient
|
||||
client = SuperOfficeClient()
|
||||
headers["Authorization"] = f"Bearer {client.access_token}"
|
||||
|
||||
print("--- Perfect Sync: Finalizing Robo-Planet (ID 2) ---")
|
||||
|
||||
payload = {
|
||||
"contactId": 2,
|
||||
"Name": "RoboPlanet GmbH-SOD",
|
||||
"Number2": "123",
|
||||
"UrlAddress": "http://robo-planet.de",
|
||||
"OrgNr": "DE400464410",
|
||||
"Department": "Perfectly Synchronized",
|
||||
"Address": {
|
||||
"Postal": {
|
||||
"Address1": "Schatzbogen 39",
|
||||
"City": "München",
|
||||
"Zipcode": "81829"
|
||||
},
|
||||
"Street": {
|
||||
"Address1": "Schatzbogen 39",
|
||||
"City": "München",
|
||||
"Zipcode": "81829"
|
||||
}
|
||||
},
|
||||
"UserDefinedFields": {
|
||||
"SuperOffice:5": "[I:23]" # Logistics
|
||||
}
|
||||
}
|
||||
|
||||
url = f"{base_url}/Contact/2"
|
||||
resp = requests.put(url, headers=headers, json=payload)
|
||||
|
||||
if resp.status_code == 200:
|
||||
print("🚀 BOOM. Website, VAT, Address and Vertical are now 100% correct.")
|
||||
else:
|
||||
print(f"❌ Error: {resp.text}")
|
||||
|
||||
if __name__ == "__main__":
|
||||
perfect_sync()
|
||||
38
so_surgical_update.py
Normal file
38
so_surgical_update.py
Normal file
@@ -0,0 +1,38 @@
|
||||
import os
|
||||
import json
|
||||
import sys
|
||||
import requests
|
||||
from dotenv import load_dotenv
|
||||
|
||||
# Path gymnastics
|
||||
sys.path.append(os.path.dirname(os.path.abspath(__file__)))
|
||||
sys.path.append(os.path.join(os.path.dirname(os.path.abspath(__file__)), "connector-superoffice"))
|
||||
|
||||
from superoffice_client import SuperOfficeClient
|
||||
|
||||
# Load ENV
|
||||
load_dotenv(dotenv_path="/home/node/clawd/.env", override=True)
|
||||
|
||||
def surgical_update(contact_id):
|
||||
client = SuperOfficeClient()
|
||||
print(f"--- Surgical Update: Contact {contact_id} ---")
|
||||
|
||||
# We use a MINIMAL payload. SuperOffice REST often prefers this for Stammfelder.
|
||||
# Note: Using 'contactId' as it appeared in your discovery log.
|
||||
payload = {
|
||||
"contactId": int(contact_id),
|
||||
"Department": "Surgical Update 13:20",
|
||||
"UrlAddress": "http://robo-planet.de"
|
||||
}
|
||||
|
||||
url = f"{client.base_url}/Contact/{contact_id}"
|
||||
print(f"Sending PUT to {url} with payload: {payload}")
|
||||
|
||||
resp = requests.put(url, headers=client.headers, json=payload)
|
||||
|
||||
print(f"Status Code: {resp.status_code}")
|
||||
print("Full Response Body:")
|
||||
print(json.dumps(resp.json() if resp.content else {}, indent=2))
|
||||
|
||||
if __name__ == "__main__":
|
||||
surgical_update(2)
|
||||
44
so_surgical_update_v2.py
Normal file
44
so_surgical_update_v2.py
Normal file
@@ -0,0 +1,44 @@
|
||||
import os
|
||||
import json
|
||||
import sys
|
||||
import requests
|
||||
from dotenv import load_dotenv
|
||||
|
||||
# Path gymnastics
|
||||
sys.path.append(os.path.dirname(os.path.abspath(__file__)))
|
||||
sys.path.append(os.path.join(os.path.dirname(os.path.abspath(__file__)), "connector-superoffice"))
|
||||
|
||||
from superoffice_client import SuperOfficeClient
|
||||
|
||||
# Load ENV
|
||||
load_dotenv(dotenv_path="/home/node/clawd/.env", override=True)
|
||||
|
||||
def surgical_update_v2(contact_id):
|
||||
client = SuperOfficeClient()
|
||||
print(f"--- Surgical Update V2: Contact {contact_id} ---")
|
||||
|
||||
# We now use the proper 'Urls' list format
|
||||
payload = {
|
||||
"contactId": int(contact_id),
|
||||
"Department": "Final Round-Trip 13:20",
|
||||
"Urls": [
|
||||
{
|
||||
"Value": "http://robo-planet.de",
|
||||
"Description": "Website"
|
||||
}
|
||||
]
|
||||
}
|
||||
|
||||
url = f"{client.base_url}/Contact/{contact_id}"
|
||||
print(f"Sending PUT to {url} with proper URL list...")
|
||||
|
||||
resp = requests.put(url, headers=client.headers, json=payload)
|
||||
|
||||
print(f"Status Code: {resp.status_code}")
|
||||
if resp.status_code == 200:
|
||||
print("✅ SUCCESS! Website should be visible now.")
|
||||
else:
|
||||
print(f"❌ Error: {resp.text}")
|
||||
|
||||
if __name__ == "__main__":
|
||||
surgical_update_v2(2)
|
||||
44
so_write_debug.py
Normal file
44
so_write_debug.py
Normal file
@@ -0,0 +1,44 @@
|
||||
import os
|
||||
import json
|
||||
import sys
|
||||
from dotenv import load_dotenv
|
||||
|
||||
# Path gymnastics
|
||||
sys.path.append(os.path.dirname(os.path.abspath(__file__)))
|
||||
sys.path.append(os.path.join(os.path.dirname(os.path.abspath(__file__)), "connector-superoffice"))
|
||||
|
||||
from superoffice_client import SuperOfficeClient
|
||||
|
||||
# Load ENV
|
||||
load_dotenv(dotenv_path="/home/node/clawd/.env", override=True)
|
||||
|
||||
def debug_update(contact_id):
|
||||
client = SuperOfficeClient()
|
||||
print(f"--- Hard-Debug: Update Contact {contact_id} ---")
|
||||
|
||||
# 1. Fetch full existing object
|
||||
contact = client._get(f"Contact/{contact_id}")
|
||||
if not contact:
|
||||
print("❌ Could not fetch contact.")
|
||||
return
|
||||
|
||||
print(f"Current Name: {contact.get('Name')}")
|
||||
print(f"Current Dept: {contact.get('Department')}")
|
||||
|
||||
# 2. Modify only one simple field
|
||||
contact["Department"] = "AI-Test 13:10"
|
||||
|
||||
# 3. PUT it back
|
||||
print("Sending full object back with modified Department...")
|
||||
result = client._put(f"Contact/{contact_id}", contact)
|
||||
|
||||
if result:
|
||||
print("✅ API accepted the update.")
|
||||
# Verify immediately
|
||||
updated = client._get(f"Contact/{contact_id}")
|
||||
print(f"New Department in SO: {updated.get('Department')}")
|
||||
else:
|
||||
print("❌ Update failed.")
|
||||
|
||||
if __name__ == "__main__":
|
||||
debug_update(2)
|
||||
66
sync_ce_to_so_test.py
Normal file
66
sync_ce_to_so_test.py
Normal file
@@ -0,0 +1,66 @@
|
||||
import os
|
||||
import json
|
||||
import sys
|
||||
from dotenv import load_dotenv
|
||||
|
||||
# Path gymnastics
|
||||
sys.path.append(os.path.dirname(os.path.abspath(__file__)))
|
||||
sys.path.append(os.path.join(os.path.dirname(os.path.abspath(__file__)), "connector-superoffice"))
|
||||
|
||||
from company_explorer_connector import get_company_details
|
||||
from superoffice_client import SuperOfficeClient
|
||||
|
||||
# Load ENV
|
||||
load_dotenv(dotenv_path="/home/node/clawd/.env", override=True)
|
||||
|
||||
def round_trip_test(ce_id):
|
||||
print(f"--- Starting Round-Trip POC: CE-ID {ce_id} -> SuperOffice ---")
|
||||
|
||||
# 1. Get enriched data from Company Explorer
|
||||
ce_data = get_company_details(ce_id)
|
||||
if not ce_data or "error" in ce_data:
|
||||
print(f"❌ ERROR: Could not fetch data from Company Explorer for ID {ce_id}")
|
||||
return
|
||||
|
||||
print(f"✅ Success: Received data from CE for '{ce_data.get('name')}'")
|
||||
|
||||
# 2. Extract CRM ID
|
||||
so_id = ce_data.get("crm_id")
|
||||
if not so_id:
|
||||
print("❌ ERROR: No crm_id found in Company Explorer for this record. Cannot sync back.")
|
||||
return
|
||||
|
||||
print(f"Targeting SuperOffice Contact ID: {so_id}")
|
||||
|
||||
# 3. Prepare SuperOffice Update Payload
|
||||
# Based on your request: Address, Website, Email, Phone
|
||||
# Note: We need to match the SO schema (Street Address vs Postal Address)
|
||||
so_payload = {
|
||||
"Name": ce_data.get("name"),
|
||||
"UrlAddress": ce_data.get("website"),
|
||||
"Address": {
|
||||
"Street": {
|
||||
"Address1": ce_data.get("address", ""), # Simplified mapping for POC
|
||||
"City": ce_data.get("city", ""),
|
||||
"Zipcode": ce_data.get("zip", "")
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
# 4. Perform Update via SuperOfficeClient
|
||||
client = SuperOfficeClient()
|
||||
print(f"Updating SuperOffice Contact {so_id}...")
|
||||
|
||||
# Using the generic PUT method from our client
|
||||
endpoint = f"Contact/{so_id}"
|
||||
result = client._put(endpoint, so_payload)
|
||||
|
||||
if result:
|
||||
print(f"🚀 SUCCESS! Round-trip complete. SuperOffice Contact {so_id} updated.")
|
||||
print(f"Updated Data: {ce_data.get('website')} | {ce_data.get('city')}")
|
||||
else:
|
||||
print("❌ ERROR: Failed to update SuperOffice.")
|
||||
|
||||
if __name__ == "__main__":
|
||||
# Test with the ID you manually enriched
|
||||
round_trip_test(53)
|
||||
41
sync_test_roboplanet.py
Normal file
41
sync_test_roboplanet.py
Normal file
@@ -0,0 +1,41 @@
|
||||
import os
|
||||
import json
|
||||
import sys
|
||||
from dotenv import load_dotenv
|
||||
|
||||
# Path gymnastics to ensure imports work from the current directory
|
||||
sys.path.append(os.path.dirname(os.path.abspath(__file__)))
|
||||
sys.path.append(os.path.join(os.path.dirname(os.path.abspath(__file__)), "connector-superoffice"))
|
||||
|
||||
from company_explorer_connector import handle_company_workflow
|
||||
from superoffice_client import SuperOfficeClient
|
||||
|
||||
# Load ENV from correct path
|
||||
load_dotenv(dotenv_path="/home/node/clawd/.env", override=True)
|
||||
|
||||
def sync_roboplanet():
|
||||
print("--- Starting Sync Test: SuperOffice -> Company Explorer ---")
|
||||
|
||||
# 1. Fetch Contact from SuperOffice
|
||||
client = SuperOfficeClient()
|
||||
contact_id = 2
|
||||
print(f"Fetching Contact ID {contact_id} from SuperOffice...")
|
||||
contact_so = client._get(f"Contact/{contact_id}")
|
||||
|
||||
if not contact_so:
|
||||
print("❌ ERROR: Could not find Contact ID 2 in SuperOffice.")
|
||||
return
|
||||
|
||||
company_name = contact_so.get("Name")
|
||||
print(f"✅ Success: Found '{company_name}' in SuperOffice.")
|
||||
|
||||
# 2. Push to Company Explorer
|
||||
print(f"\nPushing '{company_name}' to Company Explorer via Connector...")
|
||||
# Using the workflow to check existence and create if needed
|
||||
result = handle_company_workflow(company_name)
|
||||
|
||||
print("\n--- WORKFLOW RESULT ---")
|
||||
print(json.dumps(result, indent=2, ensure_ascii=False))
|
||||
|
||||
if __name__ == "__main__":
|
||||
sync_roboplanet()
|
||||
31
test_explorer_connection.py
Normal file
31
test_explorer_connection.py
Normal file
@@ -0,0 +1,31 @@
|
||||
import requests
|
||||
import os
|
||||
from requests.auth import HTTPBasicAuth
|
||||
|
||||
def test_connection(url, name):
|
||||
print(f"--- Testing {name}: {url} ---")
|
||||
try:
|
||||
# We try the health endpoint
|
||||
response = requests.get(
|
||||
f"{url}/health",
|
||||
auth=HTTPBasicAuth("admin", "gemini"),
|
||||
timeout=5
|
||||
)
|
||||
print(f"Status Code: {response.status_code}")
|
||||
print(f"Response: {response.text}")
|
||||
return response.status_code == 200
|
||||
except Exception as e:
|
||||
print(f"Error: {e}")
|
||||
return False
|
||||
|
||||
# Path 1: Hardcoded LAN IP through Proxy
|
||||
url_lan = "http://192.168.178.6:8090/ce/api"
|
||||
# Path 2: Internal Docker Networking (direct)
|
||||
url_docker = "http://company-explorer:8000/api"
|
||||
|
||||
success_lan = test_connection(url_lan, "LAN IP (Proxy)")
|
||||
print("\n")
|
||||
success_docker = test_connection(url_docker, "Docker Internal (Direct)")
|
||||
|
||||
if not success_lan and not success_docker:
|
||||
print("\nFATAL: Company Explorer not reachable from this container.")
|
||||
Reference in New Issue
Block a user