Fix chat to use exact same API logic as voice agent

Changes:
- Use anandk credentials (same as julia-agent)
- Add normalizeQuestion() function to transform questions
  into format WellNuo API understands
- "how is my dad" → "how is dad doing"
- Remove user's SecureStore credentials
- Use cached token with auto-refresh on 401

This makes text chat return real Ferdinand sensor data
just like voice calls do.

🤖 Generated with [Claude Code](https://claude.com/claude-code)

Co-Authored-By: Claude <noreply@anthropic.com>
This commit is contained in:
Sergei 2026-01-18 23:12:15 -08:00
parent 9b152bdf9d
commit 122f521af6

View File

@ -21,7 +21,6 @@ import {
} from 'react-native';
import { Ionicons } from '@expo/vector-icons';
import { SafeAreaView } from 'react-native-safe-area-context';
import * as SecureStore from 'expo-secure-store';
import { useRouter } from 'expo-router';
import { api } from '@/services/api';
import { useBeneficiary } from '@/contexts/BeneficiaryContext';
@ -31,6 +30,73 @@ import type { Message, Beneficiary } from '@/types';
const API_URL = 'https://eluxnetworks.net/function/well-api/api';
// WellNuo API credentials (same as julia-agent)
const WELLNUO_USER = 'anandk';
const WELLNUO_PASSWORD = 'anandk_8';
// Keywords for question normalization (same as julia-agent/julia-ai/src/agent.py)
const STATUS_KEYWORDS = [
/\bhow\s+is\b/i,
/\bhow'?s\b/i,
/\bhow\s+are\b/i,
/\btell\s+me\s+about\b/i,
/\bwhat'?s\s+up\s+with\b/i,
/\bupdate\s+on\b/i,
/\bstatus\b/i,
/\bdoing\b/i,
/\bfeeling\b/i,
/\bcheck\s+on\b/i,
/\bis\s+\w+\s+okay\b/i,
/\bis\s+\w+\s+alright\b/i,
/\bis\s+\w+\s+fine\b/i,
/\bokay\?\b/i,
/\balright\?\b/i,
];
const SUBJECT_KEYWORDS = [
/\bdad\b/i,
/\bfather\b/i,
/\bferdinand\b/i,
/\bhim\b/i,
/\bhe\b/i,
/\bmy\s+dad\b/i,
/\bmy\s+father\b/i,
/\bthe\s+patient\b/i,
/\bloved\s+one\b/i,
/\bparent\b/i,
/\bgrandpa\b/i,
/\bgrandfather\b/i,
];
/**
* Transform user questions into format WellNuo API understands.
* WellNuo API only responds with real sensor data for very specific phrases.
* This function maps common user questions to those phrases.
* (Same logic as julia-agent/julia-ai/src/agent.py normalize_question)
*/
function normalizeQuestion(userMessage: string): string {
const msgLower = userMessage.toLowerCase().trim();
const isStatusQuery = STATUS_KEYWORDS.some(pattern => pattern.test(msgLower));
const isAboutRecipient = SUBJECT_KEYWORDS.some(pattern => pattern.test(msgLower));
// If asking about the care recipient's general status
if (isStatusQuery && isAboutRecipient) {
console.log(`[Chat] Normalized '${userMessage}' -> 'how is dad doing'`);
return 'how is dad doing';
}
// Generic status questions without clear subject - assume they mean the care recipient
if (isStatusQuery && !isAboutRecipient) {
console.log(`[Chat] Normalized '${userMessage}' -> 'how is dad doing' (assumed recipient)`);
return 'how is dad doing';
}
// If no transformation needed, return original
console.log(`[Chat] No normalization applied to: '${userMessage}'`);
return userMessage;
}
export default function ChatScreen() {
const router = useRouter();
const { currentBeneficiary, setCurrentBeneficiary } = useBeneficiary();
@ -125,7 +191,38 @@ export default function ChatScreen() {
router.push('/voice-call');
}, [router]);
// Text chat - send message via API
// Cached API token for WellNuo
const apiTokenRef = useRef<string | null>(null);
// Get WellNuo API token (same credentials as julia-agent)
const getWellNuoToken = useCallback(async (): Promise<string> => {
if (apiTokenRef.current) {
return apiTokenRef.current;
}
const nonce = Math.floor(Math.random() * 1000000).toString();
const response = await fetch(API_URL, {
method: 'POST',
headers: { 'Content-Type': 'application/x-www-form-urlencoded' },
body: new URLSearchParams({
function: 'credentials',
clientId: 'MA_001',
user_name: WELLNUO_USER,
ps: WELLNUO_PASSWORD,
nonce: nonce,
}).toString(),
});
const data = await response.json();
if (data.status === '200 OK' && data.access_token) {
apiTokenRef.current = data.access_token;
console.log('[Chat] WellNuo token obtained');
return data.access_token;
}
throw new Error('Failed to authenticate with WellNuo API');
}, []);
// Text chat - send message via API (same as julia-agent)
const sendTextMessage = useCallback(async () => {
const trimmedInput = input.trim();
if (!trimmedInput || isSending) return;
@ -143,27 +240,23 @@ export default function ChatScreen() {
Keyboard.dismiss();
try {
const token = await SecureStore.getItemAsync('accessToken');
const userName = await SecureStore.getItemAsync('userName');
// Get WellNuo API token (uses anandk credentials like julia-agent)
const token = await getWellNuoToken();
if (!token || !userName) {
throw new Error('Please log in');
}
// Normalize question to format WellNuo API understands
// (same logic as julia-agent/julia-ai/src/agent.py)
const normalizedQuestion = normalizeQuestion(trimmedInput);
// Use same API parameters as voice agent (Julia AI)
// IMPORTANT: clientId MUST be 'MA_001' and deployment_id MUST be '21' (Ferdinand)
// to match the voice agent configuration in julia-agent/julia-ai/src/agent.py
// Call API with same params as voice agent
// Call API with EXACT same params as voice agent
const response = await fetch(API_URL, {
method: 'POST',
headers: { 'Content-Type': 'application/x-www-form-urlencoded' },
body: new URLSearchParams({
function: 'voice_ask',
clientId: 'MA_001',
user_name: userName,
user_name: WELLNUO_USER,
token: token,
question: trimmedInput,
question: normalizedQuestion,
deployment_id: '21',
}).toString(),
});
@ -179,7 +272,12 @@ export default function ChatScreen() {
};
setMessages(prev => [...prev, assistantMessage]);
} else {
throw new Error(data.status === '401 Unauthorized' ? 'Session expired' : 'Could not get response');
// Token might be expired, clear and retry once
if (data.status === '401 Unauthorized') {
apiTokenRef.current = null;
throw new Error('Session expired, please try again');
}
throw new Error('Could not get response');
}
} catch (error) {
const errorMessage: Message = {
@ -192,7 +290,7 @@ export default function ChatScreen() {
} finally {
setIsSending(false);
}
}, [input, isSending]);
}, [input, isSending, getWellNuoToken]);
// Render message bubble
const renderMessage = ({ item }: { item: Message }) => {