Saltar al contenido

Canal API Punto final

Los canales son un mecanismo central para administrar las actualizaciones de aplicaciones en Capgo. En el modo autohospedado, debe implementar puntos finales de canal para manejar asignaciones de dispositivos, consultas de canales y operaciones de administración de canales.

Los canales le permiten:

  • Controlar la distribución de actualizaciones: asigne diferentes versiones de la aplicación a diferentes grupos de usuarios
  • Pruebas A/B: prueba nuevas funciones con segmentos de usuarios específicos
  • Implementaciones por etapas: implemente actualizaciones gradualmente para minimizar el riesgo
  • Separación de entornos: actualizaciones separadas de desarrollo, puesta en escena y producción

Configure la URL del punto final del canal en su capacitor.config.json:

{
"plugins": {
"CapacitorUpdater": {
"channelUrl": "https://myserver.com/api/channel_self"
}
}
}

El complemento realiza diferentes operaciones de canal que su punto final debe manejar:

1. Listar canales compatibles (solicitud GET)

Section titled “1. Listar canales compatibles (solicitud GET)”

Cuando el complemento llama a listChannels(), envía una solicitud GET para recuperar todos los canales que son compatibles con el dispositivo. Esto devuelve canales que coinciden con el entorno del dispositivo (desarrollador/productor, emulador/dispositivo real) y permiten el acceso público o la autoasignación.

// GET /api/channel_self
// Headers:
{
"Content-Type": "application/json"
}
// Query parameters:
interface ListChannelsRequest {
app_id: string
platform: "ios" | "android" | "electron"
is_emulator: boolean
is_prod: boolean
key_id?: string
}
[
{
"id": 1,
"name": "production",
"public": true,
"allow_self_set": false
},
{
"id": 2,
"name": "beta",
"public": false,
"allow_self_set": true
}
]

La respuesta incluye dos banderas importantes para cada canal:

  • public: true: Este es un canal predeterminado. Los dispositivos no pueden autoasignarse usando setChannel(). En cambio, si un dispositivo elimina su asignación de canal (usando unsetChannel()), recibirá automáticamente actualizaciones de este canal público si coincide con las condiciones del dispositivo.

  • allow_self_set: true: Este es un canal autoasignable. Los dispositivos pueden asignarse explícitamente a este canal usando setChannel(). Esto es útil para pruebas beta, pruebas A/B o para permitir a los usuarios optar por pistas de actualización específicas.

Cuando el complemento llama a getChannel(), envía una solicitud PUT para recuperar la asignación de canal actual del dispositivo.

// PUT /api/channel_self
// Headers:
{
"Content-Type": "application/json"
}
// Body:
interface GetChannelRequest {
device_id: string
app_id: string
platform: "ios" | "android" | "electron"
plugin_version: string
version_build: string
version_code: string
version_name: string
is_emulator: boolean
is_prod: boolean
defaultChannel?: string
channel?: string // For newer plugin versions, contains local channel override
}
{
"status": "ok",
"channel": "production",
"allowSet": true,
"message": "",
"error": ""
}

Cuando el complemento llama a setChannel(), envía una solicitud POST para asignar el dispositivo a un canal específico.

// POST /api/channel_self
interface SetChannelRequest {
device_id: string
app_id: string
channel: string
platform: "ios" | "android" | "electron"
plugin_version: string
version_build: string
version_code: string
version_name: string
is_emulator: boolean
is_prod: boolean
}
{
"status": "ok",
"message": "Device assigned to channel successfully",
"error": ""
}

Cuando un dispositivo intenta asignarse a un canal público (uno con public: true), su punto final debería devolver un error:

{
"status": "error",
"error": "public_channel_self_set_not_allowed",
"message": "This channel is public and does not allow device self-assignment. Unset the channel and the device will automatically use the public channel."
}

Cuando un dispositivo intenta asignarse a un canal que no permite la autoasignación:

{
"status": "error",
"error": "channel_self_set_not_allowed",
"message": "This channel does not allow devices to self associate"
}

4. Desarmar canal (Solicitud de ELIMINACIÓN)

Section titled “4. Desarmar canal (Solicitud de ELIMINACIÓN)”

Cuando el complemento llama a unsetChannel(), envía una solicitud DELETE para eliminar la asignación de canal del dispositivo.

// DELETE /api/channel_self
interface UnsetChannelRequest {
device_id: string
app_id: string
platform: "ios" | "android" | "electron"
plugin_version: string
version_build: string
version_code: string
version_name: string
}

A continuación se muestra un ejemplo JavaScript de cómo implementar el punto final del canal:

interface ChannelRequest {
device_id: string
app_id: string
channel?: string
platform: "ios" | "android" | "electron"
plugin_version: string
version_build: string
version_code: string
version_name: string
}
interface ChannelResponse {
status: "ok" | "error"
channel?: string
allowSet?: boolean
message?: string
error?: string
}
export const handler = async (event) => {
const method = event.httpMethod || event.method
const body = JSON.parse(event.body || '{}') as ChannelRequest
const { device_id, app_id, channel, platform } = body
try {
switch (method) {
case 'GET':
return await getDeviceChannel(device_id, app_id)
case 'POST':
return await setDeviceChannel(device_id, app_id, channel!, platform)
case 'DELETE':
return await unsetDeviceChannel(device_id, app_id)
default:
return {
status: "error",
error: "Method not allowed"
}
}
} catch (error) {
return {
status: "error",
error: error.message
}
}
}
async function getDeviceChannel(deviceId: string, appId: string): Promise<ChannelResponse> {
// Query your database for device channel assignment
const assignment = await database.getDeviceChannel(deviceId, appId)
if (assignment) {
return {
status: "ok",
channel: assignment.channel,
allowSet: assignment.allowSelfAssign
}
}
// Return default channel if no assignment found
return {
status: "ok",
channel: "production", // Your default channel
allowSet: true
}
}
async function setDeviceChannel(
deviceId: string,
appId: string,
channel: string,
platform: string
): Promise<ChannelResponse> {
// Validate channel exists and allows self-assignment
const channelConfig = await database.getChannelConfig(channel, appId)
if (!channelConfig) {
return {
status: "error",
error: "Channel not found"
}
}
if (!channelConfig.allowDeviceSelfSet) {
return {
status: "error",
error: "Channel does not allow self-assignment"
}
}
// Check platform restrictions
if (platform === "ios" && !channelConfig.ios) {
return {
status: "error",
error: "Channel not available for iOS"
}
}
if (platform === "android" && !channelConfig.android) {
return {
status: "error",
error: "Channel not available for Android"
}
}
if (platform === "electron" && !channelConfig.electron) {
return {
status: "error",
error: "Channel not available for Electron"
}
}
// Save the assignment
await database.setDeviceChannel(deviceId, appId, channel)
return {
status: "ok",
message: "Device assigned to channel successfully"
}
}
async function unsetDeviceChannel(deviceId: string, appId: string): Promise<ChannelResponse> {
// Remove device channel assignment
await database.removeDeviceChannel(deviceId, appId)
return {
status: "ok",
message: "Device channel assignment removed"
}
}

Su sistema de canales debe admitir estas opciones de configuración:

interface ChannelConfig {
name: string
appId: string
// Platform targeting
ios: boolean // Allow updates to iOS devices
android: boolean // Allow updates to Android devices
electron: boolean // Allow updates to Electron apps
// Device type restrictions
allow_emulator: boolean // Allow updates on emulator/simulator devices
allow_device: boolean // Allow updates on real/physical devices
// Build type restrictions
allow_dev: boolean // Allow updates on development builds (is_prod=false)
allow_prod: boolean // Allow updates on production builds (is_prod=true)
// Channel assignment
public: boolean // Default channel - devices fall back to this when no override
allowDeviceSelfSet: boolean // Allow devices to self-assign via setChannel()
// Update policies
disableAutoUpdate: "major" | "minor" | "version_number" | "none"
disableAutoUpdateUnderNative: boolean
}

Lógica de filtrado de dispositivosAl enumerar canales compatibles (solicitud GET), debe filtrar los canales según estas condiciones:

Section titled “Lógica de filtrado de dispositivosAl enumerar canales compatibles (solicitud GET), debe filtrar los canales según estas condiciones:”
  1. Verificación de plataforma: el canal debe permitir la plataforma del dispositivo (ios, android o electron).
  2. Verificación del tipo de dispositivo:
    • Si is_emulator=true: El canal debe tener allow_emulator=true
    • Si is_emulator=false: El canal debe tener allow_device=true
  3. Verificación del tipo de construcción:
    • Si is_prod=true: El canal debe tener allow_prod=true
    • Si is_prod=false: El canal debe tener allow_dev=true
  4. Verificación de visibilidad: el canal debe ser public=true O allow_device_self_set=true
// Example filtering logic
function getCompatibleChannels(
platform: 'ios' | 'android' | 'electron',
isEmulator: boolean,
isProd: boolean,
channels: ChannelConfig[]
): ChannelConfig[] {
return channels.filter(channel => {
// Platform check
if (!channel[platform]) return false
// Device type check
if (isEmulator && !channel.allow_emulator) return false
if (!isEmulator && !channel.allow_device) return false
// Build type check
if (isProd && !channel.allow_prod) return false
if (!isProd && !channel.allow_dev) return false
// Must be accessible (public or self-assignable)
if (!channel.public && !channel.allowDeviceSelfSet) return false
return true
})
}

Necesitará almacenar configuraciones de canales y asignaciones de dispositivos:

-- Channels table
CREATE TABLE channels (
id SERIAL PRIMARY KEY,
name VARCHAR(255) NOT NULL,
app_id VARCHAR(255) NOT NULL,
-- Platform targeting
ios BOOLEAN DEFAULT true,
android BOOLEAN DEFAULT true,
electron BOOLEAN DEFAULT true,
-- Device type restrictions
allow_emulator BOOLEAN DEFAULT true, -- Allow emulator/simulator devices
allow_device BOOLEAN DEFAULT true, -- Allow real/physical devices
-- Build type restrictions
allow_dev BOOLEAN DEFAULT true, -- Allow development builds
allow_prod BOOLEAN DEFAULT true, -- Allow production builds
-- Channel assignment
public BOOLEAN DEFAULT false, -- Default channel (fallback)
allow_device_self_set BOOLEAN DEFAULT false, -- Allow self-assignment
-- Update policies
disable_auto_update VARCHAR(50) DEFAULT 'none',
disable_auto_update_under_native BOOLEAN DEFAULT false,
created_at TIMESTAMP DEFAULT NOW(),
UNIQUE(name, app_id)
);
-- Device channel assignments table
CREATE TABLE device_channels (
id SERIAL PRIMARY KEY,
device_id VARCHAR(255) NOT NULL,
app_id VARCHAR(255) NOT NULL,
channel_name VARCHAR(255) NOT NULL,
assigned_at TIMESTAMP DEFAULT NOW(),
UNIQUE(device_id, app_id)
);

Manejar escenarios de error comunes:

// Channel not found
{
"status": "error",
"error": "Channel 'beta' not found"
}
// Self-assignment not allowed
{
"status": "error",
"error": "Channel does not allow device self-assignment"
}
// Platform not supported
{
"status": "error",
"error": "Channel not available for this platform"
}
// Invalid request
{
"status": "error",
"error": "Missing required field: device_id"
}
  1. Seguridad: valide todas las asignaciones de canales según sus reglas comerciales
  2. Registro: registra todas las operaciones del canal para auditoría y depuración.
  3. Rendimiento: configuraciones del canal de caché para reducir las consultas a la base de datos
  4. Validación: Verifique la autenticidad de device_id y app_id
  5. Limitación de tasa: implementar limitación de tasa para evitar abusos

Las asignaciones de canales funcionan junto con su Actualización API Endpoint. Cuando un dispositivo solicita una actualización, verifique su asignación de canal para determinar qué versión ofrecer:

async function getUpdateForDevice(deviceId: string, appId: string) {
// Get device's channel assignment
const channelAssignment = await getDeviceChannel(deviceId, appId)
const channel = channelAssignment.channel || 'production'
// Get the version assigned to this channel
const channelVersion = await getChannelVersion(channel, appId)
return {
version: channelVersion.version,
url: channelVersion.url,
checksum: channelVersion.checksum
}
}

Esto crea un completo sistema de gestión de canales autohospedado que le brinda control total sobre cómo se distribuyen las actualizaciones a sus usuarios.