SQLAlchemy에서 back_populates 사용 시점

2024-07-27

SQLAlchemy에서 back_populates 사용 시점

back_populates를 사용해야 하는 경우는 다음과 같습니다.

양방향 관계를 정의할 때

두 모델 간에 양방향 관계를 정의하려면 relationship 함수에 back_populates 매개변수를 사용해야 합니다. 예를 들어, Parent 모델과 Child 모델 간에 양방향 관계를 정의하려면 다음과 같이 코드를 작성합니다.

class Parent(Base):
    __tablename__ = "parent_table"
    id = Column(Integer, primary_key=True)
    children = relationship("Child", back_populates="parent")

class Child(Base):
    __tablename__ = "child_table"
    id = Column(Integer, primary_key=True)
    parent_id = Column(Integer, ForeignKey("parent_table.id"))
    parent = relationship("Parent", back_populates="children")

관계의 이름을 명시적으로 지정할 때

relationship 함수의 첫 번째 매개변수는 관계의 이름을 지정하는 데 사용됩니다. 만약 두 모델에서 서로 다른 이름으로 관계를 참조하고 싶다면 back_populates 매개변수를 사용해야 합니다. 예를 들어, Parent 모델에서 children이라는 이름으로 관계를 참조하고, Child 모델에서 parent라는 이름으로 관계를 참조하고 싶다면 다음과 같이 코드를 작성합니다.

class Parent(Base):
    __tablename__ = "parent_table"
    id = Column(Integer, primary_key=True)
    children = relationship("Child", back_populates="my_parent")

class Child(Base):
    __tablename__ = "child_table"
    id = Column(Integer, primary_key=True)
    parent_id = Column(Integer, ForeignKey("parent_table.id"))
    my_parent = relationship("Parent", back_populates="children")

관계의 속성을 사용자 정의할 때

relationship 함수의 properties 매개변수를 사용하여 관계의 속성을 사용자 정의할 수 있습니다. 만약 관계의 속성을 사용자 정의하고 싶다면 back_populates 매개변수를 사용해야 합니다. 예를 들어, Parent 모델에서 children 속성을 읽을 때 children_count 속성을 함께 읽도록 하려면 다음과 같이 코드를 작성합니다.

class Parent(Base):
    __tablename__ = "parent_table"
    id = Column(Integer, primary_key=True)
    children = relationship(
        "Child",
        back_populates="parent",
        properties={"children_count": lambda: len(children)},
    )

class Child(Base):
    __tablename__ = "child_table"
    id = Column(Integer, primary_key=True)
    parent_id = Column(Integer, ForeignKey("parent_table.id"))
    parent = relationship("Parent", back_populates="children")



예제 코드

from sqlalchemy import Column, Integer, ForeignKey, relationship
from sqlalchemy.orm import sessionmaker
from sqlalchemy.ext.declarative import declarative_base

Base = declarative_base()

class Parent(Base):
    __tablename__ = "parent_table"
    id = Column(Integer, primary_key=True)
    children = relationship("Child", back_populates="parent")

class Child(Base):
    __tablename__ = "child_table"
    id = Column(Integer, primary_key=True)
    parent_id = Column(Integer, ForeignKey("parent_table.id"))
    parent = relationship("Parent", back_populates="children")

engine = create_engine("sqlite:///example.db")
Base.metadata.create_all(engine)

session = sessionmaker(bind=engine)()

parent = Parent()
child1 = Child(parent=parent)
child2 = Child(parent=parent)

session.add_all([parent, child1, child2])
session.commit()

# parent.children 에는 child1, child2 가 포함됩니다.
# child1.parent 와 child2.parent 는 parent 를 참조합니다.

print(parent.children)
print(child1.parent)
print(child2.parent)

session.close()

이 코드는 다음과 같은 테이블을 생성합니다.

CREATE TABLE parent_table (
    id INTEGER PRIMARY KEY
);

CREATE TABLE child_table (
    id INTEGER PRIMARY KEY,
    parent_id INTEGER FOREIGN KEY (parent_table.id)
);

코드를 실행하면 다음과 같은 결과가 출력됩니다.

[<Child(id=1, parent_id=1)>, <Child(id=2, parent_id=1)>]
<Parent(id=1, children=[<Child(id=1, parent_id=1)>, <Child(id=2, parent_id=1)>])>
<Parent(id=1, children=[<Child(id=1, parent_id=1)>, <Child(id=2, parent_id=1)>])>



back_populates 대체 방법

relationship 함수의 두 번째 매개변수 사용

relationship 함수의 두 번째 매개변수는 관계의 반대쪽 모델을 지정하는 데 사용됩니다. 예를 들어, Parent 모델과 Child 모델 간에 양방향 관계를 정의하려면 다음과 같이 코드를 작성합니다.

class Parent(Base):
    __tablename__ = "parent_table"
    id = Column(Integer, primary_key=True)
    children = relationship("Child", foreign_keys=[parent_id])

class Child(Base):
    __tablename__ = "child_table"
    id = Column(Integer, primary_key=True)
    parent_id = Column(Integer, ForeignKey("parent_table.id"))
    parent = relationship(Parent, foreign_keys=[parent_id])

@relationship 데코레이터 사용

from sqlalchemy.orm import relationship

class Parent(Base):
    __tablename__ = "parent_table"
    id = Column(Integer, primary_key=True)

    @relationship(lambda: Child)
    def children(self):
        return Child.query.filter(Child.parent_id == self.id)

class Child(Base):
    __tablename__ = "child_table"
    id = Column(Integer, primary_key=True)
    parent_id = Column(Integer, ForeignKey("parent_table.id"))

    @relationship(lambda: Parent)
    def parent(self):
        return Parent.query.filter(Parent.id == self.parent_id)

직접 SQL 쿼리 사용

from sqlalchemy import select

class Parent(Base):
    __tablename__ = "parent_table"
    id = Column(Integer, primary_key=True)

    def children(self):
        return Child.query.filter(Child.parent_id == self.id)

class Child(Base):
    __tablename__ = "child_table"
    id = Column(Integer, primary_key=True)
    parent_id = Column(Integer, ForeignKey("parent_table.id"))

    def parent(self):
        return Parent.query.filter(Parent.id == self.parent_id)

parent = Parent.query.get(1)
children = parent.children()

python sqlalchemy



파이썬에서 바이너리 리터럴을 표현하는 방법

1. 0b 접두사 사용:가장 간단한 방법은 0b 접두사를 사용하는 것입니다.2. 0x 접두사 사용:16진수 리터럴을 바이너리 리터럴로 변환하는 데 0x 접두사를 사용할 수 있습니다.3. f-문자열 사용:f-문자열을 사용하여 바이너리 리터럴을 표현할 수 있습니다...


Protocol Buffers를 사용한 Python, XML, 데이터베이스 프로그래밍 경험

1. 빠른 성능:Protocol Buffers는 바이너리 형식으로 데이터를 직렬화하기 때문에 XML이나 JSON보다 훨씬 빠르게 처리됩니다. 이는 네트워크를 통해 데이터를 전송하거나 데이터베이스에 저장해야 하는 경우 특히 중요합니다...


Python에서 운영 체제 식별하기

다음은 Python에서 운영 체제를 식별하는 방법 두 가지입니다.platform 모듈은 Python 표준 라이브러리에 포함되어 있으며 운영 체제 및 하드웨어 플랫폼에 대한 정보를 제공합니다. 다음 코드는 platform 모듈을 사용하여 운영 체제 이름...


Python을 사용한 직접 실행 가능한 플랫폼 간 GUI 앱 만들기

이 가이드에서는 Python을 사용하여 플랫폼 간 GUI 앱을 만들고 직접 실행 가능한 파일로 배포하는 방법을 설명합니다. 다양한 GUI 프레임워크와 배포 도구를 살펴보고 각 도구의 장단점을 비교합니다. 또한 사용자 인터페이스 설계...


파이썬에서 문자열을 사용하여 모듈의 함수 호출

파이썬에서 문자열을 사용하여 모듈의 함수를 호출하는 방법은 두 가지가 있습니다.getattr() 함수 사용: getattr() 함수는 객체와 문자열을 인수로 받아 문자열로 지정된 이름의 속성을 가져옵니다.exec() 함수 사용: exec() 함수는 문자열을 인수로 받아 Python 코드를 실행합니다...



python sqlalchemy

cx_Oracle: 결과 세트 반복 방법

1. fetch() 함수 사용fetch() 함수는 결과 세트에서 한 행씩 반환합니다. 각 반환 값은 튜플 형식이며, 각 열의 값을 나타냅니다.2. fetchall() 함수 사용fetchall() 함수는 결과 세트의 모든 행을 한 번에 리스트 형식으로 반환합니다


Django 클래스 뷰 프로그래밍 개요 (Python, Django, View)

클래스 뷰는 다음과 같은 장점을 제공합니다.코드 재사용성 향상: 공통 로직을 한 번 작성하고 상속을 통해 여러 뷰에서 재사용할 수 있습니다.코드 가독성 향상: 뷰 로직이 명확하게 구분되어 코드를 이해하기 쉽습니다.유지 관리 용이성 향상: 코드 변경이 필요할 경우 한 곳만 변경하면 모든 관련 뷰에 영향을 미칠 수 있습니다


Python과 MySQL 프로그래밍 개요

Python은 다양한 분야에서 활용되는 강력하고 유연한 프로그래밍 언어입니다. MySQL은 가장 인기 있는 오픈 소스 관계형 데이터베이스 관리 시스템(RDBMS) 중 하나입니다. 두 기술을 함께 사용하면 웹 애플리케이션


Python itertools.groupby() 사용법

사용 방법:itertools 모듈 임포트:groupby() 함수 호출:iterable: 그룹화할 대상이 되는 반복 가능한 객체 (리스트, 문자열, 튜플 등)key_func: 각 요소의 키를 결정하는 함수 (선택 사항)


파이썬에서 기존 객체 인스턴스에 메서드 추가하기

파이썬에서 기존 객체 인스턴스에 메서드를 추가하는 방법은 두 가지가 있습니다.setattr() 함수 사용: 객체의 __dict__ 속성에 메서드를 직접 추가합니다.데코레이터 사용: 메서드를 정의하고 데코레이터를 사용하여 인스턴스에 동적으로 바인딩합니다