Skip to content
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
27 changes: 22 additions & 5 deletions examples/load_csv.py
Original file line number Diff line number Diff line change
Expand Up @@ -30,14 +30,13 @@ def _sansext(fname: str) -> str:
return path.splitext(path.basename(fname))[0]


def run(
database: str, engine: str, fname: str, relation: str, syntax: dict, profile: str
):
def run(database: str, engine: str, fname: str, relation: str,
syntax: dict, schema: dict, profile: str):
data = _read(fname)
relation = relation or _sansext(fname)
cfg = config.read(profile=profile)
ctx = api.Context(**cfg)
rsp = api.load_csv(ctx, database, engine, relation, data, syntax)
rsp = api.load_csv(ctx, database, engine, relation, data, syntax, schema)
print(json.dumps(rsp, indent=2))


Expand Down Expand Up @@ -65,6 +64,13 @@ def run(
help="relation name (default: file name)",
)
p.add_argument("-p", "--profile", type=str, default="default", help="profile name")
p.add_argument(
"--schema",
type=str,
default="",
help="Comma separated list of expressions `col=type` specifying that `col` has Rel type `type`."
)

args = p.parse_args()
syntax = {} # find full list of syntax options in the RAI docs
if args.header_row is not None:
Expand All @@ -75,7 +81,18 @@ def run(
syntax["escapechar"] = args.escapechar
if args.quotechar:
syntax["quotechar"] = args.quotechar

schema = {col: type for col, type in [pair.split("=") for pair in args.schema.split(",")]}

try:
run(args.database, args.engine, args.file, args.relation, syntax, args.profile)
run(
args.database,
args.engine,
args.file,
args.relation,
syntax,
args.profile,
args.schema
)
except HTTPError as e:
show.http_error(e)
53 changes: 34 additions & 19 deletions railib/api.py
Original file line number Diff line number Diff line change
Expand Up @@ -761,32 +761,47 @@ def _gen_syntax_config(syntax: dict = {}) -> str:
return result


# `syntax`:
# * header: a map from col number to name (base 1)
# * header_row: row number of header, 0 means no header (default: 1)
# * delim: default: ,
# * quotechar: default: "
# * escapechar: default: \
#
# Schema: a map from col name to rel type name, eg:
# {'a': "int", 'b': "string"}
def load_csv(
ctx: Context,
database: str,
engine: str,
relation: str,
data: str or io.TextIOBase,
syntax: dict = {},
) -> dict:
def load_csv(ctx: Context, database: str, engine: str, relation: str,
data: str or io.TextIOBase, syntax: dict = {}, schema={}) -> dict:
"""
Loads CSV data present in `data` into `database` using `engine`. Upon
success, parsed CSV data is stored in `relation`.

Args:
- `ctx` (`Context`): The RAI API context.
- `database` (`str`): The target database name.
- `engine` (`str`): The engine used for loading.
- `relation` (`str`): Relation name used to store CSV data.
- `data` (`str or or io.TextIOBase`): Data specified either as a string or as a stream of type `io.TextIOBase`.
- `syntax` (`dict`, optional): Dictionary containing parsing configuration, defaults to {}. Valid entries are:
- `header`: A dictionary mapping column numbers to a names.
- `header_row`: the row number of the header row; 0 means no header. Defaults to `1`.
- `delim`: Column delimiter used. Defaults to `,`.
- `quotechar`: Quotation character used. Defaults to `"`.
- `escapechar`: Escape charater used. Defaults to `\\`.
- `schema` (`dict`, optional): Dictionary mapping column names to Rel type names. Defaults to `{}`.
Raises:
`TypeError`: If `data` is neither `str` nor `io.TextIOBase`.

Returns:
`dict`: The response of the query action.
"""
if isinstance(data, str):
pass # ok
elif isinstance(data, io.TextIOBase):
data = data.read()
else:
raise TypeError(f"bad type for arg 'data': {data.__class__.__name__}")
inputs = {"data": data}

inputs = {'data': data}
command = _gen_syntax_config(syntax)
command += "def config:data = data\n" "def insert:%s = load_csv[config]" % relation

for col, type in schema.items():
command += f'def config:schema[:"{col}"] = "{type}"\n'

command += ("def config:data = data\n"
f"def insert[:{relation}] = load_csv[config]")

return exec_v1(ctx, database, engine, command, inputs=inputs, readonly=False)


Expand Down