I need to access colums of result query. I have these models
class Order(Base):
    __tablename__ = "orders"
    
    internal_id = Column(Integer, primary_key=True)
    total_cost = Column(Float, nullable=False)
    created_at = Column(TIMESTAMP(timezone=True), nullable=False, server_default=text("now()"))
    customer_id = Column(Integer, ForeignKey("customers.id", ondelete="CASCADE"), nullable=False)
    customer = relationship("Customer")
class Item(Base):
    __tablename__ = "items"
    id = Column(Integer, primary_key=True, nullable=False)
    internal_id = Column(Integer, nullable=False) 
    price = Column(Float, nullable=False)
    description = Column(String, nullable=False)
    order_id = Column(Integer, ForeignKey("orders.internal_id", ondelete="CASCADE"), nullable=False)
    order = relationship("Order")    
Now I run this left join query that gives me all the columns from both tables
result = db.query(Order, Item).join(Item, Item.order_id == Order.internal_id, isouter=True).filter(Item.order_id == order_id).all()
I get back a list of tuples. How do I access a particular column of the result list? Doing something like this
for i in result:
    print(i.???) # NOW WHAT? 
Getting AttributeError: Could not locate column in row for column anytime i try to fetch it by the name I declared.
this is the full function where I need to use it
@router.get("/{order_id}")
def get_orders(order_id: int, db: Session = Depends(get_db)):
    """ Get one order by id. """
    # select * from orders left join items on orders.internal_id = items.order_id where orders.internal_id = {order_id};
    result = db.query(Order, Item).join(Item, Item.order_id == Order.internal_id, isouter=True).filter(Item.order_id == order_id).all()
    for i in result:
        print(i.description) # whatever value i put here it errors out
This is the traceback
      ...      
print(i.description) # whatever value i put here it errors out
    AttributeError: Could not locate column in row for column 'description'
At least if I could somehow get the column names.. But i just cant get them. Trying keys(), _metadata.keys .. etc. Nothing works so far.
 
     
    