- 
                Notifications
    You must be signed in to change notification settings 
- Fork 129
fix: make inspector working again #3229
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
base: 10-24-fix_fe_bring_back_ts_type_check
Are you sure you want to change the base?
fix: make inspector working again #3229
Conversation
| The latest updates on your projects. Learn more about Vercel for GitHub. 
 2 Skipped Deployments
 | 
| Warning This pull request is not mergeable via GitHub because a downstack PR is open. Once all requirements are satisfied, merge this PR as a stack on Graphite. 
 How to use the Graphite Merge QueueAdd the label merge-queue to this PR to add it to the merge queue. You must have a Graphite account in order to use the merge queue. Sign up using this link. An organization admin has enabled the Graphite Merge Queue in this repository. Please do not merge from GitHub as this will restart CI on PRs being processed by the merge queue. This stack of pull requests is managed by Graphite. Learn more about stacking. | 
| commit:  | 
| PR Review: Fix Inspector Working AgainOverviewThis PR fixes the actor inspector functionality by properly handling authentication tokens and improving the REPL worker implementation. The changes span across the frontend data providers, actor worker logic, and dependency management. Code Quality & Best Practices ✅Strengths: 
 Minor Improvements: 
 Potential Bugs & Issues  | 
2013347    to
    7074439      
    Compare
  
    725df55    to
    ca4eed0      
    Compare
  
    7074439    to
    cbaa3ff      
    Compare
  
    | PR Review: Fix Inspector FunctionalityOverviewThis PR fixes the inspector functionality by properly handling authentication tokens and inspector credentials across different app types (engine vs inspector). The changes reduce code bloat (1403 deletions vs 299 additions) while fixing critical functionality. ✅ Positive Aspects
 
 | 
| Graphite Automations"Test" took an action on this PR • (10/21/25)1 assignee was added to this PR based on Kacper Wojciechowski's automation. | 
cbaa3ff    to
    ce7ecee      
    Compare
  
    | Pull Request Review: Fix Inspector FunctionalitySummaryThis PR fixes the actor inspector functionality by resolving authentication and data flow issues. The changes primarily focus on properly passing tokens and metadata through the data provider chain to enable inspector API calls from web workers. Code Quality & Best Practices✅ Strengths
 
 | 
| Code Review - PR #3229: fix: make inspector working againOverviewThis PR fixes the inspector functionality by updating token handling, authentication flow, and improving the actor worker/REPL integration. The changes primarily focus on frontend TypeScript code related to actor inspection and data providers. ✅ Strengths
 🔍 Issues & Recommendations1. Security Concern: Token Handling in Worker (HIGH PRIORITY)Location:  The worker receives and stores the raw token value after resolving it: engineToken:
    typeof this.#meta?.engineToken === "function"
        ? await this.#meta?.engineToken()
        : this.#meta?.engineToken,Issues: 
 Recommendation: 
 2. Error Handling IssuesLocation:  if (!response.ok) {
    try {
        return await response.json();
    } catch {
        return await response.text();
    }
}Issues: 
 Recommendation: if (!response.ok) {
    let errorMsg: string;
    try {
        const errorData = await response.json();
        errorMsg = errorData.message || JSON.stringify(errorData);
    } catch {
        errorMsg = await response.text();
    }
    throw new Error(`Action failed: ${errorMsg}`);
}3. Race Condition in Actor InitializationLocation:  if (this.#meta.actorId !== meta.actorId) {
    // if not, we don't need to do anything
    return null;
}Issue: This check happens after async operations, but  Recommendation: 
 4. Missing Null/Undefined ChecksLocation:  In  const inspectorToken = useInspectorToken(runner || "");Issue: If  Recommendation: const inspectorToken = useInspectorToken(runner);
// And update useInspectorToken to handle undefined:
const useInspectorToken = (runnerName: string | undefined) => {
    return match(__APP_TYPE__)
        .with("inspector", () => {
            return useInspectorCredentials().credentials?.token;
        })
        .otherwise(() => {
            const provider = useEngineCompatDataProvider();
            const { data } = useQuery({
                ...provider.runnerByNameQueryOptions({ runnerName }),
                enabled: !!runnerName, // Add this
            });
            return (data?.metadata?.inspectorToken as string) || "";
        });
};5. Type Safety IssueLocation:  return (data?.metadata?.inspectorToken as string) || "";Issue: Using type assertion without validation. If  Recommendation: return typeof data?.metadata?.inspectorToken === 'string' 
    ? data.metadata.inspectorToken 
    : "";6. Async Function Not AwaitedLocation:  async #setupWorker(worker: Worker) {This function is async but the await happens inside for  this.#setupWorker(worker);Issue: Potential race condition where initialization may not complete before worker is used. Recommendation: Either await the  7. Missing Error LoggingLocation:  } catch (e) {
    console.log(e);  // Should be console.errorRecommendation: Use  8. Console Error Moved But Information LostLocation:  The error logging was moved but the context message was removed: console.error("Actor Worker Error", msg);
if (!msg.id) {
    this.#state.status = { type: "error", error: msg.data };
    // Old code had: console.error("Actor Worker Error", msg.data);Recommendation: Keep detailed error logging for debugging purposes. 📝 Minor Issues
 🧪 Test Coverage ConcernsNo test files are included in this PR. Consider adding tests for: 
 ✨ Suggestions for Future Improvements
 SummaryThe PR successfully fixes the inspector functionality with good architectural improvements in token handling. However, there are several security, error handling, and race condition concerns that should be addressed before merging. Recommendation: Request changes to address the high-priority security concern around token handling in workers and the error handling issues. The other issues can be addressed as follow-up improvements. Priority Fixes Needed: 
 🤖 Generated with Claude Code | 
| PR Review: fix: make inspector working againSummaryThis PR fixes the inspector functionality with 18 files changed (+299/-1403 lines). The changes primarily focus on fixing authentication and token handling for the actor inspector, along with a significant simplification of the word list. Positives ✅
 Issues & Concerns 🔴Critical Issues
 Medium Priority Issues
 Minor Issues
 Security Considerations 🔒
 Performance Considerations ⚡
 Testing & Coverage 🧪Given the complexity of authentication and worker initialization changes, I recommend adding: 
 Recommendations 📋
 Additional Notes
 Overall, this PR addresses important functionality issues but has some async/await and error handling gaps that should be addressed before merging. 🤖 Generated with Claude Code | 
| Merge activity
 | 
ce7ecee    to
    f925e65      
    Compare
  
    | PR Review: Fix Inspector IntegrationSummaryThis PR fixes the actor inspector functionality by properly integrating authentication tokens and inspector client configuration. The changes touch multiple areas including data providers, actor worker integration, and utility functions. Code Quality & Architecture✅ Strengths
 🔍 Areas for Improvement1. Async/Await Inconsistency ( async #setupWorker(worker: Worker) {
  this.#worker = worker;
  // ... event listeners setup ...
  
  // Clearly separate async token resolution
  const engineToken = typeof this.#meta?.engineToken === "function"
    ? await this.#meta.engineToken()
    : this.#meta?.engineToken;
  
  this.#worker.postMessage({
    // ... other fields ...
    engineToken,
    // ...
  } satisfies InitMessage);
}2. Potential Race Condition ( 
 3. Error Logging ( catch (e) {
  console.error("Actor initialization error:", e);
  // ...
}Security Concerns
 | 
f925e65    to
    0c844db      
    Compare
  
    | PR Review: Fix Inspector FunctionalitySummaryThis PR fixes the actor inspector functionality by properly handling authentication tokens and improving the actor REPL worker. The changes are well-structured and address critical functionality issues. ✅ Strengths
 🔍 Issues & ConcernsCritical
 Medium Priority
 Low Priority
 🎯 Best Practices✅ Good use of TypeScript satisfies operator 🧪 Test CoverageMissing: No test files included in this PR. Given the complexity of the authentication flow and worker communication: Recommendations: 
 🔒 Security Considerations
 🚀 Performance
 📝 Overall AssessmentVerdict: ✅ Approve with suggestions This is a solid fix that addresses the core functionality issues. The main concerns are around security (token handling in workers) and the async/await inconsistencies. The refactoring improves code organization, but needs test coverage to ensure reliability. Before merging: 
 Nice work on the authentication flow improvements! 🎉 | 
0c844db    to
    0ebaae2      
    Compare
  
    | Pull Request Review: Fix Inspector FunctionalityOverviewThis PR fixes the inspector functionality by refactoring how actor worker initialization and authentication works. The changes appear to address issues with the actor inspector's ability to communicate with actors. Code Quality & Best Practices✅ Strengths
 
 | 
| Code Review: Fix Inspector FunctionalityThank you for working on fixing the inspector! I've reviewed the changes and have the following feedback: ✅ Positive Observations
 🔍 Potential Issues & Concerns1. Error Handling in Worker (actor-repl.worker.ts:210-216)if (\!response.ok) {
  try {
    return await response.json();
  } catch {
    return await response.text();
  }
}
 2. Unsafe Header Deletion (engine-data-provider.tsx:52-56)Object.keys(args.headers || {}).forEach((key) => {
  if (key.toLowerCase().startsWith("x-fern-")) {
    delete args.headers?.[key];  // ⚠️ Using optional chaining on delete
  }
});
 3. Missing Error Handling for Token ResolutionIn  engineToken:
  typeof this.#meta?.engineToken === "function"
    ? await this.#meta?.engineToken()
    : this.#meta?.engineToken,
 4.  | 

No description provided.