Files
lancedb/docs/src/guides/tables.md
2023-08-18 09:59:22 +05:30

9.8 KiB

A Table is a collection of Records in a LanceDB Database.

Creating a LanceDB Table

=== "Python" ### LanceDB Connection

```python
import lancedb
db = lancedb.connect("./.lancedb")
```

LanceDB allows ingesting data from various sources - `dict`, `list[dict]`, `pd.DataFrame`, `pa.Table` or a `Iterator[pa.RecordBatch]`. Let's take a look at some of the these.

### From list of tuples or dictionaries

```python
import lancedb

db = lancedb.connect("./.lancedb")

data = [{"vector": [1.1, 1.2], "lat": 45.5, "long": -122.7},
        {"vector": [0.2, 1.8], "lat": 40.1, "long": -74.1}]

db.create_table("my_table", data)

db["my_table"].head()
```

!!! info "Note"
    If the table already exists, LanceDB will raise an error by default. If you want to overwrite the table, you can pass in mode="overwrite" to the createTable function.

    ```python
    db.create_table("name", data, mode="overwrite")
    ```


### From pandas DataFrame

```python
import pandas as pd

data = pd.DataFrame({
    "vector": [[1.1, 1.2], [0.2, 1.8]],
    "lat": [45.5, 40.1],
    "long": [-122.7, -74.1]
})

db.create_table("table2", data)

db["table2"].head() 
```
!!! info "Note"
    Data is converted to Arrow before being written to disk. For maximum control over how data is saved, either provide the PyArrow schema to convert to or else provide a PyArrow Table directly.

```python
custom_schema = pa.schema([
pa.field("vector", pa.list_(pa.float32(), 2)),
pa.field("lat", pa.float32()),
pa.field("long", pa.float32())
])

table = db.create_table("table3", data, schema=custom_schema)
```

### From PyArrow Tables
You can also create LanceDB tables directly from pyarrow tables

```python
table = pa.Table.from_arrays(
        [
            pa.array([[3.1, 4.1], [5.9, 26.5]],
                    pa.list_(pa.float32(), 2)),
            pa.array(["foo", "bar"]),
            pa.array([10.0, 20.0]),
        ],
        ["vector", "item", "price"],
    )

db = lancedb.connect("db")

tbl = db.create_table("test1", table)
```

### From Pydantic Models
LanceDB supports to create Apache Arrow Schema from a Pydantic BaseModel via pydantic_to_schema() method.

```python
from lancedb.pydantic import vector, LanceModel

class Content(LanceModel):
    movie_id: int
    vector: vector(128)
    genres: str
    title: str
    imdb_id: int
        
    @property
    def imdb_url(self) -> str:
        return f"https://www.imdb.com/title/tt{self.imdb_id}"

import pyarrow as pa
db = lancedb.connect("~/.lancedb")
table_name = "movielens_small"
table = db.create_table(table_name, schema=Content.to_arrow_schema())
```

### Using Iterators / Writing Large Datasets

It is recommended to use itertators to add large datasets in batches when creating your table in one go. This does not create multiple versions of your dataset unlike manually adding batches using `table.add()`

LanceDB additionally supports pyarrow's `RecordBatch` Iterators or other generators producing supported data types.

Here's an example using using `RecordBatch` iterator for creating tables.

```python
import pyarrow as pa

def make_batches():
    for i in range(5):
        yield pa.RecordBatch.from_arrays(
            [
                pa.array([[3.1, 4.1], [5.9, 26.5]],
                        pa.list_(pa.float32(), 2)),
                pa.array(["foo", "bar"]),
                pa.array([10.0, 20.0]),
            ],
            ["vector", "item", "price"],
        )

schema = pa.schema([
    pa.field("vector", pa.list_(pa.float32(), 2)),
    pa.field("item", pa.utf8()),
    pa.field("price", pa.float32()),
])

db.create_table("table4", make_batches(), schema=schema)
```

You can also use iterators of other types like Pandas dataframe or Pylists directly in the above example.

## Creating Empty Table
You can also create empty tables in python. Initialize it with schema and later ingest data into it.

```python
import lancedb
import pyarrow as pa

schema = pa.schema(
  [
      pa.field("vector", pa.list_(pa.float32(), 2)),
      pa.field("item", pa.string()),
      pa.field("price", pa.float32()),
  ])
tbl = db.create_table("table5", schema=schema)
data = [
    {"vector": [3.1, 4.1], "item": "foo", "price": 10.0},
    {"vector": [5.9, 26.5], "item": "bar", "price": 20.0},
]
tbl.add(data=data)
```

You can also use Pydantic to specify the schema

```python
import lancedb
from lancedb.pydantic import LanceModel, vector

class Model(LanceModel):
      vector: vector(2)

tbl = db.create_table("table5", schema=Model.to_arrow_schema())
```

=== "Javascript/Typescript"

### VectorDB Connection

```javascript
const lancedb = require("vectordb");

const uri = "data/sample-lancedb";
const db = await lancedb.connect(uri);
```

### Creating a Table

You can create a LanceDB table in javascript using an array of records.

```javascript
data
const tb = await db.createTable("my_table",
              data=[{"vector": [3.1, 4.1], "item": "foo", "price": 10.0},
                    {"vector": [5.9, 26.5], "item": "bar", "price": 20.0}])
```

!!! info "Note"
If the table already exists, LanceDB will raise an error by default. If you want to overwrite the table, you need to specify the `WriteMode` in the createTable function.

```javascript
const table = await con.createTable(tableName, data, { writeMode: WriteMode.Overwrite })
```

Open existing tables

If you forget the name of your table, you can always get a listing of all table names:

=== "Python" ### Get a list of existing Tables

```python
print(db.table_names())
```

=== "Javascript/Typescript"

```javascript
console.log(await db.tableNames());
```

Then, you can open any existing tables

=== "Python"

```python
tbl = db.open_table("my_table")
```

=== "Javascript/Typescript"

```javascript
const tbl = await db.openTable("my_table");
```

Adding to a Table

After a table has been created, you can always add more data to it using

=== "Python" You can add any of the valid data structures accepted by LanceDB table, i.e, dict, list[dict], pd.DataFrame, or a Iterator[pa.RecordBatch]. Here are some examples.

### Adding Pandas DataFrame

```python
df = pd.DataFrame([{"vector": [1.3, 1.4], "item": "fizz", "price": 100.0},
              {"vector": [9.5, 56.2], "item": "buzz", "price": 200.0}])
tbl.add(df)
```

You can also add a large dataset batch in one go using pyArrow RecordBatch Iterator.

### Adding RecordBatch Iterator

```python
import pyarrow as pa

def make_batches():
    for i in range(5):
        yield pa.RecordBatch.from_arrays(
            [
                pa.array([[3.1, 4.1], [5.9, 26.5]]),
                pa.array(["foo", "bar"]),
                pa.array([10.0, 20.0]),
            ],
            ["vector", "item", "price"],
        )

tbl.add(make_batches())
```

The other arguments accepted:

| Name | Type | Description | Default |
|---|---|---|---|
| data | DATA | The data to insert into the table. | required |
| mode | str | The mode to use when writing the data. Valid values are "append" and "overwrite". | append |
| on_bad_vectors | str | What to do if any of the vectors are not the same size or contains NaNs. One of "error", "drop", "fill". | drop |
| fill value | float | The value to use when filling vectors: Only used if on_bad_vectors="fill". | 0.0 |

=== "Javascript/Typescript"

```javascript
await tbl.add([{vector: [1.3, 1.4], item: "fizz", price: 100.0},
    {vector: [9.5, 56.2], item: "buzz", price: 200.0}])
```

Deleting from a Table

Use the delete() method on tables to delete rows from a table. To choose which rows to delete, provide a filter that matches on the metadata columns. This can delete any number of rows that match the filter.

=== "Python"

```python
tbl.delete('item = "fizz"')
```

## Examples

### Deleting row with specific column value

```python
import lancedb
import pandas as pd

data = pd.DataFrame({"x": [1, 2, 3], "vector": [[1, 2], [3, 4], [5, 6]]})
db = lancedb.connect("./.lancedb")
table = db.create_table("my_table", data)
table.to_pandas()
#   x      vector
# 0  1  [1.0, 2.0]
# 1  2  [3.0, 4.0]
# 2  3  [5.0, 6.0]

table.delete("x = 2")
table.to_pandas()
#   x      vector
# 0  1  [1.0, 2.0]
# 1  3  [5.0, 6.0]
```  

### Delete from a list of values

```python
to_remove = [1, 5]
to_remove = ", ".join(str(v) for v in to_remove)

table.delete(f"x IN ({to_remove})")
table.to_pandas()
#   x      vector
# 0  3  [5.0, 6.0]
```

=== "Javascript/Typescript"

```javascript
await tbl.delete('item = "fizz"')
```

### Deleting row with specific column value

```javascript
const con = await lancedb.connect("./.lancedb")
const data = [
  {id: 1, vector: [1, 2]},
  {id: 2, vector: [3, 4]},
  {id: 3, vector: [5, 6]},
];
const tbl = await con.createTable("my_table", data)
await tbl.delete("id = 2")
await tbl.countRows() // Returns 2
```

### Delete from a list of values

```javascript
const to_remove = [1, 5];
await tbl.delete(`id IN (${to_remove.join(",")})`)
await tbl.countRows() // Returns 1
```

What's Next?

Learn how to Query your tables and create indices