Skip to content

Commit

Permalink
Initial commit
Browse files Browse the repository at this point in the history
  • Loading branch information
codingjerk committed Oct 16, 2020
0 parents commit a9a0a24
Show file tree
Hide file tree
Showing 8 changed files with 420 additions and 0 deletions.
10 changes: 10 additions & 0 deletions .gitignore
Original file line number Diff line number Diff line change
@@ -0,0 +1,10 @@
bdist
bdist/
dist
dist/
build
build/
*.egg-info
*.egg-info/
__pycache__
__pycache__/
21 changes: 21 additions & 0 deletions LICENSE.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,21 @@
MIT License

Copyright (c) 2020 Denis Gruzdev

Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:

The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.

THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
3 changes: 3 additions & 0 deletions MANIFEST.in
Original file line number Diff line number Diff line change
@@ -0,0 +1,3 @@
include README.md
recursive-include assets *
recursive-include pgls *
40 changes: 40 additions & 0 deletions README.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,40 @@
# pgls

[![PyPI](https://img.shields.io/pypi/v/pgls?style=flat-square)](https://pypi.org/project/pgls/)
![License](https://img.shields.io/pypi/l/pgls?style=flat-square)

CLI utility to display postgres database information as a tree.

![Clickbait](https://raw.githubusercontent.com/codingjerk/pgls/master/assets/usage.png)

## Installation

```bash
pip install pgls
```

## Usage

### Basic example

```bash
pgls postgres://user:[email protected]
# shows all databases and all nested entities
```

### Sort by size

```bash
pgls --sort=size postgres://user:[email protected]
# shows heavier databases and tables first
```

### Hide some information (also this speeds up gathering)

```bash
pgls --hide-columns postgres://user:[email protected]
# shows databases and tables without it's columns

pgls --hide-tables --hide-views --hide-indexes postgres://user:[email protected]
# shows only databases
```
Binary file added assets/usage.png
Loading
Sorry, something went wrong. Reload?
Sorry, we cannot display this file.
Sorry, this file is invalid so it cannot be displayed.
316 changes: 316 additions & 0 deletions pgls/__init__.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,316 @@
#!/usr/bin/env python3

import asyncio
import sys
from dataclasses import dataclass
from typing import List, Optional

import asyncpg
import asyncpg.exceptions
import click
from colorama import Fore as F

# TODO:
# - indexes
# - (mat)views
# - type properties (VARCHAR(N), NUMERIC(X, Y), etc.)
# - constraints
# - permission denied errors
# - filters

# TODO: create a binary package
# TODO: deploy to github / PyPI


@dataclass
class Size:
bytes: int

def human(self) -> str:
if self.bytes >= 1024 ** 4:
power = 4
suffix = "TiB"
elif self.bytes >= 1024 ** 3:
power = 3
suffix = "GiB"
elif self.bytes >= 1024 ** 2:
power = 2
suffix = "MiB"
elif self.bytes >= 1024 ** 1:
power = 1
suffix = "KiB"
else:
power = 0
suffix = "bytes"

value = round(self.bytes / 1024 ** power)
return f"{value} {suffix}"


@dataclass
class Count:
count: int

def human(self) -> str:
if self.count >= 1000 ** 3:
power = 3
suffix = "kkk rows"
elif self.count >= 1000 ** 2:
power = 2
suffix = "kk rows"
elif self.count >= 1000 ** 1:
power = 1
suffix = "k rows"
else:
power = 0
suffix = " rows"

value = round(self.count / 1000 ** power)
return f"{value}{suffix}"


@dataclass
class Field:
name: str
description: Optional[str]
type: str
default: Optional[str]
nullable: bool

def display(self, ident: int):
nullable = f" {F.RED}(nullable){F.RESET}" if self.nullable else ""

print(
" " * ident,
f"• {F.GREEN}{self.name}{F.RESET} ",
f"| {self.type}",
nullable,
sep="",
)


@dataclass
class Table:
schema: str
name: str
description: Optional[str]
size: Size
rows: Count
fields: List[Field]

def display(self, ident: int):
print(
" " * ident,
f"• {F.BLUE}{self.schema}.{self.name}{F.RESET} ",
F.LIGHTWHITE_EX,
f"({self.size.human()}, {self.rows.human()})",
F.RESET,
f" {F.LIGHTWHITE_EX}(table){F.RESET}",
sep="",
)

if self.description:
print(
" " * (ident + 1),
F.LIGHTWHITE_EX,
self.description,
F.RESET,
sep="",
)
print()

for field in self.fields:
field.display(ident=ident + 1)


@dataclass
class Database:
name: str
description: Optional[str]
owner: str
size: Size
tables: List[Table]

def display(self, ident: int = 0):
print(
" " * ident,
f"• {F.CYAN}{self.name}{F.RESET} ",
F.LIGHTWHITE_EX,
f"({self.size.human()})",
F.RESET,
f" {F.LIGHTWHITE_EX}(database){F.RESET}",
sep="",
)

if self.description:
print(
" " * (ident + 1),
F.LIGHTWHITE_EX,
self.description,
F.RESET,
sep="",
)
print()

for table in self.tables:
table.display(ident=ident + 1)


async def fetch_and_display_all(dsn, sort, tables, indexes, views, fields):
async for database in fetch_databases(dsn, sort, (tables=="show"), (fields=="show")):
database.display()


async def fetch_databases(base_dsn, sort, show_tables, show_fields):
if sort == "name":
order_by_expression = "db.datname"
elif sort == "size":
order_by_expression = "pg_database_size(db.datname) desc"
else:
raise NotImplementedError()

connection = await asyncpg.connect(f"{base_dsn}/postgres")
data = await connection.fetch(f"""
select db.datname as name,
role.rolname as owner,
shdesc.description,
pg_database_size(db.datname) as size
from pg_database db
left join pg_roles role
on role.oid = db.datdba
left join pg_shdescription shdesc
on shdesc.objoid = db.oid
where not datistemplate
and datname <> 'postgres'
and datallowconn
order by {order_by_expression}
""")

for row in data:
if show_tables:
try:
tables = await fetch_tables(base_dsn, row["name"], sort, show_fields)
except asyncpg.exceptions.InsufficientPrivilegeError:
pass
else:
tables = []

yield Database(
name=row["name"],
description=row["description"],
owner=row["owner"],
size=Size(row["size"]),
tables=tables,
)

await connection.close()


async def fetch_tables(base_dsn, database_name, sort, show_fields):
if sort == "name":
order_by_expression = "schemaname, tablename"
elif sort == "size":
order_by_expression = """pg_table_size('"' || schemaname || '"."' || tablename || '"') desc"""
else:
raise NotImplementedError()

connection = await asyncpg.connect(f"{base_dsn}/{database_name}")

data = await connection.fetch(f"""
select schemaname as schema,
tablename as name,
shdesc.description as description,
pg_table_size('"' || schemaname || '"."' || tablename || '"') as size,
(
select reltuples::bigint
from pg_class
where oid = ('"' || schemaname || '"."' || tablename || '"')::regclass::oid
) as rows
from pg_tables t
left join pg_shdescription shdesc
on shdesc.objoid = ('"' || schemaname || '"."' || tablename || '"')::regclass::oid
where schemaname not in ('pg_catalog', 'information_schema')
order by {order_by_expression}
""")

if show_fields:
fields_data = await connection.fetch(f"""
select table_schema as schema_name,
table_name as table_name,
column_name as name,
data_type as type,
column_default as default,
is_nullable as nullable
from information_schema.columns
order by ordinal_position
""")
else:
fields_data = []

tables = []
for row in data:
fields = await fetch_fields(fields_data, row["schema"], row["name"])

tables.append(Table(
schema=row["schema"],
name=row["name"],
description=row["description"],
size=Size(row["size"]),
rows=Count(row["rows"]),
fields=fields,
))

await connection.close()

return tables


async def fetch_fields(prefetched_fields, schema_name, table_name):
data = [
row
for row in prefetched_fields
if all([
row["schema_name"] == schema_name,
row["table_name"] == table_name,
])
]

fields = []
for row in data:
fields.append(Field(
name=row["name"],
description=None,
type=row["type"],
default=row["default"],
nullable=row["nullable"],
))
return fields


@click.command()
@click.option("--sort", default="name", type=click.Choice(["name", "size"]))
@click.option("--show-tables", "tables", flag_value="show", default=True)
@click.option("--hide-tables", "tables", flag_value="hide")
@click.option("--show-fields", "fields", flag_value="show", default=True)
@click.option("--hide-fields", "fields", flag_value="hide")
@click.option("--show-views", "views", flag_value="show", default=True)
@click.option("--hide-views", "views", flag_value="hide")
@click.option("--show-indexes", "indexes", flag_value="show", default=True)
@click.option("--hide-indexes", "indexes", flag_value="hide")
@click.argument("dsn")
def main(**kwargs):
asyncio.run(fetch_and_display_all(**kwargs))


if __name__ == "__main__":
main()
3 changes: 3 additions & 0 deletions requirements.txt
Original file line number Diff line number Diff line change
@@ -0,0 +1,3 @@
asyncpg==0.21.0
click==7.1.2
colorama==0.4.3
Loading

0 comments on commit a9a0a24

Please sign in to comment.