SQLite3 오류: 일치하지 않는 바인딩 값 개수
cursor.execute() 메서드를 사용하여 SQLite3 데이터베이스에 값을 삽입할 때 다음이 중요합니다. 제공된 바인드 값의 수가 SQL 문의 매개변수에 지정된 수와 일치하는지 확인하십시오. 그렇지 않으면 "제공된 바인딩 수가 잘못되었습니다."와 유사한 오류가 발생할 수 있습니다.
다음 코드 조각을 고려하세요.
def insert(array): connection=sqlite3.connect('images.db') cursor=connection.cursor() cnt=0 while cnt != len(array): img = array[cnt] print(array[cnt]) cursor.execute('INSERT INTO images VALUES(?)', (img)) cnt+= 1 connection.commit() connection.close()
길이가 74인 문자열을 삽입하려고 하면 이 코드는 앞서 언급한 오류가 발생합니다. 그 이유는cursor.execute() 메서드가 바인드 값의 시퀀스를 기대하는 반면 (img)는 단순한 표현식이기 때문입니다.
이 문제를 해결하려면 (img)를 튜플이나 목록으로 변환해야 합니다. 쉼표를 추가하여. 수정된 코드는 다음과 같습니다.
def insert(array): connection=sqlite3.connect('images.db') cursor=connection.cursor() cnt=0 while cnt != len(array): img = array[cnt] print(array[cnt]) cursor.execute('INSERT INTO images VALUES(?)', (img,)) # Add a comma cnt+= 1 connection.commit() connection.close()
또는 목록 리터럴을 사용할 수도 있습니다.
cursor.execute('INSERT INTO images VALUES(?)', [img])
위 내용은 데이터를 삽입할 때 SQLite3에서 \'일치하지 않는 바인딩 값 개수\' 오류가 발생하는 이유는 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!