odps/inter.py (207 lines of code) (raw):
#!/usr/bin/env python
# -*- coding: utf-8 -*-
# Copyright 1999-2025 Alibaba Group Holding Ltd.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
from __future__ import absolute_import
import os
import pickle
import shutil
import sys
from hashlib import md5
from .compat import six
from .config import options
from .core import ODPS
from .df.backends.frame import ResultFrame
from .df.backends.odpssql.types import odps_schema_to_df_schema
from .errors import InteractiveError
from .models import TableSchema
from .utils import build_pyodps_dir, to_binary
DEFAULT_ROOM_NAME = "default"
ODPS_FILE_NAME = "__ODPS__"
INFO_FILE_NAME = "__INFO__"
OBJECT_FILE_NAME = "__OBJ__"
class Room(object):
def __init__(self, room_name):
self._room_name = room_name
self._room_dir = _get_room_dir(self._room_name)
self._inited = False
self._init()
def _init(self):
if self._inited:
return
odps_file = os.path.join(self._room_dir, ODPS_FILE_NAME)
if not os.path.exists(odps_file):
raise InteractiveError("This room(%s) is not configured" % self._room_name)
with open(odps_file, "rb") as f:
try:
obj = pickle.load(f)
except pickle.UnpicklingError:
raise InteractiveError("Failed to enter a room: %s" % self._room_name)
def _config_rooms(
access_id,
access_key,
default_project,
endpoint,
tunnel_endpoint=None,
seahawks_url=None,
logview_host=None,
default_schema=None,
region_name=None,
quota_name=None,
namespace=None,
**kwargs
):
options.loads(kwargs.get("options", {}))
options.account = ODPS._build_account(access_id, access_key)
options.endpoint = endpoint
options.default_project = default_project
options.default_schema = default_schema
options.region_name = region_name
options.quota_name = quota_name
options.default_namespace = namespace
options.tunnel.endpoint = tunnel_endpoint
options.logview_host = logview_host
options.seahawks_url = seahawks_url
if isinstance(obj[-1], dict):
kw = obj[-1]
obj = obj[:-1]
else:
kw = dict()
_config_rooms(*obj, **kw)
self._inited = True
@property
def odps(self):
return ODPS._from_account(
options.account,
options.default_project,
schema=options.default_schema,
endpoint=options.endpoint,
region_name=options.region_name,
quota_name=options.quota_name,
namespace=options.default_namespace,
tunnel_endpoint=options.tunnel.endpoint,
logview_host=options.logview_host,
seahawks_url=options.seahawks_url,
)
def __getattr__(self, attr):
try:
return self.fetch(attr)
except InteractiveError:
return super(Room, self).__getattr__(attr)
def __getitem__(self, item):
return self.fetch(item)
def __delitem__(self, key):
self.drop(key)
def _obj_store_dir(self, name):
fn = md5(to_binary(name)).hexdigest()
return os.path.join(self._room_dir, fn)
def store(self, name, obj, desc=None):
path = self._obj_store_dir(name)
if os.path.exists(path):
raise InteractiveError("%s already exists" % name)
os.makedirs(path)
with open(os.path.join(path, INFO_FILE_NAME), "wb") as f:
pickle.dump((name, desc), f, protocol=0)
with open(os.path.join(path, OBJECT_FILE_NAME), "wb") as f:
pickle.dump(obj, f, protocol=0)
def fetch(self, name):
path = self._obj_store_dir(name)
if not os.path.exists(path):
raise InteractiveError("%s does not exist" % name)
with open(os.path.join(path, OBJECT_FILE_NAME), "rb") as f:
return pickle.load(f)
def drop(self, name):
path = self._obj_store_dir(name)
if os.path.exists(path):
shutil.rmtree(path)
def list_stores(self):
results = []
for obj_dir in os.listdir(self._room_dir):
info_path = os.path.join(self._room_dir, obj_dir, INFO_FILE_NAME)
if os.path.exists(info_path):
with open(info_path, "rb") as f:
results.append(list(pickle.load(f)))
return results
def display(self):
schema = TableSchema.from_lists(["name", "desc"], ["string"] * 2)
schema = odps_schema_to_df_schema(schema)
frame = ResultFrame(self.list_stores(), schema=schema, pandas=False)
try:
import pandas as pd
if isinstance(frame.values, pd.DataFrame):
df = frame.values
df.columns.name = self._room_name
frame._values = df.set_index("name")
except (ImportError, ValueError):
pass
return frame
def _get_root_dir():
rooms_dir = build_pyodps_dir("rooms")
return os.path.join(rooms_dir, str(sys.version_info[0]))
def _get_room_dir(room_name, mkdir=False):
rooms_dir = _get_root_dir()
room_name = md5(to_binary(room_name)).hexdigest()
room_dir = os.path.join(rooms_dir, room_name)
if not os.path.exists(room_dir) and mkdir:
os.makedirs(room_dir)
return room_dir
def setup(
access_id,
access_key,
default_project,
endpoint=None,
tunnel_endpoint=None,
default_schema=None,
region_name=None,
quota_name=None,
namespace=None,
seahawks_url=None,
logview_host=None,
room=DEFAULT_ROOM_NAME,
with_options=False,
**kwargs
):
room_dir = _get_room_dir(room, mkdir=True)
odps_file = os.path.join(room_dir, ODPS_FILE_NAME)
if with_options:
trivial_types = (six.string_types, six.integer_types, float, type(None))
options_dump = {
k: v
for k, v in six.iteritems(options.dumps())
if isinstance(v, trivial_types)
}
kwargs["options"] = options_dump
if os.path.exists(odps_file):
raise InteractiveError(
"This room(%s) has been configured before, "
"you can teardown it first" % room
)
kwargs["quota_name"] = quota_name
kwargs["namespace"] = namespace
obj = (
access_id,
access_key,
default_project,
endpoint,
tunnel_endpoint,
seahawks_url,
logview_host,
default_schema,
region_name,
kwargs,
)
with open(odps_file, "wb") as f:
pickle.dump(obj, f, protocol=0)
with open(os.path.join(room_dir, INFO_FILE_NAME), "wb") as f:
f.write(to_binary(room))
def enter(room=DEFAULT_ROOM_NAME):
return Room(room)
def teardown(room=DEFAULT_ROOM_NAME):
room_dir = _get_room_dir(room)
if os.path.exists(room_dir):
shutil.rmtree(room_dir)
def list_rooms():
root = _get_root_dir()
results = []
for room_dir in os.listdir(root):
info_path = os.path.join(root, room_dir, INFO_FILE_NAME)
if os.path.exists(info_path):
with open(info_path) as f:
results.append(f.read())
return results