@hive-org/cli 0.0.10 → 0.0.11

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.
@@ -0,0 +1,29 @@
1
+ import { jsx as _jsx, jsxs as _jsxs } from "react/jsx-runtime";
2
+ import { Box, Text } from 'ink';
3
+ import { colors, border } from '../theme.js';
4
+ export function CharacterSummaryCard({ name, personality, voice, tradingStyle, sectors, bio, }) {
5
+ if (!personality && !voice && !tradingStyle && !sectors && !bio) {
6
+ return null;
7
+ }
8
+ const termWidth = process.stdout.columns || 60;
9
+ const boxWidth = Math.min(termWidth - 4, 52);
10
+ const title = `AGENT IDENTITY — ${name}`;
11
+ const topBar = `${border.topLeft}${border.horizontal} ${title} ${border.horizontal.repeat(Math.max(0, boxWidth - title.length - 5))}${border.topRight}`;
12
+ const bottomBar = `${border.bottomLeft}${border.horizontal.repeat(Math.max(0, boxWidth - 2))}${border.bottomRight}`;
13
+ const rows = [];
14
+ const personalityDisplay = personality ?? '???';
15
+ rows.push({ label: 'Personality', value: personalityDisplay });
16
+ const voiceDisplay = voice ?? '???';
17
+ rows.push({ label: 'Voice', value: voiceDisplay });
18
+ const tradingStyleDisplay = tradingStyle ?? '???';
19
+ rows.push({ label: 'Trading', value: tradingStyleDisplay });
20
+ const sectorsDisplay = sectors ?? '???';
21
+ rows.push({ label: 'Sectors', value: sectorsDisplay });
22
+ const bioDisplay = bio ? (bio.length > 30 ? bio.slice(0, 30) + '...' : bio) : '???';
23
+ rows.push({ label: 'Bio', value: bioDisplay });
24
+ return (_jsxs(Box, { flexDirection: "column", marginLeft: 2, marginBottom: 1, children: [_jsx(Box, { children: _jsx(Text, { color: colors.honey, children: topBar }) }), rows.map((row) => {
25
+ const content = ` ${row.label}: ${row.value}`;
26
+ const padding = Math.max(0, boxWidth - content.length - 3);
27
+ return (_jsxs(Box, { children: [_jsx(Text, { color: colors.honey, children: border.vertical }), _jsxs(Text, { color: colors.grayDim, children: [" ", row.label, ": "] }), _jsx(Text, { color: colors.white, children: row.value }), _jsx(Text, { children: ' '.repeat(padding) }), _jsx(Text, { color: colors.honey, children: border.vertical })] }, row.label));
28
+ }), _jsx(Box, { children: _jsx(Text, { color: colors.honey, children: bottomBar }) })] }));
29
+ }
@@ -1,11 +1,10 @@
1
1
  import { jsx as _jsx, jsxs as _jsxs } from "react/jsx-runtime";
2
2
  import { Box, Text } from 'ink';
3
3
  import { colors, symbols, border } from '../theme.js';
4
- export function Header({ step, totalSteps, label }) {
4
+ export function Header() {
5
5
  const leftPart = ` ${symbols.hive} Hive `;
6
- const rightPart = ` step ${step}/${totalSteps} ${symbols.dot} ${label} `;
7
6
  const termWidth = process.stdout.columns || 60;
8
- const fillerWidth = Math.max(0, termWidth - leftPart.length - rightPart.length - 4);
7
+ const fillerWidth = Math.max(0, termWidth - leftPart.length - 4);
9
8
  const filler = border.horizontal.repeat(fillerWidth);
10
- return (_jsx(Box, { flexDirection: "column", marginBottom: 1, children: _jsxs(Text, { children: [_jsx(Text, { color: colors.honey, bold: true, children: leftPart }), _jsxs(Text, { color: colors.grayDim, children: [border.horizontal, border.horizontal, border.horizontal, filler] }), _jsx(Text, { color: colors.gray, children: rightPart })] }) }));
9
+ return (_jsx(Box, { flexDirection: "column", marginBottom: 0, children: _jsxs(Text, { children: [_jsx(Text, { color: colors.honey, bold: true, children: leftPart }), _jsxs(Text, { color: colors.grayDim, children: [border.horizontal, border.horizontal, border.horizontal, filler] })] }) }));
11
10
  }
@@ -0,0 +1,6 @@
1
+ import { createContext, useContext } from 'react';
2
+ const defaultRef = { current: false };
3
+ export const InputGuardContext = createContext(defaultRef);
4
+ export function useInputGuard() {
5
+ return useContext(InputGuardContext);
6
+ }
@@ -0,0 +1,45 @@
1
+ import { jsxs as _jsxs, jsx as _jsx } from "react/jsx-runtime";
2
+ import { useState } from 'react';
3
+ import { Box, Text, useInput } from 'ink';
4
+ import { colors, symbols } from '../theme.js';
5
+ export function MultiSelectPrompt({ label, items, defaultSelected, onSubmit, }) {
6
+ const allValues = new Set(items.map((i) => i.value));
7
+ const [selected, setSelected] = useState(defaultSelected ?? allValues);
8
+ const [cursor, setCursor] = useState(0);
9
+ useInput((_input, key) => {
10
+ if (key.upArrow) {
11
+ setCursor((prev) => (prev > 0 ? prev - 1 : items.length - 1));
12
+ }
13
+ if (key.downArrow) {
14
+ setCursor((prev) => (prev < items.length - 1 ? prev + 1 : 0));
15
+ }
16
+ if (_input === ' ') {
17
+ const item = items[cursor];
18
+ if (!item)
19
+ return;
20
+ setSelected((prev) => {
21
+ const next = new Set(prev);
22
+ if (next.has(item.value)) {
23
+ next.delete(item.value);
24
+ }
25
+ else {
26
+ next.add(item.value);
27
+ }
28
+ return next;
29
+ });
30
+ }
31
+ if (key.return) {
32
+ const selectedItems = items.filter((i) => selected.has(i.value));
33
+ onSubmit(selectedItems);
34
+ }
35
+ });
36
+ const highlightedItem = items[cursor];
37
+ const highlightedDescription = highlightedItem?.description;
38
+ return (_jsxs(Box, { flexDirection: "column", children: [_jsxs(Box, { children: [_jsxs(Text, { color: colors.honey, children: [symbols.arrow, " "] }), _jsx(Text, { color: colors.white, bold: true, children: label })] }), _jsx(Box, { marginLeft: 2, marginBottom: 1, children: _jsx(Text, { color: colors.grayDim, italic: true, children: "All selected by default \u2014 deselect what you don't want" }) }), _jsx(Box, { flexDirection: "column", marginLeft: 2, children: items.map((item, i) => {
39
+ const isCursor = i === cursor;
40
+ const isSelected = selected.has(item.value);
41
+ const checkbox = isSelected ? '◆' : '◇';
42
+ const itemColor = isCursor ? colors.honey : colors.white;
43
+ return (_jsxs(Box, { children: [_jsxs(Text, { color: colors.honey, children: [isCursor ? symbols.diamond : ' ', " "] }), _jsxs(Text, { color: isSelected ? colors.honey : colors.grayDim, children: [checkbox, " "] }), _jsx(Text, { color: itemColor, children: item.label })] }, item.value));
44
+ }) }), highlightedDescription && (_jsx(Box, { marginLeft: 4, marginTop: 1, children: _jsxs(Text, { color: colors.gray, italic: true, children: [symbols.arrow, " ", highlightedDescription] }) })), _jsx(Box, { marginLeft: 2, marginTop: 1, children: _jsxs(Text, { color: colors.grayDim, children: [_jsx(Text, { color: colors.honey, children: "space" }), " toggle ", _jsx(Text, { color: colors.honey, children: "enter" }), " confirm"] }) })] }));
45
+ }
@@ -1,13 +1,20 @@
1
1
  import { jsxs as _jsxs, jsx as _jsx } from "react/jsx-runtime";
2
+ import { useState } from 'react';
2
3
  import { Box, Text } from 'ink';
3
4
  import SelectInput from 'ink-select-input';
4
5
  import { colors, symbols } from '../theme.js';
5
6
  export function SelectPrompt({ label, items, onSelect }) {
7
+ const [highlightedValue, setHighlightedValue] = useState(items[0]?.value ?? '');
6
8
  const handleSelect = (item) => {
7
9
  const found = items.find((i) => i.value === item.value);
8
10
  if (found) {
9
11
  onSelect(found);
10
12
  }
11
13
  };
12
- return (_jsxs(Box, { flexDirection: "column", children: [_jsxs(Box, { marginBottom: 1, children: [_jsxs(Text, { color: colors.honey, children: [symbols.arrow, " "] }), _jsx(Text, { color: colors.white, bold: true, children: label })] }), _jsx(Box, { marginLeft: 2, children: _jsx(SelectInput, { items: items, onSelect: handleSelect, indicatorComponent: ({ isSelected }) => (_jsxs(Text, { color: colors.honey, children: [isSelected ? symbols.diamond : ' ', " "] })), itemComponent: ({ isSelected, label: itemLabel }) => (_jsx(Text, { color: isSelected ? colors.honey : colors.white, children: itemLabel })) }) })] }));
14
+ const handleHighlight = (item) => {
15
+ setHighlightedValue(item.value);
16
+ };
17
+ const highlightedItem = items.find((i) => i.value === highlightedValue);
18
+ const highlightedDescription = highlightedItem?.description;
19
+ return (_jsxs(Box, { flexDirection: "column", children: [_jsxs(Box, { marginBottom: 1, children: [_jsxs(Text, { color: colors.honey, children: [symbols.arrow, " "] }), _jsx(Text, { color: colors.white, bold: true, children: label })] }), _jsx(Box, { marginLeft: 2, children: _jsx(SelectInput, { items: items, onSelect: handleSelect, onHighlight: handleHighlight, indicatorComponent: ({ isSelected }) => (_jsxs(Text, { color: colors.honey, children: [isSelected ? symbols.diamond : ' ', " "] })), itemComponent: ({ isSelected, label: itemLabel }) => (_jsx(Text, { color: isSelected ? colors.honey : colors.white, children: itemLabel })) }) }), highlightedDescription && (_jsx(Box, { marginLeft: 4, marginTop: 1, children: _jsxs(Text, { color: colors.gray, italic: true, children: [symbols.arrow, " ", highlightedDescription] }) }))] }));
13
20
  }
@@ -0,0 +1,31 @@
1
+ import { jsx as _jsx, jsxs as _jsxs } from "react/jsx-runtime";
2
+ import React from 'react';
3
+ import { Box, Text } from 'ink';
4
+ import { colors, symbols } from '../theme.js';
5
+ export function StepIndicator({ steps, currentIndex }) {
6
+ return (_jsx(Box, { marginLeft: 1, marginBottom: 1, children: steps.map((step, i) => {
7
+ const isCurrent = i === currentIndex;
8
+ const isCompleted = i < currentIndex;
9
+ let symbol;
10
+ let symbolColor;
11
+ let labelColor;
12
+ let bold = false;
13
+ if (isCurrent) {
14
+ symbol = symbols.dot;
15
+ symbolColor = colors.honey;
16
+ labelColor = colors.honey;
17
+ bold = true;
18
+ }
19
+ else if (isCompleted) {
20
+ symbol = symbols.check;
21
+ symbolColor = colors.green;
22
+ labelColor = colors.gray;
23
+ }
24
+ else {
25
+ symbol = symbols.diamondOpen;
26
+ symbolColor = colors.grayDim;
27
+ labelColor = colors.grayDim;
28
+ }
29
+ return (_jsxs(React.Fragment, { children: [i > 0 && _jsx(Text, { children: " " }), _jsx(Text, { color: symbolColor, children: symbol }), _jsxs(Text, { color: labelColor, bold: bold, children: [" ", step.label] })] }, step.key));
30
+ }) }));
31
+ }
@@ -3,6 +3,7 @@ import { useState, useCallback } from 'react';
3
3
  import { Box, Text, useApp } from 'ink';
4
4
  import { Header } from '../components/Header.js';
5
5
  import { AsciiTicker } from '../components/AsciiTicker.js';
6
+ import { StepIndicator } from '../components/StepIndicator.js';
6
7
  import { ApiKeyStep } from './steps/ApiKeyStep.js';
7
8
  import { NameStep } from './steps/NameStep.js';
8
9
  import { IdentityStep } from './steps/IdentityStep.js';
@@ -36,14 +37,15 @@ function ensureAvatarUrl(content, avatarUrl) {
36
37
  const STEP_ORDER = ['name', 'identity', 'avatar', 'api-key', 'soul', 'strategy', 'scaffold', 'done'];
37
38
  const STEP_LABELS = {
38
39
  'api-key': 'API Key',
39
- 'name': 'Agent Name',
40
+ 'name': 'Name',
40
41
  'identity': 'Identity',
41
42
  'avatar': 'Avatar',
42
- 'soul': 'Personality',
43
+ 'soul': 'Soul',
43
44
  'strategy': 'Strategy',
44
45
  'scaffold': 'Scaffold',
45
46
  'done': 'Done',
46
47
  };
48
+ const STEP_DEFS = STEP_ORDER.map((s) => ({ key: s, label: STEP_LABELS[s] }));
47
49
  export function CreateApp({ initialName }) {
48
50
  const { exit } = useApp();
49
51
  const [step, setStep] = useState(initialName ? 'identity' : 'name');
@@ -54,12 +56,14 @@ export function CreateApp({ initialName }) {
54
56
  const [personality, setPersonality] = useState('');
55
57
  const [tone, setTone] = useState('');
56
58
  const [voiceStyle, setVoiceStyle] = useState('');
59
+ const [tradingStyle, setTradingStyle] = useState('');
60
+ const [sectors, setSectors] = useState([]);
57
61
  const [avatarUrl, setAvatarUrl] = useState('');
58
62
  const [soulContent, setSoulContent] = useState('');
59
63
  const [strategyContent, setStrategyContent] = useState('');
60
64
  const [resolvedProjectDir, setResolvedProjectDir] = useState('');
61
65
  const [error, setError] = useState('');
62
- const stepNumber = STEP_ORDER.indexOf(step) + 1;
66
+ const stepIndex = STEP_ORDER.indexOf(step);
63
67
  const provider = providerId ? getProvider(providerId) : null;
64
68
  const handleApiKey = useCallback((result) => {
65
69
  setProviderId(result.providerId);
@@ -74,6 +78,8 @@ export function CreateApp({ initialName }) {
74
78
  setPersonality(result.personality);
75
79
  setTone(result.tone);
76
80
  setVoiceStyle(result.voiceStyle);
81
+ setTradingStyle(result.tradingStyle);
82
+ setSectors(result.sectors);
77
83
  setBio(result.bio);
78
84
  setStep('avatar');
79
85
  }, []);
@@ -98,5 +104,5 @@ export function CreateApp({ initialName }) {
98
104
  setError(message);
99
105
  exit();
100
106
  }, [exit]);
101
- return (_jsxs(Box, { flexDirection: "column", children: [_jsx(Header, { step: stepNumber, totalSteps: 8, label: STEP_LABELS[step] }), step !== 'done' && (_jsx(Box, { marginBottom: 1, children: _jsx(AsciiTicker, { step: stepNumber }) })), step === 'api-key' && (_jsx(ApiKeyStep, { onComplete: handleApiKey })), step === 'name' && (_jsx(NameStep, { onComplete: handleName })), step === 'identity' && (_jsx(IdentityStep, { onComplete: handleIdentity })), step === 'avatar' && (_jsx(AvatarStep, { agentName: agentName, onComplete: handleAvatar })), step === 'soul' && providerId && (_jsx(SoulStep, { providerId: providerId, apiKey: apiKey, agentName: agentName, bio: bio, avatarUrl: avatarUrl, personality: personality, tone: tone, voiceStyle: voiceStyle, onComplete: handleSoul })), step === 'strategy' && providerId && (_jsx(StrategyStep, { providerId: providerId, apiKey: apiKey, agentName: agentName, bio: bio, personality: personality, tone: tone, voiceStyle: voiceStyle, onComplete: handleStrategy })), step === 'scaffold' && provider && (_jsx(ScaffoldStep, { projectName: agentName, provider: provider, apiKey: apiKey, soulContent: soulContent, strategyContent: strategyContent, onComplete: handleScaffoldComplete, onError: handleScaffoldError })), step === 'done' && (_jsx(DoneStep, { projectDir: resolvedProjectDir })), error !== '' && (_jsx(Box, { marginTop: 1, marginLeft: 2, children: _jsxs(Text, { color: colors.red, children: [symbols.cross, " ", error] }) }))] }));
107
+ return (_jsxs(Box, { flexDirection: "column", children: [_jsx(Header, {}), _jsx(StepIndicator, { steps: STEP_DEFS, currentIndex: stepIndex }), step !== 'done' && (_jsx(Box, { marginBottom: 1, children: _jsx(AsciiTicker, { step: stepIndex + 1 }) })), step === 'api-key' && (_jsx(ApiKeyStep, { onComplete: handleApiKey })), step === 'name' && (_jsx(NameStep, { onComplete: handleName })), step === 'identity' && (_jsx(IdentityStep, { agentName: agentName, onComplete: handleIdentity })), step === 'avatar' && (_jsx(AvatarStep, { agentName: agentName, onComplete: handleAvatar })), step === 'soul' && providerId && (_jsx(SoulStep, { providerId: providerId, apiKey: apiKey, agentName: agentName, bio: bio, avatarUrl: avatarUrl, personality: personality, tone: tone, voiceStyle: voiceStyle, tradingStyle: tradingStyle, sectors: sectors, onComplete: handleSoul })), step === 'strategy' && providerId && (_jsx(StrategyStep, { providerId: providerId, apiKey: apiKey, agentName: agentName, bio: bio, personality: personality, tone: tone, voiceStyle: voiceStyle, tradingStyle: tradingStyle, sectors: sectors, onComplete: handleStrategy })), step === 'scaffold' && provider && (_jsx(ScaffoldStep, { projectName: agentName, provider: provider, apiKey: apiKey, soulContent: soulContent, strategyContent: strategyContent, onComplete: handleScaffoldComplete, onError: handleScaffoldError })), step === 'done' && (_jsx(DoneStep, { projectDir: resolvedProjectDir })), error !== '' && (_jsx(Box, { marginTop: 1, marginLeft: 2, children: _jsxs(Text, { color: colors.red, children: [symbols.cross, " ", error] }) }))] }));
102
108
  }
@@ -25,13 +25,16 @@ function buildPresetExamples() {
25
25
  return `${soulExamples}\n\n===\n\n${strategyExamples}`;
26
26
  }
27
27
  const PRESET_EXAMPLES = buildPresetExamples();
28
- export function streamSoul(providerId, apiKey, agentName, bio, avatarUrl, personality, tone, voiceStyle, feedback) {
28
+ export function streamSoul(providerId, apiKey, agentName, bio, avatarUrl, personality, tone, voiceStyle, tradingStyle, sectors, feedback) {
29
29
  const feedbackLine = feedback
30
30
  ? `\n\nThe user gave this feedback on the previous draft. Adjust accordingly:\n"${feedback}"`
31
31
  : '';
32
+ const sectorsLine = sectors.length > 0 ? sectors.join(', ') : 'all categories';
32
33
  const identityContext = `Personality: ${personality}
33
34
  Tone: ${tone}
34
- Voice style: ${voiceStyle}`;
35
+ Voice style: ${voiceStyle}
36
+ Trading style: ${tradingStyle}
37
+ Sectors: ${sectorsLine}`;
35
38
  const prompt = `You are a creative writer designing an AI agent's personality profile for a crypto trading bot called "${agentName}".
36
39
 
37
40
  The agent's bio is: "${bio}"
@@ -68,13 +71,16 @@ Use these as style/quality references but create something UNIQUE based on the a
68
71
  });
69
72
  return result.textStream;
70
73
  }
71
- export function streamStrategy(providerId, apiKey, agentName, bio, personality, tone, voiceStyle, feedback) {
74
+ export function streamStrategy(providerId, apiKey, agentName, bio, personality, tone, voiceStyle, tradingStyle, sectors, feedback) {
72
75
  const feedbackLine = feedback
73
76
  ? `\n\nThe user gave this feedback on the previous draft. Adjust accordingly:\n"${feedback}"`
74
77
  : '';
78
+ const sectorsLine = sectors.length > 0 ? sectors.join(', ') : 'all categories';
75
79
  const identityContext = `Personality: ${personality}
76
80
  Tone: ${tone}
77
- Voice style: ${voiceStyle}`;
81
+ Voice style: ${voiceStyle}
82
+ Trading style: ${tradingStyle}
83
+ Sectors: ${sectorsLine}`;
78
84
  const prompt = `You are designing a prediction strategy profile for a crypto trading bot called "${agentName}".
79
85
 
80
86
  The agent's bio is: "${bio}"
@@ -1,72 +1,128 @@
1
1
  import { jsx as _jsx, jsxs as _jsxs } from "react/jsx-runtime";
2
2
  import { useState, useCallback } from 'react';
3
- import { Box } from 'ink';
3
+ import { Box, Text } from 'ink';
4
4
  import { SelectPrompt } from '../../components/SelectPrompt.js';
5
+ import { MultiSelectPrompt } from '../../components/MultiSelectPrompt.js';
5
6
  import { TextPrompt } from '../../components/TextPrompt.js';
6
- import { PERSONALITY_OPTIONS, TONE_OPTIONS, VOICE_STYLE_OPTIONS } from '../../presets.js';
7
- function buildSelectItems(options) {
8
- const items = options.map((opt) => ({
9
- label: opt,
10
- value: opt,
7
+ import { CharacterSummaryCard } from '../../components/CharacterSummaryCard.js';
8
+ import { PERSONALITY_OPTIONS, VOICE_OPTIONS, TRADING_STYLE_OPTIONS, PROJECT_CATEGORY_OPTIONS, BIO_EXAMPLES, } from '../../presets.js';
9
+ import { colors, symbols } from '../../theme.js';
10
+ function buildPersonalityItems() {
11
+ const items = PERSONALITY_OPTIONS.map((opt) => ({
12
+ label: opt.label,
13
+ value: opt.value,
14
+ description: opt.description,
11
15
  }));
12
16
  items.push({ label: 'Custom...', value: '__custom__' });
13
17
  return items;
14
18
  }
15
- const personalityItems = buildSelectItems(PERSONALITY_OPTIONS);
16
- const toneItems = buildSelectItems(TONE_OPTIONS);
17
- const voiceItems = buildSelectItems(VOICE_STYLE_OPTIONS);
18
- export function IdentityStep({ onComplete }) {
19
+ function buildVoiceItems() {
20
+ const items = VOICE_OPTIONS.map((opt) => ({
21
+ label: opt.label,
22
+ value: opt.value,
23
+ description: opt.description,
24
+ }));
25
+ items.push({ label: 'Custom...', value: '__custom__' });
26
+ return items;
27
+ }
28
+ function buildTradingStyleItems() {
29
+ const items = TRADING_STYLE_OPTIONS.map((opt) => ({
30
+ label: opt.label,
31
+ value: opt.value,
32
+ description: opt.description,
33
+ }));
34
+ items.push({ label: 'Custom...', value: '__custom__' });
35
+ return items;
36
+ }
37
+ function buildCategoryItems() {
38
+ const items = PROJECT_CATEGORY_OPTIONS.map((opt) => ({
39
+ label: opt.label,
40
+ value: opt.value,
41
+ description: opt.description,
42
+ }));
43
+ return items;
44
+ }
45
+ const personalityItems = buildPersonalityItems();
46
+ const voiceItems = buildVoiceItems();
47
+ const tradingStyleItems = buildTradingStyleItems();
48
+ const categoryItems = buildCategoryItems();
49
+ export function IdentityStep({ agentName, onComplete }) {
19
50
  const [subStep, setSubStep] = useState('personality');
51
+ const [personalityLabel, setPersonalityLabel] = useState('');
20
52
  const [personality, setPersonality] = useState('');
21
53
  const [tone, setTone] = useState('');
22
54
  const [voiceStyle, setVoiceStyle] = useState('');
55
+ const [voiceLabel, setVoiceLabel] = useState('');
56
+ const [tradingStyle, setTradingStyle] = useState('');
57
+ const [tradingStyleLabel, setTradingStyleLabel] = useState('');
58
+ const [sectors, setSectors] = useState([]);
59
+ const [sectorsLabel, setSectorsLabel] = useState('');
23
60
  const handlePersonalitySelect = useCallback((item) => {
24
61
  if (item.value === '__custom__') {
25
62
  setSubStep('personality-custom');
26
63
  return;
27
64
  }
28
- setPersonality(item.value);
29
- setSubStep('tone');
65
+ const description = item.description ?? '';
66
+ const personalityValue = `${item.label} — ${description}`;
67
+ setPersonality(personalityValue);
68
+ setPersonalityLabel(item.label);
69
+ setSubStep('voice');
30
70
  }, []);
31
71
  const handlePersonalityCustom = useCallback((value) => {
32
72
  setPersonality(value);
33
- setSubStep('tone');
73
+ setPersonalityLabel(value);
74
+ setSubStep('voice');
34
75
  }, []);
35
- const handleToneSelect = useCallback((item) => {
76
+ const handleVoiceSelect = useCallback((item) => {
36
77
  if (item.value === '__custom__') {
37
- setSubStep('tone-custom');
78
+ setSubStep('voice-custom');
38
79
  return;
39
80
  }
40
- setTone(item.value);
41
- setSubStep('voice');
81
+ const voiceOption = VOICE_OPTIONS.find((v) => v.value === item.value);
82
+ setTone(voiceOption.tone);
83
+ setVoiceStyle(voiceOption.voiceStyle);
84
+ setVoiceLabel(item.label);
85
+ setSubStep('trading');
42
86
  }, []);
43
- const handleToneCustom = useCallback((value) => {
87
+ const handleVoiceCustom = useCallback((value) => {
44
88
  setTone(value);
45
- setSubStep('voice');
89
+ setVoiceStyle(value);
90
+ setVoiceLabel(value);
91
+ setSubStep('trading');
46
92
  }, []);
47
- const handleVoiceSelect = useCallback((item) => {
93
+ const handleTradingStyleSelect = useCallback((item) => {
48
94
  if (item.value === '__custom__') {
49
- setSubStep('voice-custom');
95
+ setSubStep('trading-custom');
50
96
  return;
51
97
  }
52
- setVoiceStyle(item.value);
53
- setSubStep('bio');
98
+ setTradingStyle(item.value);
99
+ setTradingStyleLabel(item.label);
100
+ setSubStep('sectors');
54
101
  }, []);
55
- const handleVoiceCustom = useCallback((value) => {
56
- setVoiceStyle(value);
102
+ const handleTradingStyleCustom = useCallback((value) => {
103
+ setTradingStyle(value);
104
+ setTradingStyleLabel(value);
105
+ setSubStep('sectors');
106
+ }, []);
107
+ const handleSectors = useCallback((selected) => {
108
+ const values = selected.map((s) => s.value);
109
+ const labels = selected.map((s) => s.label);
110
+ setSectors(values);
111
+ const displayLabel = values.length === categoryItems.length ? 'All' : labels.join(', ');
112
+ setSectorsLabel(displayLabel);
57
113
  setSubStep('bio');
58
114
  }, []);
59
115
  const handleBio = useCallback((value) => {
60
- const result = { personality, tone, voiceStyle, bio: value };
116
+ const result = { personality, tone, voiceStyle, tradingStyle, sectors, bio: value };
61
117
  onComplete(result);
62
- }, [personality, tone, voiceStyle, onComplete]);
63
- return (_jsxs(Box, { flexDirection: "column", children: [subStep === 'personality' && (_jsx(SelectPrompt, { label: "Choose a personality", items: personalityItems, onSelect: handlePersonalitySelect })), subStep === 'personality-custom' && (_jsx(TextPrompt, { label: "Describe your agent's personality", placeholder: "e.g. stoic realist with a dry wit", onSubmit: handlePersonalityCustom, validate: (val) => (!val ? 'Personality is required' : true) })), subStep === 'tone' && (_jsx(SelectPrompt, { label: "Choose a tone", items: toneItems, onSelect: handleToneSelect })), subStep === 'tone-custom' && (_jsx(TextPrompt, { label: "Describe your agent's tone", placeholder: "e.g. sardonic but warm", onSubmit: handleToneCustom, validate: (val) => (!val ? 'Tone is required' : true) })), subStep === 'voice' && (_jsx(SelectPrompt, { label: "Choose a voice style", items: voiceItems, onSelect: handleVoiceSelect })), subStep === 'voice-custom' && (_jsx(TextPrompt, { label: "Describe your agent's voice style", placeholder: "e.g. writes like a bloomberg terminal", onSubmit: handleVoiceCustom, validate: (val) => (!val ? 'Voice style is required' : true) })), subStep === 'bio' && (_jsx(TextPrompt, { label: "Write your agent's bio in their voice", placeholder: `write a short bio for your ${personality}, ${tone} agent`, onSubmit: handleBio, maxLength: 1000, validate: (val) => {
64
- if (!val) {
65
- return 'Bio is required';
66
- }
67
- if (val.length > 1000) {
68
- return `Bio must be 1000 characters or less (currently ${val.length})`;
69
- }
70
- return true;
71
- } }))] }));
118
+ }, [personality, tone, voiceStyle, tradingStyle, sectors, onComplete]);
119
+ return (_jsxs(Box, { flexDirection: "column", children: [_jsx(CharacterSummaryCard, { name: agentName, personality: personalityLabel || undefined, voice: voiceLabel || undefined, tradingStyle: tradingStyleLabel || undefined, sectors: sectorsLabel || undefined }), subStep === 'personality' && (_jsx(SelectPrompt, { label: "Choose a personality", items: personalityItems, onSelect: handlePersonalitySelect })), subStep === 'personality-custom' && (_jsx(TextPrompt, { label: "Describe your agent's personality", placeholder: "e.g. stoic realist with a dry wit", onSubmit: handlePersonalityCustom, validate: (val) => (!val ? 'Personality is required' : true) })), subStep === 'voice' && (_jsx(SelectPrompt, { label: "Choose a voice", items: voiceItems, onSelect: handleVoiceSelect })), subStep === 'voice-custom' && (_jsx(TextPrompt, { label: "Describe your agent's voice", placeholder: "e.g. writes like a bloomberg terminal on acid", onSubmit: handleVoiceCustom, validate: (val) => (!val ? 'Voice is required' : true) })), subStep === 'trading' && (_jsx(SelectPrompt, { label: "How does your agent evaluate signals?", items: tradingStyleItems, onSelect: handleTradingStyleSelect })), subStep === 'trading-custom' && (_jsx(TextPrompt, { label: "Describe your agent's trading style", placeholder: "e.g. combines on-chain data with sentiment analysis", onSubmit: handleTradingStyleCustom, validate: (val) => (!val ? 'Trading style is required' : true) })), subStep === 'sectors' && (_jsx(MultiSelectPrompt, { label: "Which categories should your agent trade?", items: categoryItems, onSubmit: handleSectors })), subStep === 'bio' && (_jsxs(Box, { flexDirection: "column", children: [_jsxs(Box, { flexDirection: "column", marginLeft: 2, marginBottom: 1, children: [_jsxs(Text, { color: colors.grayDim, italic: true, children: [symbols.arrow, " Examples:"] }), BIO_EXAMPLES.map((example, i) => (_jsx(Box, { marginLeft: 2, marginTop: i > 0 ? 1 : 0, children: _jsxs(Text, { color: colors.grayDim, italic: true, children: [symbols.diamond, " ", `"${example}"`] }) }, i)))] }), _jsx(TextPrompt, { label: "Write your agent's bio", placeholder: `short bio for your ${personalityLabel} agent`, onSubmit: handleBio, maxLength: 1000, validate: (val) => {
120
+ if (!val) {
121
+ return 'Bio is required';
122
+ }
123
+ if (val.length > 1000) {
124
+ return `Bio must be 1000 characters or less (currently ${val.length})`;
125
+ }
126
+ return true;
127
+ } })] }))] }));
72
128
  }
@@ -7,11 +7,11 @@ import { CodeBlock } from '../../components/CodeBlock.js';
7
7
  import { Spinner } from '../../components/Spinner.js';
8
8
  import { colors, symbols } from '../../theme.js';
9
9
  import { streamSoul } from '../ai-generate.js';
10
- export function SoulStep({ providerId, apiKey, agentName, bio, avatarUrl, personality, tone, voiceStyle, onComplete, }) {
10
+ export function SoulStep({ providerId, apiKey, agentName, bio, avatarUrl, personality, tone, voiceStyle, tradingStyle, sectors, onComplete, }) {
11
11
  const [phase, setPhase] = useState('streaming');
12
12
  const [draft, setDraft] = useState('');
13
13
  const [feedbackCount, setFeedbackCount] = useState(0);
14
- const stream = useMemo(() => streamSoul(providerId, apiKey, agentName, bio, avatarUrl, personality, tone, voiceStyle), []);
14
+ const stream = useMemo(() => streamSoul(providerId, apiKey, agentName, bio, avatarUrl, personality, tone, voiceStyle, tradingStyle, sectors), []);
15
15
  const [currentStream, setCurrentStream] = useState(stream);
16
16
  const handleStreamComplete = useCallback((fullText) => {
17
17
  setDraft(fullText);
@@ -24,9 +24,9 @@ export function SoulStep({ providerId, apiKey, agentName, bio, avatarUrl, person
24
24
  setFeedbackCount((prev) => prev + 1);
25
25
  setPhase('streaming');
26
26
  setDraft('');
27
- const newStream = streamSoul(providerId, apiKey, agentName, bio, avatarUrl, personality, tone, voiceStyle, feedback);
27
+ const newStream = streamSoul(providerId, apiKey, agentName, bio, avatarUrl, personality, tone, voiceStyle, tradingStyle, sectors, feedback);
28
28
  setCurrentStream(newStream);
29
- }, [providerId, apiKey, agentName, bio, avatarUrl, personality, tone, voiceStyle]);
29
+ }, [providerId, apiKey, agentName, bio, avatarUrl, personality, tone, voiceStyle, tradingStyle, sectors]);
30
30
  return (_jsxs(Box, { flexDirection: "column", children: [phase === 'streaming' && (_jsxs(Box, { flexDirection: "column", children: [_jsx(Box, { marginBottom: 1, children: _jsx(Spinner, { label: feedbackCount > 0 ? 'Regenerating SOUL.md...' : 'Generating SOUL.md...' }) }), _jsx(StreamingText, { stream: currentStream, title: "SOUL.md", onComplete: handleStreamComplete })] })), phase === 'review' && (_jsxs(Box, { flexDirection: "column", children: [_jsxs(Box, { marginBottom: 1, children: [_jsxs(Text, { color: colors.green, children: [symbols.check, " "] }), _jsx(Text, { color: colors.white, children: "SOUL.md draft ready" })] }), _jsx(CodeBlock, { title: "SOUL.md", children: draft }), _jsx(Box, { marginTop: 1, children: _jsxs(Text, { color: colors.gray, children: ["Press ", _jsx(Text, { color: colors.honey, bold: true, children: "Enter" }), " to accept", ' ', symbols.dot, ' ', "Type feedback to regenerate"] }) }), _jsx(Box, { marginTop: 1, children: _jsx(TextPrompt, { label: "", placeholder: "Enter to accept, or type feedback...", onSubmit: (val) => {
31
31
  if (!val) {
32
32
  handleAccept();
@@ -7,11 +7,11 @@ import { CodeBlock } from '../../components/CodeBlock.js';
7
7
  import { Spinner } from '../../components/Spinner.js';
8
8
  import { colors, symbols } from '../../theme.js';
9
9
  import { streamStrategy } from '../ai-generate.js';
10
- export function StrategyStep({ providerId, apiKey, agentName, bio, personality, tone, voiceStyle, onComplete, }) {
10
+ export function StrategyStep({ providerId, apiKey, agentName, bio, personality, tone, voiceStyle, tradingStyle, sectors, onComplete, }) {
11
11
  const [phase, setPhase] = useState('streaming');
12
12
  const [draft, setDraft] = useState('');
13
13
  const [feedbackCount, setFeedbackCount] = useState(0);
14
- const stream = useMemo(() => streamStrategy(providerId, apiKey, agentName, bio, personality, tone, voiceStyle), []);
14
+ const stream = useMemo(() => streamStrategy(providerId, apiKey, agentName, bio, personality, tone, voiceStyle, tradingStyle, sectors), []);
15
15
  const [currentStream, setCurrentStream] = useState(stream);
16
16
  const handleStreamComplete = useCallback((fullText) => {
17
17
  setDraft(fullText);
@@ -24,9 +24,9 @@ export function StrategyStep({ providerId, apiKey, agentName, bio, personality,
24
24
  setFeedbackCount((prev) => prev + 1);
25
25
  setPhase('streaming');
26
26
  setDraft('');
27
- const newStream = streamStrategy(providerId, apiKey, agentName, bio, personality, tone, voiceStyle, feedback);
27
+ const newStream = streamStrategy(providerId, apiKey, agentName, bio, personality, tone, voiceStyle, tradingStyle, sectors, feedback);
28
28
  setCurrentStream(newStream);
29
- }, [providerId, apiKey, agentName, bio, personality, tone, voiceStyle]);
29
+ }, [providerId, apiKey, agentName, bio, personality, tone, voiceStyle, tradingStyle, sectors]);
30
30
  return (_jsxs(Box, { flexDirection: "column", children: [phase === 'streaming' && (_jsxs(Box, { flexDirection: "column", children: [_jsx(Box, { marginBottom: 1, children: _jsx(Spinner, { label: feedbackCount > 0 ? 'Regenerating STRATEGY.md...' : 'Generating STRATEGY.md...' }) }), _jsx(StreamingText, { stream: currentStream, title: "STRATEGY.md", onComplete: handleStreamComplete })] })), phase === 'review' && (_jsxs(Box, { flexDirection: "column", children: [_jsxs(Box, { marginBottom: 1, children: [_jsxs(Text, { color: colors.green, children: [symbols.check, " "] }), _jsx(Text, { color: colors.white, children: "STRATEGY.md draft ready" })] }), _jsx(CodeBlock, { title: "STRATEGY.md", children: draft }), _jsx(Box, { marginTop: 1, children: _jsxs(Text, { color: colors.gray, children: ["Press ", _jsx(Text, { color: colors.honey, bold: true, children: "Enter" }), " to accept", ' ', symbols.dot, ' ', "Type feedback to regenerate"] }) }), _jsx(Box, { marginTop: 1, children: _jsx(TextPrompt, { label: "", placeholder: "Enter to accept, or type feedback...", onSubmit: (val) => {
31
31
  if (!val) {
32
32
  handleAccept();
package/dist/presets.js CHANGED
@@ -249,28 +249,202 @@ export const STRATEGY_PRESETS = [
249
249
  },
250
250
  ];
251
251
  export const PERSONALITY_OPTIONS = [
252
- 'confident',
253
- 'contrarian',
254
- 'analytical',
255
- 'chaotic',
256
- 'patient',
252
+ {
253
+ label: '🪞 Contrarian',
254
+ value: 'contrarian',
255
+ description: 'Fades the crowd. When everyone is long, asks why. Bets against consensus.',
256
+ },
257
+ {
258
+ label: '📈 Momentum Trader',
259
+ value: 'momentum-trader',
260
+ description: "Rides trends until they break. If it's pumping, there's a reason.",
261
+ },
262
+ {
263
+ label: '📊 Data Purist',
264
+ value: 'data-purist',
265
+ description: 'Numbers only. No narratives, no vibes — on-chain data and technicals.',
266
+ },
267
+ {
268
+ label: '📰 Narrative Trader',
269
+ value: 'narrative-trader',
270
+ description: 'Trades the story, not the chart. Catches rotations before the crowd.',
271
+ },
272
+ {
273
+ label: '🛡️ Cautious Operator',
274
+ value: 'cautious-operator',
275
+ description: 'Risk-first thinking. Small sizing, tight stops, lives to trade another day.',
276
+ },
277
+ {
278
+ label: '🎰 Degen',
279
+ value: 'degen',
280
+ description: 'Max conviction or skip. High risk, high reward, no regrets.',
281
+ },
282
+ {
283
+ label: '🌍 Macro Thinker',
284
+ value: 'macro-thinker',
285
+ description: "Zooms out. Rates, liquidity, DXY — crypto doesn't exist in a vacuum.",
286
+ },
287
+ {
288
+ label: '🏗️ Fundamentalist',
289
+ value: 'fundamentalist',
290
+ description: 'Protocol revenue, real users, actual moats. Price catches up eventually.',
291
+ },
292
+ {
293
+ label: '🔍 Skeptic',
294
+ value: 'skeptic',
295
+ description: 'Pokes holes in every thesis. If the bull case survives, it might be real.',
296
+ },
297
+ {
298
+ label: '⚡ Opportunist',
299
+ value: 'opportunist',
300
+ description: 'No fixed playbook. Reads the room and takes whatever edge shows up.',
301
+ },
302
+ ];
303
+ export const VOICE_OPTIONS = [
304
+ {
305
+ label: '🐸 CT Native',
306
+ value: 'ct-native',
307
+ description: 'Speaks fluent crypto twitter. Irony, slang, memes — alpha buried in the shitposts.',
308
+ tone: 'sarcastic',
309
+ voiceStyle: 'CT native slang',
310
+ },
311
+ {
312
+ label: '🖥️ Wire Service',
313
+ value: 'wire-service',
314
+ description: 'Flat, factual, no filler. Reads like a terminal feed.',
315
+ tone: 'deadpan',
316
+ voiceStyle: 'data-driven',
317
+ },
318
+ {
319
+ label: '🎙️ Storyteller',
320
+ value: 'storyteller',
321
+ description: 'Builds a narrative around every call. Confident delivery, draws you in.',
322
+ tone: 'confident',
323
+ voiceStyle: 'storyteller',
324
+ },
325
+ {
326
+ label: '🔥 Unfiltered',
327
+ value: 'unfiltered',
328
+ description: "Raw, terse, no filter. Says what others won't in as few words as possible.",
329
+ tone: 'unhinged',
330
+ voiceStyle: 'terse & punchy',
331
+ },
332
+ {
333
+ label: '✂️ Dry Wit',
334
+ value: 'dry-wit',
335
+ description: 'Sharp and sarcastic. Short sentences that cut.',
336
+ tone: 'sarcastic',
337
+ voiceStyle: 'terse & punchy',
338
+ },
339
+ {
340
+ label: '☯️ Calm & Measured',
341
+ value: 'calm-measured',
342
+ description: 'Zen-like composure. Few words, no rush, lets the take breathe.',
343
+ tone: 'zen',
344
+ voiceStyle: 'terse & punchy',
345
+ },
346
+ {
347
+ label: '🧵 Thread Builder',
348
+ value: 'thread-builder',
349
+ description: 'Long-form breakdowns with conviction. The kind of posts people bookmark.',
350
+ tone: 'confident',
351
+ voiceStyle: 'storyteller',
352
+ },
353
+ {
354
+ label: '🔢 Numbers Only',
355
+ value: 'numbers-only',
356
+ description: 'Analytical, quiet, lets the data make the case. Charts over opinions.',
357
+ tone: 'analytical',
358
+ voiceStyle: 'data-driven',
359
+ },
360
+ {
361
+ label: '💣 Hot Take',
362
+ value: 'hot-take',
363
+ description: 'Provocative on purpose. Bold calls in full CT dialect.',
364
+ tone: 'provocative',
365
+ voiceStyle: 'CT native slang',
366
+ },
367
+ {
368
+ label: '🎓 Academic',
369
+ value: 'academic',
370
+ description: 'Measured and thorough. Cites evidence, hedges appropriately.',
371
+ tone: 'cautious',
372
+ voiceStyle: 'academic',
373
+ },
257
374
  ];
258
- export const TONE_OPTIONS = [
259
- 'confident',
260
- 'cautious',
261
- 'sarcastic',
262
- 'analytical',
263
- 'unhinged',
264
- 'deadpan',
265
- 'provocative',
266
- 'zen',
375
+ export const BIO_EXAMPLES = [
376
+ 'Survived multiple bear markets and came out buying. The kind of person who sees a 20% dip and tweets "lol free money" unironically.',
377
+ "Quant brain in a CT body. Doesn't care about narratives or community vibes. Posts their read and moves on.",
378
+ 'Has been rugged more times than they can count and still apes into new plays. Treats their portfolio like a slot machine with better odds.',
379
+ ];
380
+ export const TRADING_STYLE_OPTIONS = [
381
+ {
382
+ label: '📉 Price Action',
383
+ value: 'technical',
384
+ description: "Charts, indicators, support/resistance. If it's not on the chart, it doesn't matter.",
385
+ },
386
+ {
387
+ label: '🔗 On-chain',
388
+ value: 'onchain',
389
+ description: 'Wallet flows, TVL, protocol metrics. The blockchain is the source of truth.',
390
+ },
391
+ {
392
+ label: '📣 Sentiment',
393
+ value: 'sentiment',
394
+ description: 'CT buzz, social volume, narrative momentum. The crowd moves price.',
395
+ },
396
+ {
397
+ label: '🌐 Macro',
398
+ value: 'macro',
399
+ description: "Rates, DXY, global liquidity. Crypto doesn't trade in a vacuum.",
400
+ },
401
+ {
402
+ label: '🏗️ Fundamental',
403
+ value: 'fundamental',
404
+ description: 'Revenue, users, product quality. Value over hype.',
405
+ },
267
406
  ];
268
- export const VOICE_STYLE_OPTIONS = [
269
- 'terse & punchy',
270
- 'data-driven',
271
- 'storyteller',
272
- 'CT native slang',
273
- 'academic',
407
+ export const PROJECT_CATEGORY_OPTIONS = [
408
+ {
409
+ label: '🔷 Layer 1',
410
+ value: 'l1',
411
+ description: 'Base layer chains — ETH, SOL, BTC, AVAX, etc.',
412
+ },
413
+ {
414
+ label: '🔶 Layer 2',
415
+ value: 'l2',
416
+ description: 'Rollups and scaling solutions — ARB, OP, BASE, STRK, etc.',
417
+ },
418
+ {
419
+ label: '🏦 DeFi',
420
+ value: 'defi',
421
+ description: 'Lending, DEXs, yield, stablecoins — AAVE, UNI, MKR, etc.',
422
+ },
423
+ {
424
+ label: '🤖 AI',
425
+ value: 'ai',
426
+ description: 'AI and compute tokens — FET, RENDER, TAO, AKT, etc.',
427
+ },
428
+ {
429
+ label: '🐸 Memecoins',
430
+ value: 'meme',
431
+ description: 'Community-driven tokens — DOGE, SHIB, PEPE, WIF, etc.',
432
+ },
433
+ {
434
+ label: '🏠 RWA',
435
+ value: 'rwa',
436
+ description: 'Real world assets — ONDO, MKR (RWA vaults), tokenized treasuries, etc.',
437
+ },
438
+ {
439
+ label: '🎮 Gaming',
440
+ value: 'gaming',
441
+ description: 'Gaming and metaverse tokens — IMX, GALA, AXS, etc.',
442
+ },
443
+ {
444
+ label: '🔐 Infrastructure',
445
+ value: 'infra',
446
+ description: 'Oracles, bridges, storage — LINK, FIL, GRT, etc.',
447
+ },
274
448
  ];
275
449
  function formatBulletList(items) {
276
450
  const lines = items.map((item) => `- ${item}`).join('\n');
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@hive-org/cli",
3
- "version": "0.0.10",
3
+ "version": "0.0.11",
4
4
  "description": "CLI for bootstrapping Hive AI Agents",
5
5
  "type": "module",
6
6
  "main": "dist/index.js",