lazyopencode 0.2.0__py3-none-any.whl → 0.2.2__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.
lazyopencode/_version.py CHANGED
@@ -28,7 +28,7 @@ version_tuple: VERSION_TUPLE
28
28
  commit_id: COMMIT_ID
29
29
  __commit_id__: COMMIT_ID
30
30
 
31
- __version__ = version = '0.2.0'
32
- __version_tuple__ = version_tuple = (0, 2, 0)
31
+ __version__ = version = '0.2.2'
32
+ __version_tuple__ = version_tuple = (0, 2, 2)
33
33
 
34
34
  __commit_id__ = commit_id = None
lazyopencode/app.py CHANGED
@@ -24,6 +24,7 @@ from lazyopencode.services.discovery import ConfigDiscoveryService
24
24
  from lazyopencode.themes import CUSTOM_THEMES
25
25
  from lazyopencode.widgets.app_footer import AppFooter
26
26
  from lazyopencode.widgets.combined_panel import CombinedPanel
27
+ from lazyopencode.widgets.delete_confirm import DeleteConfirm
27
28
  from lazyopencode.widgets.detail_pane import MainPane
28
29
  from lazyopencode.widgets.filter_input import FilterInput
29
30
  from lazyopencode.widgets.level_selector import LevelSelector
@@ -65,6 +66,7 @@ class LazyOpenCode(App, NavigationMixin, FilteringMixin, HelpMixin):
65
66
  self._filter_input: FilterInput | None = None
66
67
  self._app_footer: AppFooter | None = None
67
68
  self._level_selector: LevelSelector | None = None
69
+ self._delete_confirm: DeleteConfirm | None = None
68
70
  self._last_focused_panel: TypePanel | CombinedPanel | None = None
69
71
  self._pending_customization: Customization | None = None
70
72
 
@@ -114,6 +116,9 @@ class LazyOpenCode(App, NavigationMixin, FilteringMixin, HelpMixin):
114
116
  self._level_selector = LevelSelector(id="level-selector")
115
117
  yield self._level_selector
116
118
 
119
+ self._delete_confirm = DeleteConfirm(id="delete-confirm")
120
+ yield self._delete_confirm
121
+
117
122
  self._app_footer = AppFooter(id="app-footer")
118
123
  yield self._app_footer
119
124
 
@@ -181,6 +186,7 @@ class LazyOpenCode(App, NavigationMixin, FilteringMixin, HelpMixin):
181
186
  """Handle selection change in a type panel."""
182
187
  if self._main_pane:
183
188
  self._main_pane.customization = message.customization
189
+ self._update_footer_can_delete(message.customization)
184
190
 
185
191
  def on_type_panel_drill_down(self, message: TypePanel.DrillDown) -> None:
186
192
  """Handle drill down into a customization."""
@@ -202,6 +208,7 @@ class LazyOpenCode(App, NavigationMixin, FilteringMixin, HelpMixin):
202
208
  """Handle selection change in the combined panel."""
203
209
  if self._main_pane:
204
210
  self._main_pane.customization = message.customization
211
+ self._update_footer_can_delete(message.customization)
205
212
 
206
213
  def on_combined_panel_drill_down(self, message: CombinedPanel.DrillDown) -> None:
207
214
  """Handle drill down from the combined panel."""
@@ -267,7 +274,6 @@ class LazyOpenCode(App, NavigationMixin, FilteringMixin, HelpMixin):
267
274
  """Refresh customizations from disk."""
268
275
  self._discovery_service.refresh()
269
276
  self._load_customizations()
270
- self.notify("Refreshed", severity="information")
271
277
 
272
278
  # action_toggle_help handled by HelpMixin
273
279
 
@@ -421,6 +427,63 @@ class LazyOpenCode(App, NavigationMixin, FilteringMixin, HelpMixin):
421
427
  elif self._panels:
422
428
  self._panels[0].focus()
423
429
 
430
+ def _update_footer_can_delete(self, customization: Customization | None) -> None:
431
+ """Update footer delete indicator based on current selection."""
432
+ if self._app_footer:
433
+ self._app_footer.can_delete = (
434
+ customization is not None and customization.is_deletable()
435
+ )
436
+
437
+ # Delete actions
438
+
439
+ def action_delete_customization(self) -> None:
440
+ """Delete selected customization."""
441
+ panel = self._get_focused_panel()
442
+ customization = panel.selected_customization if panel else None
443
+
444
+ if not customization:
445
+ self.notify("No customization selected", severity="warning")
446
+ return
447
+
448
+ if not customization.is_deletable():
449
+ self.notify(
450
+ f"Cannot delete {customization.type_label} customizations",
451
+ severity="warning",
452
+ )
453
+ return
454
+
455
+ self._last_focused_panel = panel
456
+ if self._delete_confirm:
457
+ self._delete_confirm.show(customization)
458
+
459
+ def on_delete_confirm_delete_confirmed(
460
+ self, message: DeleteConfirm.DeleteConfirmed
461
+ ) -> None:
462
+ """Handle delete confirmation."""
463
+ from lazyopencode.services.writer import CustomizationWriter
464
+
465
+ writer = CustomizationWriter(
466
+ global_config_path=self._discovery_service.global_config_path,
467
+ project_config_path=self._discovery_service.project_config_path,
468
+ )
469
+
470
+ success, msg = writer.delete_customization(message.customization)
471
+
472
+ if success:
473
+ self.notify(msg, severity="information")
474
+ self.action_refresh()
475
+ else:
476
+ self.notify(msg, severity="error")
477
+
478
+ self._restore_focus_after_selector()
479
+
480
+ def on_delete_confirm_delete_cancelled(
481
+ self,
482
+ message: DeleteConfirm.DeleteCancelled, # noqa: ARG002
483
+ ) -> None:
484
+ """Handle delete cancellation."""
485
+ self._restore_focus_after_selector()
486
+
424
487
 
425
488
  def create_app(
426
489
  project_root: Path | None = None,
lazyopencode/bindings.py CHANGED
@@ -8,6 +8,7 @@ APP_BINDINGS: list[BindingType] = [
8
8
  Binding("r", "refresh", "Refresh"),
9
9
  Binding("e", "open_in_editor", "Edit"),
10
10
  Binding("c", "copy_customization", "Copy"),
11
+ Binding("d", "delete_customization", "Delete"),
11
12
  Binding("C", "copy_path_to_clipboard", "Copy Path", key_display="shift+c"),
12
13
  Binding("ctrl+u", "open_user_config", "User Config"),
13
14
  Binding("tab", "focus_next_panel", "Next Panel", show=False),
@@ -149,3 +149,14 @@ class Customization:
149
149
  return [ConfigLevel.PROJECT]
150
150
  else:
151
151
  return [ConfigLevel.GLOBAL]
152
+
153
+ def is_deletable(self) -> bool:
154
+ """Check if this customization can be deleted."""
155
+ if self.source != ConfigSource.OPENCODE:
156
+ return False
157
+ deletable_types = (
158
+ CustomizationType.COMMAND,
159
+ CustomizationType.AGENT,
160
+ CustomizationType.SKILL,
161
+ )
162
+ return self.type in deletable_types
@@ -73,6 +73,19 @@ class ConfigDiscoveryService:
73
73
  """Path to project's .opencode directory."""
74
74
  return self.project_root / ".opencode"
75
75
 
76
+ def _get_path_variants(self, base_path: Path, singular: str) -> list[Path]:
77
+ """Return both singular and plural path variants that exist.
78
+
79
+ Args:
80
+ base_path: Base directory to check
81
+ singular: Singular form of folder name (e.g., 'command')
82
+
83
+ Returns:
84
+ List of existing paths (both singular and plural if they exist)
85
+ """
86
+ variants = [base_path / singular, base_path / f"{singular}s"]
87
+ return [p for p in variants if p.exists()]
88
+
76
89
  def discover_all(self) -> list[Customization]:
77
90
  """
78
91
  Discover all customizations from global and project levels.
@@ -152,16 +165,13 @@ class ConfigDiscoveryService:
152
165
  self, base_path: Path, level: ConfigLevel
153
166
  ) -> list[Customization]:
154
167
  """Discover command customizations."""
155
- commands_path = base_path / "command"
156
- if not commands_path.exists():
157
- return []
158
-
159
168
  customizations = []
160
169
  parser = self._parsers[CustomizationType.COMMAND]
161
170
 
162
- for md_file in commands_path.glob("*.md"):
163
- if parser.can_parse(md_file):
164
- customizations.append(parser.parse(md_file, level))
171
+ for commands_path in self._get_path_variants(base_path, "command"):
172
+ for md_file in commands_path.glob("*.md"):
173
+ if parser.can_parse(md_file):
174
+ customizations.append(parser.parse(md_file, level))
165
175
 
166
176
  return customizations
167
177
 
@@ -182,16 +192,13 @@ class ConfigDiscoveryService:
182
192
  self, base_path: Path, level: ConfigLevel
183
193
  ) -> list[Customization]:
184
194
  """Discover agent customizations."""
185
- agents_path = base_path / "agent"
186
- if not agents_path.exists():
187
- return []
188
-
189
195
  customizations = []
190
196
  parser = self._parsers[CustomizationType.AGENT]
191
197
 
192
- for md_file in agents_path.glob("*.md"):
193
- if parser.can_parse(md_file):
194
- customizations.append(parser.parse(md_file, level))
198
+ for agents_path in self._get_path_variants(base_path, "agent"):
199
+ for md_file in agents_path.glob("*.md"):
200
+ if parser.can_parse(md_file):
201
+ customizations.append(parser.parse(md_file, level))
195
202
 
196
203
  return customizations
197
204
 
@@ -211,37 +218,28 @@ class ConfigDiscoveryService:
211
218
  def _discover_skills(
212
219
  self, base_path: Path, level: ConfigLevel
213
220
  ) -> list[Customization]:
214
- """Discover skill customizations from .opencode/skill/."""
221
+ """Discover skill customizations from .opencode/skill/ or skills/."""
215
222
  customizations = []
223
+ parser = self._parsers[CustomizationType.SKILL]
216
224
 
217
- # Discover from standard OpenCode path
218
- skills_path = base_path / "skill"
219
- customizations.extend(self._discover_skills_from_path(skills_path, level))
225
+ # Check both singular and plural variants
226
+ for skills_path in self._get_path_variants(base_path, "skill"):
227
+ for skill_dir in skills_path.iterdir():
228
+ if skill_dir.is_dir():
229
+ skill_file = skill_dir / "SKILL.md"
230
+ if parser.can_parse(skill_file):
231
+ customizations.append(parser.parse(skill_file, level))
220
232
 
221
233
  # Also discover from Claude-compatible path at project level
222
234
  if level == ConfigLevel.PROJECT:
223
- claude_skills_path = self.project_root / ".claude" / "skills"
224
- customizations.extend(
225
- self._discover_skills_from_path(claude_skills_path, level)
226
- )
227
-
228
- return customizations
229
-
230
- def _discover_skills_from_path(
231
- self, skills_path: Path, level: ConfigLevel
232
- ) -> list[Customization]:
233
- """Discover skills from a specific directory path."""
234
- if not skills_path.exists():
235
- return []
236
-
237
- customizations = []
238
- parser = self._parsers[CustomizationType.SKILL]
239
-
240
- for skill_dir in skills_path.iterdir():
241
- if skill_dir.is_dir():
242
- skill_file = skill_dir / "SKILL.md"
243
- if parser.can_parse(skill_file):
244
- customizations.append(parser.parse(skill_file, level))
235
+ for claude_skills_path in self._get_path_variants(
236
+ self.project_root / ".claude", "skill"
237
+ ):
238
+ for skill_dir in claude_skills_path.iterdir():
239
+ if skill_dir.is_dir():
240
+ skill_file = skill_dir / "SKILL.md"
241
+ if parser.can_parse(skill_file):
242
+ customizations.append(parser.parse(skill_file, level))
245
243
 
246
244
  return customizations
247
245
 
@@ -278,16 +276,13 @@ class ConfigDiscoveryService:
278
276
  self, base_path: Path, level: ConfigLevel
279
277
  ) -> list[Customization]:
280
278
  """Discover tool customizations from .opencode/tool/."""
281
- tools_path = base_path / "tool"
282
- if not tools_path.exists():
283
- return []
284
-
285
279
  customizations = []
286
280
  parser = self._parsers[CustomizationType.TOOL]
287
281
 
288
- for tool_file in tools_path.iterdir():
289
- if tool_file.is_file() and parser.can_parse(tool_file):
290
- customizations.append(parser.parse(tool_file, level))
282
+ for tools_path in self._get_path_variants(base_path, "tool"):
283
+ for tool_file in tools_path.iterdir():
284
+ if tool_file.is_file() and parser.can_parse(tool_file):
285
+ customizations.append(parser.parse(tool_file, level))
291
286
 
292
287
  return customizations
293
288
 
@@ -295,16 +290,13 @@ class ConfigDiscoveryService:
295
290
  self, base_path: Path, level: ConfigLevel
296
291
  ) -> list[Customization]:
297
292
  """Discover plugin customizations from .opencode/plugin/."""
298
- plugins_path = base_path / "plugin"
299
- if not plugins_path.exists():
300
- return []
301
-
302
293
  customizations = []
303
294
  parser = self._parsers[CustomizationType.PLUGIN]
304
295
 
305
- for plugin_file in plugins_path.iterdir():
306
- if plugin_file.is_file() and parser.can_parse(plugin_file):
307
- customizations.append(parser.parse(plugin_file, level))
296
+ for plugins_path in self._get_path_variants(base_path, "plugin"):
297
+ for plugin_file in plugins_path.iterdir():
298
+ if plugin_file.is_file() and parser.can_parse(plugin_file):
299
+ customizations.append(parser.parse(plugin_file, level))
308
300
 
309
301
  return customizations
310
302
 
@@ -23,7 +23,11 @@ class AgentParser(ICustomizationParser):
23
23
 
24
24
  def can_parse(self, path: Path) -> bool:
25
25
  """Check if path is an agent markdown file."""
26
- return path.is_file() and path.suffix == ".md" and path.parent.name == "agent"
26
+ return (
27
+ path.is_file()
28
+ and path.suffix == ".md"
29
+ and path.parent.name in ("agent", "agents")
30
+ )
27
31
 
28
32
  def parse(self, path: Path, level: ConfigLevel) -> Customization:
29
33
  """Parse agent file."""
@@ -23,7 +23,11 @@ class CommandParser(ICustomizationParser):
23
23
 
24
24
  def can_parse(self, path: Path) -> bool:
25
25
  """Check if path is a command markdown file."""
26
- return path.is_file() and path.suffix == ".md" and path.parent.name == "command"
26
+ return (
27
+ path.is_file()
28
+ and path.suffix == ".md"
29
+ and path.parent.name in ("command", "commands")
30
+ )
27
31
 
28
32
  def parse(self, path: Path, level: ConfigLevel) -> Customization:
29
33
  """Parse command file."""
@@ -32,7 +32,7 @@ class PluginParser(ICustomizationParser):
32
32
  return (
33
33
  path.is_file()
34
34
  and path.suffix in self.VALID_EXTENSIONS
35
- and path.parent.name == "plugin"
35
+ and path.parent.name in ("plugin", "plugins")
36
36
  )
37
37
 
38
38
  def parse(self, path: Path, level: ConfigLevel) -> Customization:
@@ -92,10 +92,11 @@ class SkillParser(ICustomizationParser):
92
92
 
93
93
  def can_parse(self, path: Path) -> bool:
94
94
  """Check if path is a SKILL.md file in a skill directory."""
95
+ parent_dir_name = path.parent.parent.name
95
96
  return (
96
97
  path.is_file()
97
98
  and path.name == "SKILL.md"
98
- and path.parent.parent.name == "skill"
99
+ and parent_dir_name in ("skill", "skills")
99
100
  )
100
101
 
101
102
  def parse(self, path: Path, level: ConfigLevel) -> Customization:
@@ -24,7 +24,7 @@ class ToolParser(ICustomizationParser):
24
24
  return (
25
25
  path.is_file()
26
26
  and path.suffix in self.VALID_EXTENSIONS
27
- and path.parent.name == "tool"
27
+ and path.parent.name in ("tool", "tools")
28
28
  )
29
29
 
30
30
  def parse(self, path: Path, level: ConfigLevel) -> Customization:
@@ -117,3 +117,31 @@ class CustomizationWriter:
117
117
  target_dir,
118
118
  dirs_exist_ok=False,
119
119
  )
120
+
121
+ def delete_customization(
122
+ self,
123
+ customization: Customization,
124
+ ) -> tuple[bool, str]:
125
+ """
126
+ Delete customization from disk.
127
+
128
+ Args:
129
+ customization: The customization to delete
130
+
131
+ Returns:
132
+ Tuple of (success: bool, message: str)
133
+ """
134
+ try:
135
+ if customization.type == CustomizationType.SKILL:
136
+ shutil.rmtree(customization.path.parent)
137
+ else:
138
+ customization.path.unlink()
139
+
140
+ return (True, f"Deleted '{customization.name}'")
141
+
142
+ except PermissionError as e:
143
+ return (False, f"Permission denied deleting {e.filename}")
144
+ except FileNotFoundError:
145
+ return (False, f"File not found: {customization.path}")
146
+ except OSError as e:
147
+ return (False, f"Failed to delete '{customization.name}': {e}")
@@ -26,6 +26,7 @@ class AppFooter(Widget):
26
26
 
27
27
  filter_level: reactive[str] = reactive("All")
28
28
  search_active: reactive[bool] = reactive(False)
29
+ can_delete: reactive[bool] = reactive(False)
29
30
 
30
31
  def compose(self) -> ComposeResult:
31
32
  """Compose the footer content."""
@@ -42,9 +43,11 @@ class AppFooter(Widget):
42
43
  )
43
44
  search_key = format_keybinding("/", "Search", active=self.search_active)
44
45
 
46
+ delete_part = " [bold]d[/] Delete" if self.can_delete else ""
47
+
45
48
  return (
46
49
  f"[bold]q[/] Quit [bold]?[/] Help [bold]r[/] Refresh "
47
- f"[bold]e[/] Edit [bold]c[/] Copy "
50
+ f"[bold]e[/] Edit [bold]c[/] Copy{delete_part} "
48
51
  f"{all_key} {user_key} {project_key} "
49
52
  f"{search_key} │ [bold][$accent]^p[/][/] Palette"
50
53
  )
@@ -69,3 +72,7 @@ class AppFooter(Widget):
69
72
  def watch_search_active(self, _active: bool) -> None:
70
73
  """React to search active changes."""
71
74
  self._update_content()
75
+
76
+ def watch_can_delete(self, _can: bool) -> None:
77
+ """React to can_delete changes."""
78
+ self._update_content()
@@ -0,0 +1,115 @@
1
+ """Confirmation widget for delete operations."""
2
+
3
+ from textual.app import ComposeResult
4
+ from textual.binding import Binding
5
+ from textual.message import Message
6
+ from textual.widget import Widget
7
+ from textual.widgets import Static
8
+
9
+ from lazyopencode.models.customization import Customization
10
+
11
+
12
+ class DeleteConfirm(Widget):
13
+ """Bottom bar for confirming delete operations."""
14
+
15
+ BINDINGS = [
16
+ Binding("y", "confirm", "Yes", show=False),
17
+ Binding("n", "deny", "No", show=False),
18
+ Binding("escape", "cancel", "Cancel", show=False),
19
+ ]
20
+
21
+ DEFAULT_CSS = """
22
+ DeleteConfirm {
23
+ dock: bottom;
24
+ height: 4;
25
+ border: solid $error;
26
+ padding: 0 1;
27
+ margin-bottom: 1;
28
+ display: none;
29
+ background: $surface;
30
+ }
31
+
32
+ DeleteConfirm.visible {
33
+ display: block;
34
+ }
35
+
36
+ DeleteConfirm:focus {
37
+ border: double $error;
38
+ }
39
+
40
+ DeleteConfirm #prompt {
41
+ width: 100%;
42
+ text-align: center;
43
+ }
44
+ """
45
+
46
+ can_focus = True
47
+
48
+ class DeleteConfirmed(Message):
49
+ """Emitted when delete is confirmed."""
50
+
51
+ def __init__(self, customization: Customization) -> None:
52
+ self.customization = customization
53
+ super().__init__()
54
+
55
+ class DeleteCancelled(Message):
56
+ """Emitted when delete is cancelled."""
57
+
58
+ pass
59
+
60
+ def __init__(
61
+ self,
62
+ name: str | None = None,
63
+ id: str | None = None,
64
+ classes: str | None = None,
65
+ ) -> None:
66
+ """Initialize DeleteConfirm."""
67
+ super().__init__(name=name, id=id, classes=classes)
68
+ self._customization: Customization | None = None
69
+
70
+ def compose(self) -> ComposeResult:
71
+ """Compose the confirmation bar."""
72
+ yield Static("", id="prompt")
73
+
74
+ def show(self, customization: Customization) -> None:
75
+ """Show the confirmation bar and focus it."""
76
+ self._customization = customization
77
+ self._update_prompt(customization)
78
+ self.add_class("visible")
79
+ self.focus()
80
+
81
+ def hide(self) -> None:
82
+ """Hide the confirmation bar."""
83
+ self.remove_class("visible")
84
+ self._customization = None
85
+
86
+ def _update_prompt(self, customization: Customization) -> None:
87
+ """Update the prompt text."""
88
+ prompt_widget = self.query_one("#prompt", Static)
89
+ error_color = self.app.get_css_variables().get("error", "red")
90
+ prompt_widget.update(
91
+ f'Delete [{error_color}]"{customization.name}"[/] ({customization.type_label})?\n'
92
+ "\\[y] Yes \\[n] No \\[Esc] Cancel"
93
+ )
94
+
95
+ def action_confirm(self) -> None:
96
+ """Confirm the delete."""
97
+ if self._customization:
98
+ customization = self._customization
99
+ self.hide()
100
+ self.post_message(self.DeleteConfirmed(customization))
101
+
102
+ def action_deny(self) -> None:
103
+ """Deny the delete."""
104
+ self.hide()
105
+ self.post_message(self.DeleteCancelled())
106
+
107
+ def action_cancel(self) -> None:
108
+ """Cancel the delete."""
109
+ self.hide()
110
+ self.post_message(self.DeleteCancelled())
111
+
112
+ @property
113
+ def is_visible(self) -> bool:
114
+ """Check if the confirmation bar is visible."""
115
+ return self.has_class("visible")
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: lazyopencode
3
- Version: 0.2.0
3
+ Version: 0.2.2
4
4
  Summary: A lazygit-style TUI for visualizing OpenCode customizations
5
5
  Project-URL: Homepage, https://github.com/nikiforovall/lazyopencode
6
6
  Project-URL: Repository, https://github.com/nikiforovall/lazyopencode
@@ -44,6 +44,7 @@ A keyboard-driven TUI for managing OpenCode customizations.
44
44
  - View commands, agents, skills, rules, MCPs, and plugins
45
45
  - Filter by configuration level (global/project)
46
46
  - Search within customizations
47
+ - Claude Code compatibility mode (`--claude-code`)
47
48
 
48
49
  ## Installation
49
50
 
@@ -71,6 +72,8 @@ pip install lazyopencode
71
72
  | `p` | Project filter |
72
73
  | `/` | Search |
73
74
  | `e` | Edit selected |
75
+ | `c` | Copy to level |
76
+ | `C` | Copy path |
74
77
  | `r` | Refresh |
75
78
  | `ctrl+u` | User Config |
76
79
  | `?` | Help |
@@ -90,6 +93,24 @@ LazyOpenCode discovers customizations from:
90
93
  | Tools | `~/.config/opencode/tool/` | `.opencode/tool/` |
91
94
  | Plugins | `~/.config/opencode/plugin/` | `.opencode/plugin/` |
92
95
 
96
+ ## Claude Code Mode
97
+
98
+ Enable Claude Code compatibility to also discover customizations from `~/.claude/`:
99
+
100
+ ```bash
101
+ lazyopencode --claude-code
102
+ ```
103
+
104
+ This discovers commands, agents, and skills from:
105
+
106
+ | Scope | Path |
107
+ | ------- | ----------------------------------------- |
108
+ | User | `~/.claude/commands/`, `~/.claude/agents/` |
109
+ | Project | `.claude/commands/`, `.claude/agents/` |
110
+ | Plugins | Installed plugins from registry |
111
+
112
+ Claude Code items are marked with 👾 and can be copied to OpenCode paths using `c`.
113
+
93
114
  ## Inspired By
94
115
 
95
116
  - [LazyClaude](https://github.com/NikiforovAll/lazyclaude) - Similar TUI for Claude Code
@@ -1,18 +1,18 @@
1
1
  lazyopencode/__init__.py,sha256=roprUA5NQ0OsqJrG-XYGgCJYST5_M3oQNKSVrpDZM1E,1558
2
2
  lazyopencode/__main__.py,sha256=8sGwTbHrRZyACIYWqpMRP76sq7fTBeJSj-VOAd6hUKE,120
3
- lazyopencode/_version.py,sha256=Dg8AmJomLVpjKL6prJylOONZAPRtB86LOce7dorQS_A,704
4
- lazyopencode/app.py,sha256=PmVBhvRbggITuC2KNKP3DiOcaYiThQXmD3Dlc8UYODg,15886
5
- lazyopencode/bindings.py,sha256=QOPYO3BnxuriNd4lqHaCl1v_-CjogcL_o9Ibpa1eqDs,1342
3
+ lazyopencode/_version.py,sha256=o3ZTescp-19Z9cvBGq9dQnbppljgzdUYUf98Nov0spY,704
4
+ lazyopencode/app.py,sha256=L7fpKK8VO7NduLvdgGQlROAfxo7O7D_RpVtxCXgICq8,18137
5
+ lazyopencode/bindings.py,sha256=nIcMU77LxjQQ2YsitSdmcODP9e3UGHqZyc8NCnTFQ4s,1394
6
6
  lazyopencode/themes.py,sha256=9KsyWlk9XeAupAdUTj785riWuDlQMnERjD8DUzogCPc,713
7
7
  lazyopencode/mixins/filtering.py,sha256=m7G5NN-dvphPCnnNc8GyJY3p6ijmFxnr4GrzukYMoII,988
8
8
  lazyopencode/mixins/help.py,sha256=4OnRoUlaVPM_81IDyG04YgJquZwv_wGAkmom-5ebyUk,2059
9
9
  lazyopencode/mixins/navigation.py,sha256=RHA5J9Wn9nYjDmRglMagvn94OFTti8q3yuYI6bNAgcM,6600
10
10
  lazyopencode/models/__init__.py,sha256=X2Wlkc6IS1nQF0JNTvqZNNLh6YI1SH-D5YP4xpWL-rc,298
11
- lazyopencode/models/customization.py,sha256=INO9NkEu5vBKYZ8vxdWB5QuQ6QqKVSzuT4jNjwmkx8g,4089
11
+ lazyopencode/models/customization.py,sha256=4Vu2lCaRT5icdzx01A83camsdOSVlu0t-q3CF9Tkt2A,4453
12
12
  lazyopencode/services/__init__.py,sha256=aCVZJecnMeupVU-T6EhR34dFu295XwJP9dqZ8MKWOJE,146
13
- lazyopencode/services/discovery.py,sha256=w7qv_Sk83zpmEZJnP1HCM8JxaJDHqyQE59zQP3prrJc,13510
13
+ lazyopencode/services/discovery.py,sha256=jGds8-eK-XNdofiGsJZoB89qK297-QiQCTG8KdlL-Gg,13865
14
14
  lazyopencode/services/gitignore_filter.py,sha256=9QFKrUsSm0kSSYXzJ3_Zx440Pk1T6CSo6eaoPP5Pthk,3155
15
- lazyopencode/services/writer.py,sha256=eRDCUTzmoQ92cD5gB4nGEWE9l03SqRY53UFKm4dyGFc,4443
15
+ lazyopencode/services/writer.py,sha256=B9XZor9VH28P3Fo6sQ2HhT1Tj1eDq7Pcc8i-YpkYoGg,5328
16
16
  lazyopencode/services/claude_code/__init__.py,sha256=lMcoJR-x2eHR6ddvL3YbYT4xonGjKKFUdHwjBwEcaNg,310
17
17
  lazyopencode/services/claude_code/discovery.py,sha256=gRzX_HUWPI5tdkhV4JmIeh539QkhpEeSXM3a4fI2rT0,5780
18
18
  lazyopencode/services/claude_code/plugin_loader.py,sha256=KriqpCeYVR_8NExdgAKtMASz2r2krYNiKNxEYwtKhnE,5572
@@ -21,17 +21,18 @@ lazyopencode/services/claude_code/parsers/agent.py,sha256=YeqmBinlqViAWb2FGxnsAn
21
21
  lazyopencode/services/claude_code/parsers/command.py,sha256=E8H0X0lMaEzT2PIpNQKhtydf3chw7NKzNh-F9B121Cw,2429
22
22
  lazyopencode/services/claude_code/parsers/skill.py,sha256=nD7JxkJW_hHrvA0Nfb5t7OKx4p1TBIdlfn90-KfGVak,3805
23
23
  lazyopencode/services/parsers/__init__.py,sha256=zav6eIpqF5TGFp2jlGSOFZtCicHyltA--cVMycox9M0,4344
24
- lazyopencode/services/parsers/agent.py,sha256=zaw8y3RZsPFOu8DsoM3b2XPGzp0BnQJcbx86mEIYUxM,2885
25
- lazyopencode/services/parsers/command.py,sha256=-Mg3sq_4TLkIvXKzIX4lB7KvU0e4T0TA-5lpwhcUgBE,2977
24
+ lazyopencode/services/parsers/agent.py,sha256=mRbNeUttKUEwos63L6kA4_75MnO4RYrD8-HYDSOIN5M,2945
25
+ lazyopencode/services/parsers/command.py,sha256=fNAEhfQiXUw5_bT6xjm2qYyQwZhz_1Fgt1keP8RC3UI,3039
26
26
  lazyopencode/services/parsers/mcp.py,sha256=4C5LoXE82KOG7e-hoS12U-0MSDiyPjPAHKE4EmOlaIE,2127
27
- lazyopencode/services/parsers/plugin.py,sha256=7J-z7-5iOnk64iYxDPiVV9ak013KKJQhdjolBn43z7A,4014
27
+ lazyopencode/services/parsers/plugin.py,sha256=qIl5n8EbZDJn6MQOPPndjlG3VfRbHMJM25xsTI1BqGs,4027
28
28
  lazyopencode/services/parsers/rules.py,sha256=D92lCK_UHnVAeXV4W-lVX5kztwQY9gPEaJQgWp2exBo,2053
29
- lazyopencode/services/parsers/skill.py,sha256=WMKIv1HJSdx0vt0KJ9YtQ0oB1G5GOOC_smnBPynx7s8,4062
30
- lazyopencode/services/parsers/tool.py,sha256=sL3N63cim68R_wo5s0WONnnnvYxrK-tyiGCIc7guMV0,1800
29
+ lazyopencode/services/parsers/skill.py,sha256=ink4nab0CoanzPp8iktYZByg5cU88mbL6R4fCmqkJuE,4116
30
+ lazyopencode/services/parsers/tool.py,sha256=m6PQZCTcqVQleMF2xYSdZkEzf3VR_Pr5OXHthIzfooY,1811
31
31
  lazyopencode/styles/app.tcss,sha256=fAAWxQ7ePJ7oYfMUoU3ffC3PfJ9hGocHhPF7nNMf-qU,2658
32
32
  lazyopencode/widgets/__init__.py,sha256=syhZGjXKhKjg75iSU1xgRqiRWV-S-Jh8ipd0g1-qkMs,497
33
- lazyopencode/widgets/app_footer.py,sha256=blVdZobd4XXJ4qxQDsXyP6tm52gSvloImqFa_x5L8Bo,2217
33
+ lazyopencode/widgets/app_footer.py,sha256=K5qf_KhY6njSh8UXTtn7LahnACzMuNnhRlfzGBu2E7U,2478
34
34
  lazyopencode/widgets/combined_panel.py,sha256=vEopdSAmThctwAlawwY88u5Bmz4XNMnDY9u2YnCLco8,12113
35
+ lazyopencode/widgets/delete_confirm.py,sha256=cUEPj3wIPgk5GnWBsa-Yc-QX2BeS12Z7WRwTh7XYFeQ,3260
35
36
  lazyopencode/widgets/detail_pane.py,sha256=fFTGZhaJXP4PGAUItv4rYMiDkTbdqRXG0NTI6ooS_kc,11296
36
37
  lazyopencode/widgets/filter_input.py,sha256=rJp7Y0NVJSj7c-wIS8ZPXgkxTtYU4Gp-DXJOFYOhV5U,2518
37
38
  lazyopencode/widgets/level_selector.py,sha256=rO3Ik87rDLmlsw4eXkUE5ps7rrrv7v_KO1_HwlfMTHA,3733
@@ -39,8 +40,8 @@ lazyopencode/widgets/status_panel.py,sha256=k4lx4GrHlVUvt6t32_bz2WOWvZdPNawdSMhm
39
40
  lazyopencode/widgets/type_panel.py,sha256=wg2D5diKvdrwco7pvcUnF9WPOgTveiH1qt0O82gkqa4,19313
40
41
  lazyopencode/widgets/helpers/__init__.py,sha256=-jGrYtTMl9rmX8Q5Vod_oAuYaMl6Yh5JRwv8AFKQcwk,135
41
42
  lazyopencode/widgets/helpers/rendering.py,sha256=lgxzVsnH6fgTZss2x4n8hKYYtDN35YmFMD83impkpH8,576
42
- lazyopencode-0.2.0.dist-info/METADATA,sha256=YVZPl7bgvnynIOWAJyctsF-xzXiZfxwzfWrOZ11ja4s,3558
43
- lazyopencode-0.2.0.dist-info/WHEEL,sha256=WLgqFyCfm_KASv4WHyYy0P3pM_m7J5L9k2skdKLirC8,87
44
- lazyopencode-0.2.0.dist-info/entry_points.txt,sha256=PPVT4NhHce2hFuMj-NQTSN9xQIM2jwb0_ojMEcOpPJ0,60
45
- lazyopencode-0.2.0.dist-info/licenses/LICENSE,sha256=KY9Pw3pDaLTe2eiMvUoj09VHhE3i8N1Le0d01JrG_3Q,1069
46
- lazyopencode-0.2.0.dist-info/RECORD,,
43
+ lazyopencode-0.2.2.dist-info/METADATA,sha256=mPX0spN6fevRATA6P-UgPBBHFgEmykc17mhqRlEiQsU,4243
44
+ lazyopencode-0.2.2.dist-info/WHEEL,sha256=WLgqFyCfm_KASv4WHyYy0P3pM_m7J5L9k2skdKLirC8,87
45
+ lazyopencode-0.2.2.dist-info/entry_points.txt,sha256=PPVT4NhHce2hFuMj-NQTSN9xQIM2jwb0_ojMEcOpPJ0,60
46
+ lazyopencode-0.2.2.dist-info/licenses/LICENSE,sha256=KY9Pw3pDaLTe2eiMvUoj09VHhE3i8N1Le0d01JrG_3Q,1069
47
+ lazyopencode-0.2.2.dist-info/RECORD,,