File size: 6,222 Bytes
bf9d545
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
#!/usr/bin/env node

/**
 * Test script to verify Alpaca orders retrieval
 * Run with: node scripts/test-alpaca-orders.js
 */

const Alpaca = require('@alpacahq/alpaca-trade-api');
require('dotenv').config();

async function testAlpacaOrders() {
    console.log('πŸ” Testing Alpaca Orders Retrieval\n');
    console.log('='.repeat(60));

    // Check credentials
    const key = process.env.ALPACA_KEY;
    const secret = process.env.ALPACA_SECRET;

    if (!key || !secret) {
        console.error('❌ ERROR: ALPACA_KEY or ALPACA_SECRET not found in environment');
        process.exit(1);
    }

    console.log('βœ… Credentials found');
    console.log('   Key:', key.substring(0, 8) + '...');
    console.log('');

    try {
        // Initialize Alpaca client
        const alpaca = new Alpaca({
            keyId: key,
            secretKey: secret,
            paper: true,
        });

        console.log('πŸ“‘ Connecting to Alpaca API...\n');

        // Get account info
        const account = await alpaca.getAccount();
        console.log('βœ… Account Connected');
        console.log('   Equity: $' + parseFloat(account.equity).toFixed(2));
        console.log('   Cash: $' + parseFloat(account.cash).toFixed(2));
        console.log('');

        // Get positions
        const positions = await alpaca.getPositions();
        console.log('πŸ“Š Positions (' + positions.length + '):');
        positions.forEach(p => {
            console.log('   - ' + p.symbol + ': ' + p.qty + ' shares');
        });
        console.log('');

        // Get ALL orders (including filled, cancelled, etc.)
        console.log('πŸ“‹ Fetching ALL orders (all statuses)...\n');
        const allOrders = await alpaca.getOrders({
            status: 'all',
            limit: 500,
            nested: true
        });

        console.log('Total orders retrieved: ' + allOrders.length);
        console.log('='.repeat(60));
        console.log('');

        if (allOrders.length === 0) {
            console.log('⚠️  No orders found in Alpaca');
            return;
        }

        // Group by status
        const byStatus = {};
        allOrders.forEach(order => {
            const status = order.status;
            if (!byStatus[status]) byStatus[status] = [];
            byStatus[status].push(order);
        });

        console.log('πŸ“Š Orders by Status:');
        Object.keys(byStatus).forEach(status => {
            console.log('   ' + status.toUpperCase() + ': ' + byStatus[status].length);
        });
        console.log('');

        // Show OPEN orders in detail
        const openStatuses = ['new', 'pending_new', 'accepted', 'partially_filled'];
        const openOrders = allOrders.filter(o => openStatuses.includes(o.status));

        console.log('='.repeat(60));
        console.log('🟒 OPEN ORDERS (' + openOrders.length + '):');
        console.log('='.repeat(60));

        if (openOrders.length === 0) {
            console.log('⚠️  No open orders found');
            console.log('   (Filtering by statuses: ' + openStatuses.join(', ') + ')');
        } else {
            openOrders.forEach((order, idx) => {
                console.log('');
                console.log(`Order ${idx + 1}:`);
                console.log('   ID: ' + order.id);
                console.log('   Symbol: ' + order.symbol);
                console.log('   Side: ' + order.side.toUpperCase());
                console.log('   Type: ' + order.type.toUpperCase());
                console.log('   Status: ' + order.status.toUpperCase());
                console.log('   Qty: ' + order.qty);

                if (order.limit_price) {
                    console.log('   Limit Price: $' + parseFloat(order.limit_price).toFixed(2));
                }
                if (order.stop_price) {
                    console.log('   Stop Price: $' + parseFloat(order.stop_price).toFixed(2));
                }
                if (order.order_class) {
                    console.log('   Order Class: ' + order.order_class.toUpperCase());
                }
                if (order.filled_qty && parseFloat(order.filled_qty) > 0) {
                    console.log('   Filled Qty: ' + order.filled_qty);
                }
                if (order.filled_avg_price && parseFloat(order.filled_avg_price) > 0) {
                    console.log('   Fill Price: $' + parseFloat(order.filled_avg_price).toFixed(2));
                }

                // Show bracket legs
                if (order.legs && order.legs.length > 0) {
                    console.log('   OCO Legs:');
                    order.legs.forEach((leg, legIdx) => {
                        console.log('      Leg ' + (legIdx + 1) + ':');
                        console.log('         Type: ' + leg.type);
                        if (leg.limit_price) {
                            console.log('         TP: $' + parseFloat(leg.limit_price).toFixed(2));
                        }
                        if (leg.stop_price) {
                            console.log('         SL: $' + parseFloat(leg.stop_price).toFixed(2));
                        }
                    });
                }

                console.log('   Submitted: ' + new Date(order.submitted_at).toLocaleString());
            });
        }

        console.log('');
        console.log('='.repeat(60));
        console.log('πŸ” RECENT ORDERS (last 10, all statuses):');
        console.log('='.repeat(60));

        allOrders.slice(0, 10).forEach((order, idx) => {
            console.log(`${idx + 1}. [${order.status.toUpperCase()}] ${order.symbol} - ${order.side.toUpperCase()} ${order.qty} @ ${order.type} - ${new Date(order.submitted_at).toLocaleString()}`);
        });

        console.log('');
        console.log('='.repeat(60));
        console.log('βœ… Test Completed Successfully');
        console.log('='.repeat(60));

    } catch (error) {
        console.error('');
        console.error('❌ ERROR:');
        console.error('   Message:', error.message);
        console.error('   Stack:', error.stack);
        process.exit(1);
    }
}

// Run the test
testAlpacaOrders().catch(err => {
    console.error('Unhandled error:', err);
    process.exit(1);
});