from fastlite import *
from fastcore.utils import *
from fastcore.net import urlsave
CARVIEW |
On this page
Other Formats
fastlite
fastlite
provides some little quality-of-life improvements for interactive use of the wonderful sqlite-utils library. It’s likely to be particularly of interest to folks using Jupyter.
Install
pip install fastlite
Overview
We demonstrate fastlite
‘s features here using the ’chinook’ sample database.
Databases have a t
property that lists all tables:
Album, Artist, Customer, Employee, Genre, Invoice, InvoiceLine, MediaType, Playlist, PlaylistTrack, Track
You can use this to grab a single table…:
…or multiple tables at once:
[<Table Artist (ArtistId, Name)>,
<Table Album (AlbumId, Title, ArtistId)>,
<Table Track (TrackId, Name, AlbumId, MediaTypeId, GenreId, Composer, Milliseconds, Bytes, UnitPrice)>,
<Table Genre (GenreId, Name)>,
<Table MediaType (MediaTypeId, Name)>]
It also provides auto-complete in Jupyter, IPython, and nearly any other interactive Python environment:
You can check if a table is in the database already:
Column work in a similar way to tables, using the c
property:
Auto-complete works for columns too:
Columns, tables, and view stringify in a format suitable for including in SQL statements. That means you can use auto-complete in f-strings.
select * from "Artist" where "Artist"."Name" like 'AC/%'
You can view the results of a select query using q
:
Views can be accessed through the v
property:
album = dt.Album
acca_sql = f"""select {album}.*
from {album} join {artist} using (ArtistId)
where {ac.Name} like 'AC/%'"""
db.create_view("AccaDaccaAlbums", acca_sql, replace=True)
acca_dacca = db.q(f"select * from {db.v.AccaDaccaAlbums}")
acca_dacca
[{'AlbumId': 1,
'Title': 'For Those About To Rock We Salute You',
'ArtistId': 1},
{'AlbumId': 4, 'Title': 'Let There Be Rock', 'ArtistId': 1}]
Dataclass support
A dataclass
type with the names, types, and defaults of the tables is created using dataclass()
:
Let’s try it:
Album(AlbumId=1, Title='For Those About To Rock We Salute You', ArtistId=1)
You can get the definition of the dataclass using fastcore’s dataclass_src
– everything is treated as nullable, in order to handle auto-generated database values:
Because dataclass()
is dynamic, you won’t get auto-complete in editors like vscode – it’ll only work in dynamic environments like Jupyter and IPython. For editor support, you can export the full set of dataclasses to a module, which you can then import from:
Track(TrackId=None, Name=None, AlbumId=None, MediaTypeId=None, GenreId=None, Composer=None, Milliseconds=None, Bytes=None, UnitPrice=None)
Indexing into a table does a query on primary key:
Track(TrackId=1, Name='For Those About To Rock (We Salute You)', AlbumId=1, MediaTypeId=1, GenreId=1, Composer='Angus Young, Malcolm Young, Brian Johnson', Milliseconds=343719, Bytes=11170334, UnitPrice=0.99)
There’s a shortcut to select from a table – just call it as a function. If you’ve previously called dataclass()
, returned iterms will be constructed using that class by default. There’s lots of params you can check out, such as limit
:
[Album(AlbumId=1, Title='For Those About To Rock We Salute You', ArtistId=1),
Album(AlbumId=2, Title='Balls to the Wall', ArtistId=2)]
Pass a truthy value as with_pk
and you’ll get tuples of primary keys and records:
[(1,
Album(AlbumId=1, Title='For Those About To Rock We Salute You', ArtistId=1)),
(2, Album(AlbumId=2, Title='Balls to the Wall', ArtistId=2))]
Indexing also uses the dataclass by default:
If you set xtra
fields, then indexing is also filtered by those. As a result, for instance in this case, nothing is returned since album 5 is not created by artist 1:
The same filtering is done when using the table as a callable:
Core design
The following methods accept **kwargs
, passing them along to the first dict
param:
create
transform
transform_sql
update
insert
upsert
lookup
We can access a table that doesn’t actually exist yet:
We can use keyword arguments to now create that table:
It we set xtra
then the additional fields are used for insert
, update
, and delete
:
The inserted row is returned, including the xtra ‘uid’ field.
Using **
in update
here doesn’t actually achieve anything, since we can just pass a dict
directly – it’s just to show that it works:
[{'id': 1, 'name': 'moo', 'weight': 6.0, 'uid': 2}]
Attempts to update or insert with xtra fields are ignored.
An error is raised if there’s an attempt to update a record not matching xtra
fields:
This all also works with dataclasses:
Alternatively, you can create a table from a class. If it’s not already a dataclass, it will be converted into one. In either case, the dataclass will be created (or modified) so that None
can be passed to any field (this is needed to support fields such as automatic row ids).
Manipulating data
We try to make the following methods as flexible as possible. Wherever possible, they support Python dictionaries, dataclasses, and classes.
.insert()
Creates a record. Returns an instance of the updated record.
Insert using a dictionary.
Insert using a dataclass.
Cat(id=2, name='Tom', weight=10.2)
Insert using a standard Python class
.update()
Updates a record using a Python dict, dataclass, or object, and returns an instance of the updated record.
Updating from a Python dict:
Updating from a dataclass:
Updating using a class:
.delete()
Removing data is done by providing the primary key value of the record.
Multi-field primary keys
Pass a collection of strings to create a multi-field pk:
class PetFood: catid:int; food:str; qty:int
petfoods = db.create(PetFood, pk=['catid','food'])
print(petfoods.schema)
CREATE TABLE [pet_food] (
[catid] INTEGER,
[food] TEXT,
[qty] INTEGER,
PRIMARY KEY ([catid], [food])
)
You can index into these using multiple values:
Updates work in the usual way:
You can also use upsert
to update if the key exists, or insert otherwise:
[PetFood(catid=1, food='tuna', qty=1), PetFood(catid=1, food='salmon', qty=1)]
delete
takes a tuple of keys:
Diagrams
If you have graphviz installed, you can create database diagrams. Pass a subset of tables to just diagram those. You can also adjust the size and aspect ratio.
Importing CSV/TSV/etc
Database.import_file
Database.import_file (table_name, file, format=None, pk=None, alter=False)
Import path or handle file
to new table table_name
You can pass a file name, string, bytes, or open file handle to import_file
to import a CSV: