mdbq 4.0.20__py3-none-any.whl → 4.0.21__py3-none-any.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
mdbq/__version__.py CHANGED
@@ -1 +1 @@
1
- VERSION = '4.0.20'
1
+ VERSION = '4.0.21'
mdbq/myconf/myconf2.py ADDED
@@ -0,0 +1,1287 @@
1
+ import re
2
+ from typing import Dict, Any, Optional, Union, List, Tuple, Type, TypeVar, Callable
3
+ from pathlib import Path
4
+ from mdbq.log import mylogger
5
+ from dataclasses import dataclass, field
6
+ from enum import Enum
7
+ import time
8
+ import json
9
+ import yaml
10
+ import toml
11
+ import os
12
+ from jsonschema import validate, ValidationError
13
+ from cryptography.fernet import Fernet
14
+ import base64
15
+ from typing_extensions import TypedDict
16
+ import threading
17
+ import queue
18
+ import watchdog.observers
19
+ import watchdog.events
20
+ import jinja2
21
+ from datetime import datetime
22
+
23
+ logger = mylogger.MyLogger(
24
+ logging_mode='both',
25
+ log_level='info',
26
+ log_format='json',
27
+ max_log_size=50,
28
+ backup_count=5,
29
+ enable_async=False, # 是否启用异步日志
30
+ sample_rate=1, # 采样DEBUG/INFO日志
31
+ sensitive_fields=[], # 敏感字段过滤
32
+ enable_metrics=False, # 是否启用性能指标
33
+ )
34
+
35
+ T = TypeVar('T') # 类型变量
36
+
37
+
38
+ class ConfigError(Exception):
39
+ """配置相关的基础异常类
40
+
41
+ Attributes:
42
+ message: 错误消息
43
+ file_path: 配置文件路径
44
+ section: 配置节名称
45
+ key: 配置键名称
46
+ """
47
+ def __init__(self, message: str, file_path: Optional[Union[str, Path]] = None,
48
+ section: Optional[str] = None, key: Optional[str] = None):
49
+ self.message = message
50
+ self.file_path = str(file_path) if file_path else None
51
+ self.section = section
52
+ self.key = key
53
+ super().__init__(self._format_message())
54
+
55
+ def _format_message(self) -> str:
56
+ """格式化错误消息"""
57
+ parts = [self.message]
58
+ if self.file_path:
59
+ parts.append(f"文件: {self.file_path}")
60
+ if self.section:
61
+ parts.append(f"节: [{self.section}]")
62
+ if self.key:
63
+ parts.append(f"键: {self.key}")
64
+ return " | ".join(parts)
65
+
66
+
67
+ class ConfigFileNotFoundError(ConfigError):
68
+ """当指定的配置文件不存在时抛出的异常"""
69
+ def __init__(self, file_path: Union[str, Path]):
70
+ super().__init__("配置文件不存在", file_path=file_path)
71
+
72
+
73
+ class ConfigReadError(ConfigError):
74
+ """当读取配置文件失败时抛出的异常
75
+
76
+ Attributes:
77
+ original_error: 原始错误对象
78
+ """
79
+ def __init__(self, file_path: Union[str, Path], original_error: Exception):
80
+ super().__init__(
81
+ f"读取配置文件失败: {str(original_error)}",
82
+ file_path=file_path
83
+ )
84
+ self.original_error = original_error
85
+
86
+
87
+ class ConfigWriteError(ConfigError):
88
+ """当写入配置文件失败时抛出的异常
89
+
90
+ Attributes:
91
+ original_error: 原始错误对象
92
+ """
93
+ def __init__(self, file_path: Union[str, Path], original_error: Exception):
94
+ super().__init__(
95
+ f"写入配置文件失败: {str(original_error)}",
96
+ file_path=file_path
97
+ )
98
+ self.original_error = original_error
99
+
100
+
101
+ class ConfigValueError(ConfigError):
102
+ """当配置值无效时抛出的异常"""
103
+ def __init__(self, message: str, file_path: Union[str, Path],
104
+ section: Optional[str] = None, key: Optional[str] = None):
105
+ super().__init__(message, file_path=file_path, section=section, key=key)
106
+
107
+
108
+ class ConfigSectionNotFoundError(ConfigError):
109
+ """当指定的配置节不存在时抛出的异常"""
110
+ def __init__(self, file_path: Union[str, Path], section: str):
111
+ super().__init__(
112
+ f"配置节不存在",
113
+ file_path=file_path,
114
+ section=section
115
+ )
116
+
117
+
118
+ class ConfigKeyNotFoundError(ConfigError):
119
+ """当指定的配置键不存在时抛出的异常"""
120
+ def __init__(self, file_path: Union[str, Path], section: str, key: str):
121
+ super().__init__(
122
+ f"配置键不存在",
123
+ file_path=file_path,
124
+ section=section,
125
+ key=key
126
+ )
127
+
128
+
129
+ class CommentStyle(Enum):
130
+ """配置文件支持的注释风格"""
131
+ HASH = '#' # Python风格注释
132
+ DOUBLE_SLASH = '//' # C风格注释
133
+ SEMICOLON = ';' # INI风格注释
134
+
135
+
136
+ class ConfigOptions:
137
+ """配置解析器的选项类
138
+
139
+ Attributes:
140
+ comment_styles: 支持的注释风格列表
141
+ encoding: 文件编码
142
+ auto_create: 是否自动创建不存在的配置文件
143
+ strip_values: 是否去除配置值的首尾空白
144
+ preserve_comments: 是否保留注释
145
+ default_section: 默认配置节名称
146
+ separators: 支持的分隔符列表
147
+ cache_ttl: 缓存过期时间(秒)
148
+ validate_keys: 是否验证键名
149
+ key_pattern: 键名正则表达式模式
150
+ case_sensitive: 是否区分大小写
151
+ schema_validation: 是否启用模式验证
152
+ schema: JSON Schema 模式定义
153
+ format_handlers: 自定义格式处理器
154
+ env_prefix: 环境变量前缀
155
+ env_override: 是否允许环境变量覆盖配置
156
+ encryption_key: 加密密钥
157
+ inherit_from: 继承的配置文件路径
158
+ watch_changes: 是否监视配置文件变化
159
+ template_vars: 模板变量
160
+ template_loader: 模板加载器
161
+ """
162
+ comment_styles: List[CommentStyle] = field(default_factory=lambda: [CommentStyle.HASH, CommentStyle.DOUBLE_SLASH])
163
+ encoding: str = 'utf-8'
164
+ auto_create: bool = False
165
+ strip_values: bool = True
166
+ preserve_comments: bool = True
167
+ default_section: str = 'DEFAULT'
168
+ separators: List[str] = field(default_factory=lambda: ['=', ':', ':'])
169
+ cache_ttl: int = 300
170
+ validate_keys: bool = True
171
+ key_pattern: str = r'^[a-zA-Z0-9_\-\.]+$'
172
+ case_sensitive: bool = False
173
+ schema_validation: bool = False
174
+ schema: Optional[Dict[str, Any]] = None
175
+ format_handlers: Dict[str, Callable] = field(default_factory=dict)
176
+ env_prefix: str = 'CONFIG_'
177
+ env_override: bool = True
178
+ encryption_key: Optional[bytes] = None
179
+ inherit_from: Optional[Union[str, Path]] = None
180
+ watch_changes: bool = False
181
+ template_vars: Dict[str, Any] = field(default_factory=dict)
182
+ template_loader: Optional[jinja2.Environment] = None
183
+
184
+
185
+ class ConfigValue(TypedDict):
186
+ """配置值类型定义"""
187
+ value: Any
188
+ encrypted: bool
189
+ source: str # 'file', 'env', 'default'
190
+
191
+
192
+ class ConfigChangeEvent:
193
+ """配置变更事件"""
194
+ def __init__(self, file_path: Path, event_type: str, timestamp: float):
195
+ self.file_path = file_path
196
+ self.event_type = event_type
197
+ self.timestamp = timestamp
198
+
199
+
200
+ class ConfigChangeHandler(watchdog.events.FileSystemEventHandler):
201
+ """配置文件变更处理器"""
202
+ def __init__(self, parser: 'ConfigParser'):
203
+ self.parser = parser
204
+ self.event_queue = queue.Queue()
205
+
206
+ def on_modified(self, event):
207
+ if not event.is_directory:
208
+ self.event_queue.put(ConfigChangeEvent(
209
+ Path(event.src_path),
210
+ 'modified',
211
+ time.time()
212
+ ))
213
+
214
+ def on_created(self, event):
215
+ if not event.is_directory:
216
+ self.event_queue.put(ConfigChangeEvent(
217
+ Path(event.src_path),
218
+ 'created',
219
+ time.time()
220
+ ))
221
+
222
+ def on_deleted(self, event):
223
+ if not event.is_directory:
224
+ self.event_queue.put(ConfigChangeEvent(
225
+ Path(event.src_path),
226
+ 'deleted',
227
+ time.time()
228
+ ))
229
+
230
+
231
+ class ConfigParser:
232
+ """配置文件解析器,用于读取和写入配置文件
233
+
234
+ Attributes:
235
+ options: 解析器配置选项
236
+ _config_cache: 配置缓存,用于存储已读取的配置
237
+ _cache_timestamps: 缓存时间戳,用于管理缓存过期
238
+ _comments_cache: 注释缓存,用于存储每个配置节的注释
239
+ _section_map: 用于存储大小写映射
240
+ _current_file: 当前正在处理的文件路径
241
+ _format_handlers: 自定义格式处理器
242
+ """
243
+
244
+ def __init__(self, options: Optional[ConfigOptions] = None):
245
+ self.options = options or ConfigOptions()
246
+ self._config_cache: Dict[str, Dict[str, Any]] = {}
247
+ self._cache_timestamps: Dict[str, float] = {}
248
+ self._comments_cache: Dict[str, Dict[str, List[str]]] = {}
249
+ self._section_map: Dict[str, Dict[str, str]] = {}
250
+ self._current_file: Optional[Path] = None
251
+ self._format_handlers = {
252
+ 'json': self._handle_json,
253
+ 'yaml': self._handle_yaml,
254
+ 'toml': self._handle_toml,
255
+ **self.options.format_handlers
256
+ }
257
+ self._fernet = None
258
+ if self.options.encryption_key:
259
+ self._fernet = Fernet(self.options.encryption_key)
260
+
261
+ # 配置监听相关
262
+ self._observer = None
263
+ self._change_handler = None
264
+ self._watch_thread = None
265
+ self._stop_watching = threading.Event()
266
+ self._change_callbacks: List[Callable[[ConfigChangeEvent], None]] = []
267
+
268
+ # 模板相关
269
+ if self.options.template_loader is None:
270
+ self.options.template_loader = jinja2.Environment(
271
+ loader=jinja2.FileSystemLoader('.'),
272
+ autoescape=True
273
+ )
274
+
275
+ def __enter__(self) -> 'ConfigParser':
276
+ """进入上下文管理器
277
+
278
+ Returns:
279
+ ConfigParser: 返回当前实例
280
+ """
281
+ return self
282
+
283
+ def __exit__(self, exc_type: Optional[Type[BaseException]],
284
+ exc_val: Optional[BaseException],
285
+ exc_tb: Optional[Any]) -> None:
286
+ """退出上下文管理器
287
+
288
+ Args:
289
+ exc_type: 异常类型
290
+ exc_val: 异常值
291
+ exc_tb: 异常追踪信息
292
+ """
293
+ self._current_file = None
294
+
295
+ def open(self, file_path: Union[str, Path]) -> 'ConfigParser':
296
+ """打开配置文件
297
+
298
+ Args:
299
+ file_path: 配置文件路径
300
+
301
+ Returns:
302
+ ConfigParser: 返回当前实例,支持链式调用
303
+
304
+ Raises:
305
+ ConfigFileNotFoundError: 当配置文件不存在且未启用自动创建时
306
+ """
307
+ file_path = Path(file_path)
308
+ if not file_path.exists() and not self.options.auto_create:
309
+ raise ConfigFileNotFoundError(file_path)
310
+ self._current_file = file_path
311
+ return self
312
+
313
+ def _ensure_file_open(self) -> None:
314
+ """确保文件已打开
315
+
316
+ Raises:
317
+ ConfigError: 当文件未打开时
318
+ """
319
+ if self._current_file is None:
320
+ raise ConfigError("未打开任何配置文件,请先调用 open() 方法")
321
+
322
+ def _is_comment_line(self, line: str) -> bool:
323
+ """判断一行是否为注释行"""
324
+ stripped = line.strip()
325
+ return any(stripped.startswith(style.value) for style in self.options.comment_styles)
326
+
327
+ def _extract_comment(self, line: str) -> Tuple[str, str]:
328
+ """从行中提取注释
329
+
330
+ Returns:
331
+ Tuple[str, str]: (去除注释后的行内容, 注释内容)
332
+ """
333
+ for style in self.options.comment_styles:
334
+ comment_match = re.search(fr'\s+{re.escape(style.value)}.*$', line)
335
+ if comment_match:
336
+ return line[:comment_match.start()].strip(), comment_match.group(0)
337
+ return line.strip(), ''
338
+
339
+ def _split_key_value(self, line: str) -> Optional[Tuple[str, str]]:
340
+ """分割配置行为键值对
341
+
342
+ Args:
343
+ line: 要分割的配置行
344
+
345
+ Returns:
346
+ Optional[Tuple[str, str]]: 键值对元组,如果无法分割则返回None
347
+ """
348
+ for sep in self.options.separators:
349
+ if sep in line:
350
+ key_part, value_part = line.split(sep, 1)
351
+ return key_part.strip(), value_part
352
+
353
+ for sep in [':', ':']:
354
+ if sep in line:
355
+ pattern = fr'\s*{re.escape(sep)}\s*'
356
+ parts = re.split(pattern, line, 1)
357
+ if len(parts) == 2:
358
+ return parts[0].strip(), parts[1]
359
+
360
+ return None
361
+
362
+ def _validate_key(self, key: str) -> bool:
363
+ """验证键名是否合法"""
364
+ if not self.options.validate_keys:
365
+ return True
366
+ return bool(re.match(self.options.key_pattern, key))
367
+
368
+ def _get_cached_config(self, file_path: str) -> Optional[Dict[str, Any]]:
369
+ """获取缓存的配置,如果过期则返回None"""
370
+ if file_path not in self._config_cache:
371
+ return None
372
+
373
+ if file_path not in self._cache_timestamps:
374
+ return None
375
+
376
+ if time.time() - self._cache_timestamps[file_path] > self.options.cache_ttl:
377
+ return None
378
+
379
+ return self._config_cache[file_path]
380
+
381
+ def _update_cache(self, file_path: str, config: Dict[str, Any]) -> None:
382
+ """更新配置缓存"""
383
+ self._config_cache[file_path] = config
384
+ self._cache_timestamps[file_path] = time.time()
385
+
386
+ def _normalize_section(self, section: str) -> str:
387
+ """标准化节名称(处理大小写)"""
388
+ if self.options.case_sensitive:
389
+ return section
390
+ return section.lower()
391
+
392
+ def _get_original_section(self, file_path: str, normalized_section: str) -> Optional[str]:
393
+ """获取原始节名称"""
394
+ if self.options.case_sensitive:
395
+ return normalized_section
396
+ return self._section_map.get(file_path, {}).get(normalized_section)
397
+
398
+ def _update_section_map(self, file_path: str, section: str) -> None:
399
+ """更新节名称映射"""
400
+ if not self.options.case_sensitive:
401
+ normalized = self._normalize_section(section)
402
+ if file_path not in self._section_map:
403
+ self._section_map[file_path] = {}
404
+ self._section_map[file_path][normalized] = section
405
+
406
+ def _clear_cache(self, file_path: Optional[str] = None) -> None:
407
+ """清除配置缓存"""
408
+ if file_path:
409
+ self._config_cache.pop(file_path, None)
410
+ self._cache_timestamps.pop(file_path, None)
411
+ self._comments_cache.pop(file_path, None)
412
+ self._section_map.pop(file_path, None)
413
+ else:
414
+ self._config_cache.clear()
415
+ self._cache_timestamps.clear()
416
+ self._comments_cache.clear()
417
+ self._section_map.clear()
418
+
419
+ def _convert_value(self, value: str, target_type: Type[T]) -> T:
420
+ """转换配置值到指定类型
421
+
422
+ Args:
423
+ value: 要转换的值
424
+ target_type: 目标类型
425
+
426
+ Returns:
427
+ T: 转换后的值
428
+
429
+ Raises:
430
+ ConfigValueError: 当值无法转换为指定类型时
431
+ """
432
+ try:
433
+ if target_type == bool:
434
+ return bool(value.lower() in ('true', 'yes', '1', 'on'))
435
+ elif target_type == list:
436
+ # 支持多种分隔符的列表
437
+ if not value.strip():
438
+ return []
439
+ # 尝试不同的分隔符
440
+ for sep in [',', ';', '|', ' ']:
441
+ if sep in value:
442
+ return [item.strip() for item in value.split(sep) if item.strip()]
443
+ # 如果没有分隔符,则作为单个元素返回
444
+ return [value.strip()]
445
+ elif target_type == tuple:
446
+ # 支持元组类型
447
+ if not value.strip():
448
+ return ()
449
+ # 尝试不同的分隔符
450
+ for sep in [',', ';', '|', ' ']:
451
+ if sep in value:
452
+ return tuple(item.strip() for item in value.split(sep) if item.strip())
453
+ # 如果没有分隔符,则作为单个元素返回
454
+ return (value.strip(),)
455
+ elif target_type == set:
456
+ # 支持集合类型
457
+ if not value.strip():
458
+ return set()
459
+ # 尝试不同的分隔符
460
+ for sep in [',', ';', '|', ' ']:
461
+ if sep in value:
462
+ return {item.strip() for item in value.split(sep) if item.strip()}
463
+ # 如果没有分隔符,则作为单个元素返回
464
+ return {value.strip()}
465
+ elif target_type == dict:
466
+ # 支持字典类型,格式:key1=value1,key2=value2
467
+ if not value.strip():
468
+ return {}
469
+ result = {}
470
+ # 尝试不同的分隔符
471
+ for sep in [',', ';', '|']:
472
+ if sep in value:
473
+ pairs = [pair.strip() for pair in value.split(sep) if pair.strip()]
474
+ for pair in pairs:
475
+ if '=' in pair:
476
+ key, val = pair.split('=', 1)
477
+ result[key.strip()] = val.strip()
478
+ return result
479
+ # 如果没有分隔符,尝试单个键值对
480
+ if '=' in value:
481
+ key, val = value.split('=', 1)
482
+ return {key.strip(): val.strip()}
483
+ return {}
484
+ elif target_type == int:
485
+ # 支持十六进制、八进制、二进制
486
+ value = value.strip().lower()
487
+ if value.startswith('0x'):
488
+ return int(value, 16)
489
+ elif value.startswith('0o'):
490
+ return int(value, 8)
491
+ elif value.startswith('0b'):
492
+ return int(value, 2)
493
+ return int(value)
494
+ elif target_type == float:
495
+ return float(value)
496
+ elif target_type == complex:
497
+ return complex(value)
498
+ elif target_type == bytes:
499
+ return value.encode('utf-8')
500
+ elif target_type == bytearray:
501
+ return bytearray(value.encode('utf-8'))
502
+ elif target_type == set:
503
+ return set(value.split(','))
504
+ elif target_type == frozenset:
505
+ return frozenset(value.split(','))
506
+ elif target_type == range:
507
+ # 支持 range 类型,格式:start:stop:step 或 start:stop
508
+ parts = value.split(':')
509
+ if len(parts) == 2:
510
+ return range(int(parts[0]), int(parts[1]))
511
+ elif len(parts) == 3:
512
+ return range(int(parts[0]), int(parts[1]), int(parts[2]))
513
+ raise ValueError("Invalid range format")
514
+ return target_type(value)
515
+ except (ValueError, TypeError) as e:
516
+ raise ConfigValueError(
517
+ f"无法将值 '{value}' 转换为类型 {target_type.__name__}",
518
+ file_path=None,
519
+ key=None
520
+ )
521
+
522
+ def get_value(self, file_path: Optional[Union[str, Path]] = None, key: str = None,
523
+ section: Optional[str] = None, default: Any = None,
524
+ value_type: Optional[Type[T]] = None) -> T:
525
+ """获取指定配置项的值
526
+
527
+ Args:
528
+ file_path: 配置文件路径,如果为None则使用当前打开的文件
529
+ key: 配置键
530
+ section: 配置节名称,如果为None则使用默认节
531
+ default: 当配置项不存在时返回的默认值
532
+ value_type: 期望的值的类型
533
+
534
+ Returns:
535
+ T: 配置值
536
+
537
+ Raises:
538
+ ConfigSectionNotFoundError: 当指定的节不存在且未提供默认值时
539
+ ConfigKeyNotFoundError: 当指定的键不存在且未提供默认值时
540
+ ConfigValueError: 当值无法转换为指定类型时
541
+ """
542
+ if file_path is None:
543
+ self._ensure_file_open()
544
+ file_path = self._current_file
545
+ if not self._validate_key(key):
546
+ raise ConfigValueError(f"无效的键名: {key}", file_path=file_path, key=key)
547
+
548
+ config = self.read(file_path)
549
+ section = section or self.options.default_section
550
+ normalized_section = self._normalize_section(section)
551
+
552
+ # 获取原始节名称
553
+ original_section = self._get_original_section(str(file_path), normalized_section)
554
+ if original_section is None:
555
+ if default is not None:
556
+ return default
557
+ raise ConfigSectionNotFoundError(file_path, section)
558
+
559
+ if key not in config[original_section]:
560
+ if default is not None:
561
+ return default
562
+ raise ConfigKeyNotFoundError(file_path, original_section, key)
563
+
564
+ value = config[original_section][key]
565
+
566
+ if value_type is not None:
567
+ return self._convert_value(value, value_type)
568
+
569
+ return value
570
+
571
+ def get_values(self, keys: List[Tuple[str, str]],
572
+ file_path: Optional[Union[str, Path]] = None,
573
+ defaults: Optional[Dict[str, Any]] = None,
574
+ value_types: Optional[Dict[str, Type]] = None) -> Dict[str, Any]:
575
+ """批量获取多个配置项的值
576
+
577
+ Args:
578
+ keys: 配置项列表,每个元素为 (section, key) 元组
579
+ file_path: 配置文件路径,如果为None则使用当前打开的文件
580
+ defaults: 默认值字典,格式为 {key: default_value}
581
+ value_types: 值类型字典,格式为 {key: type}
582
+
583
+ Returns:
584
+ Dict[str, Any]: 配置值字典,格式为 {key: value}
585
+
586
+ Raises:
587
+ ConfigSectionNotFoundError: 当指定的节不存在且未提供默认值时
588
+ ConfigKeyNotFoundError: 当指定的键不存在且未提供默认值时
589
+ ConfigValueError: 当值无法转换为指定类型时
590
+ """
591
+ if file_path is None:
592
+ self._ensure_file_open()
593
+ file_path = self._current_file
594
+ defaults = defaults or {}
595
+ value_types = value_types or {}
596
+ result = {}
597
+
598
+ for section, key in keys:
599
+ try:
600
+ value = self.get_value(
601
+ file_path=file_path,
602
+ key=key,
603
+ section=section,
604
+ default=defaults.get(key),
605
+ value_type=value_types.get(key)
606
+ )
607
+ result[key] = value
608
+ except (ConfigSectionNotFoundError, ConfigKeyNotFoundError) as e:
609
+ if key in defaults:
610
+ result[key] = defaults[key]
611
+ else:
612
+ raise e
613
+
614
+ return result
615
+
616
+ def get_section_values(self, keys: List[str],
617
+ section: Optional[str] = None,
618
+ file_path: Optional[Union[str, Path]] = None,
619
+ defaults: Optional[Dict[str, Any]] = None,
620
+ value_types: Optional[Dict[str, Type]] = None) -> Tuple[Any, ...]:
621
+ """获取指定节点下多个键的值元组
622
+
623
+ Args:
624
+ keys: 要获取的键列表
625
+ section: 配置节名称,默认为 DEFAULT
626
+ file_path: 配置文件路径,如果为None则使用当前打开的文件
627
+ defaults: 默认值字典,格式为 {key: default_value}
628
+ value_types: 值类型字典,格式为 {key: type}
629
+
630
+ Returns:
631
+ Tuple[Any, ...]: 按键列表顺序返回的值元组
632
+
633
+ Raises:
634
+ ConfigSectionNotFoundError: 当指定的节不存在且未提供默认值时
635
+ ConfigKeyNotFoundError: 当指定的键不存在且未提供默认值时
636
+ ConfigValueError: 当值无法转换为指定类型时
637
+ """
638
+ if file_path is None:
639
+ self._ensure_file_open()
640
+ file_path = self._current_file
641
+ defaults = defaults or {}
642
+ value_types = value_types or {}
643
+ result = []
644
+
645
+ for key in keys:
646
+ try:
647
+ value = self.get_value(
648
+ file_path=file_path,
649
+ key=key,
650
+ section=section,
651
+ default=defaults.get(key),
652
+ value_type=value_types.get(key)
653
+ )
654
+ result.append(value)
655
+ except (ConfigSectionNotFoundError, ConfigKeyNotFoundError) as e:
656
+ if key in defaults:
657
+ result.append(defaults[key])
658
+ else:
659
+ raise e
660
+
661
+ return tuple(result)
662
+
663
+ def set_value(self, key: str, value: Any,
664
+ section: Optional[str] = None,
665
+ file_path: Optional[Union[str, Path]] = None,
666
+ value_type: Optional[Type] = None) -> None:
667
+ """设置指定配置项的值,保持原始文件的格式和注释
668
+
669
+ Args:
670
+ key: 配置键
671
+ value: 要设置的值
672
+ section: 配置节名称,如果为None则使用默认节
673
+ file_path: 配置文件路径,如果为None则使用当前打开的文件
674
+ value_type: 值的类型,用于验证和转换
675
+
676
+ Raises:
677
+ ConfigValueError: 当值无法转换为指定类型时
678
+ ConfigError: 当其他配置错误发生时
679
+ """
680
+ if file_path is None:
681
+ self._ensure_file_open()
682
+ file_path = self._current_file
683
+ if not self._validate_key(key):
684
+ raise ConfigValueError(f"无效的键名: {key}", file_path=file_path, key=key)
685
+
686
+ # 读取原始文件內容
687
+ original_lines = []
688
+ if file_path.exists():
689
+ with open(file_path, 'r', encoding=self.options.encoding) as file:
690
+ original_lines = file.readlines()
691
+
692
+ # 读取当前配置
693
+ config = self.read(file_path)
694
+
695
+ if section not in config:
696
+ config[section] = {}
697
+
698
+ if value_type is not None:
699
+ try:
700
+ if value_type == bool:
701
+ if isinstance(value, str):
702
+ value = value.lower() in ('true', 'yes', '1', 'on')
703
+ else:
704
+ value = bool(value)
705
+ else:
706
+ value = value_type(value)
707
+ except (ValueError, TypeError) as e:
708
+ raise ConfigValueError(
709
+ f"无法将值 '{value}' 转换为类型 {value_type.__name__}",
710
+ file_path=file_path,
711
+ section=section,
712
+ key=key
713
+ )
714
+
715
+ if isinstance(value, bool):
716
+ value = str(value).lower()
717
+ else:
718
+ value = str(value)
719
+
720
+ # 更新配置
721
+ config[section][key] = value
722
+
723
+ # 写入文件,保持原始格式
724
+ try:
725
+ file_path.parent.mkdir(parents=True, exist_ok=True)
726
+
727
+ with open(file_path, 'w', encoding=self.options.encoding) as file:
728
+ current_section = self.options.default_section
729
+ section_separators = {} # 用于存储每个section使用的分隔符
730
+
731
+ # 解析原始文件,提取格式信息
732
+ for line in original_lines:
733
+ stripped_line = line.strip()
734
+
735
+ if not stripped_line:
736
+ file.write(line) # 保持空行
737
+ continue
738
+
739
+ if stripped_line.startswith('[') and stripped_line.endswith(']'):
740
+ current_section = stripped_line[1:-1]
741
+ file.write(line) # 保持节标记的原始格式
742
+ continue
743
+
744
+ if self._is_comment_line(stripped_line):
745
+ file.write(line) # 保持注释的原始格式
746
+ continue
747
+
748
+ key_value = self._split_key_value(stripped_line)
749
+ if key_value:
750
+ orig_key, orig_value = key_value
751
+ # 检测使用的分隔符
752
+ for sep in self.options.separators:
753
+ if sep in line:
754
+ section_separators.setdefault(current_section, {})[orig_key] = sep
755
+ break
756
+
757
+ # 如果是当前要修改的键,则写入新值
758
+ if current_section == section and orig_key == key:
759
+ separator = section_separators.get(current_section, {}).get(orig_key, self.options.separators[0])
760
+ # 提取行尾注释
761
+ comment = ''
762
+ for style in self.options.comment_styles:
763
+ comment_match = re.search(fr'\s+{re.escape(style.value)}.*$', line)
764
+ if comment_match:
765
+ comment = comment_match.group(0)
766
+ break
767
+ # 写入新值并保留注释
768
+ file.write(f'{key}{separator}{value}{comment}\n')
769
+ else:
770
+ file.write(line) # 保持其他行的原始格式
771
+ else:
772
+ file.write(line) # 保持无法解析的行的原始格式
773
+
774
+ # 如果section不存在,则添加新的section
775
+ if section not in [line.strip()[1:-1] for line in original_lines if line.strip().startswith('[') and line.strip().endswith(']')]:
776
+ file.write(f'\n[{section}]\n')
777
+ file.write(f'{key}={value}\n')
778
+
779
+ self._clear_cache(str(file_path))
780
+
781
+ except Exception as e:
782
+ raise ConfigWriteError(file_path, e)
783
+
784
+ def _handle_json(self, content: str) -> Dict[str, Any]:
785
+ """处理 JSON 格式的配置"""
786
+ return json.loads(content)
787
+
788
+ def _handle_yaml(self, content: str) -> Dict[str, Any]:
789
+ """处理 YAML 格式的配置"""
790
+ return yaml.safe_load(content)
791
+
792
+ def _handle_toml(self, content: str) -> Dict[str, Any]:
793
+ """处理 TOML 格式的配置"""
794
+ return toml.loads(content)
795
+
796
+ def _validate_schema(self, config: Dict[str, Any]) -> None:
797
+ """验证配置是否符合模式定义"""
798
+ if not self.options.schema_validation or not self.options.schema:
799
+ return
800
+ try:
801
+ validate(instance=config, schema=self.options.schema)
802
+ except ValidationError as e:
803
+ raise ConfigValueError(
804
+ f"配置验证失败: {str(e)}",
805
+ file_path=self._current_file
806
+ )
807
+
808
+ def _encrypt_value(self, value: str) -> str:
809
+ """加密配置值"""
810
+ if not self._fernet:
811
+ return value
812
+ return base64.b64encode(self._fernet.encrypt(value.encode())).decode()
813
+
814
+ def _decrypt_value(self, value: str) -> str:
815
+ """解密配置值"""
816
+ if not self._fernet:
817
+ return value
818
+ try:
819
+ return self._fernet.decrypt(base64.b64decode(value)).decode()
820
+ except Exception:
821
+ return value
822
+
823
+ def _get_env_value(self, section: str, key: str) -> Optional[str]:
824
+ """从环境变量获取配置值"""
825
+ env_key = f"{self.options.env_prefix}{section}_{key}".upper()
826
+ return os.environ.get(env_key)
827
+
828
+ def _merge_configs(self, base_config: Dict[str, Any], override_config: Dict[str, Any]) -> Dict[str, Any]:
829
+ """合并配置,支持深度合并"""
830
+ result = base_config.copy()
831
+ for section, items in override_config.items():
832
+ if section not in result:
833
+ result[section] = {}
834
+ for key, value in items.items():
835
+ if isinstance(value, dict) and isinstance(result[section].get(key), dict):
836
+ result[section][key] = self._merge_configs(result[section][key], value)
837
+ else:
838
+ result[section][key] = value
839
+ return result
840
+
841
+ def _process_template(self, content: str) -> str:
842
+ """处理配置模板"""
843
+ template = self.options.template_loader.from_string(content)
844
+ return template.render(
845
+ **self.options.template_vars,
846
+ now=datetime.now,
847
+ env=os.environ
848
+ )
849
+
850
+ def watch(self, callback: Callable[[ConfigChangeEvent], None]) -> None:
851
+ """开始监视配置文件变化
852
+
853
+ Args:
854
+ callback: 配置变更回调函数
855
+ """
856
+ if not self.options.watch_changes:
857
+ return
858
+
859
+ self._change_callbacks.append(callback)
860
+
861
+ if self._observer is None:
862
+ self._observer = watchdog.observers.Observer()
863
+ self._change_handler = ConfigChangeHandler(self)
864
+
865
+ if self._current_file:
866
+ self._observer.schedule(
867
+ self._change_handler,
868
+ str(self._current_file.parent),
869
+ recursive=False
870
+ )
871
+
872
+ self._observer.start()
873
+
874
+ def watch_loop():
875
+ while not self._stop_watching.is_set():
876
+ try:
877
+ event = self._change_handler.event_queue.get(timeout=1)
878
+ if event.file_path == self._current_file:
879
+ self._clear_cache(str(event.file_path))
880
+ for callback in self._change_callbacks:
881
+ callback(event)
882
+ except queue.Empty:
883
+ continue
884
+
885
+ self._watch_thread = threading.Thread(target=watch_loop, daemon=True)
886
+ self._watch_thread.start()
887
+
888
+ def stop_watching(self) -> None:
889
+ """停止监视配置文件变化"""
890
+ if self._observer:
891
+ self._stop_watching.set()
892
+ self._observer.stop()
893
+ self._observer.join()
894
+ self._observer = None
895
+ self._change_handler = None
896
+ if self._watch_thread:
897
+ self._watch_thread.join()
898
+ self._watch_thread = None
899
+ self._change_callbacks.clear()
900
+
901
+ def read(self, file_path: Optional[Union[str, Path]] = None) -> Dict[str, Any]:
902
+ """读取配置文件内容,支持继承、环境变量覆盖和模板处理"""
903
+ if file_path is None:
904
+ self._ensure_file_open()
905
+ file_path = self._current_file
906
+ else:
907
+ file_path = Path(file_path)
908
+
909
+ # 检查缓存
910
+ cached_config = self._get_cached_config(str(file_path))
911
+ if cached_config is not None:
912
+ return cached_config
913
+
914
+ # 读取基础配置
915
+ base_config = {}
916
+ if self.options.inherit_from:
917
+ base_config = self.read(self.options.inherit_from)
918
+
919
+ if not file_path.exists():
920
+ if not self.options.auto_create:
921
+ raise ConfigFileNotFoundError(file_path)
922
+ logger.info(f'配置文件不存在,将创建: {file_path}')
923
+ file_path.parent.mkdir(parents=True, exist_ok=True)
924
+ file_path.touch()
925
+ return base_config
926
+
927
+ try:
928
+ with open(file_path, 'r', encoding=self.options.encoding) as file:
929
+ content = file.read()
930
+
931
+ # 处理模板
932
+ content = self._process_template(content)
933
+
934
+ # 根据文件扩展名选择处理器
935
+ suffix = file_path.suffix.lower()
936
+ if suffix in self._format_handlers:
937
+ config = self._format_handlers[suffix](content)
938
+ else:
939
+ # 默认使用 INI 格式处理
940
+ config = {}
941
+ current_section = self.options.default_section
942
+ section_comments = []
943
+
944
+ for line in content.splitlines():
945
+ stripped_line = line.strip()
946
+
947
+ if not stripped_line or self._is_comment_line(stripped_line):
948
+ if self.options.preserve_comments:
949
+ section_comments.append(line.rstrip())
950
+ continue
951
+
952
+ if stripped_line.startswith('[') and stripped_line.endswith(']'):
953
+ current_section = stripped_line[1:-1]
954
+ if not self._validate_key(current_section):
955
+ raise ConfigValueError(
956
+ f"无效的节名: {current_section}",
957
+ file_path=file_path,
958
+ section=current_section
959
+ )
960
+ self._update_section_map(str(file_path), current_section)
961
+ if current_section not in config:
962
+ config[current_section] = {}
963
+ if self.options.preserve_comments:
964
+ self._comments_cache.setdefault(str(file_path), {}).setdefault(current_section, []).extend(section_comments)
965
+ section_comments = []
966
+ continue
967
+
968
+ key_value = self._split_key_value(stripped_line)
969
+ if key_value:
970
+ key, value = key_value
971
+ if not self._validate_key(key):
972
+ raise ConfigValueError(
973
+ f"无效的键名: {key}",
974
+ file_path=file_path,
975
+ section=current_section,
976
+ key=key
977
+ )
978
+ value, comment = self._extract_comment(value)
979
+
980
+ if self.options.strip_values:
981
+ value = value.strip()
982
+
983
+ if current_section not in config:
984
+ config[current_section] = {}
985
+
986
+ # 检查是否是加密值
987
+ if value.startswith('ENC(') and value.endswith(')'):
988
+ value = self._decrypt_value(value[4:-1])
989
+
990
+ config[current_section][key] = value
991
+ if self.options.preserve_comments and comment:
992
+ self._comments_cache.setdefault(str(file_path), {}).setdefault(current_section, []).append(comment)
993
+
994
+ # 合并基础配置
995
+ config = self._merge_configs(base_config, config)
996
+
997
+ # 应用环境变量覆盖
998
+ if self.options.env_override:
999
+ for section in config:
1000
+ for key in config[section]:
1001
+ env_value = self._get_env_value(section, key)
1002
+ if env_value is not None:
1003
+ config[section][key] = env_value
1004
+
1005
+ self._validate_schema(config)
1006
+ self._update_cache(str(file_path), config)
1007
+ return config
1008
+
1009
+ except Exception as e:
1010
+ raise ConfigReadError(file_path, e)
1011
+
1012
+ def write(self, config: Dict[str, Any], file_path: Optional[Union[str, Path]] = None,
1013
+ format: Optional[str] = None, encrypt_values: bool = False) -> None:
1014
+ """写入配置到文件,支持加密敏感值"""
1015
+ if file_path is None:
1016
+ self._ensure_file_open()
1017
+ file_path = self._current_file
1018
+ else:
1019
+ file_path = Path(file_path)
1020
+
1021
+ self._validate_schema(config)
1022
+
1023
+ try:
1024
+ file_path.parent.mkdir(parents=True, exist_ok=True)
1025
+
1026
+ if format is None:
1027
+ format = file_path.suffix.lower()[1:]
1028
+
1029
+ # 处理需要加密的值
1030
+ if encrypt_values and self._fernet:
1031
+ for section in config:
1032
+ for key, value in config[section].items():
1033
+ if isinstance(value, str) and any(sensitive in key.lower() for sensitive in ['password', 'secret', 'key', 'token']):
1034
+ config[section][key] = f"ENC({self._encrypt_value(value)})"
1035
+
1036
+ with open(file_path, 'w', encoding=self.options.encoding) as file:
1037
+ if format == 'json':
1038
+ json.dump(config, file, indent=2, ensure_ascii=False)
1039
+ elif format == 'yaml':
1040
+ yaml.dump(config, file, allow_unicode=True)
1041
+ elif format == 'toml':
1042
+ toml.dump(config, file)
1043
+ else: # 默认使用 INI 格式
1044
+ for section, items in config.items():
1045
+ file.write(f'[{section}]\n')
1046
+ for key, value in items.items():
1047
+ file.write(f'{key} = {value}\n')
1048
+ file.write('\n')
1049
+
1050
+ self._clear_cache(str(file_path))
1051
+
1052
+ except Exception as e:
1053
+ raise ConfigWriteError(file_path, e)
1054
+
1055
+ def __del__(self):
1056
+ """析构函数,确保停止监视"""
1057
+ self.stop_watching()
1058
+
1059
+
1060
+ def main() -> None:
1061
+ """配置解析器使用示例"""
1062
+
1063
+ # 示例1:基本使用
1064
+ print("\n=== 示例1:基本使用 ===")
1065
+ config_file = Path('/Users/xigua/spd.txt')
1066
+
1067
+ with ConfigParser() as parser:
1068
+ parser.open(config_file)
1069
+ host, port, username, password = parser.get_section_values(
1070
+ keys=['host', 'port', 'username', 'password'],
1071
+ section='mysql'
1072
+ )
1073
+ print("基本配置:", host, port, username, password)
1074
+
1075
+ # 示例2:使用JSON Schema验证
1076
+ print("\n=== 示例2:使用JSON Schema验证 ===")
1077
+ schema = {
1078
+ "type": "object",
1079
+ "properties": {
1080
+ "database": {
1081
+ "type": "object",
1082
+ "required": ["host", "port", "username", "password"],
1083
+ "properties": {
1084
+ "host": {"type": "string"},
1085
+ "port": {"type": "integer"},
1086
+ "username": {"type": "string"},
1087
+ "password": {"type": "string"}
1088
+ }
1089
+ }
1090
+ }
1091
+ }
1092
+
1093
+ options = ConfigOptions(
1094
+ schema_validation=True,
1095
+ schema=schema
1096
+ )
1097
+
1098
+ with ConfigParser(options) as parser:
1099
+ try:
1100
+ config = parser.read(config_file)
1101
+ print("配置验证通过")
1102
+ except ConfigValueError as e:
1103
+ print(f"配置验证失败: {e}")
1104
+
1105
+ # 示例3:使用环境变量
1106
+ print("\n=== 示例3:使用环境变量 ===")
1107
+ os.environ['CONFIG_MYSQL_HOST'] = 'env_host'
1108
+ os.environ['CONFIG_MYSQL_PORT'] = '3307'
1109
+
1110
+ options = ConfigOptions(
1111
+ env_prefix='CONFIG_',
1112
+ env_override=True
1113
+ )
1114
+
1115
+ with ConfigParser(options) as parser:
1116
+ config = parser.read(config_file)
1117
+ print("环境变量覆盖后的配置:", config['mysql'])
1118
+
1119
+ # 示例4:配置继承
1120
+ print("\n=== 示例4:配置继承 ===")
1121
+ base_config = Path('/Users/xigua/base_config.ini')
1122
+ child_config = Path('/Users/xigua/child_config.ini')
1123
+
1124
+ # 创建基础配置
1125
+ with ConfigParser() as parser:
1126
+ parser.write({
1127
+ 'database': {
1128
+ 'host': 'base_host',
1129
+ 'port': '3306',
1130
+ 'username': 'base_user'
1131
+ }
1132
+ }, base_config)
1133
+
1134
+ # 创建子配置
1135
+ options = ConfigOptions(inherit_from=base_config)
1136
+ with ConfigParser(options) as parser:
1137
+ parser.write({
1138
+ 'database': {
1139
+ 'host': 'child_host',
1140
+ 'password': 'child_pass'
1141
+ }
1142
+ }, child_config)
1143
+
1144
+ # 读取子配置
1145
+ config = parser.read(child_config)
1146
+ print("继承后的配置:", config['database'])
1147
+
1148
+ # 示例5:配置加密
1149
+ print("\n=== 示例5:配置加密 ===")
1150
+ encryption_key = Fernet.generate_key()
1151
+ options = ConfigOptions(encryption_key=encryption_key)
1152
+
1153
+ with ConfigParser(options) as parser:
1154
+ # 写入加密配置
1155
+ parser.write({
1156
+ 'database': {
1157
+ 'host': 'localhost',
1158
+ 'port': '3306',
1159
+ 'username': 'admin',
1160
+ 'password': 'secret123'
1161
+ }
1162
+ }, config_file, encrypt_values=True)
1163
+
1164
+ # 读取加密配置
1165
+ config = parser.read(config_file)
1166
+ print("解密后的配置:", config['database'])
1167
+
1168
+ # 示例6:配置模板
1169
+ print("\n=== 示例6:配置模板 ===")
1170
+ template_content = """
1171
+ [database]
1172
+ host = {{ env.DATABASE_HOST | default('localhost') }}
1173
+ port = {{ env.DATABASE_PORT | default(3306) }}
1174
+ username = {{ env.DATABASE_USER | default('root') }}
1175
+ password = {{ env.DATABASE_PASS | default('password') }}
1176
+
1177
+ [app]
1178
+ name = {{ app_name }}
1179
+ version = {{ version }}
1180
+ debug = {{ debug | default(false) }}
1181
+ """
1182
+
1183
+ options = ConfigOptions(
1184
+ template_vars={
1185
+ 'app_name': 'MyApp',
1186
+ 'version': '1.0.0',
1187
+ 'debug': True
1188
+ }
1189
+ )
1190
+
1191
+ with ConfigParser(options) as parser:
1192
+ # 写入模板配置
1193
+ with open(config_file, 'w') as f:
1194
+ f.write(template_content)
1195
+
1196
+ # 读取处理后的配置
1197
+ config = parser.read(config_file)
1198
+ print("模板处理后的配置:", config)
1199
+
1200
+ # 示例7:配置监听
1201
+ print("\n=== 示例7:配置监听 ===")
1202
+ options = ConfigOptions(watch_changes=True)
1203
+
1204
+ def on_config_change(event):
1205
+ print(f"配置已更新: {event.file_path}")
1206
+ print(f"事件类型: {event.event_type}")
1207
+ print(f"时间戳: {event.timestamp}")
1208
+
1209
+ with ConfigParser(options) as parser:
1210
+ parser.open(config_file)
1211
+ parser.watch(on_config_change)
1212
+
1213
+ # 模拟配置更新
1214
+ time.sleep(1)
1215
+ with open(config_file, 'a') as f:
1216
+ f.write("\n[new_section]\nkey = value\n")
1217
+
1218
+ # 等待事件处理
1219
+ time.sleep(2)
1220
+ parser.stop_watching()
1221
+
1222
+ # 示例8:多格式支持
1223
+ print("\n=== 示例8:多格式支持 ===")
1224
+ config_data = {
1225
+ 'database': {
1226
+ 'host': 'localhost',
1227
+ 'port': 3306,
1228
+ 'username': 'admin',
1229
+ 'password': 'secret123'
1230
+ }
1231
+ }
1232
+
1233
+ with ConfigParser() as parser:
1234
+ # 写入不同格式
1235
+ formats = ['json', 'yaml', 'toml', 'ini']
1236
+ for fmt in formats:
1237
+ file_path = config_file.with_suffix(f'.{fmt}')
1238
+ parser.write(config_data, file_path, format=fmt)
1239
+ print(f"\n{fmt.upper()} 格式配置:")
1240
+ print(parser.read(file_path))
1241
+
1242
+ # 示例9:自定义格式处理器
1243
+ print("\n=== 示例9:自定义格式处理器 ===")
1244
+ def handle_custom(content: str) -> Dict[str, Any]:
1245
+ """自定义格式处理器示例"""
1246
+ result = {}
1247
+ for line in content.splitlines():
1248
+ if ':' in line:
1249
+ key, value = line.split(':', 1)
1250
+ result[key.strip()] = value.strip()
1251
+ return result
1252
+
1253
+ options = ConfigOptions(
1254
+ format_handlers={'custom': handle_custom}
1255
+ )
1256
+
1257
+ with ConfigParser(options) as parser:
1258
+ # 写入自定义格式
1259
+ custom_content = """
1260
+ host: localhost
1261
+ port: 3306
1262
+ username: admin
1263
+ password: secret123
1264
+ """
1265
+
1266
+ custom_file = config_file.with_suffix('.custom')
1267
+ with open(custom_file, 'w') as f:
1268
+ f.write(custom_content)
1269
+
1270
+ # 读取自定义格式
1271
+ config = parser.read(custom_file)
1272
+ print("自定义格式配置:", config)
1273
+
1274
+ # 清理测试文件
1275
+ for fmt in ['json', 'yaml', 'toml', 'ini', 'custom']:
1276
+ test_file = config_file.with_suffix(f'.{fmt}')
1277
+ if test_file.exists():
1278
+ test_file.unlink()
1279
+
1280
+ if base_config.exists():
1281
+ base_config.unlink()
1282
+ if child_config.exists():
1283
+ child_config.unlink()
1284
+
1285
+
1286
+ if __name__ == '__main__':
1287
+ main()
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.2
2
2
  Name: mdbq
3
- Version: 4.0.20
3
+ Version: 4.0.21
4
4
  Home-page: https://pypi.org/project/mdbq
5
5
  Author: xigua,
6
6
  Author-email: 2587125111@qq.com
@@ -1,11 +1,12 @@
1
1
  mdbq/__init__.py,sha256=Il5Q9ATdX8yXqVxtP_nYqUhExzxPC_qk_WXQ_4h0exg,16
2
- mdbq/__version__.py,sha256=2_Tx53GBfnnJzmDzB81c4Jry-LixArz74S_JkjPRjog,18
2
+ mdbq/__version__.py,sha256=POcSq32A6Q7oc-1rHdGErwirhk3WzNRY2_p6GmzXs2k,18
3
3
  mdbq/aggregation/__init__.py,sha256=EeDqX2Aml6SPx8363J-v1lz0EcZtgwIBYyCJV6CcEDU,40
4
4
  mdbq/aggregation/query_data.py,sha256=hdaB0vPh5BcTu9kLViRvM7OAE0b07D4jzAIipqxGI-I,166757
5
5
  mdbq/log/__init__.py,sha256=Mpbrav0s0ifLL7lVDAuePEi1hJKiSHhxcv1byBKDl5E,15
6
6
  mdbq/log/mylogger.py,sha256=9w_o5mYB3FooIxobq_lSa6oCYTKIhPxDFox-jeLtUHI,21714
7
7
  mdbq/myconf/__init__.py,sha256=jso1oHcy6cJEfa7udS_9uO5X6kZLoPBF8l3wCYmr5dM,18
8
8
  mdbq/myconf/myconf.py,sha256=39tLUBVlWQZzQfrwk7YoLEfipo11fpwWjaLBHcUt2qM,33341
9
+ mdbq/myconf/myconf2.py,sha256=m9c_12hCuO93vhOGTArl8DUFbOawC34qLddnfI0Ho50,50110
9
10
  mdbq/mysql/__init__.py,sha256=A_DPJyAoEvTSFojiI2e94zP0FKtCkkwKP1kYUCSyQzo,11
10
11
  mdbq/mysql/deduplicator.py,sha256=kAnkI_vnN8CchgDQAFzeh0M0vLXE2oWq9SfDPNZZ3v0,73215
11
12
  mdbq/mysql/mysql.py,sha256=pDg771xBugCMSTWeskIFTi3pFLgaqgyG3smzf-86Wn8,56772
@@ -24,7 +25,7 @@ mdbq/redis/__init__.py,sha256=YtgBlVSMDphtpwYX248wGge1x-Ex_mMufz4-8W0XRmA,12
24
25
  mdbq/redis/getredis.py,sha256=vpBuNc22uj9Vr-_Dh25_wpwWM1e-072EAAIBdB_IpL0,23494
25
26
  mdbq/spider/__init__.py,sha256=RBMFXGy_jd1HXZhngB2T2XTvJqki8P_Fr-pBcwijnew,18
26
27
  mdbq/spider/aikucun.py,sha256=juOqpr_dHeE1RyjCu67VcpzoJAWMO7FKv0i8KiH8WUo,21552
27
- mdbq-4.0.20.dist-info/METADATA,sha256=aDXK4VXae76Fg08uX0zSCaaxuxCYJyculQvJXHYOJco,364
28
- mdbq-4.0.20.dist-info/WHEEL,sha256=jB7zZ3N9hIM9adW7qlTAyycLYW9npaWKLRzaoVcLKcM,91
29
- mdbq-4.0.20.dist-info/top_level.txt,sha256=2FQ-uLnCSB-OwFiWntzmwosW3X2Xqsg0ewh1axsaylA,5
30
- mdbq-4.0.20.dist-info/RECORD,,
28
+ mdbq-4.0.21.dist-info/METADATA,sha256=yGoEmdb_8T9J-IZkRJeAq3Ka9-m-PsK2XQ5oX_Yxi3Q,364
29
+ mdbq-4.0.21.dist-info/WHEEL,sha256=jB7zZ3N9hIM9adW7qlTAyycLYW9npaWKLRzaoVcLKcM,91
30
+ mdbq-4.0.21.dist-info/top_level.txt,sha256=2FQ-uLnCSB-OwFiWntzmwosW3X2Xqsg0ewh1axsaylA,5
31
+ mdbq-4.0.21.dist-info/RECORD,,
File without changes