दो विकल्प हैं:
MERGE
का उपयोग करेंINSERT ... ON CONFLICT
. के बजाय स्टेटमेंट ।- एक
UPDATE
का उपयोग करेंJOIN
के साथ स्टेटमेंट , उसके बाद एक सशर्तINSERT
।
MERGE के लिए T-SQL दस्तावेज़ कहता है:
<ब्लॉकक्वॉट>प्रदर्शन युक्ति:MERGE कथन के लिए वर्णित सशर्त व्यवहार सबसे अच्छा तब काम करता है जब दो तालिकाओं में मेल खाने वाली विशेषताओं का एक जटिल मिश्रण होता है। उदाहरण के लिए, यदि यह मौजूद नहीं है तो एक पंक्ति सम्मिलित करना, या यदि यह मेल खाता है तो एक पंक्ति को अपडेट करना। किसी अन्य तालिका की पंक्तियों के आधार पर केवल एक तालिका को अपडेट करते समय, बुनियादी INSERT, UPDATE और DELETE कथनों के साथ प्रदर्शन और मापनीयता में सुधार करें।
कई मामलों में केवल अलग UPDATE
. का उपयोग करना तेज़ और कम जटिल होता है और INSERT
बयान।
engine = sa.create_engine(
connection_uri, fast_executemany=True, isolation_level="SERIALIZABLE"
)
with engine.begin() as conn:
# step 0.0 - create test environment
conn.execute(sa.text("DROP TABLE IF EXISTS main_table"))
conn.execute(
sa.text(
"CREATE TABLE main_table (id int primary key, txt varchar(50))"
)
)
conn.execute(
sa.text(
"INSERT INTO main_table (id, txt) VALUES (1, 'row 1 old text')"
)
)
# step 0.1 - create DataFrame to UPSERT
df = pd.DataFrame(
[(2, "new row 2 text"), (1, "row 1 new text")], columns=["id", "txt"]
)
# step 1 - upload DataFrame to temporary table
df.to_sql("#temp_table", conn, index=False, if_exists="replace")
# step 2 - merge temp_table into main_table
conn.execute(
sa.text("""\
UPDATE main SET main.txt = temp.txt
FROM main_table main INNER JOIN #temp_table temp
ON main.id = temp.id
"""
)
)
conn.execute(
sa.text("""\
INSERT INTO main_table (id, txt)
SELECT id, txt FROM #temp_table
WHERE id NOT IN (SELECT id FROM main_table)
"""
)
)
# step 3 - confirm results
result = conn.execute(sa.text("SELECT * FROM main_table ORDER BY id")).fetchall()
print(result) # [(1, 'row 1 new text'), (2, 'new row 2 text')]