Python pkgutil.get_data() Examples
The following are 30
code examples of pkgutil.get_data().
You can vote up the ones you like or vote down the ones you don't like,
and go to the original project or source file by following the links above each example.
You may also want to check out all available functions/classes of the module
pkgutil
, or try the search function
.
Example #1
Source File: driver.py From misp42splunk with GNU Lesser General Public License v3.0 | 6 votes |
def load_packaged_grammar(package, grammar_source): """Normally, loads a pickled grammar by doing pkgutil.get_data(package, pickled_grammar) where *pickled_grammar* is computed from *grammar_source* by adding the Python version and using a ``.pickle`` extension. However, if *grammar_source* is an extant file, load_grammar(grammar_source) is called instead. This facilitates using a packaged grammar file when needed but preserves load_grammar's automatic regeneration behavior when possible. """ if os.path.isfile(grammar_source): return load_grammar(grammar_source) pickled_name = _generate_pickle_name(os.path.basename(grammar_source)) data = pkgutil.get_data(package, pickled_name) g = grammar.Grammar() g.loads(data) return g
Example #2
Source File: corpus.py From sacremoses with MIT License | 6 votes |
def chars(self, category=None): """ This module returns a list of characters from the Perl Unicode Properties. They are very useful when porting Perl tokenizers to Python. >>> from sacremoses.corpus import Perluniprops >>> pup = Perluniprops() >>> list(pup.chars('Open_Punctuation'))[:5] == [u'(', u'[', u'{', u'\u0f3a', u'\u0f3c'] True >>> list(pup.chars('Currency_Symbol'))[:5] == [u'$', u'\xa2', u'\xa3', u'\xa4', u'\xa5'] True >>> pup.available_categories[:5] ['Close_Punctuation', 'Currency_Symbol', 'IsAlnum', 'IsAlpha', 'IsLower'] :return: a generator of characters given the specific unicode character category """ relative_path = os.path.join("data", "perluniprops", category + ".txt") binary_data = pkgutil.get_data("sacremoses", relative_path) for ch in binary_data.decode("utf-8"): yield ch
Example #3
Source File: driver.py From misp42splunk with GNU Lesser General Public License v3.0 | 6 votes |
def load_packaged_grammar(package, grammar_source): """Normally, loads a pickled grammar by doing pkgutil.get_data(package, pickled_grammar) where *pickled_grammar* is computed from *grammar_source* by adding the Python version and using a ``.pickle`` extension. However, if *grammar_source* is an extant file, load_grammar(grammar_source) is called instead. This facilitates using a packaged grammar file when needed but preserves load_grammar's automatic regeneration behavior when possible. """ if os.path.isfile(grammar_source): return load_grammar(grammar_source) pickled_name = _generate_pickle_name(os.path.basename(grammar_source)) data = pkgutil.get_data(package, pickled_name) g = grammar.Grammar() g.loads(data) return g
Example #4
Source File: driver.py From ironpython2 with Apache License 2.0 | 6 votes |
def load_packaged_grammar(package, grammar_source): """Normally, loads a pickled grammar by doing pkgutil.get_data(package, pickled_grammar) where *pickled_grammar* is computed from *grammar_source* by adding the Python version and using a ``.pickle`` extension. However, if *grammar_source* is an extant file, load_grammar(grammar_source) is called instead. This facilitates using a packaged grammar file when needed but preserves load_grammar's automatic regeneration behavior when possible. """ if os.path.isfile(grammar_source): return load_grammar(grammar_source) pickled_name = _generate_pickle_name(os.path.basename(grammar_source)) data = pkgutil.get_data(package, pickled_name) g = grammar.Grammar() g.loads(data) return g
Example #5
Source File: aws_report_db_accessor.py From koku with GNU Affero General Public License v3.0 | 6 votes |
def populate_line_item_daily_table(self, start_date, end_date, bill_ids): """Populate the daily aggregate of line items table. Args: start_date (datetime.date) The date to start populating the table. end_date (datetime.date) The date to end on. bill_ids (list) Returns (None) """ table_name = AWS_CUR_TABLE_MAP["line_item_daily"] daily_sql = pkgutil.get_data("masu.database", "sql/reporting_awscostentrylineitem_daily.sql") daily_sql = daily_sql.decode("utf-8") daily_sql_params = { "uuid": str(uuid.uuid4()).replace("-", "_"), "start_date": start_date, "end_date": end_date, "bill_ids": bill_ids, "schema": self.schema, } daily_sql, daily_sql_params = self.jinja_sql.prepare_query(daily_sql, daily_sql_params) self._execute_raw_sql_query(table_name, daily_sql, start_date, end_date, bind_params=list(daily_sql_params))
Example #6
Source File: SampleCorpora.py From scattertext with Apache License 2.0 | 6 votes |
def get_data(): ''' Returns ------- pd.DataFrame I.e., >>> convention_df.iloc[0] category plot filename subjectivity_html/obj/2002/Abandon.html text A senior at an elite college (Katie Holmes), a... movie_name abandon ''' try: data_stream = pkgutil.get_data('scattertext', 'data/rotten_tomatoes_corpus.csv.bz2') except: url = ROTTEN_TOMATOES_DATA_URL data_stream = urlopen(url).read() return pd.read_csv(io.BytesIO(bz2.decompress(data_stream)))
Example #7
Source File: ocp_report_db_accessor.py From koku with GNU Affero General Public License v3.0 | 6 votes |
def populate_pod_charge(self, cpu_temp_table, mem_temp_table): """Populate the memory and cpu charge on daily summary table. Args: cpu_temp_table (String) Name of cpu charge temp table mem_temp_table (String) Name of mem charge temp table Returns (None) """ table_name = OCP_REPORT_TABLE_MAP["line_item_daily_summary"] daily_charge_sql = pkgutil.get_data("masu.database", "sql/reporting_ocpusagelineitem_daily_pod_charge.sql") charge_line_sql = daily_charge_sql.decode("utf-8") charge_line_sql_params = {"cpu_temp": cpu_temp_table, "mem_temp": mem_temp_table, "schema": self.schema} charge_line_sql, charge_line_sql_params = self.jinja_sql.prepare_query(charge_line_sql, charge_line_sql_params) self._execute_raw_sql_query(table_name, charge_line_sql, bind_params=list(charge_line_sql_params))
Example #8
Source File: wordlists.py From linter-pylama with MIT License | 6 votes |
def load_wordlist(name): """Iterate over lines of a wordlist data file. `name` should be the name of a package data file within the data/ directory. Whitespace and #-prefixed comments are stripped from each line. """ text = pkgutil.get_data('pydocstyle', 'data/' + name).decode('utf8') for line in text.splitlines(): line = COMMENT_RE.sub('', line).strip() if line: yield line #: A dict mapping stemmed verbs to the imperative form
Example #9
Source File: SampleCorpora.py From scattertext with Apache License 2.0 | 6 votes |
def get_full_data(): ''' Returns all plots and reviews, not just the ones that appear in movies with both plot descriptions and reviews. Returns ------- pd.DataFrame I.e., >>> convention_df.iloc[0] category plot text Vijay Singh Rajput (Amitabh Bachchan) is a qui... movie_name aankhen has_plot_and_reviews False Name: 0, dtype: object ''' try: data_stream = pkgutil.get_data('scattertext', 'data/rotten_tomatoes_corpus_full.csv.bz2') except: url = ROTTEN_TOMATOES_DATA_URL data_stream = urlopen(url).read() return pd.read_csv(io.BytesIO(bz2.decompress(data_stream)))
Example #10
Source File: util.py From bilibiliupload with MIT License | 6 votes |
def init_jsengine(): global js_ctx if js_ctx is None: from ykdl.util.jsengine import JSEngine assert JSEngine, "No JS Interpreter found, can't use cmd5x!" js_ctx = JSEngine() from pkgutil import get_data # code from https://zsaim.github.io/2019/08/23/Iqiyi-cmd5x-Analysis/ try: # try load local .js file first js = get_data(__name__, 'cmd5x.js') except IOError: # origin https://raw.githubusercontent.com/ZSAIm/ZSAIm.github.io/master/misc/2019-08-23/iqiyi_cmd5x.js js = get_content('https://raw.githubusercontent.com/zhangn1985/ykdl/master/ykdl/extractors/iqiyi/cmd5x.js') js_ctx.append(js) # code from https://github.com/lldy/js try: # try load local .js file first js = get_data(__name__, 'cmd5x_iqiyi3.js') except IOError: js = get_content('https://raw.githubusercontent.com/zhangn1985/ykdl/master/ykdl/extractors/iqiyi/cmd5x_iqiyi3.js') js_ctx.append(js)
Example #11
Source File: azure_report_db_accessor.py From koku with GNU Affero General Public License v3.0 | 5 votes |
def populate_line_item_daily_summary_table(self, start_date, end_date, bill_ids): """Populate the daily aggregated summary of line items table. Args: start_date (datetime.date) The date to start populating the table. end_date (datetime.date) The date to end on. Returns (None) """ _start_date = start_date.date() if isinstance(start_date, datetime) else start_date _end_date = end_date.date() if isinstance(end_date, datetime) else end_date table_name = AZURE_REPORT_TABLE_MAP["line_item_daily_summary"] summary_sql = pkgutil.get_data("masu.database", "sql/reporting_azurecostentrylineitem_daily_summary.sql") summary_sql = summary_sql.decode("utf-8") summary_sql_params = { "uuid": str(uuid.uuid4()).replace("-", "_"), "start_date": _start_date, "end_date": _end_date, "bill_ids": bill_ids, "schema": self.schema, } summary_sql, summary_sql_params = self.jinja_sql.prepare_query(summary_sql, summary_sql_params) self._execute_raw_sql_query( table_name, summary_sql, start_date, end_date, bind_params=list(summary_sql_params) )
Example #12
Source File: test_pkgutil.py From BinderFilter with MIT License | 5 votes |
def test_getdata_pep302(self): # Use a dummy importer/loader self.assertEqual(pkgutil.get_data('foo', 'dummy'), "Hello, world!") del sys.modules['foo']
Example #13
Source File: azure_report_db_accessor.py From koku with GNU Affero General Public License v3.0 | 5 votes |
def populate_tags_summary_table(self, bill_ids): """Populate the line item aggregated totals data table.""" table_name = AZURE_REPORT_TABLE_MAP["tags_summary"] agg_sql = pkgutil.get_data("masu.database", "sql/reporting_azuretags_summary.sql") agg_sql = agg_sql.decode("utf-8") agg_sql_params = {"schema": self.schema, "bill_ids": bill_ids} agg_sql, agg_sql_params = self.jinja_sql.prepare_query(agg_sql, agg_sql_params) self._execute_raw_sql_query(table_name, agg_sql, bind_params=list(agg_sql_params))
Example #14
Source File: azure_report_db_accessor.py From koku with GNU Affero General Public License v3.0 | 5 votes |
def populate_ocp_on_azure_cost_daily_summary(self, start_date, end_date, cluster_id, bill_ids, markup_value): """Populate the daily cost aggregated summary for OCP on AWS. Args: start_date (datetime.date) The date to start populating the table. end_date (datetime.date) The date to end on. Returns (None) """ table_name = AZURE_REPORT_TABLE_MAP["ocp_on_azure_daily_summary"] summary_sql = pkgutil.get_data("masu.database", "sql/reporting_ocpazurecostlineitem_daily_summary.sql") summary_sql = summary_sql.decode("utf-8") summary_sql_params = { "uuid": str(uuid.uuid4()).replace("-", "_"), "start_date": start_date, "end_date": end_date, "bill_ids": bill_ids, "cluster_id": cluster_id, "schema": self.schema, "markup": markup_value, } summary_sql, summary_sql_params = self.jinja_sql.prepare_query(summary_sql, summary_sql_params) self._execute_raw_sql_query( table_name, summary_sql, start_date, end_date, bind_params=list(summary_sql_params) )
Example #15
Source File: azure_report_db_accessor.py From koku with GNU Affero General Public License v3.0 | 5 votes |
def populate_ocp_on_azure_tags_summary_table(self): """Populate the line item aggregated totals data table.""" table_name = AZURE_REPORT_TABLE_MAP["ocp_on_azure_tags_summary"] agg_sql = pkgutil.get_data("masu.database", "sql/reporting_ocpazuretags_summary.sql") agg_sql = agg_sql.decode("utf-8") agg_sql_params = {"schema": self.schema} agg_sql, agg_sql_params = self.jinja_sql.prepare_query(agg_sql, agg_sql_params) self._execute_raw_sql_query(table_name, agg_sql, bind_params=list(agg_sql_params))
Example #16
Source File: test_pkgutil.py From BinderFilter with MIT License | 5 votes |
def test_getdata_filesys(self): pkg = 'test_getdata_filesys' # Include a LF and a CRLF, to test that binary data is read back RESOURCE_DATA = 'Hello, world!\nSecond line\r\nThird line' # Make a package with some resources package_dir = os.path.join(self.dirname, pkg) os.mkdir(package_dir) # Empty init.py f = open(os.path.join(package_dir, '__init__.py'), "wb") f.close() # Resource files, res.txt, sub/res.txt f = open(os.path.join(package_dir, 'res.txt'), "wb") f.write(RESOURCE_DATA) f.close() os.mkdir(os.path.join(package_dir, 'sub')) f = open(os.path.join(package_dir, 'sub', 'res.txt'), "wb") f.write(RESOURCE_DATA) f.close() # Check we can read the resources res1 = pkgutil.get_data(pkg, 'res.txt') self.assertEqual(res1, RESOURCE_DATA) res2 = pkgutil.get_data(pkg, 'sub/res.txt') self.assertEqual(res2, RESOURCE_DATA) del sys.modules[pkg]
Example #17
Source File: test_pkgutil.py From BinderFilter with MIT License | 5 votes |
def get_data(self, path): return "Hello, world!"
Example #18
Source File: test_pkgutil.py From BinderFilter with MIT License | 5 votes |
def test_getdata_zipfile(self): zip = 'test_getdata_zipfile.zip' pkg = 'test_getdata_zipfile' # Include a LF and a CRLF, to test that binary data is read back RESOURCE_DATA = 'Hello, world!\nSecond line\r\nThird line' # Make a package with some resources zip_file = os.path.join(self.dirname, zip) z = zipfile.ZipFile(zip_file, 'w') # Empty init.py z.writestr(pkg + '/__init__.py', "") # Resource files, res.txt, sub/res.txt z.writestr(pkg + '/res.txt', RESOURCE_DATA) z.writestr(pkg + '/sub/res.txt', RESOURCE_DATA) z.close() # Check we can read the resources sys.path.insert(0, zip_file) res1 = pkgutil.get_data(pkg, 'res.txt') self.assertEqual(res1, RESOURCE_DATA) res2 = pkgutil.get_data(pkg, 'sub/res.txt') self.assertEqual(res2, RESOURCE_DATA) del sys.path[0] del sys.modules[pkg]
Example #19
Source File: utils.py From koku with GNU Affero General Public License v3.0 | 5 votes |
def prepare_template(self, provider_type, static_data_file): """Prepare the Jinja template for static data.""" static_data = pkgutil.get_data("api.report.test", static_data_file) template = Template(static_data.decode("utf8")) static_data_path = f"/tmp/{provider_type}_static_data.yml" return template, static_data_path
Example #20
Source File: ocp_report_db_accessor.py From koku with GNU Affero General Public License v3.0 | 5 votes |
def populate_volume_label_summary_table(self, report_period_ids): """Populate the OCP volume label summary table.""" table_name = OCP_REPORT_TABLE_MAP["volume_label_summary"] agg_sql = pkgutil.get_data("masu.database", "sql/reporting_ocpstoragevolumelabel_summary.sql") agg_sql = agg_sql.decode("utf-8") agg_sql_params = {"schema": self.schema, "report_period_ids": report_period_ids} agg_sql, agg_sql_params = self.jinja_sql.prepare_query(agg_sql, agg_sql_params) self._execute_raw_sql_query(table_name, agg_sql, bind_params=list(agg_sql_params))
Example #21
Source File: ocp_report_db_accessor.py From koku with GNU Affero General Public License v3.0 | 5 votes |
def populate_pod_label_summary_table(self, report_period_ids): """Populate the line item aggregated totals data table.""" table_name = OCP_REPORT_TABLE_MAP["pod_label_summary"] agg_sql = pkgutil.get_data("masu.database", "sql/reporting_ocpusagepodlabel_summary.sql") agg_sql = agg_sql.decode("utf-8") agg_sql_params = {"schema": self.schema, "report_period_ids": report_period_ids} agg_sql, agg_sql_params = self.jinja_sql.prepare_query(agg_sql, agg_sql_params) self._execute_raw_sql_query(table_name, agg_sql, bind_params=list(agg_sql_params))
Example #22
Source File: ocp_report_db_accessor.py From koku with GNU Affero General Public License v3.0 | 5 votes |
def update_summary_infrastructure_cost(self, cluster_id, start_date, end_date): """Populate the infrastructure costs on the daily usage summary table. Args: start_date (datetime.date) The date to start populating the table. end_date (datetime.date) The date to end on. cluster_id (String) Cluster Identifier Returns (None) """ # Cast start_date to date object if isinstance(start_date, str): start_date = datetime.datetime.strptime(start_date, "%Y-%m-%d").date() end_date = datetime.datetime.strptime(end_date, "%Y-%m-%d").date() if isinstance(start_date, datetime.datetime): start_date = start_date.date() end_date = end_date.date() table_name = OCP_REPORT_TABLE_MAP["line_item_daily_summary"] if start_date is None: start_date_qry = self._get_db_obj_query(table_name).order_by("usage_start").first() start_date = str(start_date_qry.usage_start) if start_date_qry else None if end_date is None: end_date_qry = self._get_db_obj_query(table_name).order_by("-usage_start").first() end_date = str(end_date_qry.usage_start) if end_date_qry else None summary_sql = pkgutil.get_data("masu.database", "sql/reporting_ocpcosts_summary.sql") if start_date and end_date: summary_sql = summary_sql.decode("utf-8") summary_sql_params = { "uuid": str(uuid.uuid4()).replace("-", "_"), "start_date": start_date, "end_date": end_date, "cluster_id": cluster_id, "schema": self.schema, } summary_sql, summary_sql_params = self.jinja_sql.prepare_query(summary_sql, summary_sql_params) self._execute_raw_sql_query( table_name, summary_sql, start_date, end_date, bind_params=list(summary_sql_params) )
Example #23
Source File: ocp_report_db_accessor.py From koku with GNU Affero General Public License v3.0 | 5 votes |
def populate_storage_line_item_daily_summary_table(self, start_date, end_date, cluster_id): """Populate the daily aggregate of storage line items table. Args: start_date (datetime.date) The date to start populating the table. end_date (datetime.date) The date to end on. cluster_id (String) Cluster Identifier Returns (None) """ # Cast start_date and end_date to date object, if they aren't already if isinstance(start_date, str): start_date = datetime.datetime.strptime(start_date, "%Y-%m-%d").date() end_date = datetime.datetime.strptime(end_date, "%Y-%m-%d").date() if isinstance(start_date, datetime.datetime): start_date = start_date.date() end_date = end_date.date() table_name = OCP_REPORT_TABLE_MAP["line_item_daily_summary"] summary_sql = pkgutil.get_data("masu.database", "sql/reporting_ocpstoragelineitem_daily_summary.sql") summary_sql = summary_sql.decode("utf-8") summary_sql_params = { "uuid": str(uuid.uuid4()).replace("-", "_"), "start_date": start_date, "end_date": end_date, "cluster_id": cluster_id, "schema": self.schema, } summary_sql, summary_sql_params = self.jinja_sql.prepare_query(summary_sql, summary_sql_params) self._execute_raw_sql_query(table_name, summary_sql, start_date, end_date, list(summary_sql_params))
Example #24
Source File: ocp_report_db_accessor.py From koku with GNU Affero General Public License v3.0 | 5 votes |
def populate_line_item_daily_summary_table(self, start_date, end_date, cluster_id): """Populate the daily aggregate of line items table. Args: start_date (datetime.date) The date to start populating the table. end_date (datetime.date) The date to end on. cluster_id (String) Cluster Identifier Returns (None) """ # Cast start_date to date if isinstance(start_date, str): start_date = datetime.datetime.strptime(start_date, "%Y-%m-%d").date() end_date = datetime.datetime.strptime(end_date, "%Y-%m-%d").date() if isinstance(start_date, datetime.datetime): start_date = start_date.date() end_date = end_date.date() table_name = OCP_REPORT_TABLE_MAP["line_item_daily_summary"] summary_sql = pkgutil.get_data("masu.database", "sql/reporting_ocpusagelineitem_daily_summary.sql") summary_sql = summary_sql.decode("utf-8") summary_sql_params = { "uuid": str(uuid.uuid4()).replace("-", "_"), "start_date": start_date, "end_date": end_date, "cluster_id": cluster_id, "schema": self.schema, } summary_sql, summary_sql_params = self.jinja_sql.prepare_query(summary_sql, summary_sql_params) self._execute_raw_sql_query( table_name, summary_sql, start_date, end_date, bind_params=list(summary_sql_params) )
Example #25
Source File: ocp_report_db_accessor.py From koku with GNU Affero General Public License v3.0 | 5 votes |
def populate_storage_line_item_daily_table(self, start_date, end_date, cluster_id): """Populate the daily storage aggregate of line items table. Args: start_date (datetime.date) The date to start populating the table. end_date (datetime.date) The date to end on. cluster_id (String) Cluster Identifier Returns (None) """ # Cast string to date object if isinstance(start_date, str): start_date = datetime.datetime.strptime(start_date, "%Y-%m-%d").date() end_date = datetime.datetime.strptime(end_date, "%Y-%m-%d").date() if isinstance(start_date, datetime.datetime): start_date = start_date.date() end_date = end_date.date() table_name = OCP_REPORT_TABLE_MAP["storage_line_item_daily"] daily_sql = pkgutil.get_data("masu.database", "sql/reporting_ocpstoragelineitem_daily.sql") daily_sql = daily_sql.decode("utf-8") daily_sql_params = { "uuid": str(uuid.uuid4()).replace("-", "_"), "start_date": start_date, "end_date": end_date, "cluster_id": cluster_id, "schema": self.schema, } daily_sql, daily_sql_params = self.jinja_sql.prepare_query(daily_sql, daily_sql_params) self._execute_raw_sql_query(table_name, daily_sql, start_date, end_date, bind_params=list(daily_sql_params))
Example #26
Source File: ocp_report_db_accessor.py From koku with GNU Affero General Public License v3.0 | 5 votes |
def populate_line_item_daily_table(self, start_date, end_date, cluster_id): """Populate the daily aggregate of line items table. Args: start_date (datetime.date) The date to start populating the table. end_date (datetime.date) The date to end on. cluster_id (String) Cluster Identifier Returns (None) """ # Cast start_date and end_date into date object instead of string if isinstance(start_date, str): start_date = datetime.datetime.strptime(start_date, "%Y-%m-%d").date() end_date = datetime.datetime.strptime(end_date, "%Y-%m-%d").date() if isinstance(start_date, datetime.datetime): start_date = start_date.date() end_date = end_date.date() table_name = OCP_REPORT_TABLE_MAP["line_item_daily"] daily_sql = pkgutil.get_data("masu.database", "sql/reporting_ocpusagelineitem_daily.sql") daily_sql = daily_sql.decode("utf-8") daily_sql_params = { "uuid": str(uuid.uuid4()).replace("-", "_"), "start_date": start_date, "end_date": end_date, "cluster_id": cluster_id, "schema": self.schema, } daily_sql, daily_sql_params = self.jinja_sql.prepare_query(daily_sql, daily_sql_params) self._execute_raw_sql_query(table_name, daily_sql, start_date, end_date, bind_params=list(daily_sql_params))
Example #27
Source File: helpers.py From koku with GNU Affero General Public License v3.0 | 5 votes |
def _tag_summary(self): """Populate AzureTagsSummary.""" agg_sql = pkgutil.get_data("masu.database", "sql/reporting_azuretags_summary.sql") agg_sql = agg_sql.decode("utf-8") agg_sql_params = {"schema": connection.schema_name} agg_sql, agg_sql_params = JinjaSql().prepare_query(agg_sql, agg_sql_params) with connection.cursor() as cursor: cursor.execute(agg_sql)
Example #28
Source File: helpers.py From koku with GNU Affero General Public License v3.0 | 5 votes |
def _populate_volume_label_summary_table(self): """Populate volume label key and values.""" agg_sql = pkgutil.get_data("masu.database", "sql/reporting_ocpstoragevolumelabel_summary.sql") agg_sql = agg_sql.decode("utf-8") agg_sql_params = {"schema": connection.schema_name} agg_sql, agg_sql_params = JinjaSql().prepare_query(agg_sql, agg_sql_params) with connection.cursor() as cursor: cursor.execute(agg_sql)
Example #29
Source File: helpers.py From koku with GNU Affero General Public License v3.0 | 5 votes |
def _populate_pod_label_summary_table(self): """Populate pod label key and values.""" agg_sql = pkgutil.get_data("masu.database", "sql/reporting_ocpusagepodlabel_summary.sql") agg_sql = agg_sql.decode("utf-8") agg_sql_params = {"schema": connection.schema_name} agg_sql, agg_sql_params = JinjaSql().prepare_query(agg_sql, agg_sql_params) with connection.cursor() as cursor: cursor.execute(agg_sql)
Example #30
Source File: status.py From locality-sensitive-hashing with MIT License | 5 votes |
def get(self, relative): if relative not in self._RESOURCE_MAP: self.response.set_status(404) self.response.out.write("Resource not found.") return real_path, content_type = self._RESOURCE_MAP[relative] path = os.path.join(os.path.dirname(__file__), "static", real_path) self.response.headers["Cache-Control"] = "public; max-age=300" self.response.headers["Content-Type"] = content_type try: data = pkgutil.get_data(__name__, "static/" + real_path) except AttributeError: # Python < 2.6. data = None self.response.out.write(data or open(path).read())