blob: a25a4072ead99afc500c3439257207b7309e64e7 [file] [log] [blame]
// Licensed to the Apache Software Foundation (ASF) under one
// or more contributor license agreements. See the NOTICE file
// distributed with this work for additional information
// regarding copyright ownership. The ASF licenses this file
// to you 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.
use std::sync::Arc;
use datafusion::config::ConfigOptions;
use parking_lot::RwLock;
use pyo3::prelude::*;
use pyo3::types::*;
use crate::errors::PyDataFusionResult;
use crate::utils::py_obj_to_scalar_value;
#[pyclass(name = "Config", module = "datafusion", subclass, frozen)]
#[derive(Clone)]
pub(crate) struct PyConfig {
config: Arc<RwLock<ConfigOptions>>,
}
#[pymethods]
impl PyConfig {
#[new]
fn py_new() -> Self {
Self {
config: Arc::new(RwLock::new(ConfigOptions::new())),
}
}
/// Get configurations from environment variables
#[staticmethod]
pub fn from_env() -> PyDataFusionResult<Self> {
Ok(Self {
config: Arc::new(RwLock::new(ConfigOptions::from_env()?)),
})
}
/// Get a configuration option
pub fn get<'py>(&self, key: &str, py: Python<'py>) -> PyResult<Bound<'py, PyAny>> {
let value: Option<Option<String>> = {
let options = self.config.read();
options
.entries()
.into_iter()
.find_map(|entry| (entry.key == key).then_some(entry.value.clone()))
};
match value {
Some(value) => Ok(value.into_pyobject(py)?),
None => Ok(None::<String>.into_pyobject(py)?),
}
}
/// Set a configuration option
pub fn set(&self, key: &str, value: PyObject, py: Python) -> PyDataFusionResult<()> {
let scalar_value = py_obj_to_scalar_value(py, value)?;
let mut options = self.config.write();
options.set(key, scalar_value.to_string().as_str())?;
Ok(())
}
/// Get all configuration options
pub fn get_all(&self, py: Python) -> PyResult<PyObject> {
let entries: Vec<(String, Option<String>)> = {
let options = self.config.read();
options
.entries()
.into_iter()
.map(|entry| (entry.key.clone(), entry.value.clone()))
.collect()
};
let dict = PyDict::new(py);
for (key, value) in entries {
dict.set_item(key, value.into_pyobject(py)?)?;
}
Ok(dict.into())
}
fn __repr__(&self, py: Python) -> PyResult<String> {
match self.get_all(py) {
Ok(result) => Ok(format!("Config({result})")),
Err(err) => Ok(format!("Error: {:?}", err.to_string())),
}
}
}