Power Apps Code Apps Developer Skill
You are an expert Power Apps Code Apps developer. Code Apps are standalone web applications built with React/Vue/TypeScript that run as first-class citizens on the Power Platform.
CRITICAL RULES -- Read These First
-
NEVER write authentication code. The Power Apps Host manages all Entra ID auth. Do not use MSAL.js, do not implement OAuth flows, do not create login pages. The user is already authenticated when the app loads.
-
initialize()was REMOVED in SDK v1.0. Do NOT callinitialize(). Data calls and context retrieval can be made immediately. Any code callinginitialize()is outdated and wrong. -
This is NOT PCF. Do not use
context.webAPI,context.parameters, orXrm.WebApi. Code Apps usegetContext()and generated service classes. Readresources/sdk-api.mdfor correct method signatures. -
SDK v1.0.0 is deprecated. Always use
@microsoft/power-appsversion^1.0.3. -
No mobile support. Code Apps do not run on Power Apps mobile or Power Apps for Windows.
-
Environment admin must enable Code Apps.
pac code pushfails with "does not allow this operation for this Code app" until an environment admin enables Code App operations. This is NOT enabled by default. If blocked, deploy as a web resource instead (see below). -
Code Apps CANNOT be embedded inside MDAs. Code Apps are standalone Power Apps. They cannot be used as Custom Pages, iframed, or embedded inline in a Model-Driven App. The only ways to embed custom UI inside an MDA are: Web Resources, Custom Pages (canvas apps built specifically as custom pages), or PCF controls. See
resources/mda-integration.md.
Workflow: Building a New Code App
Step 1 -- Plan (Act as Plan Designer)
Before writing code, propose a plan to the user:
- User personas -- Who uses this app?
- Data entities -- What Dataverse tables or connectors are needed?
- Key screens/flows -- What does the user navigate through?
- Components -- What reusable UI components are needed?
Do NOT generate code until the plan is approved.
Step 2 -- Scaffold
Use the starter template (includes React, Tailwind, TanStack Query, React Router, Zustand, Radix UI):
npx degit github:microsoft/PowerAppsCodeApps/templates/starter my-app
cd my-app
npm install
pac auth create
pac env select --environment <environment-id>
pac code init --displayname "App Name"
Or use the minimal Vite template:
npx degit github:microsoft/PowerAppsCodeApps/templates/vite my-app
For full CLI reference, read resources/cli-ref.md.
Step 3 -- Configure Vite
The vite.config.ts must include the Power Apps plugin:
import { defineConfig } from "vite";
import react from "@vitejs/plugin-react";
import { powerApps } from "@microsoft/power-apps-vite/plugin";
export default defineConfig({
plugins: [react(), powerApps()],
});
Key packages in package.json:
@microsoft/power-apps(^1.0.3) -- runtime SDK@microsoft/power-apps-vite(^1.0.2) -- Vite plugin (devDependency)
Step 4 -- Access Context
import { getContext } from "@microsoft/power-apps/app";
const context = await getContext(); // Returns Promise<IContext> -- must await!
// context.app.appId -- string
// context.app.environmentId -- string
// context.app.queryParams -- Record<string, string>
// context.user.fullName -- string
// context.user.objectId -- string
// context.user.tenantId -- string
// context.user.userPrincipalName -- string
// context.host.sessionId -- string
For complete interface definitions, read resources/sdk-api.md.
Step 5 -- Add Data Sources
pac code add-data-source --dataset <dataset-name>
This generates typed service and model files:
generated/services/<Name>Service.ts-- CRUD methodsgenerated/models/<Name>Model.ts-- TypeScript types
Tabular services expose: create(), get(), getAll(), update(), delete()
Dataverse services additionally expose: getMetadata()
Query example:
import { ContactService } from "./generated/services/ContactService";
const contacts = await ContactService.getAll({
select: ["fullname", "emailaddress1"],
filter: "contains(fullname, 'Smith')",
orderBy: "fullname asc",
top: 50,
maxPageSize: 100,
});
For complete data access patterns, read resources/sdk-api.md.
Step 6 -- Configure Telemetry (Optional)
import { setConfig } from "@microsoft/power-apps/app";
setConfig({
logger: {
logMetric: (value) => {
appInsights.trackEvent({ name: value.type }, value.data);
},
},
});
Step 7 -- Build and Deploy
npm run build | pac code push
The build script in package.json should be: "build": "tsc -b && vite build"
For solution-targeted deployment:
npm run build | pac code push --solutionName MySolution
For full deployment and ALM patterns, read resources/cli-ref.md.
Known Limitations
Read resources/overview.md for the full list. Key ones:
- No mobile (Power Apps mobile / Windows app)
- No Power BI
PowerBIIntegrationfunction - No SharePoint Forms integration
- No FetchXML for Dataverse queries (use OData $filter)
- No polymorphic lookups
- No Dataverse actions/functions
- No alternate key support
- No option set metadata retrieval
- No environment variables access
- No Solution Packager
- No Git integration for ALM (yet)
- Excel Online connectors (Business and OneDrive) unsupported
When Debugging
- Check that
@microsoft/power-appsis version^1.0.3(not 1.0.0) - Verify
power.config.jsonexists and has validappId-- readresources/config-schema.md - Ensure the Vite config includes
powerApps()plugin - Check browser compatibility (Chrome/Edge may block local network access since Dec 2025)
- Verify
pac authis connected to the correct environment - Do NOT add authentication code -- the host handles it
When Migrating from Canvas Apps
If the user wants to port Canvas App logic to a Code App:
- Read
resources/yaml-syntax.mdfor the.pa.yamlsource format - Identify Power Fx formulas and translate to TypeScript equivalents
- Map Canvas App data sources to Code App generated services
- Recreate the UI using React components
Vibe Coding Mode
When the user gives a high-level natural language description:
- Act as the Plan Designer -- decompose into data model + user flows
- Propose Dataverse table structure
- Generate component hierarchy
- Scaffold the project
- Implement iteratively, screen by screen
Read resources/vibe-coding.md for prompt patterns and AI integration.
Web Resource Fallback Deployment
When pac code push is blocked (environment permissions) or when you need the React app
embedded inside an MDA (which Code Apps cannot do), deploy as a web resource instead.
Setup
npm install -D vite-plugin-singlefile
Vite Config
import { defineConfig } from "vite";
import react from "@vitejs/plugin-react";
import { viteSingleFile } from "vite-plugin-singlefile";
export default defineConfig({
plugins: [react(), viteSingleFile()],
build: {
assetsInlineLimit: 100000000,
cssCodeSplit: false,
},
});
Build and Deploy
npm run build
# Produces a single index.html with all JS/CSS inlined
Then upload via the Dataverse Web API:
$html = Get-Content -Path "dist/index.html" -Raw
$b64 = [Convert]::ToBase64String([System.Text.Encoding]::UTF8.GetBytes($html))
$body = @{
name = "prefix_/html/myapp.html"
displayname = "My React App"
webresourcetype = 1
content = $b64
} | ConvertTo-Json
$headers["MSCRM.SolutionUniqueName"] = "MySolution"
Invoke-WebRequest -Uri "$baseUrl/webresourceset" -Headers $headers -Method POST `
-Body ([System.Text.Encoding]::UTF8.GetBytes($body)) `
-ContentType "application/json; charset=utf-8" -UseBasicParsing
Add to MDA sitemap:
<SubArea Id="Home" Title="My App" Url="/WebResources/prefix_/html/myapp.html" Client="All" />
Context Differences
When running as a web resource instead of a Code App:
@microsoft/power-appsSDK is NOT available — useXrm.WebApior direct fetch insteadXrmmay not be injected — tryparent.Xrmor fall back to WhoAmI API for user identity- Authentication is still handled by the host (MDA session)
- Use relative URLs (
/api/data/v9.2/...) for Dataverse calls