How to store a list in a db column

后端 未结 6 823
悲哀的现实
悲哀的现实 2020-11-30 19:25

I would like to store an object FOO in a database. Lets say FOO contains three integers and a list of \"Fruits\".

The list can have any len

相关标签:
6条回答
  • 2020-11-30 19:48

    You can, but it will likely treated as text, making searching in this column difficult and slow. You're better of using a related table.

    0 讨论(0)
  • 2020-11-30 19:50

    Its technically possible but would be very poor design, imo.

    You could do it by building the string and storing it in a nvarchar(max) field (if using sql server or its equivalent).

    0 讨论(0)
  • 2020-11-30 19:55

    If you're quite sure of what you're doing (ie. you won't need to look up the list's values, for example), you could also serialize your object, or just the list object, and store it in a binary column.

    Just character-separating the values may be fine too, and cheaper in terms of saving and loading, but be careful your data doesn't contain the separator character, or escape it (and handle the escapes accordingly while loading, etc... Your language of choice may do a better job at this than you, though. ;) )

    However, for a "proper" solution, do what Mehrdad described above.

    0 讨论(0)
  • 2020-11-30 19:59

    Some databases allow multiple values to be stored in a single column of a single row, but it is generally more convenient to use a separate table.

    Create a table with two columns, one that contains pointers to the primary key of the objects table, and one that contains pointers to the primary key of the fruit table. Then, if an object has three fruit, there are three rows in the object_fruit table that all all point to the same object, but to three different fruit.

    0 讨论(0)
  • 2020-11-30 20:04
    INSERT FOOFruits (FooID, FruitID)
    SELECT 5, ID 
    FROM   Fruits 
    WHERE  name IN ('Apple', 'Orange');
    
    0 讨论(0)
  • 2020-11-30 20:07

    In a normalized relational database, such a situation is unacceptable. You should have a junction table that stores one row for each distinct ID of the FOO object and the ID of the Fruit. Existence of such a row means the fruit is in that list for the FOO.

    CREATE TABLE FOO ( 
      id int primary key not null,
      int1 int, 
      int2 int, 
      int3 int
    )
    
    CREATE TABLE Fruits (
      id int primary key not null,
      name varchar(30)
    )
    
    CREATE TABLE FOOFruits (
      FruitID int references Fruits (ID),
      FooID int references FOO(id),
      constraint pk_FooFruits primary key (FruitID, FooID)
    )
    

    To add Apple fruit to the list of a specific FOO object with ID=5, you would:

    INSERT FOOFruits(FooID, FruitID)
    SELECT 5, ID FROM Fruits WHERE name = 'Apple'
    
    0 讨论(0)
提交回复
热议问题