azure-native.machinelearningservices.Schedule
Explore with Pulumi AI
Azure Resource Manager resource envelope.
Uses Azure REST API version 2024-10-01. In version 2.x of the Azure Native provider, it used API version 2023-04-01.
Other available API versions: 2022-06-01-preview, 2022-10-01, 2022-10-01-preview, 2022-12-01-preview, 2023-02-01-preview, 2023-04-01, 2023-04-01-preview, 2023-06-01-preview, 2023-08-01-preview, 2023-10-01, 2024-01-01-preview, 2024-04-01, 2024-07-01-preview, 2024-10-01-preview, 2025-01-01-preview. These can be accessed by generating a local SDK package using the CLI command pulumi package add azure-native machinelearningservices [ApiVersion]
. See the version guide for details.
Example Usage
CreateOrUpdate Schedule.
using System.Collections.Generic;
using System.Linq;
using Pulumi;
using AzureNative = Pulumi.AzureNative;
return await Deployment.RunAsync(() =>
{
var schedule = new AzureNative.MachineLearningServices.Schedule("schedule", new()
{
Name = "string",
ResourceGroupName = "test-rg",
ScheduleProperties = new AzureNative.MachineLearningServices.Inputs.ScheduleArgs
{
Action = new AzureNative.MachineLearningServices.Inputs.EndpointScheduleActionArgs
{
ActionType = "InvokeBatchEndpoint",
EndpointInvocationDefinition =
{
{ "9965593e-526f-4b89-bb36-761138cf2794", null },
},
},
Description = "string",
DisplayName = "string",
IsEnabled = false,
Properties =
{
{ "string", "string" },
},
Tags =
{
{ "string", "string" },
},
Trigger = new AzureNative.MachineLearningServices.Inputs.CronTriggerArgs
{
EndTime = "string",
Expression = "string",
StartTime = "string",
TimeZone = "string",
TriggerType = "Cron",
},
},
WorkspaceName = "my-aml-workspace",
});
});
package main
import (
machinelearningservices "github.com/pulumi/pulumi-azure-native-sdk/machinelearningservices/v3"
"github.com/pulumi/pulumi/sdk/v3/go/pulumi"
)
func main() {
pulumi.Run(func(ctx *pulumi.Context) error {
_, err := machinelearningservices.NewSchedule(ctx, "schedule", &machinelearningservices.ScheduleArgs{
Name: pulumi.String("string"),
ResourceGroupName: pulumi.String("test-rg"),
ScheduleProperties: &machinelearningservices.ScheduleTypeArgs{
Action: machinelearningservices.EndpointScheduleAction{
ActionType: "InvokeBatchEndpoint",
EndpointInvocationDefinition: map[string]interface{}{
"9965593e-526f-4b89-bb36-761138cf2794": nil,
},
},
Description: pulumi.String("string"),
DisplayName: pulumi.String("string"),
IsEnabled: pulumi.Bool(false),
Properties: pulumi.StringMap{
"string": pulumi.String("string"),
},
Tags: pulumi.StringMap{
"string": pulumi.String("string"),
},
Trigger: machinelearningservices.CronTrigger{
EndTime: "string",
Expression: "string",
StartTime: "string",
TimeZone: "string",
TriggerType: "Cron",
},
},
WorkspaceName: pulumi.String("my-aml-workspace"),
})
if err != nil {
return err
}
return nil
})
}
package generated_program;
import com.pulumi.Context;
import com.pulumi.Pulumi;
import com.pulumi.core.Output;
import com.pulumi.azurenative.machinelearningservices.Schedule;
import java.util.List;
import java.util.ArrayList;
import java.util.Map;
import java.io.File;
import java.nio.file.Files;
import java.nio.file.Paths;
public class App {
public static void main(String[] args) {
Pulumi.run(App::stack);
}
public static void stack(Context ctx) {
var schedule = new Schedule("schedule", ScheduleArgs.builder()
.name("string")
.resourceGroupName("test-rg")
.scheduleProperties(ScheduleArgs.builder()
.action(EndpointScheduleActionArgs.builder()
.actionType("InvokeBatchEndpoint")
.endpointInvocationDefinition(Map.of("9965593e-526f-4b89-bb36-761138cf2794", null))
.build())
.description("string")
.displayName("string")
.isEnabled(false)
.properties(Map.of("string", "string"))
.tags(Map.of("string", "string"))
.trigger(CronTriggerArgs.builder()
.endTime("string")
.expression("string")
.startTime("string")
.timeZone("string")
.triggerType("Cron")
.build())
.build())
.workspaceName("my-aml-workspace")
.build());
}
}
import * as pulumi from "@pulumi/pulumi";
import * as azure_native from "@pulumi/azure-native";
const schedule = new azure_native.machinelearningservices.Schedule("schedule", {
name: "string",
resourceGroupName: "test-rg",
scheduleProperties: {
action: {
actionType: "InvokeBatchEndpoint",
endpointInvocationDefinition: {
"9965593e-526f-4b89-bb36-761138cf2794": null,
},
},
description: "string",
displayName: "string",
isEnabled: false,
properties: {
string: "string",
},
tags: {
string: "string",
},
trigger: {
endTime: "string",
expression: "string",
startTime: "string",
timeZone: "string",
triggerType: "Cron",
},
},
workspaceName: "my-aml-workspace",
});
import pulumi
import pulumi_azure_native as azure_native
schedule = azure_native.machinelearningservices.Schedule("schedule",
name="string",
resource_group_name="test-rg",
schedule_properties={
"action": {
"action_type": "InvokeBatchEndpoint",
"endpoint_invocation_definition": {
"9965593e-526f-4b89-bb36-761138cf2794": None,
},
},
"description": "string",
"display_name": "string",
"is_enabled": False,
"properties": {
"string": "string",
},
"tags": {
"string": "string",
},
"trigger": {
"end_time": "string",
"expression": "string",
"start_time": "string",
"time_zone": "string",
"trigger_type": "Cron",
},
},
workspace_name="my-aml-workspace")
resources:
schedule:
type: azure-native:machinelearningservices:Schedule
properties:
name: string
resourceGroupName: test-rg
scheduleProperties:
action:
actionType: InvokeBatchEndpoint
endpointInvocationDefinition:
9965593e-526f-4b89-bb36-761138cf2794: null
description: string
displayName: string
isEnabled: false
properties:
string: string
tags:
string: string
trigger:
endTime: string
expression: string
startTime: string
timeZone: string
triggerType: Cron
workspaceName: my-aml-workspace
Create Schedule Resource
Resources are created with functions called constructors. To learn more about declaring and configuring resources, see Resources.
Constructor syntax
new Schedule(name: string, args: ScheduleArgs, opts?: CustomResourceOptions);
@overload
def Schedule(resource_name: str,
args: ScheduleInitArgs,
opts: Optional[ResourceOptions] = None)
@overload
def Schedule(resource_name: str,
opts: Optional[ResourceOptions] = None,
resource_group_name: Optional[str] = None,
schedule_properties: Optional[ScheduleArgs] = None,
workspace_name: Optional[str] = None,
name: Optional[str] = None)
func NewSchedule(ctx *Context, name string, args ScheduleArgs, opts ...ResourceOption) (*Schedule, error)
public Schedule(string name, ScheduleArgs args, CustomResourceOptions? opts = null)
public Schedule(String name, ScheduleArgs args)
public Schedule(String name, ScheduleArgs args, CustomResourceOptions options)
type: azure-native:machinelearningservices:Schedule
properties: # The arguments to resource properties.
options: # Bag of options to control resource's behavior.
Parameters
- name string
- The unique name of the resource.
- args ScheduleArgs
- The arguments to resource properties.
- opts CustomResourceOptions
- Bag of options to control resource's behavior.
- resource_name str
- The unique name of the resource.
- args ScheduleInitArgs
- The arguments to resource properties.
- opts ResourceOptions
- Bag of options to control resource's behavior.
- ctx Context
- Context object for the current deployment.
- name string
- The unique name of the resource.
- args ScheduleArgs
- The arguments to resource properties.
- opts ResourceOption
- Bag of options to control resource's behavior.
- name string
- The unique name of the resource.
- args ScheduleArgs
- The arguments to resource properties.
- opts CustomResourceOptions
- Bag of options to control resource's behavior.
- name String
- The unique name of the resource.
- args ScheduleArgs
- The arguments to resource properties.
- options CustomResourceOptions
- Bag of options to control resource's behavior.
Constructor example
The following reference example uses placeholder values for all input properties.
var examplescheduleResourceResourceFromMachinelearningservices = new AzureNative.MachineLearningServices.Schedule("examplescheduleResourceResourceFromMachinelearningservices", new()
{
ResourceGroupName = "string",
ScheduleProperties = new AzureNative.MachineLearningServices.Inputs.ScheduleArgs
{
Action = new AzureNative.MachineLearningServices.Inputs.CreateMonitorActionArgs
{
ActionType = "CreateMonitor",
MonitorDefinition = new AzureNative.MachineLearningServices.Inputs.MonitorDefinitionArgs
{
ComputeConfiguration = new AzureNative.MachineLearningServices.Inputs.MonitorServerlessSparkComputeArgs
{
ComputeIdentity = new AzureNative.MachineLearningServices.Inputs.AmlTokenComputeIdentityArgs
{
ComputeIdentityType = "AmlToken",
},
ComputeType = "ServerlessSpark",
InstanceType = "string",
RuntimeVersion = "string",
},
Signals =
{
{ "string", new AzureNative.MachineLearningServices.Inputs.CustomMonitoringSignalArgs
{
ComponentId = "string",
MetricThresholds = new[]
{
new AzureNative.MachineLearningServices.Inputs.CustomMetricThresholdArgs
{
Metric = "string",
Threshold = new AzureNative.MachineLearningServices.Inputs.MonitoringThresholdArgs
{
Value = 0,
},
},
},
SignalType = "Custom",
InputAssets =
{
{ "string", new AzureNative.MachineLearningServices.Inputs.FixedInputDataArgs
{
InputDataType = "Fixed",
JobInputType = "string",
Uri = "string",
Columns =
{
{ "string", "string" },
},
DataContext = "string",
} },
},
Inputs =
{
{ "string", new AzureNative.MachineLearningServices.Inputs.CustomModelJobInputArgs
{
JobInputType = "custom_model",
Uri = "string",
Description = "string",
Mode = "string",
} },
},
NotificationTypes = new[]
{
"string",
},
Properties =
{
{ "string", "string" },
},
} },
},
AlertNotificationSettings = new AzureNative.MachineLearningServices.Inputs.MonitorNotificationSettingsArgs
{
EmailNotificationSettings = new AzureNative.MachineLearningServices.Inputs.MonitorEmailNotificationSettingsArgs
{
Emails = new[]
{
"string",
},
},
},
MonitoringTarget = new AzureNative.MachineLearningServices.Inputs.MonitoringTargetArgs
{
TaskType = "string",
DeploymentId = "string",
ModelId = "string",
},
},
},
Trigger = new AzureNative.MachineLearningServices.Inputs.CronTriggerArgs
{
Expression = "string",
TriggerType = "Cron",
EndTime = "string",
StartTime = "string",
TimeZone = "string",
},
Description = "string",
DisplayName = "string",
IsEnabled = false,
Properties =
{
{ "string", "string" },
},
Tags =
{
{ "string", "string" },
},
},
WorkspaceName = "string",
Name = "string",
});
example, err := machinelearningservices.NewSchedule(ctx, "examplescheduleResourceResourceFromMachinelearningservices", &machinelearningservices.ScheduleArgs{
ResourceGroupName: pulumi.String("string"),
ScheduleProperties: &machinelearningservices.ScheduleTypeArgs{
Action: machinelearningservices.CreateMonitorAction{
ActionType: "CreateMonitor",
MonitorDefinition: machinelearningservices.MonitorDefinition{
ComputeConfiguration: machinelearningservices.MonitorServerlessSparkCompute{
ComputeIdentity: machinelearningservices.AmlTokenComputeIdentity{
ComputeIdentityType: "AmlToken",
},
ComputeType: "ServerlessSpark",
InstanceType: "string",
RuntimeVersion: "string",
},
Signals: map[string]interface{}{
"string": machinelearningservices.CustomMonitoringSignal{
ComponentId: "string",
MetricThresholds: []machinelearningservices.CustomMetricThreshold{
{
Metric: "string",
Threshold: {
Value: 0,
},
},
},
SignalType: "Custom",
InputAssets: map[string]interface{}{
"string": machinelearningservices.FixedInputData{
InputDataType: "Fixed",
JobInputType: "string",
Uri: "string",
Columns: map[string]interface{}{
"string": "string",
},
DataContext: "string",
},
},
Inputs: map[string]interface{}{
"string": machinelearningservices.CustomModelJobInput{
JobInputType: "custom_model",
Uri: "string",
Description: "string",
Mode: "string",
},
},
NotificationTypes: []machinelearningservices.MonitoringNotificationType{
"string",
},
Properties: map[string]interface{}{
"string": "string",
},
},
},
AlertNotificationSettings: machinelearningservices.MonitorNotificationSettings{
EmailNotificationSettings: machinelearningservices.MonitorEmailNotificationSettings{
Emails: []string{
"string",
},
},
},
MonitoringTarget: machinelearningservices.MonitoringTarget{
TaskType: "string",
DeploymentId: "string",
ModelId: "string",
},
},
},
Trigger: machinelearningservices.CronTrigger{
Expression: "string",
TriggerType: "Cron",
EndTime: "string",
StartTime: "string",
TimeZone: "string",
},
Description: pulumi.String("string"),
DisplayName: pulumi.String("string"),
IsEnabled: pulumi.Bool(false),
Properties: pulumi.StringMap{
"string": pulumi.String("string"),
},
Tags: pulumi.StringMap{
"string": pulumi.String("string"),
},
},
WorkspaceName: pulumi.String("string"),
Name: pulumi.String("string"),
})
var examplescheduleResourceResourceFromMachinelearningservices = new com.pulumi.azurenative.machinelearningservices.Schedule("examplescheduleResourceResourceFromMachinelearningservices", com.pulumi.azurenative.machinelearningservices.ScheduleArgs.builder()
.resourceGroupName("string")
.scheduleProperties(ScheduleArgs.builder()
.action(CreateMonitorActionArgs.builder()
.actionType("CreateMonitor")
.monitorDefinition(MonitorDefinitionArgs.builder()
.computeConfiguration(MonitorServerlessSparkComputeArgs.builder()
.computeIdentity(AmlTokenComputeIdentityArgs.builder()
.computeIdentityType("AmlToken")
.build())
.computeType("ServerlessSpark")
.instanceType("string")
.runtimeVersion("string")
.build())
.signals(Map.of("string", Map.ofEntries(
Map.entry("componentId", "string"),
Map.entry("metricThresholds", Map.ofEntries(
Map.entry("metric", "string"),
Map.entry("threshold", Map.of("value", 0))
)),
Map.entry("signalType", "Custom"),
Map.entry("inputAssets", Map.of("string", Map.ofEntries(
Map.entry("inputDataType", "Fixed"),
Map.entry("jobInputType", "string"),
Map.entry("uri", "string"),
Map.entry("columns", Map.of("string", "string")),
Map.entry("dataContext", "string")
))),
Map.entry("inputs", Map.of("string", Map.ofEntries(
Map.entry("jobInputType", "custom_model"),
Map.entry("uri", "string"),
Map.entry("description", "string"),
Map.entry("mode", "string")
))),
Map.entry("notificationTypes", "string"),
Map.entry("properties", Map.of("string", "string"))
)))
.alertNotificationSettings(MonitorNotificationSettingsArgs.builder()
.emailNotificationSettings(MonitorEmailNotificationSettingsArgs.builder()
.emails("string")
.build())
.build())
.monitoringTarget(MonitoringTargetArgs.builder()
.taskType("string")
.deploymentId("string")
.modelId("string")
.build())
.build())
.build())
.trigger(CronTriggerArgs.builder()
.expression("string")
.triggerType("Cron")
.endTime("string")
.startTime("string")
.timeZone("string")
.build())
.description("string")
.displayName("string")
.isEnabled(false)
.properties(Map.of("string", "string"))
.tags(Map.of("string", "string"))
.build())
.workspaceName("string")
.name("string")
.build());
exampleschedule_resource_resource_from_machinelearningservices = azure_native.machinelearningservices.Schedule("examplescheduleResourceResourceFromMachinelearningservices",
resource_group_name="string",
schedule_properties={
"action": {
"action_type": "CreateMonitor",
"monitor_definition": {
"compute_configuration": {
"compute_identity": {
"compute_identity_type": "AmlToken",
},
"compute_type": "ServerlessSpark",
"instance_type": "string",
"runtime_version": "string",
},
"signals": {
"string": {
"component_id": "string",
"metric_thresholds": [{
"metric": "string",
"threshold": {
"value": 0,
},
}],
"signal_type": "Custom",
"input_assets": {
"string": {
"input_data_type": "Fixed",
"job_input_type": "string",
"uri": "string",
"columns": {
"string": "string",
},
"data_context": "string",
},
},
"inputs": {
"string": {
"job_input_type": "custom_model",
"uri": "string",
"description": "string",
"mode": "string",
},
},
"notification_types": ["string"],
"properties": {
"string": "string",
},
},
},
"alert_notification_settings": {
"email_notification_settings": {
"emails": ["string"],
},
},
"monitoring_target": {
"task_type": "string",
"deployment_id": "string",
"model_id": "string",
},
},
},
"trigger": {
"expression": "string",
"trigger_type": "Cron",
"end_time": "string",
"start_time": "string",
"time_zone": "string",
},
"description": "string",
"display_name": "string",
"is_enabled": False,
"properties": {
"string": "string",
},
"tags": {
"string": "string",
},
},
workspace_name="string",
name="string")
const examplescheduleResourceResourceFromMachinelearningservices = new azure_native.machinelearningservices.Schedule("examplescheduleResourceResourceFromMachinelearningservices", {
resourceGroupName: "string",
scheduleProperties: {
action: {
actionType: "CreateMonitor",
monitorDefinition: {
computeConfiguration: {
computeIdentity: {
computeIdentityType: "AmlToken",
},
computeType: "ServerlessSpark",
instanceType: "string",
runtimeVersion: "string",
},
signals: {
string: {
componentId: "string",
metricThresholds: [{
metric: "string",
threshold: {
value: 0,
},
}],
signalType: "Custom",
inputAssets: {
string: {
inputDataType: "Fixed",
jobInputType: "string",
uri: "string",
columns: {
string: "string",
},
dataContext: "string",
},
},
inputs: {
string: {
jobInputType: "custom_model",
uri: "string",
description: "string",
mode: "string",
},
},
notificationTypes: ["string"],
properties: {
string: "string",
},
},
},
alertNotificationSettings: {
emailNotificationSettings: {
emails: ["string"],
},
},
monitoringTarget: {
taskType: "string",
deploymentId: "string",
modelId: "string",
},
},
},
trigger: {
expression: "string",
triggerType: "Cron",
endTime: "string",
startTime: "string",
timeZone: "string",
},
description: "string",
displayName: "string",
isEnabled: false,
properties: {
string: "string",
},
tags: {
string: "string",
},
},
workspaceName: "string",
name: "string",
});
type: azure-native:machinelearningservices:Schedule
properties:
name: string
resourceGroupName: string
scheduleProperties:
action:
actionType: CreateMonitor
monitorDefinition:
alertNotificationSettings:
emailNotificationSettings:
emails:
- string
computeConfiguration:
computeIdentity:
computeIdentityType: AmlToken
computeType: ServerlessSpark
instanceType: string
runtimeVersion: string
monitoringTarget:
deploymentId: string
modelId: string
taskType: string
signals:
string:
componentId: string
inputAssets:
string:
columns:
string: string
dataContext: string
inputDataType: Fixed
jobInputType: string
uri: string
inputs:
string:
description: string
jobInputType: custom_model
mode: string
uri: string
metricThresholds:
- metric: string
threshold:
value: 0
notificationTypes:
- string
properties:
string: string
signalType: Custom
description: string
displayName: string
isEnabled: false
properties:
string: string
tags:
string: string
trigger:
endTime: string
expression: string
startTime: string
timeZone: string
triggerType: Cron
workspaceName: string
Schedule Resource Properties
To learn more about resource properties and how to use them, see Inputs and Outputs in the Architecture and Concepts docs.
Inputs
In Python, inputs that are objects can be passed either as argument classes or as dictionary literals.
The Schedule resource accepts the following input properties:
- Resource
Group stringName - The name of the resource group. The name is case insensitive.
- Schedule
Properties Pulumi.Azure Native. Machine Learning Services. Inputs. Schedule - [Required] Additional attributes of the entity.
- Workspace
Name string - Name of Azure Machine Learning workspace.
- Name string
- Schedule name.
- Resource
Group stringName - The name of the resource group. The name is case insensitive.
- Schedule
Properties ScheduleType Args - [Required] Additional attributes of the entity.
- Workspace
Name string - Name of Azure Machine Learning workspace.
- Name string
- Schedule name.
- resource
Group StringName - The name of the resource group. The name is case insensitive.
- schedule
Properties Schedule - [Required] Additional attributes of the entity.
- workspace
Name String - Name of Azure Machine Learning workspace.
- name String
- Schedule name.
- resource
Group stringName - The name of the resource group. The name is case insensitive.
- schedule
Properties Schedule - [Required] Additional attributes of the entity.
- workspace
Name string - Name of Azure Machine Learning workspace.
- name string
- Schedule name.
- resource_
group_ strname - The name of the resource group. The name is case insensitive.
- schedule_
properties ScheduleArgs - [Required] Additional attributes of the entity.
- workspace_
name str - Name of Azure Machine Learning workspace.
- name str
- Schedule name.
- resource
Group StringName - The name of the resource group. The name is case insensitive.
- schedule
Properties Property Map - [Required] Additional attributes of the entity.
- workspace
Name String - Name of Azure Machine Learning workspace.
- name String
- Schedule name.
Outputs
All input properties are implicitly available as output properties. Additionally, the Schedule resource produces the following output properties:
- Azure
Api stringVersion - The Azure API version of the resource.
- Id string
- The provider-assigned unique ID for this managed resource.
- System
Data Pulumi.Azure Native. Machine Learning Services. Outputs. System Data Response - Azure Resource Manager metadata containing createdBy and modifiedBy information.
- Type string
- The type of the resource. E.g. "Microsoft.Compute/virtualMachines" or "Microsoft.Storage/storageAccounts"
- Azure
Api stringVersion - The Azure API version of the resource.
- Id string
- The provider-assigned unique ID for this managed resource.
- System
Data SystemData Response - Azure Resource Manager metadata containing createdBy and modifiedBy information.
- Type string
- The type of the resource. E.g. "Microsoft.Compute/virtualMachines" or "Microsoft.Storage/storageAccounts"
- azure
Api StringVersion - The Azure API version of the resource.
- id String
- The provider-assigned unique ID for this managed resource.
- system
Data SystemData Response - Azure Resource Manager metadata containing createdBy and modifiedBy information.
- type String
- The type of the resource. E.g. "Microsoft.Compute/virtualMachines" or "Microsoft.Storage/storageAccounts"
- azure
Api stringVersion - The Azure API version of the resource.
- id string
- The provider-assigned unique ID for this managed resource.
- system
Data SystemData Response - Azure Resource Manager metadata containing createdBy and modifiedBy information.
- type string
- The type of the resource. E.g. "Microsoft.Compute/virtualMachines" or "Microsoft.Storage/storageAccounts"
- azure_
api_ strversion - The Azure API version of the resource.
- id str
- The provider-assigned unique ID for this managed resource.
- system_
data SystemData Response - Azure Resource Manager metadata containing createdBy and modifiedBy information.
- type str
- The type of the resource. E.g. "Microsoft.Compute/virtualMachines" or "Microsoft.Storage/storageAccounts"
- azure
Api StringVersion - The Azure API version of the resource.
- id String
- The provider-assigned unique ID for this managed resource.
- system
Data Property Map - Azure Resource Manager metadata containing createdBy and modifiedBy information.
- type String
- The type of the resource. E.g. "Microsoft.Compute/virtualMachines" or "Microsoft.Storage/storageAccounts"
Supporting Types
AllFeatures, AllFeaturesArgs
AllFeaturesResponse, AllFeaturesResponseArgs
AllNodes, AllNodesArgs
AllNodesResponse, AllNodesResponseArgs
AmlToken, AmlTokenArgs
AmlTokenComputeIdentity, AmlTokenComputeIdentityArgs
AmlTokenComputeIdentityResponse, AmlTokenComputeIdentityResponseArgs
AmlTokenResponse, AmlTokenResponseArgs
AutoForecastHorizon, AutoForecastHorizonArgs
AutoForecastHorizonResponse, AutoForecastHorizonResponseArgs
AutoMLJob, AutoMLJobArgs
- Task
Details Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Classification Azure | Pulumi.Native. Machine Learning Services. Inputs. Forecasting Azure | Pulumi.Native. Machine Learning Services. Inputs. Image Classification Azure | Pulumi.Native. Machine Learning Services. Inputs. Image Classification Multilabel Azure | Pulumi.Native. Machine Learning Services. Inputs. Image Instance Segmentation Azure | Pulumi.Native. Machine Learning Services. Inputs. Image Object Detection Azure | Pulumi.Native. Machine Learning Services. Inputs. Regression Azure | Pulumi.Native. Machine Learning Services. Inputs. Text Classification Azure | Pulumi.Native. Machine Learning Services. Inputs. Text Classification Multilabel Azure Native. Machine Learning Services. Inputs. Text Ner - [Required] This represents scenario which can be one of Tables/NLP/Image
- Component
Id string - ARM resource ID of the component resource.
- Compute
Id string - ARM resource ID of the compute resource.
- Description string
- The asset description text.
- Display
Name string - Display name of job.
- Environment
Id string - The ARM resource ID of the Environment specification for the job. This is optional value to provide, if not provided, AutoML will default this to Production AutoML curated environment version when running the job.
- Environment
Variables Dictionary<string, string> - Environment variables included in the job.
- Experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- Identity
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Aml Token Azure | Pulumi.Native. Machine Learning Services. Inputs. Managed Identity Azure Native. Machine Learning Services. Inputs. User Identity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- Is
Archived bool - Is the asset archived?
- Notification
Setting Pulumi.Azure Native. Machine Learning Services. Inputs. Notification Setting - Notification setting for the job
- Outputs Dictionary<string, object>
- Mapping of output data bindings used in the job.
- Properties Dictionary<string, string>
- The asset property dictionary.
- Queue
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Queue Settings - Queue settings for the job
- Resources
Pulumi.
Azure Native. Machine Learning Services. Inputs. Job Resource Configuration - Compute Resource configuration for the job.
- Services
Dictionary<string, Pulumi.
Azure Native. Machine Learning Services. Inputs. Job Service> - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Dictionary<string, string>
- Tag dictionary. Tags can be added, removed, and updated.
- Task
Details Classification | Forecasting | ImageClassification | ImageClassification | ImageMultilabel Instance | ImageSegmentation Object | Regression | TextDetection Classification | TextClassification | TextMultilabel Ner - [Required] This represents scenario which can be one of Tables/NLP/Image
- Component
Id string - ARM resource ID of the component resource.
- Compute
Id string - ARM resource ID of the compute resource.
- Description string
- The asset description text.
- Display
Name string - Display name of job.
- Environment
Id string - The ARM resource ID of the Environment specification for the job. This is optional value to provide, if not provided, AutoML will default this to Production AutoML curated environment version when running the job.
- Environment
Variables map[string]string - Environment variables included in the job.
- Experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- Identity
Aml
Token | ManagedIdentity | UserIdentity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- Is
Archived bool - Is the asset archived?
- Notification
Setting NotificationSetting - Notification setting for the job
- Outputs map[string]interface{}
- Mapping of output data bindings used in the job.
- Properties map[string]string
- The asset property dictionary.
- Queue
Settings QueueSettings - Queue settings for the job
- Resources
Job
Resource Configuration - Compute Resource configuration for the job.
- Services
map[string]Job
Service - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- map[string]string
- Tag dictionary. Tags can be added, removed, and updated.
- task
Details Classification | Forecasting | ImageClassification | ImageClassification | ImageMultilabel Instance | ImageSegmentation Object | Regression | TextDetection Classification | TextClassification | TextMultilabel Ner - [Required] This represents scenario which can be one of Tables/NLP/Image
- component
Id String - ARM resource ID of the component resource.
- compute
Id String - ARM resource ID of the compute resource.
- description String
- The asset description text.
- display
Name String - Display name of job.
- environment
Id String - The ARM resource ID of the Environment specification for the job. This is optional value to provide, if not provided, AutoML will default this to Production AutoML curated environment version when running the job.
- environment
Variables Map<String,String> - Environment variables included in the job.
- experiment
Name String - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedIdentity | UserIdentity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- is
Archived Boolean - Is the asset archived?
- notification
Setting NotificationSetting - Notification setting for the job
- outputs Map<String,Object>
- Mapping of output data bindings used in the job.
- properties Map<String,String>
- The asset property dictionary.
- queue
Settings QueueSettings - Queue settings for the job
- resources
Job
Resource Configuration - Compute Resource configuration for the job.
- services
Map<String,Job
Service> - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Map<String,String>
- Tag dictionary. Tags can be added, removed, and updated.
- task
Details Classification | Forecasting | ImageClassification | ImageClassification | ImageMultilabel Instance | ImageSegmentation Object | Regression | TextDetection Classification | TextClassification | TextMultilabel Ner - [Required] This represents scenario which can be one of Tables/NLP/Image
- component
Id string - ARM resource ID of the component resource.
- compute
Id string - ARM resource ID of the compute resource.
- description string
- The asset description text.
- display
Name string - Display name of job.
- environment
Id string - The ARM resource ID of the Environment specification for the job. This is optional value to provide, if not provided, AutoML will default this to Production AutoML curated environment version when running the job.
- environment
Variables {[key: string]: string} - Environment variables included in the job.
- experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedIdentity | UserIdentity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- is
Archived boolean - Is the asset archived?
- notification
Setting NotificationSetting - Notification setting for the job
- outputs
{[key: string]: Custom
Model Job Output | MLFlow Model Job Output | MLTable Job Output | Triton Model Job Output | Uri File Job Output | Uri Folder Job Output} - Mapping of output data bindings used in the job.
- properties {[key: string]: string}
- The asset property dictionary.
- queue
Settings QueueSettings - Queue settings for the job
- resources
Job
Resource Configuration - Compute Resource configuration for the job.
- services
{[key: string]: Job
Service} - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- {[key: string]: string}
- Tag dictionary. Tags can be added, removed, and updated.
- task_
details Classification | Forecasting | ImageClassification | ImageClassification | ImageMultilabel Instance | ImageSegmentation Object | Regression | TextDetection Classification | TextClassification | TextMultilabel Ner - [Required] This represents scenario which can be one of Tables/NLP/Image
- component_
id str - ARM resource ID of the component resource.
- compute_
id str - ARM resource ID of the compute resource.
- description str
- The asset description text.
- display_
name str - Display name of job.
- environment_
id str - The ARM resource ID of the Environment specification for the job. This is optional value to provide, if not provided, AutoML will default this to Production AutoML curated environment version when running the job.
- environment_
variables Mapping[str, str] - Environment variables included in the job.
- experiment_
name str - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedIdentity | UserIdentity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- is_
archived bool - Is the asset archived?
- notification_
setting NotificationSetting - Notification setting for the job
- outputs
Mapping[str, Union[Custom
Model Job Output, MLFlow Model Job Output, MLTable Job Output, Triton Model Job Output, Uri File Job Output, Uri Folder Job Output]] - Mapping of output data bindings used in the job.
- properties Mapping[str, str]
- The asset property dictionary.
- queue_
settings QueueSettings - Queue settings for the job
- resources
Job
Resource Configuration - Compute Resource configuration for the job.
- services
Mapping[str, Job
Service] - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Mapping[str, str]
- Tag dictionary. Tags can be added, removed, and updated.
- task
Details Property Map | Property Map | Property Map | Property Map | Property Map | Property Map | Property Map | Property Map | Property Map | Property Map - [Required] This represents scenario which can be one of Tables/NLP/Image
- component
Id String - ARM resource ID of the component resource.
- compute
Id String - ARM resource ID of the compute resource.
- description String
- The asset description text.
- display
Name String - Display name of job.
- environment
Id String - The ARM resource ID of the Environment specification for the job. This is optional value to provide, if not provided, AutoML will default this to Production AutoML curated environment version when running the job.
- environment
Variables Map<String> - Environment variables included in the job.
- experiment
Name String - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity Property Map | Property Map | Property Map
- Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- is
Archived Boolean - Is the asset archived?
- notification
Setting Property Map - Notification setting for the job
- outputs Map<Property Map | Property Map | Property Map | Property Map | Property Map | Property Map>
- Mapping of output data bindings used in the job.
- properties Map<String>
- The asset property dictionary.
- queue
Settings Property Map - Queue settings for the job
- resources Property Map
- Compute Resource configuration for the job.
- services Map<Property Map>
- List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Map<String>
- Tag dictionary. Tags can be added, removed, and updated.
AutoMLJobResponse, AutoMLJobResponseArgs
- Status string
- Status of the job.
- Task
Details Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Classification Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Forecasting Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Image Classification Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Image Classification Multilabel Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Image Instance Segmentation Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Image Object Detection Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Regression Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Text Classification Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Text Classification Multilabel Response Azure Native. Machine Learning Services. Inputs. Text Ner Response - [Required] This represents scenario which can be one of Tables/NLP/Image
- Component
Id string - ARM resource ID of the component resource.
- Compute
Id string - ARM resource ID of the compute resource.
- Description string
- The asset description text.
- Display
Name string - Display name of job.
- Environment
Id string - The ARM resource ID of the Environment specification for the job. This is optional value to provide, if not provided, AutoML will default this to Production AutoML curated environment version when running the job.
- Environment
Variables Dictionary<string, string> - Environment variables included in the job.
- Experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- Identity
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Aml Token Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Managed Identity Response Azure Native. Machine Learning Services. Inputs. User Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- Is
Archived bool - Is the asset archived?
- Notification
Setting Pulumi.Azure Native. Machine Learning Services. Inputs. Notification Setting Response - Notification setting for the job
- Outputs Dictionary<string, object>
- Mapping of output data bindings used in the job.
- Properties Dictionary<string, string>
- The asset property dictionary.
- Queue
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Queue Settings Response - Queue settings for the job
- Resources
Pulumi.
Azure Native. Machine Learning Services. Inputs. Job Resource Configuration Response - Compute Resource configuration for the job.
- Services
Dictionary<string, Pulumi.
Azure Native. Machine Learning Services. Inputs. Job Service Response> - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Dictionary<string, string>
- Tag dictionary. Tags can be added, removed, and updated.
- Status string
- Status of the job.
- Task
Details ClassificationResponse | ForecastingResponse | ImageClassification | ImageResponse Classification | ImageMultilabel Response Instance | ImageSegmentation Response Object | RegressionDetection Response Response | TextClassification | TextResponse Classification | TextMultilabel Response Ner Response - [Required] This represents scenario which can be one of Tables/NLP/Image
- Component
Id string - ARM resource ID of the component resource.
- Compute
Id string - ARM resource ID of the compute resource.
- Description string
- The asset description text.
- Display
Name string - Display name of job.
- Environment
Id string - The ARM resource ID of the Environment specification for the job. This is optional value to provide, if not provided, AutoML will default this to Production AutoML curated environment version when running the job.
- Environment
Variables map[string]string - Environment variables included in the job.
- Experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- Identity
Aml
Token | ManagedResponse Identity | UserResponse Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- Is
Archived bool - Is the asset archived?
- Notification
Setting NotificationSetting Response - Notification setting for the job
- Outputs map[string]interface{}
- Mapping of output data bindings used in the job.
- Properties map[string]string
- The asset property dictionary.
- Queue
Settings QueueSettings Response - Queue settings for the job
- Resources
Job
Resource Configuration Response - Compute Resource configuration for the job.
- Services
map[string]Job
Service Response - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- map[string]string
- Tag dictionary. Tags can be added, removed, and updated.
- status String
- Status of the job.
- task
Details ClassificationResponse | ForecastingResponse | ImageClassification | ImageResponse Classification | ImageMultilabel Response Instance | ImageSegmentation Response Object | RegressionDetection Response Response | TextClassification | TextResponse Classification | TextMultilabel Response Ner Response - [Required] This represents scenario which can be one of Tables/NLP/Image
- component
Id String - ARM resource ID of the component resource.
- compute
Id String - ARM resource ID of the compute resource.
- description String
- The asset description text.
- display
Name String - Display name of job.
- environment
Id String - The ARM resource ID of the Environment specification for the job. This is optional value to provide, if not provided, AutoML will default this to Production AutoML curated environment version when running the job.
- environment
Variables Map<String,String> - Environment variables included in the job.
- experiment
Name String - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedResponse Identity | UserResponse Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- is
Archived Boolean - Is the asset archived?
- notification
Setting NotificationSetting Response - Notification setting for the job
- outputs Map<String,Object>
- Mapping of output data bindings used in the job.
- properties Map<String,String>
- The asset property dictionary.
- queue
Settings QueueSettings Response - Queue settings for the job
- resources
Job
Resource Configuration Response - Compute Resource configuration for the job.
- services
Map<String,Job
Service Response> - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Map<String,String>
- Tag dictionary. Tags can be added, removed, and updated.
- status string
- Status of the job.
- task
Details ClassificationResponse | ForecastingResponse | ImageClassification | ImageResponse Classification | ImageMultilabel Response Instance | ImageSegmentation Response Object | RegressionDetection Response Response | TextClassification | TextResponse Classification | TextMultilabel Response Ner Response - [Required] This represents scenario which can be one of Tables/NLP/Image
- component
Id string - ARM resource ID of the component resource.
- compute
Id string - ARM resource ID of the compute resource.
- description string
- The asset description text.
- display
Name string - Display name of job.
- environment
Id string - The ARM resource ID of the Environment specification for the job. This is optional value to provide, if not provided, AutoML will default this to Production AutoML curated environment version when running the job.
- environment
Variables {[key: string]: string} - Environment variables included in the job.
- experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedResponse Identity | UserResponse Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- is
Archived boolean - Is the asset archived?
- notification
Setting NotificationSetting Response - Notification setting for the job
- outputs
{[key: string]: Custom
Model Job Output Response | MLFlow Model Job Output Response | MLTable Job Output Response | Triton Model Job Output Response | Uri File Job Output Response | Uri Folder Job Output Response} - Mapping of output data bindings used in the job.
- properties {[key: string]: string}
- The asset property dictionary.
- queue
Settings QueueSettings Response - Queue settings for the job
- resources
Job
Resource Configuration Response - Compute Resource configuration for the job.
- services
{[key: string]: Job
Service Response} - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- {[key: string]: string}
- Tag dictionary. Tags can be added, removed, and updated.
- status str
- Status of the job.
- task_
details ClassificationResponse | ForecastingResponse | ImageClassification | ImageResponse Classification | ImageMultilabel Response Instance | ImageSegmentation Response Object | RegressionDetection Response Response | TextClassification | TextResponse Classification | TextMultilabel Response Ner Response - [Required] This represents scenario which can be one of Tables/NLP/Image
- component_
id str - ARM resource ID of the component resource.
- compute_
id str - ARM resource ID of the compute resource.
- description str
- The asset description text.
- display_
name str - Display name of job.
- environment_
id str - The ARM resource ID of the Environment specification for the job. This is optional value to provide, if not provided, AutoML will default this to Production AutoML curated environment version when running the job.
- environment_
variables Mapping[str, str] - Environment variables included in the job.
- experiment_
name str - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedResponse Identity | UserResponse Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- is_
archived bool - Is the asset archived?
- notification_
setting NotificationSetting Response - Notification setting for the job
- outputs
Mapping[str, Union[Custom
Model Job Output Response, MLFlow Model Job Output Response, MLTable Job Output Response, Triton Model Job Output Response, Uri File Job Output Response, Uri Folder Job Output Response]] - Mapping of output data bindings used in the job.
- properties Mapping[str, str]
- The asset property dictionary.
- queue_
settings QueueSettings Response - Queue settings for the job
- resources
Job
Resource Configuration Response - Compute Resource configuration for the job.
- services
Mapping[str, Job
Service Response] - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Mapping[str, str]
- Tag dictionary. Tags can be added, removed, and updated.
- status String
- Status of the job.
- task
Details Property Map | Property Map | Property Map | Property Map | Property Map | Property Map | Property Map | Property Map | Property Map | Property Map - [Required] This represents scenario which can be one of Tables/NLP/Image
- component
Id String - ARM resource ID of the component resource.
- compute
Id String - ARM resource ID of the compute resource.
- description String
- The asset description text.
- display
Name String - Display name of job.
- environment
Id String - The ARM resource ID of the Environment specification for the job. This is optional value to provide, if not provided, AutoML will default this to Production AutoML curated environment version when running the job.
- environment
Variables Map<String> - Environment variables included in the job.
- experiment
Name String - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity Property Map | Property Map | Property Map
- Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- is
Archived Boolean - Is the asset archived?
- notification
Setting Property Map - Notification setting for the job
- outputs Map<Property Map | Property Map | Property Map | Property Map | Property Map | Property Map>
- Mapping of output data bindings used in the job.
- properties Map<String>
- The asset property dictionary.
- queue
Settings Property Map - Queue settings for the job
- resources Property Map
- Compute Resource configuration for the job.
- services Map<Property Map>
- List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Map<String>
- Tag dictionary. Tags can be added, removed, and updated.
AutoNCrossValidations, AutoNCrossValidationsArgs
AutoNCrossValidationsResponse, AutoNCrossValidationsResponseArgs
AutoSeasonality, AutoSeasonalityArgs
AutoSeasonalityResponse, AutoSeasonalityResponseArgs
AutoTargetLags, AutoTargetLagsArgs
AutoTargetLagsResponse, AutoTargetLagsResponseArgs
AutoTargetRollingWindowSize, AutoTargetRollingWindowSizeArgs
AutoTargetRollingWindowSizeResponse, AutoTargetRollingWindowSizeResponseArgs
AzureDevOpsWebhook, AzureDevOpsWebhookArgs
- Event
Type string - Send callback on a specified notification event
- Event
Type string - Send callback on a specified notification event
- event
Type String - Send callback on a specified notification event
- event
Type string - Send callback on a specified notification event
- event_
type str - Send callback on a specified notification event
- event
Type String - Send callback on a specified notification event
AzureDevOpsWebhookResponse, AzureDevOpsWebhookResponseArgs
- Event
Type string - Send callback on a specified notification event
- Event
Type string - Send callback on a specified notification event
- event
Type String - Send callback on a specified notification event
- event
Type string - Send callback on a specified notification event
- event_
type str - Send callback on a specified notification event
- event
Type String - Send callback on a specified notification event
BanditPolicy, BanditPolicyArgs
- Delay
Evaluation int - Number of intervals by which to delay the first evaluation.
- Evaluation
Interval int - Interval (number of runs) between policy evaluations.
- Slack
Amount double - Absolute distance allowed from the best performing run.
- Slack
Factor double - Ratio of the allowed distance from the best performing run.
- Delay
Evaluation int - Number of intervals by which to delay the first evaluation.
- Evaluation
Interval int - Interval (number of runs) between policy evaluations.
- Slack
Amount float64 - Absolute distance allowed from the best performing run.
- Slack
Factor float64 - Ratio of the allowed distance from the best performing run.
- delay
Evaluation Integer - Number of intervals by which to delay the first evaluation.
- evaluation
Interval Integer - Interval (number of runs) between policy evaluations.
- slack
Amount Double - Absolute distance allowed from the best performing run.
- slack
Factor Double - Ratio of the allowed distance from the best performing run.
- delay
Evaluation number - Number of intervals by which to delay the first evaluation.
- evaluation
Interval number - Interval (number of runs) between policy evaluations.
- slack
Amount number - Absolute distance allowed from the best performing run.
- slack
Factor number - Ratio of the allowed distance from the best performing run.
- delay_
evaluation int - Number of intervals by which to delay the first evaluation.
- evaluation_
interval int - Interval (number of runs) between policy evaluations.
- slack_
amount float - Absolute distance allowed from the best performing run.
- slack_
factor float - Ratio of the allowed distance from the best performing run.
- delay
Evaluation Number - Number of intervals by which to delay the first evaluation.
- evaluation
Interval Number - Interval (number of runs) between policy evaluations.
- slack
Amount Number - Absolute distance allowed from the best performing run.
- slack
Factor Number - Ratio of the allowed distance from the best performing run.
BanditPolicyResponse, BanditPolicyResponseArgs
- Delay
Evaluation int - Number of intervals by which to delay the first evaluation.
- Evaluation
Interval int - Interval (number of runs) between policy evaluations.
- Slack
Amount double - Absolute distance allowed from the best performing run.
- Slack
Factor double - Ratio of the allowed distance from the best performing run.
- Delay
Evaluation int - Number of intervals by which to delay the first evaluation.
- Evaluation
Interval int - Interval (number of runs) between policy evaluations.
- Slack
Amount float64 - Absolute distance allowed from the best performing run.
- Slack
Factor float64 - Ratio of the allowed distance from the best performing run.
- delay
Evaluation Integer - Number of intervals by which to delay the first evaluation.
- evaluation
Interval Integer - Interval (number of runs) between policy evaluations.
- slack
Amount Double - Absolute distance allowed from the best performing run.
- slack
Factor Double - Ratio of the allowed distance from the best performing run.
- delay
Evaluation number - Number of intervals by which to delay the first evaluation.
- evaluation
Interval number - Interval (number of runs) between policy evaluations.
- slack
Amount number - Absolute distance allowed from the best performing run.
- slack
Factor number - Ratio of the allowed distance from the best performing run.
- delay_
evaluation int - Number of intervals by which to delay the first evaluation.
- evaluation_
interval int - Interval (number of runs) between policy evaluations.
- slack_
amount float - Absolute distance allowed from the best performing run.
- slack_
factor float - Ratio of the allowed distance from the best performing run.
- delay
Evaluation Number - Number of intervals by which to delay the first evaluation.
- evaluation
Interval Number - Interval (number of runs) between policy evaluations.
- slack
Amount Number - Absolute distance allowed from the best performing run.
- slack
Factor Number - Ratio of the allowed distance from the best performing run.
BayesianSamplingAlgorithm, BayesianSamplingAlgorithmArgs
BayesianSamplingAlgorithmResponse, BayesianSamplingAlgorithmResponseArgs
BlockedTransformers, BlockedTransformersArgs
- Text
Target Encoder - TextTargetEncoderTarget encoding for text data.
- One
Hot Encoder - OneHotEncoderOhe hot encoding creates a binary feature transformation.
- Cat
Target Encoder - CatTargetEncoderTarget encoding for categorical data.
- Tf
Idf - TfIdfTf-Idf stands for, term-frequency times inverse document-frequency. This is a common term weighting scheme for identifying information from documents.
- Wo
ETarget Encoder - WoETargetEncoderWeight of Evidence encoding is a technique used to encode categorical variables. It uses the natural log of the P(1)/P(0) to create weights.
- Label
Encoder - LabelEncoderLabel encoder converts labels/categorical variables in a numerical form.
- Word
Embedding - WordEmbeddingWord embedding helps represents words or phrases as a vector, or a series of numbers.
- Naive
Bayes - NaiveBayesNaive Bayes is a classified that is used for classification of discrete features that are categorically distributed.
- Count
Vectorizer - CountVectorizerCount Vectorizer converts a collection of text documents to a matrix of token counts.
- Hash
One Hot Encoder - HashOneHotEncoderHashing One Hot Encoder can turn categorical variables into a limited number of new features. This is often used for high-cardinality categorical features.
- Blocked
Transformers Text Target Encoder - TextTargetEncoderTarget encoding for text data.
- Blocked
Transformers One Hot Encoder - OneHotEncoderOhe hot encoding creates a binary feature transformation.
- Blocked
Transformers Cat Target Encoder - CatTargetEncoderTarget encoding for categorical data.
- Blocked
Transformers Tf Idf - TfIdfTf-Idf stands for, term-frequency times inverse document-frequency. This is a common term weighting scheme for identifying information from documents.
- Blocked
Transformers Wo ETarget Encoder - WoETargetEncoderWeight of Evidence encoding is a technique used to encode categorical variables. It uses the natural log of the P(1)/P(0) to create weights.
- Blocked
Transformers Label Encoder - LabelEncoderLabel encoder converts labels/categorical variables in a numerical form.
- Blocked
Transformers Word Embedding - WordEmbeddingWord embedding helps represents words or phrases as a vector, or a series of numbers.
- Blocked
Transformers Naive Bayes - NaiveBayesNaive Bayes is a classified that is used for classification of discrete features that are categorically distributed.
- Blocked
Transformers Count Vectorizer - CountVectorizerCount Vectorizer converts a collection of text documents to a matrix of token counts.
- Blocked
Transformers Hash One Hot Encoder - HashOneHotEncoderHashing One Hot Encoder can turn categorical variables into a limited number of new features. This is often used for high-cardinality categorical features.
- Text
Target Encoder - TextTargetEncoderTarget encoding for text data.
- One
Hot Encoder - OneHotEncoderOhe hot encoding creates a binary feature transformation.
- Cat
Target Encoder - CatTargetEncoderTarget encoding for categorical data.
- Tf
Idf - TfIdfTf-Idf stands for, term-frequency times inverse document-frequency. This is a common term weighting scheme for identifying information from documents.
- Wo
ETarget Encoder - WoETargetEncoderWeight of Evidence encoding is a technique used to encode categorical variables. It uses the natural log of the P(1)/P(0) to create weights.
- Label
Encoder - LabelEncoderLabel encoder converts labels/categorical variables in a numerical form.
- Word
Embedding - WordEmbeddingWord embedding helps represents words or phrases as a vector, or a series of numbers.
- Naive
Bayes - NaiveBayesNaive Bayes is a classified that is used for classification of discrete features that are categorically distributed.
- Count
Vectorizer - CountVectorizerCount Vectorizer converts a collection of text documents to a matrix of token counts.
- Hash
One Hot Encoder - HashOneHotEncoderHashing One Hot Encoder can turn categorical variables into a limited number of new features. This is often used for high-cardinality categorical features.
- Text
Target Encoder - TextTargetEncoderTarget encoding for text data.
- One
Hot Encoder - OneHotEncoderOhe hot encoding creates a binary feature transformation.
- Cat
Target Encoder - CatTargetEncoderTarget encoding for categorical data.
- Tf
Idf - TfIdfTf-Idf stands for, term-frequency times inverse document-frequency. This is a common term weighting scheme for identifying information from documents.
- Wo
ETarget Encoder - WoETargetEncoderWeight of Evidence encoding is a technique used to encode categorical variables. It uses the natural log of the P(1)/P(0) to create weights.
- Label
Encoder - LabelEncoderLabel encoder converts labels/categorical variables in a numerical form.
- Word
Embedding - WordEmbeddingWord embedding helps represents words or phrases as a vector, or a series of numbers.
- Naive
Bayes - NaiveBayesNaive Bayes is a classified that is used for classification of discrete features that are categorically distributed.
- Count
Vectorizer - CountVectorizerCount Vectorizer converts a collection of text documents to a matrix of token counts.
- Hash
One Hot Encoder - HashOneHotEncoderHashing One Hot Encoder can turn categorical variables into a limited number of new features. This is often used for high-cardinality categorical features.
- TEXT_TARGET_ENCODER
- TextTargetEncoderTarget encoding for text data.
- ONE_HOT_ENCODER
- OneHotEncoderOhe hot encoding creates a binary feature transformation.
- CAT_TARGET_ENCODER
- CatTargetEncoderTarget encoding for categorical data.
- TF_IDF
- TfIdfTf-Idf stands for, term-frequency times inverse document-frequency. This is a common term weighting scheme for identifying information from documents.
- WO_E_TARGET_ENCODER
- WoETargetEncoderWeight of Evidence encoding is a technique used to encode categorical variables. It uses the natural log of the P(1)/P(0) to create weights.
- LABEL_ENCODER
- LabelEncoderLabel encoder converts labels/categorical variables in a numerical form.
- WORD_EMBEDDING
- WordEmbeddingWord embedding helps represents words or phrases as a vector, or a series of numbers.
- NAIVE_BAYES
- NaiveBayesNaive Bayes is a classified that is used for classification of discrete features that are categorically distributed.
- COUNT_VECTORIZER
- CountVectorizerCount Vectorizer converts a collection of text documents to a matrix of token counts.
- HASH_ONE_HOT_ENCODER
- HashOneHotEncoderHashing One Hot Encoder can turn categorical variables into a limited number of new features. This is often used for high-cardinality categorical features.
- "Text
Target Encoder" - TextTargetEncoderTarget encoding for text data.
- "One
Hot Encoder" - OneHotEncoderOhe hot encoding creates a binary feature transformation.
- "Cat
Target Encoder" - CatTargetEncoderTarget encoding for categorical data.
- "Tf
Idf" - TfIdfTf-Idf stands for, term-frequency times inverse document-frequency. This is a common term weighting scheme for identifying information from documents.
- "Wo
ETarget Encoder" - WoETargetEncoderWeight of Evidence encoding is a technique used to encode categorical variables. It uses the natural log of the P(1)/P(0) to create weights.
- "Label
Encoder" - LabelEncoderLabel encoder converts labels/categorical variables in a numerical form.
- "Word
Embedding" - WordEmbeddingWord embedding helps represents words or phrases as a vector, or a series of numbers.
- "Naive
Bayes" - NaiveBayesNaive Bayes is a classified that is used for classification of discrete features that are categorically distributed.
- "Count
Vectorizer" - CountVectorizerCount Vectorizer converts a collection of text documents to a matrix of token counts.
- "Hash
One Hot Encoder" - HashOneHotEncoderHashing One Hot Encoder can turn categorical variables into a limited number of new features. This is often used for high-cardinality categorical features.
CategoricalDataDriftMetric, CategoricalDataDriftMetricArgs
- Jensen
Shannon Distance - JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- Population
Stability Index - PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- Pearsons
Chi Squared Test - PearsonsChiSquaredTestThe Pearsons Chi Squared Test metric.
- Categorical
Data Drift Metric Jensen Shannon Distance - JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- Categorical
Data Drift Metric Population Stability Index - PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- Categorical
Data Drift Metric Pearsons Chi Squared Test - PearsonsChiSquaredTestThe Pearsons Chi Squared Test metric.
- Jensen
Shannon Distance - JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- Population
Stability Index - PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- Pearsons
Chi Squared Test - PearsonsChiSquaredTestThe Pearsons Chi Squared Test metric.
- Jensen
Shannon Distance - JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- Population
Stability Index - PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- Pearsons
Chi Squared Test - PearsonsChiSquaredTestThe Pearsons Chi Squared Test metric.
- JENSEN_SHANNON_DISTANCE
- JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- POPULATION_STABILITY_INDEX
- PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- PEARSONS_CHI_SQUARED_TEST
- PearsonsChiSquaredTestThe Pearsons Chi Squared Test metric.
- "Jensen
Shannon Distance" - JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- "Population
Stability Index" - PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- "Pearsons
Chi Squared Test" - PearsonsChiSquaredTestThe Pearsons Chi Squared Test metric.
CategoricalDataDriftMetricThreshold, CategoricalDataDriftMetricThresholdArgs
- Metric
string | Pulumi.
Azure Native. Machine Learning Services. Categorical Data Drift Metric - [Required] The categorical data drift metric to calculate.
- Threshold
Pulumi.
Azure Native. Machine Learning Services. Inputs. Monitoring Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- Metric
string | Categorical
Data Drift Metric - [Required] The categorical data drift metric to calculate.
- Threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
String | Categorical
Data Drift Metric - [Required] The categorical data drift metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
string | Categorical
Data Drift Metric - [Required] The categorical data drift metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
str | Categorical
Data Drift Metric - [Required] The categorical data drift metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
String | "Jensen
Shannon Distance" | "Population Stability Index" | "Pearsons Chi Squared Test" - [Required] The categorical data drift metric to calculate.
- threshold Property Map
- The threshold value. If null, a default value will be set depending on the selected metric.
CategoricalDataDriftMetricThresholdResponse, CategoricalDataDriftMetricThresholdResponseArgs
- Metric string
- [Required] The categorical data drift metric to calculate.
- Threshold
Pulumi.
Azure Native. Machine Learning Services. Inputs. Monitoring Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- Metric string
- [Required] The categorical data drift metric to calculate.
- Threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric String
- [Required] The categorical data drift metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric string
- [Required] The categorical data drift metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric str
- [Required] The categorical data drift metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric String
- [Required] The categorical data drift metric to calculate.
- threshold Property Map
- The threshold value. If null, a default value will be set depending on the selected metric.
CategoricalDataQualityMetric, CategoricalDataQualityMetricArgs
- Null
Value Rate - NullValueRateCalculates the rate of null values.
- Data
Type Error Rate - DataTypeErrorRateCalculates the rate of data type errors.
- Out
Of Bounds Rate - OutOfBoundsRateCalculates the rate values are out of bounds.
- Categorical
Data Quality Metric Null Value Rate - NullValueRateCalculates the rate of null values.
- Categorical
Data Quality Metric Data Type Error Rate - DataTypeErrorRateCalculates the rate of data type errors.
- Categorical
Data Quality Metric Out Of Bounds Rate - OutOfBoundsRateCalculates the rate values are out of bounds.
- Null
Value Rate - NullValueRateCalculates the rate of null values.
- Data
Type Error Rate - DataTypeErrorRateCalculates the rate of data type errors.
- Out
Of Bounds Rate - OutOfBoundsRateCalculates the rate values are out of bounds.
- Null
Value Rate - NullValueRateCalculates the rate of null values.
- Data
Type Error Rate - DataTypeErrorRateCalculates the rate of data type errors.
- Out
Of Bounds Rate - OutOfBoundsRateCalculates the rate values are out of bounds.
- NULL_VALUE_RATE
- NullValueRateCalculates the rate of null values.
- DATA_TYPE_ERROR_RATE
- DataTypeErrorRateCalculates the rate of data type errors.
- OUT_OF_BOUNDS_RATE
- OutOfBoundsRateCalculates the rate values are out of bounds.
- "Null
Value Rate" - NullValueRateCalculates the rate of null values.
- "Data
Type Error Rate" - DataTypeErrorRateCalculates the rate of data type errors.
- "Out
Of Bounds Rate" - OutOfBoundsRateCalculates the rate values are out of bounds.
CategoricalDataQualityMetricThreshold, CategoricalDataQualityMetricThresholdArgs
- Metric
string | Pulumi.
Azure Native. Machine Learning Services. Categorical Data Quality Metric - [Required] The categorical data quality metric to calculate.
- Threshold
Pulumi.
Azure Native. Machine Learning Services. Inputs. Monitoring Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- Metric
string | Categorical
Data Quality Metric - [Required] The categorical data quality metric to calculate.
- Threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
String | Categorical
Data Quality Metric - [Required] The categorical data quality metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
string | Categorical
Data Quality Metric - [Required] The categorical data quality metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
str | Categorical
Data Quality Metric - [Required] The categorical data quality metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
String | "Null
Value Rate" | "Data Type Error Rate" | "Out Of Bounds Rate" - [Required] The categorical data quality metric to calculate.
- threshold Property Map
- The threshold value. If null, a default value will be set depending on the selected metric.
CategoricalDataQualityMetricThresholdResponse, CategoricalDataQualityMetricThresholdResponseArgs
- Metric string
- [Required] The categorical data quality metric to calculate.
- Threshold
Pulumi.
Azure Native. Machine Learning Services. Inputs. Monitoring Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- Metric string
- [Required] The categorical data quality metric to calculate.
- Threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric String
- [Required] The categorical data quality metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric string
- [Required] The categorical data quality metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric str
- [Required] The categorical data quality metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric String
- [Required] The categorical data quality metric to calculate.
- threshold Property Map
- The threshold value. If null, a default value will be set depending on the selected metric.
CategoricalPredictionDriftMetric, CategoricalPredictionDriftMetricArgs
- Jensen
Shannon Distance - JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- Population
Stability Index - PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- Pearsons
Chi Squared Test - PearsonsChiSquaredTestThe Pearsons Chi Squared Test metric.
- Categorical
Prediction Drift Metric Jensen Shannon Distance - JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- Categorical
Prediction Drift Metric Population Stability Index - PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- Categorical
Prediction Drift Metric Pearsons Chi Squared Test - PearsonsChiSquaredTestThe Pearsons Chi Squared Test metric.
- Jensen
Shannon Distance - JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- Population
Stability Index - PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- Pearsons
Chi Squared Test - PearsonsChiSquaredTestThe Pearsons Chi Squared Test metric.
- Jensen
Shannon Distance - JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- Population
Stability Index - PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- Pearsons
Chi Squared Test - PearsonsChiSquaredTestThe Pearsons Chi Squared Test metric.
- JENSEN_SHANNON_DISTANCE
- JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- POPULATION_STABILITY_INDEX
- PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- PEARSONS_CHI_SQUARED_TEST
- PearsonsChiSquaredTestThe Pearsons Chi Squared Test metric.
- "Jensen
Shannon Distance" - JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- "Population
Stability Index" - PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- "Pearsons
Chi Squared Test" - PearsonsChiSquaredTestThe Pearsons Chi Squared Test metric.
CategoricalPredictionDriftMetricThreshold, CategoricalPredictionDriftMetricThresholdArgs
- Metric
string | Pulumi.
Azure Native. Machine Learning Services. Categorical Prediction Drift Metric - [Required] The categorical prediction drift metric to calculate.
- Threshold
Pulumi.
Azure Native. Machine Learning Services. Inputs. Monitoring Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- Metric
string | Categorical
Prediction Drift Metric - [Required] The categorical prediction drift metric to calculate.
- Threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
String | Categorical
Prediction Drift Metric - [Required] The categorical prediction drift metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
string | Categorical
Prediction Drift Metric - [Required] The categorical prediction drift metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
str | Categorical
Prediction Drift Metric - [Required] The categorical prediction drift metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
String | "Jensen
Shannon Distance" | "Population Stability Index" | "Pearsons Chi Squared Test" - [Required] The categorical prediction drift metric to calculate.
- threshold Property Map
- The threshold value. If null, a default value will be set depending on the selected metric.
CategoricalPredictionDriftMetricThresholdResponse, CategoricalPredictionDriftMetricThresholdResponseArgs
- Metric string
- [Required] The categorical prediction drift metric to calculate.
- Threshold
Pulumi.
Azure Native. Machine Learning Services. Inputs. Monitoring Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- Metric string
- [Required] The categorical prediction drift metric to calculate.
- Threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric String
- [Required] The categorical prediction drift metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric string
- [Required] The categorical prediction drift metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric str
- [Required] The categorical prediction drift metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric String
- [Required] The categorical prediction drift metric to calculate.
- threshold Property Map
- The threshold value. If null, a default value will be set depending on the selected metric.
Classification, ClassificationArgs
- Training
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - [Required] Training data input.
- Cv
Split List<string>Column Names - Columns to use for CVSplit data.
- Featurization
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Table Vertical Featurization Settings - Featurization inputs needed for AutoML job.
- Limit
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Table Vertical Limit Settings - Execution constraints for AutoMLJob.
- Log
Verbosity string | Pulumi.Azure Native. Machine Learning Services. Log Verbosity - Log verbosity for the job.
- NCross
Validations Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Auto NCross Validations Azure Native. Machine Learning Services. Inputs. Custom NCross Validations - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- Positive
Label string - Positive label for binary metrics calculation.
- Primary
Metric string | Pulumi.Azure Native. Machine Learning Services. Classification Primary Metrics - Primary metric for the task.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Test
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - Test data input.
- Test
Data doubleSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Training
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Classification Training Settings - Inputs for training phase for an AutoML Job.
- Validation
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - Validation data inputs.
- Validation
Data doubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Weight
Column stringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- Training
Data MLTableJob Input - [Required] Training data input.
- Cv
Split []stringColumn Names - Columns to use for CVSplit data.
- Featurization
Settings TableVertical Featurization Settings - Featurization inputs needed for AutoML job.
- Limit
Settings TableVertical Limit Settings - Execution constraints for AutoMLJob.
- Log
Verbosity string | LogVerbosity - Log verbosity for the job.
- NCross
Validations AutoNCross | CustomValidations NCross Validations - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- Positive
Label string - Positive label for binary metrics calculation.
- Primary
Metric string | ClassificationPrimary Metrics - Primary metric for the task.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Test
Data MLTableJob Input - Test data input.
- Test
Data float64Size - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Training
Settings ClassificationTraining Settings - Inputs for training phase for an AutoML Job.
- Validation
Data MLTableJob Input - Validation data inputs.
- Validation
Data float64Size - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Weight
Column stringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training
Data MLTableJob Input - [Required] Training data input.
- cv
Split List<String>Column Names - Columns to use for CVSplit data.
- featurization
Settings TableVertical Featurization Settings - Featurization inputs needed for AutoML job.
- limit
Settings TableVertical Limit Settings - Execution constraints for AutoMLJob.
- log
Verbosity String | LogVerbosity - Log verbosity for the job.
- n
Cross AutoValidations NCross | CustomValidations NCross Validations - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- positive
Label String - Positive label for binary metrics calculation.
- primary
Metric String | ClassificationPrimary Metrics - Primary metric for the task.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test
Data MLTableJob Input - Test data input.
- test
Data DoubleSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training
Settings ClassificationTraining Settings - Inputs for training phase for an AutoML Job.
- validation
Data MLTableJob Input - Validation data inputs.
- validation
Data DoubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight
Column StringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training
Data MLTableJob Input - [Required] Training data input.
- cv
Split string[]Column Names - Columns to use for CVSplit data.
- featurization
Settings TableVertical Featurization Settings - Featurization inputs needed for AutoML job.
- limit
Settings TableVertical Limit Settings - Execution constraints for AutoMLJob.
- log
Verbosity string | LogVerbosity - Log verbosity for the job.
- n
Cross AutoValidations NCross | CustomValidations NCross Validations - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- positive
Label string - Positive label for binary metrics calculation.
- primary
Metric string | ClassificationPrimary Metrics - Primary metric for the task.
- target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test
Data MLTableJob Input - Test data input.
- test
Data numberSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training
Settings ClassificationTraining Settings - Inputs for training phase for an AutoML Job.
- validation
Data MLTableJob Input - Validation data inputs.
- validation
Data numberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight
Column stringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training_
data MLTableJob Input - [Required] Training data input.
- cv_
split_ Sequence[str]column_ names - Columns to use for CVSplit data.
- featurization_
settings TableVertical Featurization Settings - Featurization inputs needed for AutoML job.
- limit_
settings TableVertical Limit Settings - Execution constraints for AutoMLJob.
- log_
verbosity str | LogVerbosity - Log verbosity for the job.
- n_
cross_ Autovalidations NCross | CustomValidations NCross Validations - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- positive_
label str - Positive label for binary metrics calculation.
- primary_
metric str | ClassificationPrimary Metrics - Primary metric for the task.
- target_
column_ strname - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test_
data MLTableJob Input - Test data input.
- test_
data_ floatsize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training_
settings ClassificationTraining Settings - Inputs for training phase for an AutoML Job.
- validation_
data MLTableJob Input - Validation data inputs.
- validation_
data_ floatsize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight_
column_ strname - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training
Data Property Map - [Required] Training data input.
- cv
Split List<String>Column Names - Columns to use for CVSplit data.
- featurization
Settings Property Map - Featurization inputs needed for AutoML job.
- limit
Settings Property Map - Execution constraints for AutoMLJob.
- log
Verbosity String | "NotSet" | "Debug" | "Info" | "Warning" | "Error" | "Critical" - Log verbosity for the job.
- n
Cross Property Map | Property MapValidations - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- positive
Label String - Positive label for binary metrics calculation.
- primary
Metric String | "AUCWeighted" | "Accuracy" | "NormMacro Recall" | "Average Precision Score Weighted" | "Precision Score Weighted" - Primary metric for the task.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test
Data Property Map - Test data input.
- test
Data NumberSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training
Settings Property Map - Inputs for training phase for an AutoML Job.
- validation
Data Property Map - Validation data inputs.
- validation
Data NumberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight
Column StringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
ClassificationModels, ClassificationModelsArgs
- Logistic
Regression - LogisticRegressionLogistic regression is a fundamental classification technique. It belongs to the group of linear classifiers and is somewhat similar to polynomial and linear regression. Logistic regression is fast and relatively uncomplicated, and it's convenient for you to interpret the results. Although it's essentially a method for binary classification, it can also be applied to multiclass problems.
- SGD
- SGDSGD: Stochastic gradient descent is an optimization algorithm often used in machine learning applications to find the model parameters that correspond to the best fit between predicted and actual outputs.
- Multinomial
Naive Bayes - MultinomialNaiveBayesThe multinomial Naive Bayes classifier is suitable for classification with discrete features (e.g., word counts for text classification). The multinomial distribution normally requires integer feature counts. However, in practice, fractional counts such as tf-idf may also work.
- Bernoulli
Naive Bayes - BernoulliNaiveBayesNaive Bayes classifier for multivariate Bernoulli models.
- SVM
- SVMA support vector machine (SVM) is a supervised machine learning model that uses classification algorithms for two-group classification problems. After giving an SVM model sets of labeled training data for each category, they're able to categorize new text.
- Linear
SVM - LinearSVMA support vector machine (SVM) is a supervised machine learning model that uses classification algorithms for two-group classification problems. After giving an SVM model sets of labeled training data for each category, they're able to categorize new text. Linear SVM performs best when input data is linear, i.e., data can be easily classified by drawing the straight line between classified values on a plotted graph.
- KNN
- KNNK-nearest neighbors (KNN) algorithm uses 'feature similarity' to predict the values of new datapoints which further means that the new data point will be assigned a value based on how closely it matches the points in the training set.
- Decision
Tree - DecisionTreeDecision Trees are a non-parametric supervised learning method used for both classification and regression tasks. The goal is to create a model that predicts the value of a target variable by learning simple decision rules inferred from the data features.
- Random
Forest - RandomForestRandom forest is a supervised learning algorithm. The "forest" it builds, is an ensemble of decision trees, usually trained with the "bagging" method. The general idea of the bagging method is that a combination of learning models increases the overall result.
- Extreme
Random Trees - ExtremeRandomTreesExtreme Trees is an ensemble machine learning algorithm that combines the predictions from many decision trees. It is related to the widely used random forest algorithm.
- Light
GBM - LightGBMLightGBM is a gradient boosting framework that uses tree based learning algorithms.
- Gradient
Boosting - GradientBoostingThe technique of transiting week learners into a strong learner is called Boosting. The gradient boosting algorithm process works on this theory of execution.
- XGBoost
Classifier - XGBoostClassifierXGBoost: Extreme Gradient Boosting Algorithm. This algorithm is used for structured data where target column values can be divided into distinct class values.
- Classification
Models Logistic Regression - LogisticRegressionLogistic regression is a fundamental classification technique. It belongs to the group of linear classifiers and is somewhat similar to polynomial and linear regression. Logistic regression is fast and relatively uncomplicated, and it's convenient for you to interpret the results. Although it's essentially a method for binary classification, it can also be applied to multiclass problems.
- Classification
Models SGD - SGDSGD: Stochastic gradient descent is an optimization algorithm often used in machine learning applications to find the model parameters that correspond to the best fit between predicted and actual outputs.
- Classification
Models Multinomial Naive Bayes - MultinomialNaiveBayesThe multinomial Naive Bayes classifier is suitable for classification with discrete features (e.g., word counts for text classification). The multinomial distribution normally requires integer feature counts. However, in practice, fractional counts such as tf-idf may also work.
- Classification
Models Bernoulli Naive Bayes - BernoulliNaiveBayesNaive Bayes classifier for multivariate Bernoulli models.
- Classification
Models SVM - SVMA support vector machine (SVM) is a supervised machine learning model that uses classification algorithms for two-group classification problems. After giving an SVM model sets of labeled training data for each category, they're able to categorize new text.
- Classification
Models Linear SVM - LinearSVMA support vector machine (SVM) is a supervised machine learning model that uses classification algorithms for two-group classification problems. After giving an SVM model sets of labeled training data for each category, they're able to categorize new text. Linear SVM performs best when input data is linear, i.e., data can be easily classified by drawing the straight line between classified values on a plotted graph.
- Classification
Models KNN - KNNK-nearest neighbors (KNN) algorithm uses 'feature similarity' to predict the values of new datapoints which further means that the new data point will be assigned a value based on how closely it matches the points in the training set.
- Classification
Models Decision Tree - DecisionTreeDecision Trees are a non-parametric supervised learning method used for both classification and regression tasks. The goal is to create a model that predicts the value of a target variable by learning simple decision rules inferred from the data features.
- Classification
Models Random Forest - RandomForestRandom forest is a supervised learning algorithm. The "forest" it builds, is an ensemble of decision trees, usually trained with the "bagging" method. The general idea of the bagging method is that a combination of learning models increases the overall result.
- Classification
Models Extreme Random Trees - ExtremeRandomTreesExtreme Trees is an ensemble machine learning algorithm that combines the predictions from many decision trees. It is related to the widely used random forest algorithm.
- Classification
Models Light GBM - LightGBMLightGBM is a gradient boosting framework that uses tree based learning algorithms.
- Classification
Models Gradient Boosting - GradientBoostingThe technique of transiting week learners into a strong learner is called Boosting. The gradient boosting algorithm process works on this theory of execution.
- Classification
Models XGBoost Classifier - XGBoostClassifierXGBoost: Extreme Gradient Boosting Algorithm. This algorithm is used for structured data where target column values can be divided into distinct class values.
- Logistic
Regression - LogisticRegressionLogistic regression is a fundamental classification technique. It belongs to the group of linear classifiers and is somewhat similar to polynomial and linear regression. Logistic regression is fast and relatively uncomplicated, and it's convenient for you to interpret the results. Although it's essentially a method for binary classification, it can also be applied to multiclass problems.
- SGD
- SGDSGD: Stochastic gradient descent is an optimization algorithm often used in machine learning applications to find the model parameters that correspond to the best fit between predicted and actual outputs.
- Multinomial
Naive Bayes - MultinomialNaiveBayesThe multinomial Naive Bayes classifier is suitable for classification with discrete features (e.g., word counts for text classification). The multinomial distribution normally requires integer feature counts. However, in practice, fractional counts such as tf-idf may also work.
- Bernoulli
Naive Bayes - BernoulliNaiveBayesNaive Bayes classifier for multivariate Bernoulli models.
- SVM
- SVMA support vector machine (SVM) is a supervised machine learning model that uses classification algorithms for two-group classification problems. After giving an SVM model sets of labeled training data for each category, they're able to categorize new text.
- Linear
SVM - LinearSVMA support vector machine (SVM) is a supervised machine learning model that uses classification algorithms for two-group classification problems. After giving an SVM model sets of labeled training data for each category, they're able to categorize new text. Linear SVM performs best when input data is linear, i.e., data can be easily classified by drawing the straight line between classified values on a plotted graph.
- KNN
- KNNK-nearest neighbors (KNN) algorithm uses 'feature similarity' to predict the values of new datapoints which further means that the new data point will be assigned a value based on how closely it matches the points in the training set.
- Decision
Tree - DecisionTreeDecision Trees are a non-parametric supervised learning method used for both classification and regression tasks. The goal is to create a model that predicts the value of a target variable by learning simple decision rules inferred from the data features.
- Random
Forest - RandomForestRandom forest is a supervised learning algorithm. The "forest" it builds, is an ensemble of decision trees, usually trained with the "bagging" method. The general idea of the bagging method is that a combination of learning models increases the overall result.
- Extreme
Random Trees - ExtremeRandomTreesExtreme Trees is an ensemble machine learning algorithm that combines the predictions from many decision trees. It is related to the widely used random forest algorithm.
- Light
GBM - LightGBMLightGBM is a gradient boosting framework that uses tree based learning algorithms.
- Gradient
Boosting - GradientBoostingThe technique of transiting week learners into a strong learner is called Boosting. The gradient boosting algorithm process works on this theory of execution.
- XGBoost
Classifier - XGBoostClassifierXGBoost: Extreme Gradient Boosting Algorithm. This algorithm is used for structured data where target column values can be divided into distinct class values.
- Logistic
Regression - LogisticRegressionLogistic regression is a fundamental classification technique. It belongs to the group of linear classifiers and is somewhat similar to polynomial and linear regression. Logistic regression is fast and relatively uncomplicated, and it's convenient for you to interpret the results. Although it's essentially a method for binary classification, it can also be applied to multiclass problems.
- SGD
- SGDSGD: Stochastic gradient descent is an optimization algorithm often used in machine learning applications to find the model parameters that correspond to the best fit between predicted and actual outputs.
- Multinomial
Naive Bayes - MultinomialNaiveBayesThe multinomial Naive Bayes classifier is suitable for classification with discrete features (e.g., word counts for text classification). The multinomial distribution normally requires integer feature counts. However, in practice, fractional counts such as tf-idf may also work.
- Bernoulli
Naive Bayes - BernoulliNaiveBayesNaive Bayes classifier for multivariate Bernoulli models.
- SVM
- SVMA support vector machine (SVM) is a supervised machine learning model that uses classification algorithms for two-group classification problems. After giving an SVM model sets of labeled training data for each category, they're able to categorize new text.
- Linear
SVM - LinearSVMA support vector machine (SVM) is a supervised machine learning model that uses classification algorithms for two-group classification problems. After giving an SVM model sets of labeled training data for each category, they're able to categorize new text. Linear SVM performs best when input data is linear, i.e., data can be easily classified by drawing the straight line between classified values on a plotted graph.
- KNN
- KNNK-nearest neighbors (KNN) algorithm uses 'feature similarity' to predict the values of new datapoints which further means that the new data point will be assigned a value based on how closely it matches the points in the training set.
- Decision
Tree - DecisionTreeDecision Trees are a non-parametric supervised learning method used for both classification and regression tasks. The goal is to create a model that predicts the value of a target variable by learning simple decision rules inferred from the data features.
- Random
Forest - RandomForestRandom forest is a supervised learning algorithm. The "forest" it builds, is an ensemble of decision trees, usually trained with the "bagging" method. The general idea of the bagging method is that a combination of learning models increases the overall result.
- Extreme
Random Trees - ExtremeRandomTreesExtreme Trees is an ensemble machine learning algorithm that combines the predictions from many decision trees. It is related to the widely used random forest algorithm.
- Light
GBM - LightGBMLightGBM is a gradient boosting framework that uses tree based learning algorithms.
- Gradient
Boosting - GradientBoostingThe technique of transiting week learners into a strong learner is called Boosting. The gradient boosting algorithm process works on this theory of execution.
- XGBoost
Classifier - XGBoostClassifierXGBoost: Extreme Gradient Boosting Algorithm. This algorithm is used for structured data where target column values can be divided into distinct class values.
- LOGISTIC_REGRESSION
- LogisticRegressionLogistic regression is a fundamental classification technique. It belongs to the group of linear classifiers and is somewhat similar to polynomial and linear regression. Logistic regression is fast and relatively uncomplicated, and it's convenient for you to interpret the results. Although it's essentially a method for binary classification, it can also be applied to multiclass problems.
- SGD
- SGDSGD: Stochastic gradient descent is an optimization algorithm often used in machine learning applications to find the model parameters that correspond to the best fit between predicted and actual outputs.
- MULTINOMIAL_NAIVE_BAYES
- MultinomialNaiveBayesThe multinomial Naive Bayes classifier is suitable for classification with discrete features (e.g., word counts for text classification). The multinomial distribution normally requires integer feature counts. However, in practice, fractional counts such as tf-idf may also work.
- BERNOULLI_NAIVE_BAYES
- BernoulliNaiveBayesNaive Bayes classifier for multivariate Bernoulli models.
- SVM
- SVMA support vector machine (SVM) is a supervised machine learning model that uses classification algorithms for two-group classification problems. After giving an SVM model sets of labeled training data for each category, they're able to categorize new text.
- LINEAR_SVM
- LinearSVMA support vector machine (SVM) is a supervised machine learning model that uses classification algorithms for two-group classification problems. After giving an SVM model sets of labeled training data for each category, they're able to categorize new text. Linear SVM performs best when input data is linear, i.e., data can be easily classified by drawing the straight line between classified values on a plotted graph.
- KNN
- KNNK-nearest neighbors (KNN) algorithm uses 'feature similarity' to predict the values of new datapoints which further means that the new data point will be assigned a value based on how closely it matches the points in the training set.
- DECISION_TREE
- DecisionTreeDecision Trees are a non-parametric supervised learning method used for both classification and regression tasks. The goal is to create a model that predicts the value of a target variable by learning simple decision rules inferred from the data features.
- RANDOM_FOREST
- RandomForestRandom forest is a supervised learning algorithm. The "forest" it builds, is an ensemble of decision trees, usually trained with the "bagging" method. The general idea of the bagging method is that a combination of learning models increases the overall result.
- EXTREME_RANDOM_TREES
- ExtremeRandomTreesExtreme Trees is an ensemble machine learning algorithm that combines the predictions from many decision trees. It is related to the widely used random forest algorithm.
- LIGHT_GBM
- LightGBMLightGBM is a gradient boosting framework that uses tree based learning algorithms.
- GRADIENT_BOOSTING
- GradientBoostingThe technique of transiting week learners into a strong learner is called Boosting. The gradient boosting algorithm process works on this theory of execution.
- XG_BOOST_CLASSIFIER
- XGBoostClassifierXGBoost: Extreme Gradient Boosting Algorithm. This algorithm is used for structured data where target column values can be divided into distinct class values.
- "Logistic
Regression" - LogisticRegressionLogistic regression is a fundamental classification technique. It belongs to the group of linear classifiers and is somewhat similar to polynomial and linear regression. Logistic regression is fast and relatively uncomplicated, and it's convenient for you to interpret the results. Although it's essentially a method for binary classification, it can also be applied to multiclass problems.
- "SGD"
- SGDSGD: Stochastic gradient descent is an optimization algorithm often used in machine learning applications to find the model parameters that correspond to the best fit between predicted and actual outputs.
- "Multinomial
Naive Bayes" - MultinomialNaiveBayesThe multinomial Naive Bayes classifier is suitable for classification with discrete features (e.g., word counts for text classification). The multinomial distribution normally requires integer feature counts. However, in practice, fractional counts such as tf-idf may also work.
- "Bernoulli
Naive Bayes" - BernoulliNaiveBayesNaive Bayes classifier for multivariate Bernoulli models.
- "SVM"
- SVMA support vector machine (SVM) is a supervised machine learning model that uses classification algorithms for two-group classification problems. After giving an SVM model sets of labeled training data for each category, they're able to categorize new text.
- "Linear
SVM" - LinearSVMA support vector machine (SVM) is a supervised machine learning model that uses classification algorithms for two-group classification problems. After giving an SVM model sets of labeled training data for each category, they're able to categorize new text. Linear SVM performs best when input data is linear, i.e., data can be easily classified by drawing the straight line between classified values on a plotted graph.
- "KNN"
- KNNK-nearest neighbors (KNN) algorithm uses 'feature similarity' to predict the values of new datapoints which further means that the new data point will be assigned a value based on how closely it matches the points in the training set.
- "Decision
Tree" - DecisionTreeDecision Trees are a non-parametric supervised learning method used for both classification and regression tasks. The goal is to create a model that predicts the value of a target variable by learning simple decision rules inferred from the data features.
- "Random
Forest" - RandomForestRandom forest is a supervised learning algorithm. The "forest" it builds, is an ensemble of decision trees, usually trained with the "bagging" method. The general idea of the bagging method is that a combination of learning models increases the overall result.
- "Extreme
Random Trees" - ExtremeRandomTreesExtreme Trees is an ensemble machine learning algorithm that combines the predictions from many decision trees. It is related to the widely used random forest algorithm.
- "Light
GBM" - LightGBMLightGBM is a gradient boosting framework that uses tree based learning algorithms.
- "Gradient
Boosting" - GradientBoostingThe technique of transiting week learners into a strong learner is called Boosting. The gradient boosting algorithm process works on this theory of execution.
- "XGBoost
Classifier" - XGBoostClassifierXGBoost: Extreme Gradient Boosting Algorithm. This algorithm is used for structured data where target column values can be divided into distinct class values.
ClassificationMultilabelPrimaryMetrics, ClassificationMultilabelPrimaryMetricsArgs
- AUCWeighted
- AUCWeightedAUC is the Area under the curve. This metric represents arithmetic mean of the score for each class, weighted by the number of true instances in each class.
- Accuracy
- AccuracyAccuracy is the ratio of predictions that exactly match the true class labels.
- Norm
Macro Recall - NormMacroRecallNormalized macro recall is recall macro-averaged and normalized, so that random performance has a score of 0, and perfect performance has a score of 1.
- Average
Precision Score Weighted - AveragePrecisionScoreWeightedThe arithmetic mean of the average precision score for each class, weighted by the number of true instances in each class.
- Precision
Score Weighted - PrecisionScoreWeightedThe arithmetic mean of precision for each class, weighted by number of true instances in each class.
- IOU
- IOUIntersection Over Union. Intersection of predictions divided by union of predictions.
- Classification
Multilabel Primary Metrics AUCWeighted - AUCWeightedAUC is the Area under the curve. This metric represents arithmetic mean of the score for each class, weighted by the number of true instances in each class.
- Classification
Multilabel Primary Metrics Accuracy - AccuracyAccuracy is the ratio of predictions that exactly match the true class labels.
- Classification
Multilabel Primary Metrics Norm Macro Recall - NormMacroRecallNormalized macro recall is recall macro-averaged and normalized, so that random performance has a score of 0, and perfect performance has a score of 1.
- Classification
Multilabel Primary Metrics Average Precision Score Weighted - AveragePrecisionScoreWeightedThe arithmetic mean of the average precision score for each class, weighted by the number of true instances in each class.
- Classification
Multilabel Primary Metrics Precision Score Weighted - PrecisionScoreWeightedThe arithmetic mean of precision for each class, weighted by number of true instances in each class.
- Classification
Multilabel Primary Metrics IOU - IOUIntersection Over Union. Intersection of predictions divided by union of predictions.
- AUCWeighted
- AUCWeightedAUC is the Area under the curve. This metric represents arithmetic mean of the score for each class, weighted by the number of true instances in each class.
- Accuracy
- AccuracyAccuracy is the ratio of predictions that exactly match the true class labels.
- Norm
Macro Recall - NormMacroRecallNormalized macro recall is recall macro-averaged and normalized, so that random performance has a score of 0, and perfect performance has a score of 1.
- Average
Precision Score Weighted - AveragePrecisionScoreWeightedThe arithmetic mean of the average precision score for each class, weighted by the number of true instances in each class.
- Precision
Score Weighted - PrecisionScoreWeightedThe arithmetic mean of precision for each class, weighted by number of true instances in each class.
- IOU
- IOUIntersection Over Union. Intersection of predictions divided by union of predictions.
- AUCWeighted
- AUCWeightedAUC is the Area under the curve. This metric represents arithmetic mean of the score for each class, weighted by the number of true instances in each class.
- Accuracy
- AccuracyAccuracy is the ratio of predictions that exactly match the true class labels.
- Norm
Macro Recall - NormMacroRecallNormalized macro recall is recall macro-averaged and normalized, so that random performance has a score of 0, and perfect performance has a score of 1.
- Average
Precision Score Weighted - AveragePrecisionScoreWeightedThe arithmetic mean of the average precision score for each class, weighted by the number of true instances in each class.
- Precision
Score Weighted - PrecisionScoreWeightedThe arithmetic mean of precision for each class, weighted by number of true instances in each class.
- IOU
- IOUIntersection Over Union. Intersection of predictions divided by union of predictions.
- AUC_WEIGHTED
- AUCWeightedAUC is the Area under the curve. This metric represents arithmetic mean of the score for each class, weighted by the number of true instances in each class.
- ACCURACY
- AccuracyAccuracy is the ratio of predictions that exactly match the true class labels.
- NORM_MACRO_RECALL
- NormMacroRecallNormalized macro recall is recall macro-averaged and normalized, so that random performance has a score of 0, and perfect performance has a score of 1.
- AVERAGE_PRECISION_SCORE_WEIGHTED
- AveragePrecisionScoreWeightedThe arithmetic mean of the average precision score for each class, weighted by the number of true instances in each class.
- PRECISION_SCORE_WEIGHTED
- PrecisionScoreWeightedThe arithmetic mean of precision for each class, weighted by number of true instances in each class.
- IOU
- IOUIntersection Over Union. Intersection of predictions divided by union of predictions.
- "AUCWeighted"
- AUCWeightedAUC is the Area under the curve. This metric represents arithmetic mean of the score for each class, weighted by the number of true instances in each class.
- "Accuracy"
- AccuracyAccuracy is the ratio of predictions that exactly match the true class labels.
- "Norm
Macro Recall" - NormMacroRecallNormalized macro recall is recall macro-averaged and normalized, so that random performance has a score of 0, and perfect performance has a score of 1.
- "Average
Precision Score Weighted" - AveragePrecisionScoreWeightedThe arithmetic mean of the average precision score for each class, weighted by the number of true instances in each class.
- "Precision
Score Weighted" - PrecisionScoreWeightedThe arithmetic mean of precision for each class, weighted by number of true instances in each class.
- "IOU"
- IOUIntersection Over Union. Intersection of predictions divided by union of predictions.
ClassificationPrimaryMetrics, ClassificationPrimaryMetricsArgs
- AUCWeighted
- AUCWeightedAUC is the Area under the curve. This metric represents arithmetic mean of the score for each class, weighted by the number of true instances in each class.
- Accuracy
- AccuracyAccuracy is the ratio of predictions that exactly match the true class labels.
- Norm
Macro Recall - NormMacroRecallNormalized macro recall is recall macro-averaged and normalized, so that random performance has a score of 0, and perfect performance has a score of 1.
- Average
Precision Score Weighted - AveragePrecisionScoreWeightedThe arithmetic mean of the average precision score for each class, weighted by the number of true instances in each class.
- Precision
Score Weighted - PrecisionScoreWeightedThe arithmetic mean of precision for each class, weighted by number of true instances in each class.
- Classification
Primary Metrics AUCWeighted - AUCWeightedAUC is the Area under the curve. This metric represents arithmetic mean of the score for each class, weighted by the number of true instances in each class.
- Classification
Primary Metrics Accuracy - AccuracyAccuracy is the ratio of predictions that exactly match the true class labels.
- Classification
Primary Metrics Norm Macro Recall - NormMacroRecallNormalized macro recall is recall macro-averaged and normalized, so that random performance has a score of 0, and perfect performance has a score of 1.
- Classification
Primary Metrics Average Precision Score Weighted - AveragePrecisionScoreWeightedThe arithmetic mean of the average precision score for each class, weighted by the number of true instances in each class.
- Classification
Primary Metrics Precision Score Weighted - PrecisionScoreWeightedThe arithmetic mean of precision for each class, weighted by number of true instances in each class.
- AUCWeighted
- AUCWeightedAUC is the Area under the curve. This metric represents arithmetic mean of the score for each class, weighted by the number of true instances in each class.
- Accuracy
- AccuracyAccuracy is the ratio of predictions that exactly match the true class labels.
- Norm
Macro Recall - NormMacroRecallNormalized macro recall is recall macro-averaged and normalized, so that random performance has a score of 0, and perfect performance has a score of 1.
- Average
Precision Score Weighted - AveragePrecisionScoreWeightedThe arithmetic mean of the average precision score for each class, weighted by the number of true instances in each class.
- Precision
Score Weighted - PrecisionScoreWeightedThe arithmetic mean of precision for each class, weighted by number of true instances in each class.
- AUCWeighted
- AUCWeightedAUC is the Area under the curve. This metric represents arithmetic mean of the score for each class, weighted by the number of true instances in each class.
- Accuracy
- AccuracyAccuracy is the ratio of predictions that exactly match the true class labels.
- Norm
Macro Recall - NormMacroRecallNormalized macro recall is recall macro-averaged and normalized, so that random performance has a score of 0, and perfect performance has a score of 1.
- Average
Precision Score Weighted - AveragePrecisionScoreWeightedThe arithmetic mean of the average precision score for each class, weighted by the number of true instances in each class.
- Precision
Score Weighted - PrecisionScoreWeightedThe arithmetic mean of precision for each class, weighted by number of true instances in each class.
- AUC_WEIGHTED
- AUCWeightedAUC is the Area under the curve. This metric represents arithmetic mean of the score for each class, weighted by the number of true instances in each class.
- ACCURACY
- AccuracyAccuracy is the ratio of predictions that exactly match the true class labels.
- NORM_MACRO_RECALL
- NormMacroRecallNormalized macro recall is recall macro-averaged and normalized, so that random performance has a score of 0, and perfect performance has a score of 1.
- AVERAGE_PRECISION_SCORE_WEIGHTED
- AveragePrecisionScoreWeightedThe arithmetic mean of the average precision score for each class, weighted by the number of true instances in each class.
- PRECISION_SCORE_WEIGHTED
- PrecisionScoreWeightedThe arithmetic mean of precision for each class, weighted by number of true instances in each class.
- "AUCWeighted"
- AUCWeightedAUC is the Area under the curve. This metric represents arithmetic mean of the score for each class, weighted by the number of true instances in each class.
- "Accuracy"
- AccuracyAccuracy is the ratio of predictions that exactly match the true class labels.
- "Norm
Macro Recall" - NormMacroRecallNormalized macro recall is recall macro-averaged and normalized, so that random performance has a score of 0, and perfect performance has a score of 1.
- "Average
Precision Score Weighted" - AveragePrecisionScoreWeightedThe arithmetic mean of the average precision score for each class, weighted by the number of true instances in each class.
- "Precision
Score Weighted" - PrecisionScoreWeightedThe arithmetic mean of precision for each class, weighted by number of true instances in each class.
ClassificationResponse, ClassificationResponseArgs
- Training
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - [Required] Training data input.
- Cv
Split List<string>Column Names - Columns to use for CVSplit data.
- Featurization
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Table Vertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- Limit
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Table Vertical Limit Settings Response - Execution constraints for AutoMLJob.
- Log
Verbosity string - Log verbosity for the job.
- NCross
Validations Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Auto NCross Validations Response Azure Native. Machine Learning Services. Inputs. Custom NCross Validations Response - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- Positive
Label string - Positive label for binary metrics calculation.
- Primary
Metric string - Primary metric for the task.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Test
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - Test data input.
- Test
Data doubleSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Training
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Classification Training Settings Response - Inputs for training phase for an AutoML Job.
- Validation
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - Validation data inputs.
- Validation
Data doubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Weight
Column stringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- Training
Data MLTableJob Input Response - [Required] Training data input.
- Cv
Split []stringColumn Names - Columns to use for CVSplit data.
- Featurization
Settings TableVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- Limit
Settings TableVertical Limit Settings Response - Execution constraints for AutoMLJob.
- Log
Verbosity string - Log verbosity for the job.
- NCross
Validations AutoNCross | CustomValidations Response NCross Validations Response - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- Positive
Label string - Positive label for binary metrics calculation.
- Primary
Metric string - Primary metric for the task.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Test
Data MLTableJob Input Response - Test data input.
- Test
Data float64Size - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Training
Settings ClassificationTraining Settings Response - Inputs for training phase for an AutoML Job.
- Validation
Data MLTableJob Input Response - Validation data inputs.
- Validation
Data float64Size - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Weight
Column stringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training
Data MLTableJob Input Response - [Required] Training data input.
- cv
Split List<String>Column Names - Columns to use for CVSplit data.
- featurization
Settings TableVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- limit
Settings TableVertical Limit Settings Response - Execution constraints for AutoMLJob.
- log
Verbosity String - Log verbosity for the job.
- n
Cross AutoValidations NCross | CustomValidations Response NCross Validations Response - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- positive
Label String - Positive label for binary metrics calculation.
- primary
Metric String - Primary metric for the task.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test
Data MLTableJob Input Response - Test data input.
- test
Data DoubleSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training
Settings ClassificationTraining Settings Response - Inputs for training phase for an AutoML Job.
- validation
Data MLTableJob Input Response - Validation data inputs.
- validation
Data DoubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight
Column StringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training
Data MLTableJob Input Response - [Required] Training data input.
- cv
Split string[]Column Names - Columns to use for CVSplit data.
- featurization
Settings TableVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- limit
Settings TableVertical Limit Settings Response - Execution constraints for AutoMLJob.
- log
Verbosity string - Log verbosity for the job.
- n
Cross AutoValidations NCross | CustomValidations Response NCross Validations Response - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- positive
Label string - Positive label for binary metrics calculation.
- primary
Metric string - Primary metric for the task.
- target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test
Data MLTableJob Input Response - Test data input.
- test
Data numberSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training
Settings ClassificationTraining Settings Response - Inputs for training phase for an AutoML Job.
- validation
Data MLTableJob Input Response - Validation data inputs.
- validation
Data numberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight
Column stringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training_
data MLTableJob Input Response - [Required] Training data input.
- cv_
split_ Sequence[str]column_ names - Columns to use for CVSplit data.
- featurization_
settings TableVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- limit_
settings TableVertical Limit Settings Response - Execution constraints for AutoMLJob.
- log_
verbosity str - Log verbosity for the job.
- n_
cross_ Autovalidations NCross | CustomValidations Response NCross Validations Response - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- positive_
label str - Positive label for binary metrics calculation.
- primary_
metric str - Primary metric for the task.
- target_
column_ strname - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test_
data MLTableJob Input Response - Test data input.
- test_
data_ floatsize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training_
settings ClassificationTraining Settings Response - Inputs for training phase for an AutoML Job.
- validation_
data MLTableJob Input Response - Validation data inputs.
- validation_
data_ floatsize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight_
column_ strname - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training
Data Property Map - [Required] Training data input.
- cv
Split List<String>Column Names - Columns to use for CVSplit data.
- featurization
Settings Property Map - Featurization inputs needed for AutoML job.
- limit
Settings Property Map - Execution constraints for AutoMLJob.
- log
Verbosity String - Log verbosity for the job.
- n
Cross Property Map | Property MapValidations - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- positive
Label String - Positive label for binary metrics calculation.
- primary
Metric String - Primary metric for the task.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test
Data Property Map - Test data input.
- test
Data NumberSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training
Settings Property Map - Inputs for training phase for an AutoML Job.
- validation
Data Property Map - Validation data inputs.
- validation
Data NumberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight
Column StringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
ClassificationTrainingSettings, ClassificationTrainingSettingsArgs
- Allowed
Training List<Union<string, Pulumi.Algorithms Azure Native. Machine Learning Services. Classification Models>> - Allowed models for classification task.
- Blocked
Training List<Union<string, Pulumi.Algorithms Azure Native. Machine Learning Services. Classification Models>> - Blocked models for classification task.
- Enable
Dnn boolTraining - Enable recommendation of DNN models.
- Enable
Model boolExplainability - Flag to turn on explainability on best model.
- Enable
Onnx boolCompatible Models - Flag for enabling onnx compatible models.
- Enable
Stack boolEnsemble - Enable stack ensemble run.
- Enable
Vote boolEnsemble - Enable voting ensemble run.
- Ensemble
Model stringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- Stack
Ensemble Pulumi.Settings Azure Native. Machine Learning Services. Inputs. Stack Ensemble Settings - Stack ensemble settings for stack ensemble run.
- Allowed
Training []stringAlgorithms - Allowed models for classification task.
- Blocked
Training []stringAlgorithms - Blocked models for classification task.
- Enable
Dnn boolTraining - Enable recommendation of DNN models.
- Enable
Model boolExplainability - Flag to turn on explainability on best model.
- Enable
Onnx boolCompatible Models - Flag for enabling onnx compatible models.
- Enable
Stack boolEnsemble - Enable stack ensemble run.
- Enable
Vote boolEnsemble - Enable voting ensemble run.
- Ensemble
Model stringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- Stack
Ensemble StackSettings Ensemble Settings - Stack ensemble settings for stack ensemble run.
- allowed
Training List<Either<String,ClassificationAlgorithms Models>> - Allowed models for classification task.
- blocked
Training List<Either<String,ClassificationAlgorithms Models>> - Blocked models for classification task.
- enable
Dnn BooleanTraining - Enable recommendation of DNN models.
- enable
Model BooleanExplainability - Flag to turn on explainability on best model.
- enable
Onnx BooleanCompatible Models - Flag for enabling onnx compatible models.
- enable
Stack BooleanEnsemble - Enable stack ensemble run.
- enable
Vote BooleanEnsemble - Enable voting ensemble run.
- ensemble
Model StringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack
Ensemble StackSettings Ensemble Settings - Stack ensemble settings for stack ensemble run.
- allowed
Training (string | ClassificationAlgorithms Models)[] - Allowed models for classification task.
- blocked
Training (string | ClassificationAlgorithms Models)[] - Blocked models for classification task.
- enable
Dnn booleanTraining - Enable recommendation of DNN models.
- enable
Model booleanExplainability - Flag to turn on explainability on best model.
- enable
Onnx booleanCompatible Models - Flag for enabling onnx compatible models.
- enable
Stack booleanEnsemble - Enable stack ensemble run.
- enable
Vote booleanEnsemble - Enable voting ensemble run.
- ensemble
Model stringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack
Ensemble StackSettings Ensemble Settings - Stack ensemble settings for stack ensemble run.
- allowed_
training_ Sequence[Union[str, Classificationalgorithms Models]] - Allowed models for classification task.
- blocked_
training_ Sequence[Union[str, Classificationalgorithms Models]] - Blocked models for classification task.
- enable_
dnn_ booltraining - Enable recommendation of DNN models.
- enable_
model_ boolexplainability - Flag to turn on explainability on best model.
- enable_
onnx_ boolcompatible_ models - Flag for enabling onnx compatible models.
- enable_
stack_ boolensemble - Enable stack ensemble run.
- enable_
vote_ boolensemble - Enable voting ensemble run.
- ensemble_
model_ strdownload_ timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack_
ensemble_ Stacksettings Ensemble Settings - Stack ensemble settings for stack ensemble run.
- allowed
Training List<String | "LogisticAlgorithms Regression" | "SGD" | "Multinomial Naive Bayes" | "Bernoulli Naive Bayes" | "SVM" | "Linear SVM" | "KNN" | "Decision Tree" | "Random Forest" | "Extreme Random Trees" | "Light GBM" | "Gradient Boosting" | "XGBoost Classifier"> - Allowed models for classification task.
- blocked
Training List<String | "LogisticAlgorithms Regression" | "SGD" | "Multinomial Naive Bayes" | "Bernoulli Naive Bayes" | "SVM" | "Linear SVM" | "KNN" | "Decision Tree" | "Random Forest" | "Extreme Random Trees" | "Light GBM" | "Gradient Boosting" | "XGBoost Classifier"> - Blocked models for classification task.
- enable
Dnn BooleanTraining - Enable recommendation of DNN models.
- enable
Model BooleanExplainability - Flag to turn on explainability on best model.
- enable
Onnx BooleanCompatible Models - Flag for enabling onnx compatible models.
- enable
Stack BooleanEnsemble - Enable stack ensemble run.
- enable
Vote BooleanEnsemble - Enable voting ensemble run.
- ensemble
Model StringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack
Ensemble Property MapSettings - Stack ensemble settings for stack ensemble run.
ClassificationTrainingSettingsResponse, ClassificationTrainingSettingsResponseArgs
- Allowed
Training List<string>Algorithms - Allowed models for classification task.
- Blocked
Training List<string>Algorithms - Blocked models for classification task.
- Enable
Dnn boolTraining - Enable recommendation of DNN models.
- Enable
Model boolExplainability - Flag to turn on explainability on best model.
- Enable
Onnx boolCompatible Models - Flag for enabling onnx compatible models.
- Enable
Stack boolEnsemble - Enable stack ensemble run.
- Enable
Vote boolEnsemble - Enable voting ensemble run.
- Ensemble
Model stringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- Stack
Ensemble Pulumi.Settings Azure Native. Machine Learning Services. Inputs. Stack Ensemble Settings Response - Stack ensemble settings for stack ensemble run.
- Allowed
Training []stringAlgorithms - Allowed models for classification task.
- Blocked
Training []stringAlgorithms - Blocked models for classification task.
- Enable
Dnn boolTraining - Enable recommendation of DNN models.
- Enable
Model boolExplainability - Flag to turn on explainability on best model.
- Enable
Onnx boolCompatible Models - Flag for enabling onnx compatible models.
- Enable
Stack boolEnsemble - Enable stack ensemble run.
- Enable
Vote boolEnsemble - Enable voting ensemble run.
- Ensemble
Model stringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- Stack
Ensemble StackSettings Ensemble Settings Response - Stack ensemble settings for stack ensemble run.
- allowed
Training List<String>Algorithms - Allowed models for classification task.
- blocked
Training List<String>Algorithms - Blocked models for classification task.
- enable
Dnn BooleanTraining - Enable recommendation of DNN models.
- enable
Model BooleanExplainability - Flag to turn on explainability on best model.
- enable
Onnx BooleanCompatible Models - Flag for enabling onnx compatible models.
- enable
Stack BooleanEnsemble - Enable stack ensemble run.
- enable
Vote BooleanEnsemble - Enable voting ensemble run.
- ensemble
Model StringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack
Ensemble StackSettings Ensemble Settings Response - Stack ensemble settings for stack ensemble run.
- allowed
Training string[]Algorithms - Allowed models for classification task.
- blocked
Training string[]Algorithms - Blocked models for classification task.
- enable
Dnn booleanTraining - Enable recommendation of DNN models.
- enable
Model booleanExplainability - Flag to turn on explainability on best model.
- enable
Onnx booleanCompatible Models - Flag for enabling onnx compatible models.
- enable
Stack booleanEnsemble - Enable stack ensemble run.
- enable
Vote booleanEnsemble - Enable voting ensemble run.
- ensemble
Model stringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack
Ensemble StackSettings Ensemble Settings Response - Stack ensemble settings for stack ensemble run.
- allowed_
training_ Sequence[str]algorithms - Allowed models for classification task.
- blocked_
training_ Sequence[str]algorithms - Blocked models for classification task.
- enable_
dnn_ booltraining - Enable recommendation of DNN models.
- enable_
model_ boolexplainability - Flag to turn on explainability on best model.
- enable_
onnx_ boolcompatible_ models - Flag for enabling onnx compatible models.
- enable_
stack_ boolensemble - Enable stack ensemble run.
- enable_
vote_ boolensemble - Enable voting ensemble run.
- ensemble_
model_ strdownload_ timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack_
ensemble_ Stacksettings Ensemble Settings Response - Stack ensemble settings for stack ensemble run.
- allowed
Training List<String>Algorithms - Allowed models for classification task.
- blocked
Training List<String>Algorithms - Blocked models for classification task.
- enable
Dnn BooleanTraining - Enable recommendation of DNN models.
- enable
Model BooleanExplainability - Flag to turn on explainability on best model.
- enable
Onnx BooleanCompatible Models - Flag for enabling onnx compatible models.
- enable
Stack BooleanEnsemble - Enable stack ensemble run.
- enable
Vote BooleanEnsemble - Enable voting ensemble run.
- ensemble
Model StringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack
Ensemble Property MapSettings - Stack ensemble settings for stack ensemble run.
ColumnTransformer, ColumnTransformerArgs
- Fields List<string>
- Fields to apply transformer logic on.
- Parameters object
- Different properties to be passed to transformer. Input expected is dictionary of key,value pairs in JSON format.
- Fields []string
- Fields to apply transformer logic on.
- Parameters interface{}
- Different properties to be passed to transformer. Input expected is dictionary of key,value pairs in JSON format.
- fields List<String>
- Fields to apply transformer logic on.
- parameters Object
- Different properties to be passed to transformer. Input expected is dictionary of key,value pairs in JSON format.
- fields string[]
- Fields to apply transformer logic on.
- parameters any
- Different properties to be passed to transformer. Input expected is dictionary of key,value pairs in JSON format.
- fields Sequence[str]
- Fields to apply transformer logic on.
- parameters Any
- Different properties to be passed to transformer. Input expected is dictionary of key,value pairs in JSON format.
- fields List<String>
- Fields to apply transformer logic on.
- parameters Any
- Different properties to be passed to transformer. Input expected is dictionary of key,value pairs in JSON format.
ColumnTransformerResponse, ColumnTransformerResponseArgs
- Fields List<string>
- Fields to apply transformer logic on.
- Parameters object
- Different properties to be passed to transformer. Input expected is dictionary of key,value pairs in JSON format.
- Fields []string
- Fields to apply transformer logic on.
- Parameters interface{}
- Different properties to be passed to transformer. Input expected is dictionary of key,value pairs in JSON format.
- fields List<String>
- Fields to apply transformer logic on.
- parameters Object
- Different properties to be passed to transformer. Input expected is dictionary of key,value pairs in JSON format.
- fields string[]
- Fields to apply transformer logic on.
- parameters any
- Different properties to be passed to transformer. Input expected is dictionary of key,value pairs in JSON format.
- fields Sequence[str]
- Fields to apply transformer logic on.
- parameters Any
- Different properties to be passed to transformer. Input expected is dictionary of key,value pairs in JSON format.
- fields List<String>
- Fields to apply transformer logic on.
- parameters Any
- Different properties to be passed to transformer. Input expected is dictionary of key,value pairs in JSON format.
CommandJob, CommandJobArgs
- Command string
- [Required] The command to execute on startup of the job. eg. "python train.py"
- Environment
Id string - [Required] The ARM resource ID of the Environment specification for the job.
- Code
Id string - ARM resource ID of the code asset.
- Component
Id string - ARM resource ID of the component resource.
- Compute
Id string - ARM resource ID of the compute resource.
- Description string
- The asset description text.
- Display
Name string - Display name of job.
- Distribution
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Mpi Azure | Pulumi.Native. Machine Learning Services. Inputs. Py Torch Azure Native. Machine Learning Services. Inputs. Tensor Flow - Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- Environment
Variables Dictionary<string, string> - Environment variables included in the job.
- Experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- Identity
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Aml Token Azure | Pulumi.Native. Machine Learning Services. Inputs. Managed Identity Azure Native. Machine Learning Services. Inputs. User Identity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- Inputs Dictionary<string, object>
- Mapping of input data bindings used in the job.
- Is
Archived bool - Is the asset archived?
- Limits
Pulumi.
Azure Native. Machine Learning Services. Inputs. Command Job Limits - Command Job limit.
- Notification
Setting Pulumi.Azure Native. Machine Learning Services. Inputs. Notification Setting - Notification setting for the job
- Outputs Dictionary<string, object>
- Mapping of output data bindings used in the job.
- Properties Dictionary<string, string>
- The asset property dictionary.
- Queue
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Queue Settings - Queue settings for the job
- Resources
Pulumi.
Azure Native. Machine Learning Services. Inputs. Job Resource Configuration - Compute Resource configuration for the job.
- Services
Dictionary<string, Pulumi.
Azure Native. Machine Learning Services. Inputs. Job Service> - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Dictionary<string, string>
- Tag dictionary. Tags can be added, removed, and updated.
- Command string
- [Required] The command to execute on startup of the job. eg. "python train.py"
- Environment
Id string - [Required] The ARM resource ID of the Environment specification for the job.
- Code
Id string - ARM resource ID of the code asset.
- Component
Id string - ARM resource ID of the component resource.
- Compute
Id string - ARM resource ID of the compute resource.
- Description string
- The asset description text.
- Display
Name string - Display name of job.
- Distribution
Mpi | Py
Torch | TensorFlow - Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- Environment
Variables map[string]string - Environment variables included in the job.
- Experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- Identity
Aml
Token | ManagedIdentity | UserIdentity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- Inputs map[string]interface{}
- Mapping of input data bindings used in the job.
- Is
Archived bool - Is the asset archived?
- Limits
Command
Job Limits - Command Job limit.
- Notification
Setting NotificationSetting - Notification setting for the job
- Outputs map[string]interface{}
- Mapping of output data bindings used in the job.
- Properties map[string]string
- The asset property dictionary.
- Queue
Settings QueueSettings - Queue settings for the job
- Resources
Job
Resource Configuration - Compute Resource configuration for the job.
- Services
map[string]Job
Service - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- map[string]string
- Tag dictionary. Tags can be added, removed, and updated.
- command String
- [Required] The command to execute on startup of the job. eg. "python train.py"
- environment
Id String - [Required] The ARM resource ID of the Environment specification for the job.
- code
Id String - ARM resource ID of the code asset.
- component
Id String - ARM resource ID of the component resource.
- compute
Id String - ARM resource ID of the compute resource.
- description String
- The asset description text.
- display
Name String - Display name of job.
- distribution
Mpi | Py
Torch | TensorFlow - Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- environment
Variables Map<String,String> - Environment variables included in the job.
- experiment
Name String - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedIdentity | UserIdentity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs Map<String,Object>
- Mapping of input data bindings used in the job.
- is
Archived Boolean - Is the asset archived?
- limits
Command
Job Limits - Command Job limit.
- notification
Setting NotificationSetting - Notification setting for the job
- outputs Map<String,Object>
- Mapping of output data bindings used in the job.
- properties Map<String,String>
- The asset property dictionary.
- queue
Settings QueueSettings - Queue settings for the job
- resources
Job
Resource Configuration - Compute Resource configuration for the job.
- services
Map<String,Job
Service> - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Map<String,String>
- Tag dictionary. Tags can be added, removed, and updated.
- command string
- [Required] The command to execute on startup of the job. eg. "python train.py"
- environment
Id string - [Required] The ARM resource ID of the Environment specification for the job.
- code
Id string - ARM resource ID of the code asset.
- component
Id string - ARM resource ID of the component resource.
- compute
Id string - ARM resource ID of the compute resource.
- description string
- The asset description text.
- display
Name string - Display name of job.
- distribution
Mpi | Py
Torch | TensorFlow - Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- environment
Variables {[key: string]: string} - Environment variables included in the job.
- experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedIdentity | UserIdentity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs
{[key: string]: Custom
Model Job Input | Literal Job Input | MLFlow Model Job Input | MLTable Job Input | Triton Model Job Input | Uri File Job Input | Uri Folder Job Input} - Mapping of input data bindings used in the job.
- is
Archived boolean - Is the asset archived?
- limits
Command
Job Limits - Command Job limit.
- notification
Setting NotificationSetting - Notification setting for the job
- outputs
{[key: string]: Custom
Model Job Output | MLFlow Model Job Output | MLTable Job Output | Triton Model Job Output | Uri File Job Output | Uri Folder Job Output} - Mapping of output data bindings used in the job.
- properties {[key: string]: string}
- The asset property dictionary.
- queue
Settings QueueSettings - Queue settings for the job
- resources
Job
Resource Configuration - Compute Resource configuration for the job.
- services
{[key: string]: Job
Service} - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- {[key: string]: string}
- Tag dictionary. Tags can be added, removed, and updated.
- command str
- [Required] The command to execute on startup of the job. eg. "python train.py"
- environment_
id str - [Required] The ARM resource ID of the Environment specification for the job.
- code_
id str - ARM resource ID of the code asset.
- component_
id str - ARM resource ID of the component resource.
- compute_
id str - ARM resource ID of the compute resource.
- description str
- The asset description text.
- display_
name str - Display name of job.
- distribution
Mpi | Py
Torch | TensorFlow - Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- environment_
variables Mapping[str, str] - Environment variables included in the job.
- experiment_
name str - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedIdentity | UserIdentity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs
Mapping[str, Union[Custom
Model Job Input, Literal Job Input, MLFlow Model Job Input, MLTable Job Input, Triton Model Job Input, Uri File Job Input, Uri Folder Job Input]] - Mapping of input data bindings used in the job.
- is_
archived bool - Is the asset archived?
- limits
Command
Job Limits - Command Job limit.
- notification_
setting NotificationSetting - Notification setting for the job
- outputs
Mapping[str, Union[Custom
Model Job Output, MLFlow Model Job Output, MLTable Job Output, Triton Model Job Output, Uri File Job Output, Uri Folder Job Output]] - Mapping of output data bindings used in the job.
- properties Mapping[str, str]
- The asset property dictionary.
- queue_
settings QueueSettings - Queue settings for the job
- resources
Job
Resource Configuration - Compute Resource configuration for the job.
- services
Mapping[str, Job
Service] - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Mapping[str, str]
- Tag dictionary. Tags can be added, removed, and updated.
- command String
- [Required] The command to execute on startup of the job. eg. "python train.py"
- environment
Id String - [Required] The ARM resource ID of the Environment specification for the job.
- code
Id String - ARM resource ID of the code asset.
- component
Id String - ARM resource ID of the component resource.
- compute
Id String - ARM resource ID of the compute resource.
- description String
- The asset description text.
- display
Name String - Display name of job.
- distribution Property Map | Property Map | Property Map
- Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- environment
Variables Map<String> - Environment variables included in the job.
- experiment
Name String - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity Property Map | Property Map | Property Map
- Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs Map<Property Map | Property Map | Property Map | Property Map | Property Map | Property Map | Property Map>
- Mapping of input data bindings used in the job.
- is
Archived Boolean - Is the asset archived?
- limits Property Map
- Command Job limit.
- notification
Setting Property Map - Notification setting for the job
- outputs Map<Property Map | Property Map | Property Map | Property Map | Property Map | Property Map>
- Mapping of output data bindings used in the job.
- properties Map<String>
- The asset property dictionary.
- queue
Settings Property Map - Queue settings for the job
- resources Property Map
- Compute Resource configuration for the job.
- services Map<Property Map>
- List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Map<String>
- Tag dictionary. Tags can be added, removed, and updated.
CommandJobLimits, CommandJobLimitsArgs
- Timeout string
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- Timeout string
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- timeout String
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- timeout string
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- timeout str
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- timeout String
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
CommandJobLimitsResponse, CommandJobLimitsResponseArgs
- Timeout string
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- Timeout string
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- timeout String
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- timeout string
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- timeout str
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- timeout String
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
CommandJobResponse, CommandJobResponseArgs
- Command string
- [Required] The command to execute on startup of the job. eg. "python train.py"
- Environment
Id string - [Required] The ARM resource ID of the Environment specification for the job.
- Parameters object
- Input parameters.
- Status string
- Status of the job.
- Code
Id string - ARM resource ID of the code asset.
- Component
Id string - ARM resource ID of the component resource.
- Compute
Id string - ARM resource ID of the compute resource.
- Description string
- The asset description text.
- Display
Name string - Display name of job.
- Distribution
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Mpi Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Py Torch Response Azure Native. Machine Learning Services. Inputs. Tensor Flow Response - Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- Environment
Variables Dictionary<string, string> - Environment variables included in the job.
- Experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- Identity
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Aml Token Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Managed Identity Response Azure Native. Machine Learning Services. Inputs. User Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- Inputs Dictionary<string, object>
- Mapping of input data bindings used in the job.
- Is
Archived bool - Is the asset archived?
- Limits
Pulumi.
Azure Native. Machine Learning Services. Inputs. Command Job Limits Response - Command Job limit.
- Notification
Setting Pulumi.Azure Native. Machine Learning Services. Inputs. Notification Setting Response - Notification setting for the job
- Outputs Dictionary<string, object>
- Mapping of output data bindings used in the job.
- Properties Dictionary<string, string>
- The asset property dictionary.
- Queue
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Queue Settings Response - Queue settings for the job
- Resources
Pulumi.
Azure Native. Machine Learning Services. Inputs. Job Resource Configuration Response - Compute Resource configuration for the job.
- Services
Dictionary<string, Pulumi.
Azure Native. Machine Learning Services. Inputs. Job Service Response> - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Dictionary<string, string>
- Tag dictionary. Tags can be added, removed, and updated.
- Command string
- [Required] The command to execute on startup of the job. eg. "python train.py"
- Environment
Id string - [Required] The ARM resource ID of the Environment specification for the job.
- Parameters interface{}
- Input parameters.
- Status string
- Status of the job.
- Code
Id string - ARM resource ID of the code asset.
- Component
Id string - ARM resource ID of the component resource.
- Compute
Id string - ARM resource ID of the compute resource.
- Description string
- The asset description text.
- Display
Name string - Display name of job.
- Distribution
Mpi
Response | PyTorch | TensorResponse Flow Response - Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- Environment
Variables map[string]string - Environment variables included in the job.
- Experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- Identity
Aml
Token | ManagedResponse Identity | UserResponse Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- Inputs map[string]interface{}
- Mapping of input data bindings used in the job.
- Is
Archived bool - Is the asset archived?
- Limits
Command
Job Limits Response - Command Job limit.
- Notification
Setting NotificationSetting Response - Notification setting for the job
- Outputs map[string]interface{}
- Mapping of output data bindings used in the job.
- Properties map[string]string
- The asset property dictionary.
- Queue
Settings QueueSettings Response - Queue settings for the job
- Resources
Job
Resource Configuration Response - Compute Resource configuration for the job.
- Services
map[string]Job
Service Response - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- map[string]string
- Tag dictionary. Tags can be added, removed, and updated.
- command String
- [Required] The command to execute on startup of the job. eg. "python train.py"
- environment
Id String - [Required] The ARM resource ID of the Environment specification for the job.
- parameters Object
- Input parameters.
- status String
- Status of the job.
- code
Id String - ARM resource ID of the code asset.
- component
Id String - ARM resource ID of the component resource.
- compute
Id String - ARM resource ID of the compute resource.
- description String
- The asset description text.
- display
Name String - Display name of job.
- distribution
Mpi
Response | PyTorch | TensorResponse Flow Response - Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- environment
Variables Map<String,String> - Environment variables included in the job.
- experiment
Name String - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedResponse Identity | UserResponse Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs Map<String,Object>
- Mapping of input data bindings used in the job.
- is
Archived Boolean - Is the asset archived?
- limits
Command
Job Limits Response - Command Job limit.
- notification
Setting NotificationSetting Response - Notification setting for the job
- outputs Map<String,Object>
- Mapping of output data bindings used in the job.
- properties Map<String,String>
- The asset property dictionary.
- queue
Settings QueueSettings Response - Queue settings for the job
- resources
Job
Resource Configuration Response - Compute Resource configuration for the job.
- services
Map<String,Job
Service Response> - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Map<String,String>
- Tag dictionary. Tags can be added, removed, and updated.
- command string
- [Required] The command to execute on startup of the job. eg. "python train.py"
- environment
Id string - [Required] The ARM resource ID of the Environment specification for the job.
- parameters any
- Input parameters.
- status string
- Status of the job.
- code
Id string - ARM resource ID of the code asset.
- component
Id string - ARM resource ID of the component resource.
- compute
Id string - ARM resource ID of the compute resource.
- description string
- The asset description text.
- display
Name string - Display name of job.
- distribution
Mpi
Response | PyTorch | TensorResponse Flow Response - Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- environment
Variables {[key: string]: string} - Environment variables included in the job.
- experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedResponse Identity | UserResponse Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs
{[key: string]: Custom
Model Job Input Response | Literal Job Input Response | MLFlow Model Job Input Response | MLTable Job Input Response | Triton Model Job Input Response | Uri File Job Input Response | Uri Folder Job Input Response} - Mapping of input data bindings used in the job.
- is
Archived boolean - Is the asset archived?
- limits
Command
Job Limits Response - Command Job limit.
- notification
Setting NotificationSetting Response - Notification setting for the job
- outputs
{[key: string]: Custom
Model Job Output Response | MLFlow Model Job Output Response | MLTable Job Output Response | Triton Model Job Output Response | Uri File Job Output Response | Uri Folder Job Output Response} - Mapping of output data bindings used in the job.
- properties {[key: string]: string}
- The asset property dictionary.
- queue
Settings QueueSettings Response - Queue settings for the job
- resources
Job
Resource Configuration Response - Compute Resource configuration for the job.
- services
{[key: string]: Job
Service Response} - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- {[key: string]: string}
- Tag dictionary. Tags can be added, removed, and updated.
- command str
- [Required] The command to execute on startup of the job. eg. "python train.py"
- environment_
id str - [Required] The ARM resource ID of the Environment specification for the job.
- parameters Any
- Input parameters.
- status str
- Status of the job.
- code_
id str - ARM resource ID of the code asset.
- component_
id str - ARM resource ID of the component resource.
- compute_
id str - ARM resource ID of the compute resource.
- description str
- The asset description text.
- display_
name str - Display name of job.
- distribution
Mpi
Response | PyTorch | TensorResponse Flow Response - Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- environment_
variables Mapping[str, str] - Environment variables included in the job.
- experiment_
name str - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedResponse Identity | UserResponse Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs
Mapping[str, Union[Custom
Model Job Input Response, Literal Job Input Response, MLFlow Model Job Input Response, MLTable Job Input Response, Triton Model Job Input Response, Uri File Job Input Response, Uri Folder Job Input Response]] - Mapping of input data bindings used in the job.
- is_
archived bool - Is the asset archived?
- limits
Command
Job Limits Response - Command Job limit.
- notification_
setting NotificationSetting Response - Notification setting for the job
- outputs
Mapping[str, Union[Custom
Model Job Output Response, MLFlow Model Job Output Response, MLTable Job Output Response, Triton Model Job Output Response, Uri File Job Output Response, Uri Folder Job Output Response]] - Mapping of output data bindings used in the job.
- properties Mapping[str, str]
- The asset property dictionary.
- queue_
settings QueueSettings Response - Queue settings for the job
- resources
Job
Resource Configuration Response - Compute Resource configuration for the job.
- services
Mapping[str, Job
Service Response] - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Mapping[str, str]
- Tag dictionary. Tags can be added, removed, and updated.
- command String
- [Required] The command to execute on startup of the job. eg. "python train.py"
- environment
Id String - [Required] The ARM resource ID of the Environment specification for the job.
- parameters Any
- Input parameters.
- status String
- Status of the job.
- code
Id String - ARM resource ID of the code asset.
- component
Id String - ARM resource ID of the component resource.
- compute
Id String - ARM resource ID of the compute resource.
- description String
- The asset description text.
- display
Name String - Display name of job.
- distribution Property Map | Property Map | Property Map
- Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- environment
Variables Map<String> - Environment variables included in the job.
- experiment
Name String - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity Property Map | Property Map | Property Map
- Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs Map<Property Map | Property Map | Property Map | Property Map | Property Map | Property Map | Property Map>
- Mapping of input data bindings used in the job.
- is
Archived Boolean - Is the asset archived?
- limits Property Map
- Command Job limit.
- notification
Setting Property Map - Notification setting for the job
- outputs Map<Property Map | Property Map | Property Map | Property Map | Property Map | Property Map>
- Mapping of output data bindings used in the job.
- properties Map<String>
- The asset property dictionary.
- queue
Settings Property Map - Queue settings for the job
- resources Property Map
- Compute Resource configuration for the job.
- services Map<Property Map>
- List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Map<String>
- Tag dictionary. Tags can be added, removed, and updated.
CreateMonitorAction, CreateMonitorActionArgs
- Monitor
Definition Pulumi.Azure Native. Machine Learning Services. Inputs. Monitor Definition - [Required] Defines the monitor.
- Monitor
Definition MonitorDefinition - [Required] Defines the monitor.
- monitor
Definition MonitorDefinition - [Required] Defines the monitor.
- monitor
Definition MonitorDefinition - [Required] Defines the monitor.
- monitor_
definition MonitorDefinition - [Required] Defines the monitor.
- monitor
Definition Property Map - [Required] Defines the monitor.
CreateMonitorActionResponse, CreateMonitorActionResponseArgs
- Monitor
Definition Pulumi.Azure Native. Machine Learning Services. Inputs. Monitor Definition Response - [Required] Defines the monitor.
- Monitor
Definition MonitorDefinition Response - [Required] Defines the monitor.
- monitor
Definition MonitorDefinition Response - [Required] Defines the monitor.
- monitor
Definition MonitorDefinition Response - [Required] Defines the monitor.
- monitor_
definition MonitorDefinition Response - [Required] Defines the monitor.
- monitor
Definition Property Map - [Required] Defines the monitor.
CronTrigger, CronTriggerArgs
- Expression string
- [Required] Specifies cron expression of schedule. The expression should follow NCronTab format.
- End
Time string - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- Start
Time string - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- Time
Zone string - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
- Expression string
- [Required] Specifies cron expression of schedule. The expression should follow NCronTab format.
- End
Time string - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- Start
Time string - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- Time
Zone string - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
- expression String
- [Required] Specifies cron expression of schedule. The expression should follow NCronTab format.
- end
Time String - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- start
Time String - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- time
Zone String - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
- expression string
- [Required] Specifies cron expression of schedule. The expression should follow NCronTab format.
- end
Time string - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- start
Time string - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- time
Zone string - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
- expression str
- [Required] Specifies cron expression of schedule. The expression should follow NCronTab format.
- end_
time str - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- start_
time str - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- time_
zone str - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
- expression String
- [Required] Specifies cron expression of schedule. The expression should follow NCronTab format.
- end
Time String - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- start
Time String - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- time
Zone String - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
CronTriggerResponse, CronTriggerResponseArgs
- Expression string
- [Required] Specifies cron expression of schedule. The expression should follow NCronTab format.
- End
Time string - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- Start
Time string - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- Time
Zone string - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
- Expression string
- [Required] Specifies cron expression of schedule. The expression should follow NCronTab format.
- End
Time string - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- Start
Time string - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- Time
Zone string - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
- expression String
- [Required] Specifies cron expression of schedule. The expression should follow NCronTab format.
- end
Time String - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- start
Time String - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- time
Zone String - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
- expression string
- [Required] Specifies cron expression of schedule. The expression should follow NCronTab format.
- end
Time string - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- start
Time string - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- time
Zone string - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
- expression str
- [Required] Specifies cron expression of schedule. The expression should follow NCronTab format.
- end_
time str - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- start_
time str - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- time_
zone str - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
- expression String
- [Required] Specifies cron expression of schedule. The expression should follow NCronTab format.
- end
Time String - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- start
Time String - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- time
Zone String - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
CustomForecastHorizon, CustomForecastHorizonArgs
- Value int
- [Required] Forecast horizon value.
- Value int
- [Required] Forecast horizon value.
- value Integer
- [Required] Forecast horizon value.
- value number
- [Required] Forecast horizon value.
- value int
- [Required] Forecast horizon value.
- value Number
- [Required] Forecast horizon value.
CustomForecastHorizonResponse, CustomForecastHorizonResponseArgs
- Value int
- [Required] Forecast horizon value.
- Value int
- [Required] Forecast horizon value.
- value Integer
- [Required] Forecast horizon value.
- value number
- [Required] Forecast horizon value.
- value int
- [Required] Forecast horizon value.
- value Number
- [Required] Forecast horizon value.
CustomMetricThreshold, CustomMetricThresholdArgs
- Metric string
- [Required] The user-defined metric to calculate.
- Threshold
Pulumi.
Azure Native. Machine Learning Services. Inputs. Monitoring Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- Metric string
- [Required] The user-defined metric to calculate.
- Threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric String
- [Required] The user-defined metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric string
- [Required] The user-defined metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric str
- [Required] The user-defined metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric String
- [Required] The user-defined metric to calculate.
- threshold Property Map
- The threshold value. If null, a default value will be set depending on the selected metric.
CustomMetricThresholdResponse, CustomMetricThresholdResponseArgs
- Metric string
- [Required] The user-defined metric to calculate.
- Threshold
Pulumi.
Azure Native. Machine Learning Services. Inputs. Monitoring Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- Metric string
- [Required] The user-defined metric to calculate.
- Threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric String
- [Required] The user-defined metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric string
- [Required] The user-defined metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric str
- [Required] The user-defined metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric String
- [Required] The user-defined metric to calculate.
- threshold Property Map
- The threshold value. If null, a default value will be set depending on the selected metric.
CustomModelJobInput, CustomModelJobInputArgs
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode
string | Pulumi.
Azure Native. Machine Learning Services. Input Delivery Mode - Input Asset Delivery Mode.
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode
string | Input
Delivery Mode - Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode
String | Input
Delivery Mode - Input Asset Delivery Mode.
- uri string
- [Required] Input Asset URI.
- description string
- Description for the input.
- mode
string | Input
Delivery Mode - Input Asset Delivery Mode.
- uri str
- [Required] Input Asset URI.
- description str
- Description for the input.
- mode
str | Input
Delivery Mode - Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode
String | "Read
Only Mount" | "Read Write Mount" | "Download" | "Direct" | "Eval Mount" | "Eval Download" - Input Asset Delivery Mode.
CustomModelJobInputResponse, CustomModelJobInputResponseArgs
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode string
- Input Asset Delivery Mode.
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode string
- Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode String
- Input Asset Delivery Mode.
- uri string
- [Required] Input Asset URI.
- description string
- Description for the input.
- mode string
- Input Asset Delivery Mode.
- uri str
- [Required] Input Asset URI.
- description str
- Description for the input.
- mode str
- Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode String
- Input Asset Delivery Mode.
CustomModelJobOutput, CustomModelJobOutputArgs
- Description string
- Description for the output.
- Mode
string | Pulumi.
Azure Native. Machine Learning Services. Output Delivery Mode - Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- Description string
- Description for the output.
- Mode
string | Output
Delivery Mode - Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- description String
- Description for the output.
- mode
String | Output
Delivery Mode - Output Asset Delivery Mode.
- uri String
- Output Asset URI.
- description string
- Description for the output.
- mode
string | Output
Delivery Mode - Output Asset Delivery Mode.
- uri string
- Output Asset URI.
- description str
- Description for the output.
- mode
str | Output
Delivery Mode - Output Asset Delivery Mode.
- uri str
- Output Asset URI.
- description String
- Description for the output.
- mode
String | "Read
Write Mount" | "Upload" | "Direct" - Output Asset Delivery Mode.
- uri String
- Output Asset URI.
CustomModelJobOutputResponse, CustomModelJobOutputResponseArgs
- Description string
- Description for the output.
- Mode string
- Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- Description string
- Description for the output.
- Mode string
- Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- description String
- Description for the output.
- mode String
- Output Asset Delivery Mode.
- uri String
- Output Asset URI.
- description string
- Description for the output.
- mode string
- Output Asset Delivery Mode.
- uri string
- Output Asset URI.
- description str
- Description for the output.
- mode str
- Output Asset Delivery Mode.
- uri str
- Output Asset URI.
- description String
- Description for the output.
- mode String
- Output Asset Delivery Mode.
- uri String
- Output Asset URI.
CustomMonitoringSignal, CustomMonitoringSignalArgs
- Component
Id string - [Required] Reference to the component asset used to calculate the custom metrics.
- Metric
Thresholds List<Pulumi.Azure Native. Machine Learning Services. Inputs. Custom Metric Threshold> - [Required] A list of metrics to calculate and their associated thresholds.
- Input
Assets Dictionary<string, object> - Monitoring assets to take as input. Key is the component input port name, value is the data asset.
- Inputs Dictionary<string, object>
- Extra component parameters to take as input. Key is the component literal input port name, value is the parameter value.
- Notification
Types List<Union<string, Pulumi.Azure Native. Machine Learning Services. Monitoring Notification Type>> - The current notification mode for this signal.
- Properties Dictionary<string, string>
- Property dictionary. Properties can be added, but not removed or altered.
- Component
Id string - [Required] Reference to the component asset used to calculate the custom metrics.
- Metric
Thresholds []CustomMetric Threshold - [Required] A list of metrics to calculate and their associated thresholds.
- Input
Assets map[string]interface{} - Monitoring assets to take as input. Key is the component input port name, value is the data asset.
- Inputs map[string]interface{}
- Extra component parameters to take as input. Key is the component literal input port name, value is the parameter value.
- Notification
Types []string - The current notification mode for this signal.
- Properties map[string]string
- Property dictionary. Properties can be added, but not removed or altered.
- component
Id String - [Required] Reference to the component asset used to calculate the custom metrics.
- metric
Thresholds List<CustomMetric Threshold> - [Required] A list of metrics to calculate and their associated thresholds.
- input
Assets Map<String,Object> - Monitoring assets to take as input. Key is the component input port name, value is the data asset.
- inputs Map<String,Object>
- Extra component parameters to take as input. Key is the component literal input port name, value is the parameter value.
- notification
Types List<Either<String,MonitoringNotification Type>> - The current notification mode for this signal.
- properties Map<String,String>
- Property dictionary. Properties can be added, but not removed or altered.
- component
Id string - [Required] Reference to the component asset used to calculate the custom metrics.
- metric
Thresholds CustomMetric Threshold[] - [Required] A list of metrics to calculate and their associated thresholds.
- input
Assets {[key: string]: FixedInput Data | Rolling Input Data | Static Input Data} - Monitoring assets to take as input. Key is the component input port name, value is the data asset.
- inputs
{[key: string]: Custom
Model Job Input | Literal Job Input | MLFlow Model Job Input | MLTable Job Input | Triton Model Job Input | Uri File Job Input | Uri Folder Job Input} - Extra component parameters to take as input. Key is the component literal input port name, value is the parameter value.
- notification
Types (string | MonitoringNotification Type)[] - The current notification mode for this signal.
- properties {[key: string]: string}
- Property dictionary. Properties can be added, but not removed or altered.
- component_
id str - [Required] Reference to the component asset used to calculate the custom metrics.
- metric_
thresholds Sequence[CustomMetric Threshold] - [Required] A list of metrics to calculate and their associated thresholds.
- input_
assets Mapping[str, Union[FixedInput Data, Rolling Input Data, Static Input Data]] - Monitoring assets to take as input. Key is the component input port name, value is the data asset.
- inputs
Mapping[str, Union[Custom
Model Job Input, Literal Job Input, MLFlow Model Job Input, MLTable Job Input, Triton Model Job Input, Uri File Job Input, Uri Folder Job Input]] - Extra component parameters to take as input. Key is the component literal input port name, value is the parameter value.
- notification_
types Sequence[Union[str, MonitoringNotification Type]] - The current notification mode for this signal.
- properties Mapping[str, str]
- Property dictionary. Properties can be added, but not removed or altered.
- component
Id String - [Required] Reference to the component asset used to calculate the custom metrics.
- metric
Thresholds List<Property Map> - [Required] A list of metrics to calculate and their associated thresholds.
- input
Assets Map<Property Map | Property Map | Property Map> - Monitoring assets to take as input. Key is the component input port name, value is the data asset.
- inputs Map<Property Map | Property Map | Property Map | Property Map | Property Map | Property Map | Property Map>
- Extra component parameters to take as input. Key is the component literal input port name, value is the parameter value.
- notification
Types List<String | "AmlNotification"> - The current notification mode for this signal.
- properties Map<String>
- Property dictionary. Properties can be added, but not removed or altered.
CustomMonitoringSignalResponse, CustomMonitoringSignalResponseArgs
- Component
Id string - [Required] Reference to the component asset used to calculate the custom metrics.
- Metric
Thresholds List<Pulumi.Azure Native. Machine Learning Services. Inputs. Custom Metric Threshold Response> - [Required] A list of metrics to calculate and their associated thresholds.
- Input
Assets Dictionary<string, object> - Monitoring assets to take as input. Key is the component input port name, value is the data asset.
- Inputs Dictionary<string, object>
- Extra component parameters to take as input. Key is the component literal input port name, value is the parameter value.
- Notification
Types List<string> - The current notification mode for this signal.
- Properties Dictionary<string, string>
- Property dictionary. Properties can be added, but not removed or altered.
- Component
Id string - [Required] Reference to the component asset used to calculate the custom metrics.
- Metric
Thresholds []CustomMetric Threshold Response - [Required] A list of metrics to calculate and their associated thresholds.
- Input
Assets map[string]interface{} - Monitoring assets to take as input. Key is the component input port name, value is the data asset.
- Inputs map[string]interface{}
- Extra component parameters to take as input. Key is the component literal input port name, value is the parameter value.
- Notification
Types []string - The current notification mode for this signal.
- Properties map[string]string
- Property dictionary. Properties can be added, but not removed or altered.
- component
Id String - [Required] Reference to the component asset used to calculate the custom metrics.
- metric
Thresholds List<CustomMetric Threshold Response> - [Required] A list of metrics to calculate and their associated thresholds.
- input
Assets Map<String,Object> - Monitoring assets to take as input. Key is the component input port name, value is the data asset.
- inputs Map<String,Object>
- Extra component parameters to take as input. Key is the component literal input port name, value is the parameter value.
- notification
Types List<String> - The current notification mode for this signal.
- properties Map<String,String>
- Property dictionary. Properties can be added, but not removed or altered.
- component
Id string - [Required] Reference to the component asset used to calculate the custom metrics.
- metric
Thresholds CustomMetric Threshold Response[] - [Required] A list of metrics to calculate and their associated thresholds.
- input
Assets {[key: string]: FixedInput Data Response | Rolling Input Data Response | Static Input Data Response} - Monitoring assets to take as input. Key is the component input port name, value is the data asset.
- inputs
{[key: string]: Custom
Model Job Input Response | Literal Job Input Response | MLFlow Model Job Input Response | MLTable Job Input Response | Triton Model Job Input Response | Uri File Job Input Response | Uri Folder Job Input Response} - Extra component parameters to take as input. Key is the component literal input port name, value is the parameter value.
- notification
Types string[] - The current notification mode for this signal.
- properties {[key: string]: string}
- Property dictionary. Properties can be added, but not removed or altered.
- component_
id str - [Required] Reference to the component asset used to calculate the custom metrics.
- metric_
thresholds Sequence[CustomMetric Threshold Response] - [Required] A list of metrics to calculate and their associated thresholds.
- input_
assets Mapping[str, Union[FixedInput Data Response, Rolling Input Data Response, Static Input Data Response]] - Monitoring assets to take as input. Key is the component input port name, value is the data asset.
- inputs
Mapping[str, Union[Custom
Model Job Input Response, Literal Job Input Response, MLFlow Model Job Input Response, MLTable Job Input Response, Triton Model Job Input Response, Uri File Job Input Response, Uri Folder Job Input Response]] - Extra component parameters to take as input. Key is the component literal input port name, value is the parameter value.
- notification_
types Sequence[str] - The current notification mode for this signal.
- properties Mapping[str, str]
- Property dictionary. Properties can be added, but not removed or altered.
- component
Id String - [Required] Reference to the component asset used to calculate the custom metrics.
- metric
Thresholds List<Property Map> - [Required] A list of metrics to calculate and their associated thresholds.
- input
Assets Map<Property Map | Property Map | Property Map> - Monitoring assets to take as input. Key is the component input port name, value is the data asset.
- inputs Map<Property Map | Property Map | Property Map | Property Map | Property Map | Property Map | Property Map>
- Extra component parameters to take as input. Key is the component literal input port name, value is the parameter value.
- notification
Types List<String> - The current notification mode for this signal.
- properties Map<String>
- Property dictionary. Properties can be added, but not removed or altered.
CustomNCrossValidations, CustomNCrossValidationsArgs
- Value int
- [Required] N-Cross validations value.
- Value int
- [Required] N-Cross validations value.
- value Integer
- [Required] N-Cross validations value.
- value number
- [Required] N-Cross validations value.
- value int
- [Required] N-Cross validations value.
- value Number
- [Required] N-Cross validations value.
CustomNCrossValidationsResponse, CustomNCrossValidationsResponseArgs
- Value int
- [Required] N-Cross validations value.
- Value int
- [Required] N-Cross validations value.
- value Integer
- [Required] N-Cross validations value.
- value number
- [Required] N-Cross validations value.
- value int
- [Required] N-Cross validations value.
- value Number
- [Required] N-Cross validations value.
CustomSeasonality, CustomSeasonalityArgs
- Value int
- [Required] Seasonality value.
- Value int
- [Required] Seasonality value.
- value Integer
- [Required] Seasonality value.
- value number
- [Required] Seasonality value.
- value int
- [Required] Seasonality value.
- value Number
- [Required] Seasonality value.
CustomSeasonalityResponse, CustomSeasonalityResponseArgs
- Value int
- [Required] Seasonality value.
- Value int
- [Required] Seasonality value.
- value Integer
- [Required] Seasonality value.
- value number
- [Required] Seasonality value.
- value int
- [Required] Seasonality value.
- value Number
- [Required] Seasonality value.
CustomTargetLags, CustomTargetLagsArgs
- Values List<int>
- [Required] Set target lags values.
- Values []int
- [Required] Set target lags values.
- values List<Integer>
- [Required] Set target lags values.
- values number[]
- [Required] Set target lags values.
- values Sequence[int]
- [Required] Set target lags values.
- values List<Number>
- [Required] Set target lags values.
CustomTargetLagsResponse, CustomTargetLagsResponseArgs
- Values List<int>
- [Required] Set target lags values.
- Values []int
- [Required] Set target lags values.
- values List<Integer>
- [Required] Set target lags values.
- values number[]
- [Required] Set target lags values.
- values Sequence[int]
- [Required] Set target lags values.
- values List<Number>
- [Required] Set target lags values.
CustomTargetRollingWindowSize, CustomTargetRollingWindowSizeArgs
- Value int
- [Required] TargetRollingWindowSize value.
- Value int
- [Required] TargetRollingWindowSize value.
- value Integer
- [Required] TargetRollingWindowSize value.
- value number
- [Required] TargetRollingWindowSize value.
- value int
- [Required] TargetRollingWindowSize value.
- value Number
- [Required] TargetRollingWindowSize value.
CustomTargetRollingWindowSizeResponse, CustomTargetRollingWindowSizeResponseArgs
- Value int
- [Required] TargetRollingWindowSize value.
- Value int
- [Required] TargetRollingWindowSize value.
- value Integer
- [Required] TargetRollingWindowSize value.
- value number
- [Required] TargetRollingWindowSize value.
- value int
- [Required] TargetRollingWindowSize value.
- value Number
- [Required] TargetRollingWindowSize value.
DataDriftMonitoringSignal, DataDriftMonitoringSignalArgs
- Metric
Thresholds List<Union<Pulumi.Azure Native. Machine Learning Services. Inputs. Categorical Data Drift Metric Threshold, Pulumi. Azure Native. Machine Learning Services. Inputs. Numerical Data Drift Metric Threshold>> - [Required] A list of metrics to calculate and their associated thresholds.
- Production
Data Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Fixed Input Data Azure | Pulumi.Native. Machine Learning Services. Inputs. Rolling Input Data Azure Native. Machine Learning Services. Inputs. Static Input Data - [Required] The data which drift will be calculated for.
- Reference
Data Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Fixed Input Data Azure | Pulumi.Native. Machine Learning Services. Inputs. Rolling Input Data Azure Native. Machine Learning Services. Inputs. Static Input Data - [Required] The data to calculate drift against.
- Feature
Data Dictionary<string, Union<string, Pulumi.Type Override Azure Native. Machine Learning Services. Monitoring Feature Data Type>> - A dictionary that maps feature names to their respective data types.
- Feature
Importance Pulumi.Settings Azure Native. Machine Learning Services. Inputs. Feature Importance Settings - The settings for computing feature importance.
- Features
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. All Features Azure | Pulumi.Native. Machine Learning Services. Inputs. Feature Subset Azure Native. Machine Learning Services. Inputs. Top NFeatures By Attribution - The feature filter which identifies which feature to calculate drift over.
- Notification
Types List<Union<string, Pulumi.Azure Native. Machine Learning Services. Monitoring Notification Type>> - The current notification mode for this signal.
- Properties Dictionary<string, string>
- Property dictionary. Properties can be added, but not removed or altered.
- Metric
Thresholds []interface{} - [Required] A list of metrics to calculate and their associated thresholds.
- Production
Data FixedInput | RollingData Input | StaticData Input Data - [Required] The data which drift will be calculated for.
- Reference
Data FixedInput | RollingData Input | StaticData Input Data - [Required] The data to calculate drift against.
- Feature
Data map[string]stringType Override - A dictionary that maps feature names to their respective data types.
- Feature
Importance FeatureSettings Importance Settings - The settings for computing feature importance.
- Features
All
Features | FeatureSubset | TopNFeatures By Attribution - The feature filter which identifies which feature to calculate drift over.
- Notification
Types []string - The current notification mode for this signal.
- Properties map[string]string
- Property dictionary. Properties can be added, but not removed or altered.
- metric
Thresholds List<Either<CategoricalData Drift Metric Threshold,Numerical Data Drift Metric Threshold>> - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data FixedInput | RollingData Input | StaticData Input Data - [Required] The data which drift will be calculated for.
- reference
Data FixedInput | RollingData Input | StaticData Input Data - [Required] The data to calculate drift against.
- feature
Data Map<String,Either<String,MonitoringType Override Feature Data Type>> - A dictionary that maps feature names to their respective data types.
- feature
Importance FeatureSettings Importance Settings - The settings for computing feature importance.
- features
All
Features | FeatureSubset | TopNFeatures By Attribution - The feature filter which identifies which feature to calculate drift over.
- notification
Types List<Either<String,MonitoringNotification Type>> - The current notification mode for this signal.
- properties Map<String,String>
- Property dictionary. Properties can be added, but not removed or altered.
- metric
Thresholds (CategoricalData Drift Metric Threshold | Numerical Data Drift Metric Threshold)[] - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data FixedInput | RollingData Input | StaticData Input Data - [Required] The data which drift will be calculated for.
- reference
Data FixedInput | RollingData Input | StaticData Input Data - [Required] The data to calculate drift against.
- feature
Data {[key: string]: string | MonitoringType Override Feature Data Type} - A dictionary that maps feature names to their respective data types.
- feature
Importance FeatureSettings Importance Settings - The settings for computing feature importance.
- features
All
Features | FeatureSubset | TopNFeatures By Attribution - The feature filter which identifies which feature to calculate drift over.
- notification
Types (string | MonitoringNotification Type)[] - The current notification mode for this signal.
- properties {[key: string]: string}
- Property dictionary. Properties can be added, but not removed or altered.
- metric_
thresholds Sequence[Union[CategoricalData Drift Metric Threshold, Numerical Data Drift Metric Threshold]] - [Required] A list of metrics to calculate and their associated thresholds.
- production_
data FixedInput | RollingData Input | StaticData Input Data - [Required] The data which drift will be calculated for.
- reference_
data FixedInput | RollingData Input | StaticData Input Data - [Required] The data to calculate drift against.
- feature_
data_ Mapping[str, Union[str, Monitoringtype_ override Feature Data Type]] - A dictionary that maps feature names to their respective data types.
- feature_
importance_ Featuresettings Importance Settings - The settings for computing feature importance.
- features
All
Features | FeatureSubset | TopNFeatures By Attribution - The feature filter which identifies which feature to calculate drift over.
- notification_
types Sequence[Union[str, MonitoringNotification Type]] - The current notification mode for this signal.
- properties Mapping[str, str]
- Property dictionary. Properties can be added, but not removed or altered.
- metric
Thresholds List<Property Map | Property Map> - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data Property Map | Property Map | Property Map - [Required] The data which drift will be calculated for.
- reference
Data Property Map | Property Map | Property Map - [Required] The data to calculate drift against.
- feature
Data Map<String | "Numerical" | "Categorical">Type Override - A dictionary that maps feature names to their respective data types.
- feature
Importance Property MapSettings - The settings for computing feature importance.
- features Property Map | Property Map | Property Map
- The feature filter which identifies which feature to calculate drift over.
- notification
Types List<String | "AmlNotification"> - The current notification mode for this signal.
- properties Map<String>
- Property dictionary. Properties can be added, but not removed or altered.
DataDriftMonitoringSignalResponse, DataDriftMonitoringSignalResponseArgs
- Metric
Thresholds List<Union<Pulumi.Azure Native. Machine Learning Services. Inputs. Categorical Data Drift Metric Threshold Response, Pulumi. Azure Native. Machine Learning Services. Inputs. Numerical Data Drift Metric Threshold Response>> - [Required] A list of metrics to calculate and their associated thresholds.
- Production
Data Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Fixed Input Data Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Rolling Input Data Response Azure Native. Machine Learning Services. Inputs. Static Input Data Response - [Required] The data which drift will be calculated for.
- Reference
Data Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Fixed Input Data Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Rolling Input Data Response Azure Native. Machine Learning Services. Inputs. Static Input Data Response - [Required] The data to calculate drift against.
- Feature
Data Dictionary<string, string>Type Override - A dictionary that maps feature names to their respective data types.
- Feature
Importance Pulumi.Settings Azure Native. Machine Learning Services. Inputs. Feature Importance Settings Response - The settings for computing feature importance.
- Features
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. All Features Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Feature Subset Response Azure Native. Machine Learning Services. Inputs. Top NFeatures By Attribution Response - The feature filter which identifies which feature to calculate drift over.
- Notification
Types List<string> - The current notification mode for this signal.
- Properties Dictionary<string, string>
- Property dictionary. Properties can be added, but not removed or altered.
- Metric
Thresholds []interface{} - [Required] A list of metrics to calculate and their associated thresholds.
- Production
Data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data which drift will be calculated for.
- Reference
Data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data to calculate drift against.
- Feature
Data map[string]stringType Override - A dictionary that maps feature names to their respective data types.
- Feature
Importance FeatureSettings Importance Settings Response - The settings for computing feature importance.
- Features
All
Features | FeatureResponse Subset | TopResponse NFeatures By Attribution Response - The feature filter which identifies which feature to calculate drift over.
- Notification
Types []string - The current notification mode for this signal.
- Properties map[string]string
- Property dictionary. Properties can be added, but not removed or altered.
- metric
Thresholds List<Either<CategoricalData Drift Metric Threshold Response,Numerical Data Drift Metric Threshold Response>> - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data which drift will be calculated for.
- reference
Data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data to calculate drift against.
- feature
Data Map<String,String>Type Override - A dictionary that maps feature names to their respective data types.
- feature
Importance FeatureSettings Importance Settings Response - The settings for computing feature importance.
- features
All
Features | FeatureResponse Subset | TopResponse NFeatures By Attribution Response - The feature filter which identifies which feature to calculate drift over.
- notification
Types List<String> - The current notification mode for this signal.
- properties Map<String,String>
- Property dictionary. Properties can be added, but not removed or altered.
- metric
Thresholds (CategoricalData Drift Metric Threshold Response | Numerical Data Drift Metric Threshold Response)[] - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data which drift will be calculated for.
- reference
Data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data to calculate drift against.
- feature
Data {[key: string]: string}Type Override - A dictionary that maps feature names to their respective data types.
- feature
Importance FeatureSettings Importance Settings Response - The settings for computing feature importance.
- features
All
Features | FeatureResponse Subset | TopResponse NFeatures By Attribution Response - The feature filter which identifies which feature to calculate drift over.
- notification
Types string[] - The current notification mode for this signal.
- properties {[key: string]: string}
- Property dictionary. Properties can be added, but not removed or altered.
- metric_
thresholds Sequence[Union[CategoricalData Drift Metric Threshold Response, Numerical Data Drift Metric Threshold Response]] - [Required] A list of metrics to calculate and their associated thresholds.
- production_
data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data which drift will be calculated for.
- reference_
data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data to calculate drift against.
- feature_
data_ Mapping[str, str]type_ override - A dictionary that maps feature names to their respective data types.
- feature_
importance_ Featuresettings Importance Settings Response - The settings for computing feature importance.
- features
All
Features | FeatureResponse Subset | TopResponse NFeatures By Attribution Response - The feature filter which identifies which feature to calculate drift over.
- notification_
types Sequence[str] - The current notification mode for this signal.
- properties Mapping[str, str]
- Property dictionary. Properties can be added, but not removed or altered.
- metric
Thresholds List<Property Map | Property Map> - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data Property Map | Property Map | Property Map - [Required] The data which drift will be calculated for.
- reference
Data Property Map | Property Map | Property Map - [Required] The data to calculate drift against.
- feature
Data Map<String>Type Override - A dictionary that maps feature names to their respective data types.
- feature
Importance Property MapSettings - The settings for computing feature importance.
- features Property Map | Property Map | Property Map
- The feature filter which identifies which feature to calculate drift over.
- notification
Types List<String> - The current notification mode for this signal.
- properties Map<String>
- Property dictionary. Properties can be added, but not removed or altered.
DataQualityMonitoringSignal, DataQualityMonitoringSignalArgs
- Metric
Thresholds List<Union<Pulumi.Azure Native. Machine Learning Services. Inputs. Categorical Data Quality Metric Threshold, Pulumi. Azure Native. Machine Learning Services. Inputs. Numerical Data Quality Metric Threshold>> - [Required] A list of metrics to calculate and their associated thresholds.
- Production
Data Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Fixed Input Data Azure | Pulumi.Native. Machine Learning Services. Inputs. Rolling Input Data Azure Native. Machine Learning Services. Inputs. Static Input Data - [Required] The data produced by the production service which drift will be calculated for.
- Reference
Data Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Fixed Input Data Azure | Pulumi.Native. Machine Learning Services. Inputs. Rolling Input Data Azure Native. Machine Learning Services. Inputs. Static Input Data - [Required] The data to calculate drift against.
- Feature
Data Dictionary<string, Union<string, Pulumi.Type Override Azure Native. Machine Learning Services. Monitoring Feature Data Type>> - A dictionary that maps feature names to their respective data types.
- Feature
Importance Pulumi.Settings Azure Native. Machine Learning Services. Inputs. Feature Importance Settings - The settings for computing feature importance.
- Features
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. All Features Azure | Pulumi.Native. Machine Learning Services. Inputs. Feature Subset Azure Native. Machine Learning Services. Inputs. Top NFeatures By Attribution - The features to calculate drift over.
- Notification
Types List<Union<string, Pulumi.Azure Native. Machine Learning Services. Monitoring Notification Type>> - The current notification mode for this signal.
- Properties Dictionary<string, string>
- Property dictionary. Properties can be added, but not removed or altered.
- Metric
Thresholds []interface{} - [Required] A list of metrics to calculate and their associated thresholds.
- Production
Data FixedInput | RollingData Input | StaticData Input Data - [Required] The data produced by the production service which drift will be calculated for.
- Reference
Data FixedInput | RollingData Input | StaticData Input Data - [Required] The data to calculate drift against.
- Feature
Data map[string]stringType Override - A dictionary that maps feature names to their respective data types.
- Feature
Importance FeatureSettings Importance Settings - The settings for computing feature importance.
- Features
All
Features | FeatureSubset | TopNFeatures By Attribution - The features to calculate drift over.
- Notification
Types []string - The current notification mode for this signal.
- Properties map[string]string
- Property dictionary. Properties can be added, but not removed or altered.
- metric
Thresholds List<Either<CategoricalData Quality Metric Threshold,Numerical Data Quality Metric Threshold>> - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data FixedInput | RollingData Input | StaticData Input Data - [Required] The data produced by the production service which drift will be calculated for.
- reference
Data FixedInput | RollingData Input | StaticData Input Data - [Required] The data to calculate drift against.
- feature
Data Map<String,Either<String,MonitoringType Override Feature Data Type>> - A dictionary that maps feature names to their respective data types.
- feature
Importance FeatureSettings Importance Settings - The settings for computing feature importance.
- features
All
Features | FeatureSubset | TopNFeatures By Attribution - The features to calculate drift over.
- notification
Types List<Either<String,MonitoringNotification Type>> - The current notification mode for this signal.
- properties Map<String,String>
- Property dictionary. Properties can be added, but not removed or altered.
- metric
Thresholds (CategoricalData Quality Metric Threshold | Numerical Data Quality Metric Threshold)[] - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data FixedInput | RollingData Input | StaticData Input Data - [Required] The data produced by the production service which drift will be calculated for.
- reference
Data FixedInput | RollingData Input | StaticData Input Data - [Required] The data to calculate drift against.
- feature
Data {[key: string]: string | MonitoringType Override Feature Data Type} - A dictionary that maps feature names to their respective data types.
- feature
Importance FeatureSettings Importance Settings - The settings for computing feature importance.
- features
All
Features | FeatureSubset | TopNFeatures By Attribution - The features to calculate drift over.
- notification
Types (string | MonitoringNotification Type)[] - The current notification mode for this signal.
- properties {[key: string]: string}
- Property dictionary. Properties can be added, but not removed or altered.
- metric_
thresholds Sequence[Union[CategoricalData Quality Metric Threshold, Numerical Data Quality Metric Threshold]] - [Required] A list of metrics to calculate and their associated thresholds.
- production_
data FixedInput | RollingData Input | StaticData Input Data - [Required] The data produced by the production service which drift will be calculated for.
- reference_
data FixedInput | RollingData Input | StaticData Input Data - [Required] The data to calculate drift against.
- feature_
data_ Mapping[str, Union[str, Monitoringtype_ override Feature Data Type]] - A dictionary that maps feature names to their respective data types.
- feature_
importance_ Featuresettings Importance Settings - The settings for computing feature importance.
- features
All
Features | FeatureSubset | TopNFeatures By Attribution - The features to calculate drift over.
- notification_
types Sequence[Union[str, MonitoringNotification Type]] - The current notification mode for this signal.
- properties Mapping[str, str]
- Property dictionary. Properties can be added, but not removed or altered.
- metric
Thresholds List<Property Map | Property Map> - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data Property Map | Property Map | Property Map - [Required] The data produced by the production service which drift will be calculated for.
- reference
Data Property Map | Property Map | Property Map - [Required] The data to calculate drift against.
- feature
Data Map<String | "Numerical" | "Categorical">Type Override - A dictionary that maps feature names to their respective data types.
- feature
Importance Property MapSettings - The settings for computing feature importance.
- features Property Map | Property Map | Property Map
- The features to calculate drift over.
- notification
Types List<String | "AmlNotification"> - The current notification mode for this signal.
- properties Map<String>
- Property dictionary. Properties can be added, but not removed or altered.
DataQualityMonitoringSignalResponse, DataQualityMonitoringSignalResponseArgs
- Metric
Thresholds List<Union<Pulumi.Azure Native. Machine Learning Services. Inputs. Categorical Data Quality Metric Threshold Response, Pulumi. Azure Native. Machine Learning Services. Inputs. Numerical Data Quality Metric Threshold Response>> - [Required] A list of metrics to calculate and their associated thresholds.
- Production
Data Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Fixed Input Data Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Rolling Input Data Response Azure Native. Machine Learning Services. Inputs. Static Input Data Response - [Required] The data produced by the production service which drift will be calculated for.
- Reference
Data Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Fixed Input Data Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Rolling Input Data Response Azure Native. Machine Learning Services. Inputs. Static Input Data Response - [Required] The data to calculate drift against.
- Feature
Data Dictionary<string, string>Type Override - A dictionary that maps feature names to their respective data types.
- Feature
Importance Pulumi.Settings Azure Native. Machine Learning Services. Inputs. Feature Importance Settings Response - The settings for computing feature importance.
- Features
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. All Features Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Feature Subset Response Azure Native. Machine Learning Services. Inputs. Top NFeatures By Attribution Response - The features to calculate drift over.
- Notification
Types List<string> - The current notification mode for this signal.
- Properties Dictionary<string, string>
- Property dictionary. Properties can be added, but not removed or altered.
- Metric
Thresholds []interface{} - [Required] A list of metrics to calculate and their associated thresholds.
- Production
Data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data produced by the production service which drift will be calculated for.
- Reference
Data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data to calculate drift against.
- Feature
Data map[string]stringType Override - A dictionary that maps feature names to their respective data types.
- Feature
Importance FeatureSettings Importance Settings Response - The settings for computing feature importance.
- Features
All
Features | FeatureResponse Subset | TopResponse NFeatures By Attribution Response - The features to calculate drift over.
- Notification
Types []string - The current notification mode for this signal.
- Properties map[string]string
- Property dictionary. Properties can be added, but not removed or altered.
- metric
Thresholds List<Either<CategoricalData Quality Metric Threshold Response,Numerical Data Quality Metric Threshold Response>> - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data produced by the production service which drift will be calculated for.
- reference
Data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data to calculate drift against.
- feature
Data Map<String,String>Type Override - A dictionary that maps feature names to their respective data types.
- feature
Importance FeatureSettings Importance Settings Response - The settings for computing feature importance.
- features
All
Features | FeatureResponse Subset | TopResponse NFeatures By Attribution Response - The features to calculate drift over.
- notification
Types List<String> - The current notification mode for this signal.
- properties Map<String,String>
- Property dictionary. Properties can be added, but not removed or altered.
- metric
Thresholds (CategoricalData Quality Metric Threshold Response | Numerical Data Quality Metric Threshold Response)[] - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data produced by the production service which drift will be calculated for.
- reference
Data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data to calculate drift against.
- feature
Data {[key: string]: string}Type Override - A dictionary that maps feature names to their respective data types.
- feature
Importance FeatureSettings Importance Settings Response - The settings for computing feature importance.
- features
All
Features | FeatureResponse Subset | TopResponse NFeatures By Attribution Response - The features to calculate drift over.
- notification
Types string[] - The current notification mode for this signal.
- properties {[key: string]: string}
- Property dictionary. Properties can be added, but not removed or altered.
- metric_
thresholds Sequence[Union[CategoricalData Quality Metric Threshold Response, Numerical Data Quality Metric Threshold Response]] - [Required] A list of metrics to calculate and their associated thresholds.
- production_
data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data produced by the production service which drift will be calculated for.
- reference_
data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data to calculate drift against.
- feature_
data_ Mapping[str, str]type_ override - A dictionary that maps feature names to their respective data types.
- feature_
importance_ Featuresettings Importance Settings Response - The settings for computing feature importance.
- features
All
Features | FeatureResponse Subset | TopResponse NFeatures By Attribution Response - The features to calculate drift over.
- notification_
types Sequence[str] - The current notification mode for this signal.
- properties Mapping[str, str]
- Property dictionary. Properties can be added, but not removed or altered.
- metric
Thresholds List<Property Map | Property Map> - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data Property Map | Property Map | Property Map - [Required] The data produced by the production service which drift will be calculated for.
- reference
Data Property Map | Property Map | Property Map - [Required] The data to calculate drift against.
- feature
Data Map<String>Type Override - A dictionary that maps feature names to their respective data types.
- feature
Importance Property MapSettings - The settings for computing feature importance.
- features Property Map | Property Map | Property Map
- The features to calculate drift over.
- notification
Types List<String> - The current notification mode for this signal.
- properties Map<String>
- Property dictionary. Properties can be added, but not removed or altered.
EmailNotificationEnableType, EmailNotificationEnableTypeArgs
- Job
Completed - JobCompleted
- Job
Failed - JobFailed
- Job
Cancelled - JobCancelled
- Email
Notification Enable Type Job Completed - JobCompleted
- Email
Notification Enable Type Job Failed - JobFailed
- Email
Notification Enable Type Job Cancelled - JobCancelled
- Job
Completed - JobCompleted
- Job
Failed - JobFailed
- Job
Cancelled - JobCancelled
- Job
Completed - JobCompleted
- Job
Failed - JobFailed
- Job
Cancelled - JobCancelled
- JOB_COMPLETED
- JobCompleted
- JOB_FAILED
- JobFailed
- JOB_CANCELLED
- JobCancelled
- "Job
Completed" - JobCompleted
- "Job
Failed" - JobFailed
- "Job
Cancelled" - JobCancelled
EndpointScheduleAction, EndpointScheduleActionArgs
- Endpoint
Invocation objectDefinition - [Required] Defines Schedule action definition details.
- Endpoint
Invocation interface{}Definition - [Required] Defines Schedule action definition details.
- endpoint
Invocation ObjectDefinition - [Required] Defines Schedule action definition details.
- endpoint
Invocation anyDefinition - [Required] Defines Schedule action definition details.
- endpoint_
invocation_ Anydefinition - [Required] Defines Schedule action definition details.
- endpoint
Invocation AnyDefinition - [Required] Defines Schedule action definition details.
EndpointScheduleActionResponse, EndpointScheduleActionResponseArgs
- Endpoint
Invocation objectDefinition - [Required] Defines Schedule action definition details.
- Endpoint
Invocation interface{}Definition - [Required] Defines Schedule action definition details.
- endpoint
Invocation ObjectDefinition - [Required] Defines Schedule action definition details.
- endpoint
Invocation anyDefinition - [Required] Defines Schedule action definition details.
- endpoint_
invocation_ Anydefinition - [Required] Defines Schedule action definition details.
- endpoint
Invocation AnyDefinition - [Required] Defines Schedule action definition details.
FeatureAttributionDriftMonitoringSignal, FeatureAttributionDriftMonitoringSignalArgs
- Feature
Importance Pulumi.Settings Azure Native. Machine Learning Services. Inputs. Feature Importance Settings - [Required] The settings for computing feature importance.
- Metric
Threshold Pulumi.Azure Native. Machine Learning Services. Inputs. Feature Attribution Metric Threshold - [Required] A list of metrics to calculate and their associated thresholds.
- Production
Data List<object> - [Required] The data which drift will be calculated for.
- Reference
Data Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Fixed Input Data Azure | Pulumi.Native. Machine Learning Services. Inputs. Rolling Input Data Azure Native. Machine Learning Services. Inputs. Static Input Data - [Required] The data to calculate drift against.
- Feature
Data Dictionary<string, Union<string, Pulumi.Type Override Azure Native. Machine Learning Services. Monitoring Feature Data Type>> - A dictionary that maps feature names to their respective data types.
- Notification
Types List<Union<string, Pulumi.Azure Native. Machine Learning Services. Monitoring Notification Type>> - The current notification mode for this signal.
- Properties Dictionary<string, string>
- Property dictionary. Properties can be added, but not removed or altered.
- Feature
Importance FeatureSettings Importance Settings - [Required] The settings for computing feature importance.
- Metric
Threshold FeatureAttribution Metric Threshold - [Required] A list of metrics to calculate and their associated thresholds.
- Production
Data []interface{} - [Required] The data which drift will be calculated for.
- Reference
Data FixedInput | RollingData Input | StaticData Input Data - [Required] The data to calculate drift against.
- Feature
Data map[string]stringType Override - A dictionary that maps feature names to their respective data types.
- Notification
Types []string - The current notification mode for this signal.
- Properties map[string]string
- Property dictionary. Properties can be added, but not removed or altered.
- feature
Importance FeatureSettings Importance Settings - [Required] The settings for computing feature importance.
- metric
Threshold FeatureAttribution Metric Threshold - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data List<Object> - [Required] The data which drift will be calculated for.
- reference
Data FixedInput | RollingData Input | StaticData Input Data - [Required] The data to calculate drift against.
- feature
Data Map<String,Either<String,MonitoringType Override Feature Data Type>> - A dictionary that maps feature names to their respective data types.
- notification
Types List<Either<String,MonitoringNotification Type>> - The current notification mode for this signal.
- properties Map<String,String>
- Property dictionary. Properties can be added, but not removed or altered.
- feature
Importance FeatureSettings Importance Settings - [Required] The settings for computing feature importance.
- metric
Threshold FeatureAttribution Metric Threshold - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data (FixedInput Data | Rolling Input Data | Static Input Data)[] - [Required] The data which drift will be calculated for.
- reference
Data FixedInput | RollingData Input | StaticData Input Data - [Required] The data to calculate drift against.
- feature
Data {[key: string]: string | MonitoringType Override Feature Data Type} - A dictionary that maps feature names to their respective data types.
- notification
Types (string | MonitoringNotification Type)[] - The current notification mode for this signal.
- properties {[key: string]: string}
- Property dictionary. Properties can be added, but not removed or altered.
- feature_
importance_ Featuresettings Importance Settings - [Required] The settings for computing feature importance.
- metric_
threshold FeatureAttribution Metric Threshold - [Required] A list of metrics to calculate and their associated thresholds.
- production_
data Sequence[Union[FixedInput Data, Rolling Input Data, Static Input Data]] - [Required] The data which drift will be calculated for.
- reference_
data FixedInput | RollingData Input | StaticData Input Data - [Required] The data to calculate drift against.
- feature_
data_ Mapping[str, Union[str, Monitoringtype_ override Feature Data Type]] - A dictionary that maps feature names to their respective data types.
- notification_
types Sequence[Union[str, MonitoringNotification Type]] - The current notification mode for this signal.
- properties Mapping[str, str]
- Property dictionary. Properties can be added, but not removed or altered.
- feature
Importance Property MapSettings - [Required] The settings for computing feature importance.
- metric
Threshold Property Map - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data List<Property Map | Property Map | Property Map> - [Required] The data which drift will be calculated for.
- reference
Data Property Map | Property Map | Property Map - [Required] The data to calculate drift against.
- feature
Data Map<String | "Numerical" | "Categorical">Type Override - A dictionary that maps feature names to their respective data types.
- notification
Types List<String | "AmlNotification"> - The current notification mode for this signal.
- properties Map<String>
- Property dictionary. Properties can be added, but not removed or altered.
FeatureAttributionDriftMonitoringSignalResponse, FeatureAttributionDriftMonitoringSignalResponseArgs
- Feature
Importance Pulumi.Settings Azure Native. Machine Learning Services. Inputs. Feature Importance Settings Response - [Required] The settings for computing feature importance.
- Metric
Threshold Pulumi.Azure Native. Machine Learning Services. Inputs. Feature Attribution Metric Threshold Response - [Required] A list of metrics to calculate and their associated thresholds.
- Production
Data List<object> - [Required] The data which drift will be calculated for.
- Reference
Data Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Fixed Input Data Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Rolling Input Data Response Azure Native. Machine Learning Services. Inputs. Static Input Data Response - [Required] The data to calculate drift against.
- Feature
Data Dictionary<string, string>Type Override - A dictionary that maps feature names to their respective data types.
- Notification
Types List<string> - The current notification mode for this signal.
- Properties Dictionary<string, string>
- Property dictionary. Properties can be added, but not removed or altered.
- Feature
Importance FeatureSettings Importance Settings Response - [Required] The settings for computing feature importance.
- Metric
Threshold FeatureAttribution Metric Threshold Response - [Required] A list of metrics to calculate and their associated thresholds.
- Production
Data []interface{} - [Required] The data which drift will be calculated for.
- Reference
Data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data to calculate drift against.
- Feature
Data map[string]stringType Override - A dictionary that maps feature names to their respective data types.
- Notification
Types []string - The current notification mode for this signal.
- Properties map[string]string
- Property dictionary. Properties can be added, but not removed or altered.
- feature
Importance FeatureSettings Importance Settings Response - [Required] The settings for computing feature importance.
- metric
Threshold FeatureAttribution Metric Threshold Response - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data List<Object> - [Required] The data which drift will be calculated for.
- reference
Data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data to calculate drift against.
- feature
Data Map<String,String>Type Override - A dictionary that maps feature names to their respective data types.
- notification
Types List<String> - The current notification mode for this signal.
- properties Map<String,String>
- Property dictionary. Properties can be added, but not removed or altered.
- feature
Importance FeatureSettings Importance Settings Response - [Required] The settings for computing feature importance.
- metric
Threshold FeatureAttribution Metric Threshold Response - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data (FixedInput Data Response | Rolling Input Data Response | Static Input Data Response)[] - [Required] The data which drift will be calculated for.
- reference
Data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data to calculate drift against.
- feature
Data {[key: string]: string}Type Override - A dictionary that maps feature names to their respective data types.
- notification
Types string[] - The current notification mode for this signal.
- properties {[key: string]: string}
- Property dictionary. Properties can be added, but not removed or altered.
- feature_
importance_ Featuresettings Importance Settings Response - [Required] The settings for computing feature importance.
- metric_
threshold FeatureAttribution Metric Threshold Response - [Required] A list of metrics to calculate and their associated thresholds.
- production_
data Sequence[Union[FixedInput Data Response, Rolling Input Data Response, Static Input Data Response]] - [Required] The data which drift will be calculated for.
- reference_
data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data to calculate drift against.
- feature_
data_ Mapping[str, str]type_ override - A dictionary that maps feature names to their respective data types.
- notification_
types Sequence[str] - The current notification mode for this signal.
- properties Mapping[str, str]
- Property dictionary. Properties can be added, but not removed or altered.
- feature
Importance Property MapSettings - [Required] The settings for computing feature importance.
- metric
Threshold Property Map - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data List<Property Map | Property Map | Property Map> - [Required] The data which drift will be calculated for.
- reference
Data Property Map | Property Map | Property Map - [Required] The data to calculate drift against.
- feature
Data Map<String>Type Override - A dictionary that maps feature names to their respective data types.
- notification
Types List<String> - The current notification mode for this signal.
- properties Map<String>
- Property dictionary. Properties can be added, but not removed or altered.
FeatureAttributionMetric, FeatureAttributionMetricArgs
- Normalized
Discounted Cumulative Gain - NormalizedDiscountedCumulativeGainThe Normalized Discounted Cumulative Gain metric.
- Feature
Attribution Metric Normalized Discounted Cumulative Gain - NormalizedDiscountedCumulativeGainThe Normalized Discounted Cumulative Gain metric.
- Normalized
Discounted Cumulative Gain - NormalizedDiscountedCumulativeGainThe Normalized Discounted Cumulative Gain metric.
- Normalized
Discounted Cumulative Gain - NormalizedDiscountedCumulativeGainThe Normalized Discounted Cumulative Gain metric.
- NORMALIZED_DISCOUNTED_CUMULATIVE_GAIN
- NormalizedDiscountedCumulativeGainThe Normalized Discounted Cumulative Gain metric.
- "Normalized
Discounted Cumulative Gain" - NormalizedDiscountedCumulativeGainThe Normalized Discounted Cumulative Gain metric.
FeatureAttributionMetricThreshold, FeatureAttributionMetricThresholdArgs
- Metric
string | Pulumi.
Azure Native. Machine Learning Services. Feature Attribution Metric - [Required] The feature attribution metric to calculate.
- Threshold
Pulumi.
Azure Native. Machine Learning Services. Inputs. Monitoring Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- Metric
string | Feature
Attribution Metric - [Required] The feature attribution metric to calculate.
- Threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
String | Feature
Attribution Metric - [Required] The feature attribution metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
string | Feature
Attribution Metric - [Required] The feature attribution metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
str | Feature
Attribution Metric - [Required] The feature attribution metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
String | "Normalized
Discounted Cumulative Gain" - [Required] The feature attribution metric to calculate.
- threshold Property Map
- The threshold value. If null, a default value will be set depending on the selected metric.
FeatureAttributionMetricThresholdResponse, FeatureAttributionMetricThresholdResponseArgs
- Metric string
- [Required] The feature attribution metric to calculate.
- Threshold
Pulumi.
Azure Native. Machine Learning Services. Inputs. Monitoring Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- Metric string
- [Required] The feature attribution metric to calculate.
- Threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric String
- [Required] The feature attribution metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric string
- [Required] The feature attribution metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric str
- [Required] The feature attribution metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric String
- [Required] The feature attribution metric to calculate.
- threshold Property Map
- The threshold value. If null, a default value will be set depending on the selected metric.
FeatureImportanceMode, FeatureImportanceModeArgs
- Disabled
- DisabledDisables computing feature importance within a signal.
- Enabled
- EnabledEnables computing feature importance within a signal.
- Feature
Importance Mode Disabled - DisabledDisables computing feature importance within a signal.
- Feature
Importance Mode Enabled - EnabledEnables computing feature importance within a signal.
- Disabled
- DisabledDisables computing feature importance within a signal.
- Enabled
- EnabledEnables computing feature importance within a signal.
- Disabled
- DisabledDisables computing feature importance within a signal.
- Enabled
- EnabledEnables computing feature importance within a signal.
- DISABLED
- DisabledDisables computing feature importance within a signal.
- ENABLED
- EnabledEnables computing feature importance within a signal.
- "Disabled"
- DisabledDisables computing feature importance within a signal.
- "Enabled"
- EnabledEnables computing feature importance within a signal.
FeatureImportanceSettings, FeatureImportanceSettingsArgs
- Mode
string | Pulumi.
Azure Native. Machine Learning Services. Feature Importance Mode - The mode of operation for computing feature importance.
- Target
Column string - The name of the target column within the input data asset.
- Mode
string | Feature
Importance Mode - The mode of operation for computing feature importance.
- Target
Column string - The name of the target column within the input data asset.
- mode
String | Feature
Importance Mode - The mode of operation for computing feature importance.
- target
Column String - The name of the target column within the input data asset.
- mode
string | Feature
Importance Mode - The mode of operation for computing feature importance.
- target
Column string - The name of the target column within the input data asset.
- mode
str | Feature
Importance Mode - The mode of operation for computing feature importance.
- target_
column str - The name of the target column within the input data asset.
- mode String | "Disabled" | "Enabled"
- The mode of operation for computing feature importance.
- target
Column String - The name of the target column within the input data asset.
FeatureImportanceSettingsResponse, FeatureImportanceSettingsResponseArgs
- Mode string
- The mode of operation for computing feature importance.
- Target
Column string - The name of the target column within the input data asset.
- Mode string
- The mode of operation for computing feature importance.
- Target
Column string - The name of the target column within the input data asset.
- mode String
- The mode of operation for computing feature importance.
- target
Column String - The name of the target column within the input data asset.
- mode string
- The mode of operation for computing feature importance.
- target
Column string - The name of the target column within the input data asset.
- mode str
- The mode of operation for computing feature importance.
- target_
column str - The name of the target column within the input data asset.
- mode String
- The mode of operation for computing feature importance.
- target
Column String - The name of the target column within the input data asset.
FeatureLags, FeatureLagsArgs
- None
- NoneNo feature lags generated.
- Auto
- AutoSystem auto-generates feature lags.
- Feature
Lags None - NoneNo feature lags generated.
- Feature
Lags Auto - AutoSystem auto-generates feature lags.
- None
- NoneNo feature lags generated.
- Auto
- AutoSystem auto-generates feature lags.
- None
- NoneNo feature lags generated.
- Auto
- AutoSystem auto-generates feature lags.
- NONE
- NoneNo feature lags generated.
- AUTO
- AutoSystem auto-generates feature lags.
- "None"
- NoneNo feature lags generated.
- "Auto"
- AutoSystem auto-generates feature lags.
FeatureSubset, FeatureSubsetArgs
- Features List<string>
- [Required] The list of features to include.
- Features []string
- [Required] The list of features to include.
- features List<String>
- [Required] The list of features to include.
- features string[]
- [Required] The list of features to include.
- features Sequence[str]
- [Required] The list of features to include.
- features List<String>
- [Required] The list of features to include.
FeatureSubsetResponse, FeatureSubsetResponseArgs
- Features List<string>
- [Required] The list of features to include.
- Features []string
- [Required] The list of features to include.
- features List<String>
- [Required] The list of features to include.
- features string[]
- [Required] The list of features to include.
- features Sequence[str]
- [Required] The list of features to include.
- features List<String>
- [Required] The list of features to include.
FeaturizationMode, FeaturizationModeArgs
- Auto
- AutoAuto mode, system performs featurization without any custom featurization inputs.
- Custom
- CustomCustom featurization.
- Off
- OffFeaturization off. 'Forecasting' task cannot use this value.
- Featurization
Mode Auto - AutoAuto mode, system performs featurization without any custom featurization inputs.
- Featurization
Mode Custom - CustomCustom featurization.
- Featurization
Mode Off - OffFeaturization off. 'Forecasting' task cannot use this value.
- Auto
- AutoAuto mode, system performs featurization without any custom featurization inputs.
- Custom
- CustomCustom featurization.
- Off
- OffFeaturization off. 'Forecasting' task cannot use this value.
- Auto
- AutoAuto mode, system performs featurization without any custom featurization inputs.
- Custom
- CustomCustom featurization.
- Off
- OffFeaturization off. 'Forecasting' task cannot use this value.
- AUTO
- AutoAuto mode, system performs featurization without any custom featurization inputs.
- CUSTOM
- CustomCustom featurization.
- OFF
- OffFeaturization off. 'Forecasting' task cannot use this value.
- "Auto"
- AutoAuto mode, system performs featurization without any custom featurization inputs.
- "Custom"
- CustomCustom featurization.
- "Off"
- OffFeaturization off. 'Forecasting' task cannot use this value.
FixedInputData, FixedInputDataArgs
- Job
Input string | Pulumi.Type Azure Native. Machine Learning Services. Job Input Type - [Required] Specifies the type of job.
- Uri string
- [Required] Input Asset URI.
- Columns Dictionary<string, string>
- Mapping of column names to special uses.
- Data
Context string - The context metadata of the data source.
- Job
Input string | JobType Input Type - [Required] Specifies the type of job.
- Uri string
- [Required] Input Asset URI.
- Columns map[string]string
- Mapping of column names to special uses.
- Data
Context string - The context metadata of the data source.
- job
Input String | JobType Input Type - [Required] Specifies the type of job.
- uri String
- [Required] Input Asset URI.
- columns Map<String,String>
- Mapping of column names to special uses.
- data
Context String - The context metadata of the data source.
- job
Input string | JobType Input Type - [Required] Specifies the type of job.
- uri string
- [Required] Input Asset URI.
- columns {[key: string]: string}
- Mapping of column names to special uses.
- data
Context string - The context metadata of the data source.
- job_
input_ str | Jobtype Input Type - [Required] Specifies the type of job.
- uri str
- [Required] Input Asset URI.
- columns Mapping[str, str]
- Mapping of column names to special uses.
- data_
context str - The context metadata of the data source.
- job
Input String | "literal" | "uri_Type file" | "uri_ folder" | "mltable" | "custom_ model" | "mlflow_ model" | "triton_ model" - [Required] Specifies the type of job.
- uri String
- [Required] Input Asset URI.
- columns Map<String>
- Mapping of column names to special uses.
- data
Context String - The context metadata of the data source.
FixedInputDataResponse, FixedInputDataResponseArgs
- Job
Input stringType - [Required] Specifies the type of job.
- Uri string
- [Required] Input Asset URI.
- Columns Dictionary<string, string>
- Mapping of column names to special uses.
- Data
Context string - The context metadata of the data source.
- Job
Input stringType - [Required] Specifies the type of job.
- Uri string
- [Required] Input Asset URI.
- Columns map[string]string
- Mapping of column names to special uses.
- Data
Context string - The context metadata of the data source.
- job
Input StringType - [Required] Specifies the type of job.
- uri String
- [Required] Input Asset URI.
- columns Map<String,String>
- Mapping of column names to special uses.
- data
Context String - The context metadata of the data source.
- job
Input stringType - [Required] Specifies the type of job.
- uri string
- [Required] Input Asset URI.
- columns {[key: string]: string}
- Mapping of column names to special uses.
- data
Context string - The context metadata of the data source.
- job_
input_ strtype - [Required] Specifies the type of job.
- uri str
- [Required] Input Asset URI.
- columns Mapping[str, str]
- Mapping of column names to special uses.
- data_
context str - The context metadata of the data source.
- job
Input StringType - [Required] Specifies the type of job.
- uri String
- [Required] Input Asset URI.
- columns Map<String>
- Mapping of column names to special uses.
- data
Context String - The context metadata of the data source.
Forecasting, ForecastingArgs
- Training
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - [Required] Training data input.
- Cv
Split List<string>Column Names - Columns to use for CVSplit data.
- Featurization
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Table Vertical Featurization Settings - Featurization inputs needed for AutoML job.
- Forecasting
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Forecasting Settings - Forecasting task specific inputs.
- Limit
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Table Vertical Limit Settings - Execution constraints for AutoMLJob.
- Log
Verbosity string | Pulumi.Azure Native. Machine Learning Services. Log Verbosity - Log verbosity for the job.
- NCross
Validations Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Auto NCross Validations Azure Native. Machine Learning Services. Inputs. Custom NCross Validations - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- Primary
Metric string | Pulumi.Azure Native. Machine Learning Services. Forecasting Primary Metrics - Primary metric for forecasting task.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Test
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - Test data input.
- Test
Data doubleSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Training
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Forecasting Training Settings - Inputs for training phase for an AutoML Job.
- Validation
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - Validation data inputs.
- Validation
Data doubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Weight
Column stringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- Training
Data MLTableJob Input - [Required] Training data input.
- Cv
Split []stringColumn Names - Columns to use for CVSplit data.
- Featurization
Settings TableVertical Featurization Settings - Featurization inputs needed for AutoML job.
- Forecasting
Settings ForecastingSettings - Forecasting task specific inputs.
- Limit
Settings TableVertical Limit Settings - Execution constraints for AutoMLJob.
- Log
Verbosity string | LogVerbosity - Log verbosity for the job.
- NCross
Validations AutoNCross | CustomValidations NCross Validations - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- Primary
Metric string | ForecastingPrimary Metrics - Primary metric for forecasting task.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Test
Data MLTableJob Input - Test data input.
- Test
Data float64Size - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Training
Settings ForecastingTraining Settings - Inputs for training phase for an AutoML Job.
- Validation
Data MLTableJob Input - Validation data inputs.
- Validation
Data float64Size - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Weight
Column stringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training
Data MLTableJob Input - [Required] Training data input.
- cv
Split List<String>Column Names - Columns to use for CVSplit data.
- featurization
Settings TableVertical Featurization Settings - Featurization inputs needed for AutoML job.
- forecasting
Settings ForecastingSettings - Forecasting task specific inputs.
- limit
Settings TableVertical Limit Settings - Execution constraints for AutoMLJob.
- log
Verbosity String | LogVerbosity - Log verbosity for the job.
- n
Cross AutoValidations NCross | CustomValidations NCross Validations - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- primary
Metric String | ForecastingPrimary Metrics - Primary metric for forecasting task.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test
Data MLTableJob Input - Test data input.
- test
Data DoubleSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training
Settings ForecastingTraining Settings - Inputs for training phase for an AutoML Job.
- validation
Data MLTableJob Input - Validation data inputs.
- validation
Data DoubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight
Column StringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training
Data MLTableJob Input - [Required] Training data input.
- cv
Split string[]Column Names - Columns to use for CVSplit data.
- featurization
Settings TableVertical Featurization Settings - Featurization inputs needed for AutoML job.
- forecasting
Settings ForecastingSettings - Forecasting task specific inputs.
- limit
Settings TableVertical Limit Settings - Execution constraints for AutoMLJob.
- log
Verbosity string | LogVerbosity - Log verbosity for the job.
- n
Cross AutoValidations NCross | CustomValidations NCross Validations - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- primary
Metric string | ForecastingPrimary Metrics - Primary metric for forecasting task.
- target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test
Data MLTableJob Input - Test data input.
- test
Data numberSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training
Settings ForecastingTraining Settings - Inputs for training phase for an AutoML Job.
- validation
Data MLTableJob Input - Validation data inputs.
- validation
Data numberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight
Column stringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training_
data MLTableJob Input - [Required] Training data input.
- cv_
split_ Sequence[str]column_ names - Columns to use for CVSplit data.
- featurization_
settings TableVertical Featurization Settings - Featurization inputs needed for AutoML job.
- forecasting_
settings ForecastingSettings - Forecasting task specific inputs.
- limit_
settings TableVertical Limit Settings - Execution constraints for AutoMLJob.
- log_
verbosity str | LogVerbosity - Log verbosity for the job.
- n_
cross_ Autovalidations NCross | CustomValidations NCross Validations - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- primary_
metric str | ForecastingPrimary Metrics - Primary metric for forecasting task.
- target_
column_ strname - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test_
data MLTableJob Input - Test data input.
- test_
data_ floatsize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training_
settings ForecastingTraining Settings - Inputs for training phase for an AutoML Job.
- validation_
data MLTableJob Input - Validation data inputs.
- validation_
data_ floatsize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight_
column_ strname - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training
Data Property Map - [Required] Training data input.
- cv
Split List<String>Column Names - Columns to use for CVSplit data.
- featurization
Settings Property Map - Featurization inputs needed for AutoML job.
- forecasting
Settings Property Map - Forecasting task specific inputs.
- limit
Settings Property Map - Execution constraints for AutoMLJob.
- log
Verbosity String | "NotSet" | "Debug" | "Info" | "Warning" | "Error" | "Critical" - Log verbosity for the job.
- n
Cross Property Map | Property MapValidations - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- primary
Metric String | "SpearmanCorrelation" | "Normalized Root Mean Squared Error" | "R2Score" | "Normalized Mean Absolute Error" - Primary metric for forecasting task.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test
Data Property Map - Test data input.
- test
Data NumberSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training
Settings Property Map - Inputs for training phase for an AutoML Job.
- validation
Data Property Map - Validation data inputs.
- validation
Data NumberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight
Column StringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
ForecastingModels, ForecastingModelsArgs
- Auto
Arima - AutoArimaAuto-Autoregressive Integrated Moving Average (ARIMA) model uses time-series data and statistical analysis to interpret the data and make future predictions. This model aims to explain data by using time series data on its past values and uses linear regression to make predictions.
- Prophet
- ProphetProphet is a procedure for forecasting time series data based on an additive model where non-linear trends are fit with yearly, weekly, and daily seasonality, plus holiday effects. It works best with time series that have strong seasonal effects and several seasons of historical data. Prophet is robust to missing data and shifts in the trend, and typically handles outliers well.
- Naive
- NaiveThe Naive forecasting model makes predictions by carrying forward the latest target value for each time-series in the training data.
- Seasonal
Naive - SeasonalNaiveThe Seasonal Naive forecasting model makes predictions by carrying forward the latest season of target values for each time-series in the training data.
- Average
- AverageThe Average forecasting model makes predictions by carrying forward the average of the target values for each time-series in the training data.
- Seasonal
Average - SeasonalAverageThe Seasonal Average forecasting model makes predictions by carrying forward the average value of the latest season of data for each time-series in the training data.
- Exponential
Smoothing - ExponentialSmoothingExponential smoothing is a time series forecasting method for univariate data that can be extended to support data with a systematic trend or seasonal component.
- Arimax
- ArimaxAn Autoregressive Integrated Moving Average with Explanatory Variable (ARIMAX) model can be viewed as a multiple regression model with one or more autoregressive (AR) terms and/or one or more moving average (MA) terms. This method is suitable for forecasting when data is stationary/non stationary, and multivariate with any type of data pattern, i.e., level/trend /seasonality/cyclicity.
- TCNForecaster
- TCNForecasterTCNForecaster: Temporal Convolutional Networks Forecaster. //TODO: Ask forecasting team for brief intro.
- Elastic
Net - ElasticNetElastic net is a popular type of regularized linear regression that combines two popular penalties, specifically the L1 and L2 penalty functions.
- Gradient
Boosting - GradientBoostingThe technique of transiting week learners into a strong learner is called Boosting. The gradient boosting algorithm process works on this theory of execution.
- Decision
Tree - DecisionTreeDecision Trees are a non-parametric supervised learning method used for both classification and regression tasks. The goal is to create a model that predicts the value of a target variable by learning simple decision rules inferred from the data features.
- KNN
- KNNK-nearest neighbors (KNN) algorithm uses 'feature similarity' to predict the values of new datapoints which further means that the new data point will be assigned a value based on how closely it matches the points in the training set.
- Lasso
Lars - LassoLarsLasso model fit with Least Angle Regression a.k.a. Lars. It is a Linear Model trained with an L1 prior as regularizer.
- SGD
- SGDSGD: Stochastic gradient descent is an optimization algorithm often used in machine learning applications to find the model parameters that correspond to the best fit between predicted and actual outputs. It's an inexact but powerful technique.
- Random
Forest - RandomForestRandom forest is a supervised learning algorithm. The "forest" it builds, is an ensemble of decision trees, usually trained with the "bagging" method. The general idea of the bagging method is that a combination of learning models increases the overall result.
- Extreme
Random Trees - ExtremeRandomTreesExtreme Trees is an ensemble machine learning algorithm that combines the predictions from many decision trees. It is related to the widely used random forest algorithm.
- Light
GBM - LightGBMLightGBM is a gradient boosting framework that uses tree based learning algorithms.
- XGBoost
Regressor - XGBoostRegressorXGBoostRegressor: Extreme Gradient Boosting Regressor is a supervised machine learning model using ensemble of base learners.
- Forecasting
Models Auto Arima - AutoArimaAuto-Autoregressive Integrated Moving Average (ARIMA) model uses time-series data and statistical analysis to interpret the data and make future predictions. This model aims to explain data by using time series data on its past values and uses linear regression to make predictions.
- Forecasting
Models Prophet - ProphetProphet is a procedure for forecasting time series data based on an additive model where non-linear trends are fit with yearly, weekly, and daily seasonality, plus holiday effects. It works best with time series that have strong seasonal effects and several seasons of historical data. Prophet is robust to missing data and shifts in the trend, and typically handles outliers well.
- Forecasting
Models Naive - NaiveThe Naive forecasting model makes predictions by carrying forward the latest target value for each time-series in the training data.
- Forecasting
Models Seasonal Naive - SeasonalNaiveThe Seasonal Naive forecasting model makes predictions by carrying forward the latest season of target values for each time-series in the training data.
- Forecasting
Models Average - AverageThe Average forecasting model makes predictions by carrying forward the average of the target values for each time-series in the training data.
- Forecasting
Models Seasonal Average - SeasonalAverageThe Seasonal Average forecasting model makes predictions by carrying forward the average value of the latest season of data for each time-series in the training data.
- Forecasting
Models Exponential Smoothing - ExponentialSmoothingExponential smoothing is a time series forecasting method for univariate data that can be extended to support data with a systematic trend or seasonal component.
- Forecasting
Models Arimax - ArimaxAn Autoregressive Integrated Moving Average with Explanatory Variable (ARIMAX) model can be viewed as a multiple regression model with one or more autoregressive (AR) terms and/or one or more moving average (MA) terms. This method is suitable for forecasting when data is stationary/non stationary, and multivariate with any type of data pattern, i.e., level/trend /seasonality/cyclicity.
- Forecasting
Models TCNForecaster - TCNForecasterTCNForecaster: Temporal Convolutional Networks Forecaster. //TODO: Ask forecasting team for brief intro.
- Forecasting
Models Elastic Net - ElasticNetElastic net is a popular type of regularized linear regression that combines two popular penalties, specifically the L1 and L2 penalty functions.
- Forecasting
Models Gradient Boosting - GradientBoostingThe technique of transiting week learners into a strong learner is called Boosting. The gradient boosting algorithm process works on this theory of execution.
- Forecasting
Models Decision Tree - DecisionTreeDecision Trees are a non-parametric supervised learning method used for both classification and regression tasks. The goal is to create a model that predicts the value of a target variable by learning simple decision rules inferred from the data features.
- Forecasting
Models KNN - KNNK-nearest neighbors (KNN) algorithm uses 'feature similarity' to predict the values of new datapoints which further means that the new data point will be assigned a value based on how closely it matches the points in the training set.
- Forecasting
Models Lasso Lars - LassoLarsLasso model fit with Least Angle Regression a.k.a. Lars. It is a Linear Model trained with an L1 prior as regularizer.
- Forecasting
Models SGD - SGDSGD: Stochastic gradient descent is an optimization algorithm often used in machine learning applications to find the model parameters that correspond to the best fit between predicted and actual outputs. It's an inexact but powerful technique.
- Forecasting
Models Random Forest - RandomForestRandom forest is a supervised learning algorithm. The "forest" it builds, is an ensemble of decision trees, usually trained with the "bagging" method. The general idea of the bagging method is that a combination of learning models increases the overall result.
- Forecasting
Models Extreme Random Trees - ExtremeRandomTreesExtreme Trees is an ensemble machine learning algorithm that combines the predictions from many decision trees. It is related to the widely used random forest algorithm.
- Forecasting
Models Light GBM - LightGBMLightGBM is a gradient boosting framework that uses tree based learning algorithms.
- Forecasting
Models XGBoost Regressor - XGBoostRegressorXGBoostRegressor: Extreme Gradient Boosting Regressor is a supervised machine learning model using ensemble of base learners.
- Auto
Arima - AutoArimaAuto-Autoregressive Integrated Moving Average (ARIMA) model uses time-series data and statistical analysis to interpret the data and make future predictions. This model aims to explain data by using time series data on its past values and uses linear regression to make predictions.
- Prophet
- ProphetProphet is a procedure for forecasting time series data based on an additive model where non-linear trends are fit with yearly, weekly, and daily seasonality, plus holiday effects. It works best with time series that have strong seasonal effects and several seasons of historical data. Prophet is robust to missing data and shifts in the trend, and typically handles outliers well.
- Naive
- NaiveThe Naive forecasting model makes predictions by carrying forward the latest target value for each time-series in the training data.
- Seasonal
Naive - SeasonalNaiveThe Seasonal Naive forecasting model makes predictions by carrying forward the latest season of target values for each time-series in the training data.
- Average
- AverageThe Average forecasting model makes predictions by carrying forward the average of the target values for each time-series in the training data.
- Seasonal
Average - SeasonalAverageThe Seasonal Average forecasting model makes predictions by carrying forward the average value of the latest season of data for each time-series in the training data.
- Exponential
Smoothing - ExponentialSmoothingExponential smoothing is a time series forecasting method for univariate data that can be extended to support data with a systematic trend or seasonal component.
- Arimax
- ArimaxAn Autoregressive Integrated Moving Average with Explanatory Variable (ARIMAX) model can be viewed as a multiple regression model with one or more autoregressive (AR) terms and/or one or more moving average (MA) terms. This method is suitable for forecasting when data is stationary/non stationary, and multivariate with any type of data pattern, i.e., level/trend /seasonality/cyclicity.
- TCNForecaster
- TCNForecasterTCNForecaster: Temporal Convolutional Networks Forecaster. //TODO: Ask forecasting team for brief intro.
- Elastic
Net - ElasticNetElastic net is a popular type of regularized linear regression that combines two popular penalties, specifically the L1 and L2 penalty functions.
- Gradient
Boosting - GradientBoostingThe technique of transiting week learners into a strong learner is called Boosting. The gradient boosting algorithm process works on this theory of execution.
- Decision
Tree - DecisionTreeDecision Trees are a non-parametric supervised learning method used for both classification and regression tasks. The goal is to create a model that predicts the value of a target variable by learning simple decision rules inferred from the data features.
- KNN
- KNNK-nearest neighbors (KNN) algorithm uses 'feature similarity' to predict the values of new datapoints which further means that the new data point will be assigned a value based on how closely it matches the points in the training set.
- Lasso
Lars - LassoLarsLasso model fit with Least Angle Regression a.k.a. Lars. It is a Linear Model trained with an L1 prior as regularizer.
- SGD
- SGDSGD: Stochastic gradient descent is an optimization algorithm often used in machine learning applications to find the model parameters that correspond to the best fit between predicted and actual outputs. It's an inexact but powerful technique.
- Random
Forest - RandomForestRandom forest is a supervised learning algorithm. The "forest" it builds, is an ensemble of decision trees, usually trained with the "bagging" method. The general idea of the bagging method is that a combination of learning models increases the overall result.
- Extreme
Random Trees - ExtremeRandomTreesExtreme Trees is an ensemble machine learning algorithm that combines the predictions from many decision trees. It is related to the widely used random forest algorithm.
- Light
GBM - LightGBMLightGBM is a gradient boosting framework that uses tree based learning algorithms.
- XGBoost
Regressor - XGBoostRegressorXGBoostRegressor: Extreme Gradient Boosting Regressor is a supervised machine learning model using ensemble of base learners.
- Auto
Arima - AutoArimaAuto-Autoregressive Integrated Moving Average (ARIMA) model uses time-series data and statistical analysis to interpret the data and make future predictions. This model aims to explain data by using time series data on its past values and uses linear regression to make predictions.
- Prophet
- ProphetProphet is a procedure for forecasting time series data based on an additive model where non-linear trends are fit with yearly, weekly, and daily seasonality, plus holiday effects. It works best with time series that have strong seasonal effects and several seasons of historical data. Prophet is robust to missing data and shifts in the trend, and typically handles outliers well.
- Naive
- NaiveThe Naive forecasting model makes predictions by carrying forward the latest target value for each time-series in the training data.
- Seasonal
Naive - SeasonalNaiveThe Seasonal Naive forecasting model makes predictions by carrying forward the latest season of target values for each time-series in the training data.
- Average
- AverageThe Average forecasting model makes predictions by carrying forward the average of the target values for each time-series in the training data.
- Seasonal
Average - SeasonalAverageThe Seasonal Average forecasting model makes predictions by carrying forward the average value of the latest season of data for each time-series in the training data.
- Exponential
Smoothing - ExponentialSmoothingExponential smoothing is a time series forecasting method for univariate data that can be extended to support data with a systematic trend or seasonal component.
- Arimax
- ArimaxAn Autoregressive Integrated Moving Average with Explanatory Variable (ARIMAX) model can be viewed as a multiple regression model with one or more autoregressive (AR) terms and/or one or more moving average (MA) terms. This method is suitable for forecasting when data is stationary/non stationary, and multivariate with any type of data pattern, i.e., level/trend /seasonality/cyclicity.
- TCNForecaster
- TCNForecasterTCNForecaster: Temporal Convolutional Networks Forecaster. //TODO: Ask forecasting team for brief intro.
- Elastic
Net - ElasticNetElastic net is a popular type of regularized linear regression that combines two popular penalties, specifically the L1 and L2 penalty functions.
- Gradient
Boosting - GradientBoostingThe technique of transiting week learners into a strong learner is called Boosting. The gradient boosting algorithm process works on this theory of execution.
- Decision
Tree - DecisionTreeDecision Trees are a non-parametric supervised learning method used for both classification and regression tasks. The goal is to create a model that predicts the value of a target variable by learning simple decision rules inferred from the data features.
- KNN
- KNNK-nearest neighbors (KNN) algorithm uses 'feature similarity' to predict the values of new datapoints which further means that the new data point will be assigned a value based on how closely it matches the points in the training set.
- Lasso
Lars - LassoLarsLasso model fit with Least Angle Regression a.k.a. Lars. It is a Linear Model trained with an L1 prior as regularizer.
- SGD
- SGDSGD: Stochastic gradient descent is an optimization algorithm often used in machine learning applications to find the model parameters that correspond to the best fit between predicted and actual outputs. It's an inexact but powerful technique.
- Random
Forest - RandomForestRandom forest is a supervised learning algorithm. The "forest" it builds, is an ensemble of decision trees, usually trained with the "bagging" method. The general idea of the bagging method is that a combination of learning models increases the overall result.
- Extreme
Random Trees - ExtremeRandomTreesExtreme Trees is an ensemble machine learning algorithm that combines the predictions from many decision trees. It is related to the widely used random forest algorithm.
- Light
GBM - LightGBMLightGBM is a gradient boosting framework that uses tree based learning algorithms.
- XGBoost
Regressor - XGBoostRegressorXGBoostRegressor: Extreme Gradient Boosting Regressor is a supervised machine learning model using ensemble of base learners.
- AUTO_ARIMA
- AutoArimaAuto-Autoregressive Integrated Moving Average (ARIMA) model uses time-series data and statistical analysis to interpret the data and make future predictions. This model aims to explain data by using time series data on its past values and uses linear regression to make predictions.
- PROPHET
- ProphetProphet is a procedure for forecasting time series data based on an additive model where non-linear trends are fit with yearly, weekly, and daily seasonality, plus holiday effects. It works best with time series that have strong seasonal effects and several seasons of historical data. Prophet is robust to missing data and shifts in the trend, and typically handles outliers well.
- NAIVE
- NaiveThe Naive forecasting model makes predictions by carrying forward the latest target value for each time-series in the training data.
- SEASONAL_NAIVE
- SeasonalNaiveThe Seasonal Naive forecasting model makes predictions by carrying forward the latest season of target values for each time-series in the training data.
- AVERAGE
- AverageThe Average forecasting model makes predictions by carrying forward the average of the target values for each time-series in the training data.
- SEASONAL_AVERAGE
- SeasonalAverageThe Seasonal Average forecasting model makes predictions by carrying forward the average value of the latest season of data for each time-series in the training data.
- EXPONENTIAL_SMOOTHING
- ExponentialSmoothingExponential smoothing is a time series forecasting method for univariate data that can be extended to support data with a systematic trend or seasonal component.
- ARIMAX
- ArimaxAn Autoregressive Integrated Moving Average with Explanatory Variable (ARIMAX) model can be viewed as a multiple regression model with one or more autoregressive (AR) terms and/or one or more moving average (MA) terms. This method is suitable for forecasting when data is stationary/non stationary, and multivariate with any type of data pattern, i.e., level/trend /seasonality/cyclicity.
- TCN_FORECASTER
- TCNForecasterTCNForecaster: Temporal Convolutional Networks Forecaster. //TODO: Ask forecasting team for brief intro.
- ELASTIC_NET
- ElasticNetElastic net is a popular type of regularized linear regression that combines two popular penalties, specifically the L1 and L2 penalty functions.
- GRADIENT_BOOSTING
- GradientBoostingThe technique of transiting week learners into a strong learner is called Boosting. The gradient boosting algorithm process works on this theory of execution.
- DECISION_TREE
- DecisionTreeDecision Trees are a non-parametric supervised learning method used for both classification and regression tasks. The goal is to create a model that predicts the value of a target variable by learning simple decision rules inferred from the data features.
- KNN
- KNNK-nearest neighbors (KNN) algorithm uses 'feature similarity' to predict the values of new datapoints which further means that the new data point will be assigned a value based on how closely it matches the points in the training set.
- LASSO_LARS
- LassoLarsLasso model fit with Least Angle Regression a.k.a. Lars. It is a Linear Model trained with an L1 prior as regularizer.
- SGD
- SGDSGD: Stochastic gradient descent is an optimization algorithm often used in machine learning applications to find the model parameters that correspond to the best fit between predicted and actual outputs. It's an inexact but powerful technique.
- RANDOM_FOREST
- RandomForestRandom forest is a supervised learning algorithm. The "forest" it builds, is an ensemble of decision trees, usually trained with the "bagging" method. The general idea of the bagging method is that a combination of learning models increases the overall result.
- EXTREME_RANDOM_TREES
- ExtremeRandomTreesExtreme Trees is an ensemble machine learning algorithm that combines the predictions from many decision trees. It is related to the widely used random forest algorithm.
- LIGHT_GBM
- LightGBMLightGBM is a gradient boosting framework that uses tree based learning algorithms.
- XG_BOOST_REGRESSOR
- XGBoostRegressorXGBoostRegressor: Extreme Gradient Boosting Regressor is a supervised machine learning model using ensemble of base learners.
- "Auto
Arima" - AutoArimaAuto-Autoregressive Integrated Moving Average (ARIMA) model uses time-series data and statistical analysis to interpret the data and make future predictions. This model aims to explain data by using time series data on its past values and uses linear regression to make predictions.
- "Prophet"
- ProphetProphet is a procedure for forecasting time series data based on an additive model where non-linear trends are fit with yearly, weekly, and daily seasonality, plus holiday effects. It works best with time series that have strong seasonal effects and several seasons of historical data. Prophet is robust to missing data and shifts in the trend, and typically handles outliers well.
- "Naive"
- NaiveThe Naive forecasting model makes predictions by carrying forward the latest target value for each time-series in the training data.
- "Seasonal
Naive" - SeasonalNaiveThe Seasonal Naive forecasting model makes predictions by carrying forward the latest season of target values for each time-series in the training data.
- "Average"
- AverageThe Average forecasting model makes predictions by carrying forward the average of the target values for each time-series in the training data.
- "Seasonal
Average" - SeasonalAverageThe Seasonal Average forecasting model makes predictions by carrying forward the average value of the latest season of data for each time-series in the training data.
- "Exponential
Smoothing" - ExponentialSmoothingExponential smoothing is a time series forecasting method for univariate data that can be extended to support data with a systematic trend or seasonal component.
- "Arimax"
- ArimaxAn Autoregressive Integrated Moving Average with Explanatory Variable (ARIMAX) model can be viewed as a multiple regression model with one or more autoregressive (AR) terms and/or one or more moving average (MA) terms. This method is suitable for forecasting when data is stationary/non stationary, and multivariate with any type of data pattern, i.e., level/trend /seasonality/cyclicity.
- "TCNForecaster"
- TCNForecasterTCNForecaster: Temporal Convolutional Networks Forecaster. //TODO: Ask forecasting team for brief intro.
- "Elastic
Net" - ElasticNetElastic net is a popular type of regularized linear regression that combines two popular penalties, specifically the L1 and L2 penalty functions.
- "Gradient
Boosting" - GradientBoostingThe technique of transiting week learners into a strong learner is called Boosting. The gradient boosting algorithm process works on this theory of execution.
- "Decision
Tree" - DecisionTreeDecision Trees are a non-parametric supervised learning method used for both classification and regression tasks. The goal is to create a model that predicts the value of a target variable by learning simple decision rules inferred from the data features.
- "KNN"
- KNNK-nearest neighbors (KNN) algorithm uses 'feature similarity' to predict the values of new datapoints which further means that the new data point will be assigned a value based on how closely it matches the points in the training set.
- "Lasso
Lars" - LassoLarsLasso model fit with Least Angle Regression a.k.a. Lars. It is a Linear Model trained with an L1 prior as regularizer.
- "SGD"
- SGDSGD: Stochastic gradient descent is an optimization algorithm often used in machine learning applications to find the model parameters that correspond to the best fit between predicted and actual outputs. It's an inexact but powerful technique.
- "Random
Forest" - RandomForestRandom forest is a supervised learning algorithm. The "forest" it builds, is an ensemble of decision trees, usually trained with the "bagging" method. The general idea of the bagging method is that a combination of learning models increases the overall result.
- "Extreme
Random Trees" - ExtremeRandomTreesExtreme Trees is an ensemble machine learning algorithm that combines the predictions from many decision trees. It is related to the widely used random forest algorithm.
- "Light
GBM" - LightGBMLightGBM is a gradient boosting framework that uses tree based learning algorithms.
- "XGBoost
Regressor" - XGBoostRegressorXGBoostRegressor: Extreme Gradient Boosting Regressor is a supervised machine learning model using ensemble of base learners.
ForecastingPrimaryMetrics, ForecastingPrimaryMetricsArgs
- Spearman
Correlation - SpearmanCorrelationThe Spearman's rank coefficient of correlation is a non-parametric measure of rank correlation.
- Normalized
Root Mean Squared Error - NormalizedRootMeanSquaredErrorThe Normalized Root Mean Squared Error (NRMSE) the RMSE facilitates the comparison between models with different scales.
- R2Score
- R2ScoreThe R2 score is one of the performance evaluation measures for forecasting-based machine learning models.
- Normalized
Mean Absolute Error - NormalizedMeanAbsoluteErrorThe Normalized Mean Absolute Error (NMAE) is a validation metric to compare the Mean Absolute Error (MAE) of (time) series with different scales.
- Forecasting
Primary Metrics Spearman Correlation - SpearmanCorrelationThe Spearman's rank coefficient of correlation is a non-parametric measure of rank correlation.
- Forecasting
Primary Metrics Normalized Root Mean Squared Error - NormalizedRootMeanSquaredErrorThe Normalized Root Mean Squared Error (NRMSE) the RMSE facilitates the comparison between models with different scales.
- Forecasting
Primary Metrics R2Score - R2ScoreThe R2 score is one of the performance evaluation measures for forecasting-based machine learning models.
- Forecasting
Primary Metrics Normalized Mean Absolute Error - NormalizedMeanAbsoluteErrorThe Normalized Mean Absolute Error (NMAE) is a validation metric to compare the Mean Absolute Error (MAE) of (time) series with different scales.
- Spearman
Correlation - SpearmanCorrelationThe Spearman's rank coefficient of correlation is a non-parametric measure of rank correlation.
- Normalized
Root Mean Squared Error - NormalizedRootMeanSquaredErrorThe Normalized Root Mean Squared Error (NRMSE) the RMSE facilitates the comparison between models with different scales.
- R2Score
- R2ScoreThe R2 score is one of the performance evaluation measures for forecasting-based machine learning models.
- Normalized
Mean Absolute Error - NormalizedMeanAbsoluteErrorThe Normalized Mean Absolute Error (NMAE) is a validation metric to compare the Mean Absolute Error (MAE) of (time) series with different scales.
- Spearman
Correlation - SpearmanCorrelationThe Spearman's rank coefficient of correlation is a non-parametric measure of rank correlation.
- Normalized
Root Mean Squared Error - NormalizedRootMeanSquaredErrorThe Normalized Root Mean Squared Error (NRMSE) the RMSE facilitates the comparison between models with different scales.
- R2Score
- R2ScoreThe R2 score is one of the performance evaluation measures for forecasting-based machine learning models.
- Normalized
Mean Absolute Error - NormalizedMeanAbsoluteErrorThe Normalized Mean Absolute Error (NMAE) is a validation metric to compare the Mean Absolute Error (MAE) of (time) series with different scales.
- SPEARMAN_CORRELATION
- SpearmanCorrelationThe Spearman's rank coefficient of correlation is a non-parametric measure of rank correlation.
- NORMALIZED_ROOT_MEAN_SQUARED_ERROR
- NormalizedRootMeanSquaredErrorThe Normalized Root Mean Squared Error (NRMSE) the RMSE facilitates the comparison between models with different scales.
- R2_SCORE
- R2ScoreThe R2 score is one of the performance evaluation measures for forecasting-based machine learning models.
- NORMALIZED_MEAN_ABSOLUTE_ERROR
- NormalizedMeanAbsoluteErrorThe Normalized Mean Absolute Error (NMAE) is a validation metric to compare the Mean Absolute Error (MAE) of (time) series with different scales.
- "Spearman
Correlation" - SpearmanCorrelationThe Spearman's rank coefficient of correlation is a non-parametric measure of rank correlation.
- "Normalized
Root Mean Squared Error" - NormalizedRootMeanSquaredErrorThe Normalized Root Mean Squared Error (NRMSE) the RMSE facilitates the comparison between models with different scales.
- "R2Score"
- R2ScoreThe R2 score is one of the performance evaluation measures for forecasting-based machine learning models.
- "Normalized
Mean Absolute Error" - NormalizedMeanAbsoluteErrorThe Normalized Mean Absolute Error (NMAE) is a validation metric to compare the Mean Absolute Error (MAE) of (time) series with different scales.
ForecastingResponse, ForecastingResponseArgs
- Training
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - [Required] Training data input.
- Cv
Split List<string>Column Names - Columns to use for CVSplit data.
- Featurization
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Table Vertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- Forecasting
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Forecasting Settings Response - Forecasting task specific inputs.
- Limit
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Table Vertical Limit Settings Response - Execution constraints for AutoMLJob.
- Log
Verbosity string - Log verbosity for the job.
- NCross
Validations Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Auto NCross Validations Response Azure Native. Machine Learning Services. Inputs. Custom NCross Validations Response - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- Primary
Metric string - Primary metric for forecasting task.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Test
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - Test data input.
- Test
Data doubleSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Training
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Forecasting Training Settings Response - Inputs for training phase for an AutoML Job.
- Validation
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - Validation data inputs.
- Validation
Data doubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Weight
Column stringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- Training
Data MLTableJob Input Response - [Required] Training data input.
- Cv
Split []stringColumn Names - Columns to use for CVSplit data.
- Featurization
Settings TableVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- Forecasting
Settings ForecastingSettings Response - Forecasting task specific inputs.
- Limit
Settings TableVertical Limit Settings Response - Execution constraints for AutoMLJob.
- Log
Verbosity string - Log verbosity for the job.
- NCross
Validations AutoNCross | CustomValidations Response NCross Validations Response - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- Primary
Metric string - Primary metric for forecasting task.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Test
Data MLTableJob Input Response - Test data input.
- Test
Data float64Size - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Training
Settings ForecastingTraining Settings Response - Inputs for training phase for an AutoML Job.
- Validation
Data MLTableJob Input Response - Validation data inputs.
- Validation
Data float64Size - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Weight
Column stringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training
Data MLTableJob Input Response - [Required] Training data input.
- cv
Split List<String>Column Names - Columns to use for CVSplit data.
- featurization
Settings TableVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- forecasting
Settings ForecastingSettings Response - Forecasting task specific inputs.
- limit
Settings TableVertical Limit Settings Response - Execution constraints for AutoMLJob.
- log
Verbosity String - Log verbosity for the job.
- n
Cross AutoValidations NCross | CustomValidations Response NCross Validations Response - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- primary
Metric String - Primary metric for forecasting task.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test
Data MLTableJob Input Response - Test data input.
- test
Data DoubleSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training
Settings ForecastingTraining Settings Response - Inputs for training phase for an AutoML Job.
- validation
Data MLTableJob Input Response - Validation data inputs.
- validation
Data DoubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight
Column StringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training
Data MLTableJob Input Response - [Required] Training data input.
- cv
Split string[]Column Names - Columns to use for CVSplit data.
- featurization
Settings TableVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- forecasting
Settings ForecastingSettings Response - Forecasting task specific inputs.
- limit
Settings TableVertical Limit Settings Response - Execution constraints for AutoMLJob.
- log
Verbosity string - Log verbosity for the job.
- n
Cross AutoValidations NCross | CustomValidations Response NCross Validations Response - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- primary
Metric string - Primary metric for forecasting task.
- target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test
Data MLTableJob Input Response - Test data input.
- test
Data numberSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training
Settings ForecastingTraining Settings Response - Inputs for training phase for an AutoML Job.
- validation
Data MLTableJob Input Response - Validation data inputs.
- validation
Data numberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight
Column stringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training_
data MLTableJob Input Response - [Required] Training data input.
- cv_
split_ Sequence[str]column_ names - Columns to use for CVSplit data.
- featurization_
settings TableVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- forecasting_
settings ForecastingSettings Response - Forecasting task specific inputs.
- limit_
settings TableVertical Limit Settings Response - Execution constraints for AutoMLJob.
- log_
verbosity str - Log verbosity for the job.
- n_
cross_ Autovalidations NCross | CustomValidations Response NCross Validations Response - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- primary_
metric str - Primary metric for forecasting task.
- target_
column_ strname - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test_
data MLTableJob Input Response - Test data input.
- test_
data_ floatsize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training_
settings ForecastingTraining Settings Response - Inputs for training phase for an AutoML Job.
- validation_
data MLTableJob Input Response - Validation data inputs.
- validation_
data_ floatsize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight_
column_ strname - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training
Data Property Map - [Required] Training data input.
- cv
Split List<String>Column Names - Columns to use for CVSplit data.
- featurization
Settings Property Map - Featurization inputs needed for AutoML job.
- forecasting
Settings Property Map - Forecasting task specific inputs.
- limit
Settings Property Map - Execution constraints for AutoMLJob.
- log
Verbosity String - Log verbosity for the job.
- n
Cross Property Map | Property MapValidations - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- primary
Metric String - Primary metric for forecasting task.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test
Data Property Map - Test data input.
- test
Data NumberSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training
Settings Property Map - Inputs for training phase for an AutoML Job.
- validation
Data Property Map - Validation data inputs.
- validation
Data NumberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight
Column StringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
ForecastingSettings, ForecastingSettingsArgs
- Country
Or stringRegion For Holidays - Country or region for holidays for forecasting tasks. These should be ISO 3166 two-letter country/region codes, for example 'US' or 'GB'.
- Cv
Step intSize - Number of periods between the origin time of one CV fold and the next fold. For
example, if
CVStepSize
= 3 for daily data, the origin time for each fold will be three days apart. - Feature
Lags string | Pulumi.Azure Native. Machine Learning Services. Feature Lags - Flag for generating lags for the numeric features with 'auto' or null.
- Forecast
Horizon Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Auto Forecast Horizon Azure Native. Machine Learning Services. Inputs. Custom Forecast Horizon - The desired maximum forecast horizon in units of time-series frequency.
- Frequency string
- When forecasting, this parameter represents the period with which the forecast is desired, for example daily, weekly, yearly, etc. The forecast frequency is dataset frequency by default.
- Seasonality
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Auto Seasonality Azure Native. Machine Learning Services. Inputs. Custom Seasonality - Set time series seasonality as an integer multiple of the series frequency. If seasonality is set to 'auto', it will be inferred.
- Short
Series string | Pulumi.Handling Config Azure Native. Machine Learning Services. Short Series Handling Configuration - The parameter defining how if AutoML should handle short time series.
- Target
Aggregate string | Pulumi.Function Azure Native. Machine Learning Services. Target Aggregation Function - The function to be used to aggregate the time series target column to conform to a user specified frequency. If the TargetAggregateFunction is set i.e. not 'None', but the freq parameter is not set, the error is raised. The possible target aggregation functions are: "sum", "max", "min" and "mean".
- Target
Lags Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Auto Target Lags Azure Native. Machine Learning Services. Inputs. Custom Target Lags - The number of past periods to lag from the target column.
- Target
Rolling Pulumi.Window Size Azure | Pulumi.Native. Machine Learning Services. Inputs. Auto Target Rolling Window Size Azure Native. Machine Learning Services. Inputs. Custom Target Rolling Window Size - The number of past periods used to create a rolling window average of the target column.
- Time
Column stringName - The name of the time column. This parameter is required when forecasting to specify the datetime column in the input data used for building the time series and inferring its frequency.
- Time
Series List<string>Id Column Names - The names of columns used to group a timeseries. It can be used to create multiple series. If grain is not defined, the data set is assumed to be one time-series. This parameter is used with task type forecasting.
- Use
Stl string | Pulumi.Azure Native. Machine Learning Services. Use Stl - Configure STL Decomposition of the time-series target column.
- Country
Or stringRegion For Holidays - Country or region for holidays for forecasting tasks. These should be ISO 3166 two-letter country/region codes, for example 'US' or 'GB'.
- Cv
Step intSize - Number of periods between the origin time of one CV fold and the next fold. For
example, if
CVStepSize
= 3 for daily data, the origin time for each fold will be three days apart. - Feature
Lags string | FeatureLags - Flag for generating lags for the numeric features with 'auto' or null.
- Forecast
Horizon AutoForecast | CustomHorizon Forecast Horizon - The desired maximum forecast horizon in units of time-series frequency.
- Frequency string
- When forecasting, this parameter represents the period with which the forecast is desired, for example daily, weekly, yearly, etc. The forecast frequency is dataset frequency by default.
- Seasonality
Auto
Seasonality | CustomSeasonality - Set time series seasonality as an integer multiple of the series frequency. If seasonality is set to 'auto', it will be inferred.
- Short
Series string | ShortHandling Config Series Handling Configuration - The parameter defining how if AutoML should handle short time series.
- Target
Aggregate string | TargetFunction Aggregation Function - The function to be used to aggregate the time series target column to conform to a user specified frequency. If the TargetAggregateFunction is set i.e. not 'None', but the freq parameter is not set, the error is raised. The possible target aggregation functions are: "sum", "max", "min" and "mean".
- Target
Lags AutoTarget | CustomLags Target Lags - The number of past periods to lag from the target column.
- Target
Rolling AutoWindow Size Target | CustomRolling Window Size Target Rolling Window Size - The number of past periods used to create a rolling window average of the target column.
- Time
Column stringName - The name of the time column. This parameter is required when forecasting to specify the datetime column in the input data used for building the time series and inferring its frequency.
- Time
Series []stringId Column Names - The names of columns used to group a timeseries. It can be used to create multiple series. If grain is not defined, the data set is assumed to be one time-series. This parameter is used with task type forecasting.
- Use
Stl string | UseStl - Configure STL Decomposition of the time-series target column.
- country
Or StringRegion For Holidays - Country or region for holidays for forecasting tasks. These should be ISO 3166 two-letter country/region codes, for example 'US' or 'GB'.
- cv
Step IntegerSize - Number of periods between the origin time of one CV fold and the next fold. For
example, if
CVStepSize
= 3 for daily data, the origin time for each fold will be three days apart. - feature
Lags String | FeatureLags - Flag for generating lags for the numeric features with 'auto' or null.
- forecast
Horizon AutoForecast | CustomHorizon Forecast Horizon - The desired maximum forecast horizon in units of time-series frequency.
- frequency String
- When forecasting, this parameter represents the period with which the forecast is desired, for example daily, weekly, yearly, etc. The forecast frequency is dataset frequency by default.
- seasonality
Auto
Seasonality | CustomSeasonality - Set time series seasonality as an integer multiple of the series frequency. If seasonality is set to 'auto', it will be inferred.
- short
Series String | ShortHandling Config Series Handling Configuration - The parameter defining how if AutoML should handle short time series.
- target
Aggregate String | TargetFunction Aggregation Function - The function to be used to aggregate the time series target column to conform to a user specified frequency. If the TargetAggregateFunction is set i.e. not 'None', but the freq parameter is not set, the error is raised. The possible target aggregation functions are: "sum", "max", "min" and "mean".
- target
Lags AutoTarget | CustomLags Target Lags - The number of past periods to lag from the target column.
- target
Rolling AutoWindow Size Target | CustomRolling Window Size Target Rolling Window Size - The number of past periods used to create a rolling window average of the target column.
- time
Column StringName - The name of the time column. This parameter is required when forecasting to specify the datetime column in the input data used for building the time series and inferring its frequency.
- time
Series List<String>Id Column Names - The names of columns used to group a timeseries. It can be used to create multiple series. If grain is not defined, the data set is assumed to be one time-series. This parameter is used with task type forecasting.
- use
Stl String | UseStl - Configure STL Decomposition of the time-series target column.
- country
Or stringRegion For Holidays - Country or region for holidays for forecasting tasks. These should be ISO 3166 two-letter country/region codes, for example 'US' or 'GB'.
- cv
Step numberSize - Number of periods between the origin time of one CV fold and the next fold. For
example, if
CVStepSize
= 3 for daily data, the origin time for each fold will be three days apart. - feature
Lags string | FeatureLags - Flag for generating lags for the numeric features with 'auto' or null.
- forecast
Horizon AutoForecast | CustomHorizon Forecast Horizon - The desired maximum forecast horizon in units of time-series frequency.
- frequency string
- When forecasting, this parameter represents the period with which the forecast is desired, for example daily, weekly, yearly, etc. The forecast frequency is dataset frequency by default.
- seasonality
Auto
Seasonality | CustomSeasonality - Set time series seasonality as an integer multiple of the series frequency. If seasonality is set to 'auto', it will be inferred.
- short
Series string | ShortHandling Config Series Handling Configuration - The parameter defining how if AutoML should handle short time series.
- target
Aggregate string | TargetFunction Aggregation Function - The function to be used to aggregate the time series target column to conform to a user specified frequency. If the TargetAggregateFunction is set i.e. not 'None', but the freq parameter is not set, the error is raised. The possible target aggregation functions are: "sum", "max", "min" and "mean".
- target
Lags AutoTarget | CustomLags Target Lags - The number of past periods to lag from the target column.
- target
Rolling AutoWindow Size Target | CustomRolling Window Size Target Rolling Window Size - The number of past periods used to create a rolling window average of the target column.
- time
Column stringName - The name of the time column. This parameter is required when forecasting to specify the datetime column in the input data used for building the time series and inferring its frequency.
- time
Series string[]Id Column Names - The names of columns used to group a timeseries. It can be used to create multiple series. If grain is not defined, the data set is assumed to be one time-series. This parameter is used with task type forecasting.
- use
Stl string | UseStl - Configure STL Decomposition of the time-series target column.
- country_
or_ strregion_ for_ holidays - Country or region for holidays for forecasting tasks. These should be ISO 3166 two-letter country/region codes, for example 'US' or 'GB'.
- cv_
step_ intsize - Number of periods between the origin time of one CV fold and the next fold. For
example, if
CVStepSize
= 3 for daily data, the origin time for each fold will be three days apart. - feature_
lags str | FeatureLags - Flag for generating lags for the numeric features with 'auto' or null.
- forecast_
horizon AutoForecast | CustomHorizon Forecast Horizon - The desired maximum forecast horizon in units of time-series frequency.
- frequency str
- When forecasting, this parameter represents the period with which the forecast is desired, for example daily, weekly, yearly, etc. The forecast frequency is dataset frequency by default.
- seasonality
Auto
Seasonality | CustomSeasonality - Set time series seasonality as an integer multiple of the series frequency. If seasonality is set to 'auto', it will be inferred.
- short_
series_ str | Shorthandling_ config Series Handling Configuration - The parameter defining how if AutoML should handle short time series.
- target_
aggregate_ str | Targetfunction Aggregation Function - The function to be used to aggregate the time series target column to conform to a user specified frequency. If the TargetAggregateFunction is set i.e. not 'None', but the freq parameter is not set, the error is raised. The possible target aggregation functions are: "sum", "max", "min" and "mean".
- target_
lags AutoTarget | CustomLags Target Lags - The number of past periods to lag from the target column.
- target_
rolling_ Autowindow_ size Target | CustomRolling Window Size Target Rolling Window Size - The number of past periods used to create a rolling window average of the target column.
- time_
column_ strname - The name of the time column. This parameter is required when forecasting to specify the datetime column in the input data used for building the time series and inferring its frequency.
- time_
series_ Sequence[str]id_ column_ names - The names of columns used to group a timeseries. It can be used to create multiple series. If grain is not defined, the data set is assumed to be one time-series. This parameter is used with task type forecasting.
- use_
stl str | UseStl - Configure STL Decomposition of the time-series target column.
- country
Or StringRegion For Holidays - Country or region for holidays for forecasting tasks. These should be ISO 3166 two-letter country/region codes, for example 'US' or 'GB'.
- cv
Step NumberSize - Number of periods between the origin time of one CV fold and the next fold. For
example, if
CVStepSize
= 3 for daily data, the origin time for each fold will be three days apart. - feature
Lags String | "None" | "Auto" - Flag for generating lags for the numeric features with 'auto' or null.
- forecast
Horizon Property Map | Property Map - The desired maximum forecast horizon in units of time-series frequency.
- frequency String
- When forecasting, this parameter represents the period with which the forecast is desired, for example daily, weekly, yearly, etc. The forecast frequency is dataset frequency by default.
- seasonality Property Map | Property Map
- Set time series seasonality as an integer multiple of the series frequency. If seasonality is set to 'auto', it will be inferred.
- short
Series String | "None" | "Auto" | "Pad" | "Drop"Handling Config - The parameter defining how if AutoML should handle short time series.
- target
Aggregate String | "None" | "Sum" | "Max" | "Min" | "Mean"Function - The function to be used to aggregate the time series target column to conform to a user specified frequency. If the TargetAggregateFunction is set i.e. not 'None', but the freq parameter is not set, the error is raised. The possible target aggregation functions are: "sum", "max", "min" and "mean".
- target
Lags Property Map | Property Map - The number of past periods to lag from the target column.
- target
Rolling Property Map | Property MapWindow Size - The number of past periods used to create a rolling window average of the target column.
- time
Column StringName - The name of the time column. This parameter is required when forecasting to specify the datetime column in the input data used for building the time series and inferring its frequency.
- time
Series List<String>Id Column Names - The names of columns used to group a timeseries. It can be used to create multiple series. If grain is not defined, the data set is assumed to be one time-series. This parameter is used with task type forecasting.
- use
Stl String | "None" | "Season" | "SeasonTrend" - Configure STL Decomposition of the time-series target column.
ForecastingSettingsResponse, ForecastingSettingsResponseArgs
- Country
Or stringRegion For Holidays - Country or region for holidays for forecasting tasks. These should be ISO 3166 two-letter country/region codes, for example 'US' or 'GB'.
- Cv
Step intSize - Number of periods between the origin time of one CV fold and the next fold. For
example, if
CVStepSize
= 3 for daily data, the origin time for each fold will be three days apart. - Feature
Lags string - Flag for generating lags for the numeric features with 'auto' or null.
- Forecast
Horizon Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Auto Forecast Horizon Response Azure Native. Machine Learning Services. Inputs. Custom Forecast Horizon Response - The desired maximum forecast horizon in units of time-series frequency.
- Frequency string
- When forecasting, this parameter represents the period with which the forecast is desired, for example daily, weekly, yearly, etc. The forecast frequency is dataset frequency by default.
- Seasonality
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Auto Seasonality Response Azure Native. Machine Learning Services. Inputs. Custom Seasonality Response - Set time series seasonality as an integer multiple of the series frequency. If seasonality is set to 'auto', it will be inferred.
- Short
Series stringHandling Config - The parameter defining how if AutoML should handle short time series.
- Target
Aggregate stringFunction - The function to be used to aggregate the time series target column to conform to a user specified frequency. If the TargetAggregateFunction is set i.e. not 'None', but the freq parameter is not set, the error is raised. The possible target aggregation functions are: "sum", "max", "min" and "mean".
- Target
Lags Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Auto Target Lags Response Azure Native. Machine Learning Services. Inputs. Custom Target Lags Response - The number of past periods to lag from the target column.
- Target
Rolling Pulumi.Window Size Azure | Pulumi.Native. Machine Learning Services. Inputs. Auto Target Rolling Window Size Response Azure Native. Machine Learning Services. Inputs. Custom Target Rolling Window Size Response - The number of past periods used to create a rolling window average of the target column.
- Time
Column stringName - The name of the time column. This parameter is required when forecasting to specify the datetime column in the input data used for building the time series and inferring its frequency.
- Time
Series List<string>Id Column Names - The names of columns used to group a timeseries. It can be used to create multiple series. If grain is not defined, the data set is assumed to be one time-series. This parameter is used with task type forecasting.
- Use
Stl string - Configure STL Decomposition of the time-series target column.
- Country
Or stringRegion For Holidays - Country or region for holidays for forecasting tasks. These should be ISO 3166 two-letter country/region codes, for example 'US' or 'GB'.
- Cv
Step intSize - Number of periods between the origin time of one CV fold and the next fold. For
example, if
CVStepSize
= 3 for daily data, the origin time for each fold will be three days apart. - Feature
Lags string - Flag for generating lags for the numeric features with 'auto' or null.
- Forecast
Horizon AutoForecast | CustomHorizon Response Forecast Horizon Response - The desired maximum forecast horizon in units of time-series frequency.
- Frequency string
- When forecasting, this parameter represents the period with which the forecast is desired, for example daily, weekly, yearly, etc. The forecast frequency is dataset frequency by default.
- Seasonality
Auto
Seasonality | CustomResponse Seasonality Response - Set time series seasonality as an integer multiple of the series frequency. If seasonality is set to 'auto', it will be inferred.
- Short
Series stringHandling Config - The parameter defining how if AutoML should handle short time series.
- Target
Aggregate stringFunction - The function to be used to aggregate the time series target column to conform to a user specified frequency. If the TargetAggregateFunction is set i.e. not 'None', but the freq parameter is not set, the error is raised. The possible target aggregation functions are: "sum", "max", "min" and "mean".
- Target
Lags AutoTarget | CustomLags Response Target Lags Response - The number of past periods to lag from the target column.
- Target
Rolling AutoWindow Size Target | CustomRolling Window Size Response Target Rolling Window Size Response - The number of past periods used to create a rolling window average of the target column.
- Time
Column stringName - The name of the time column. This parameter is required when forecasting to specify the datetime column in the input data used for building the time series and inferring its frequency.
- Time
Series []stringId Column Names - The names of columns used to group a timeseries. It can be used to create multiple series. If grain is not defined, the data set is assumed to be one time-series. This parameter is used with task type forecasting.
- Use
Stl string - Configure STL Decomposition of the time-series target column.
- country
Or StringRegion For Holidays - Country or region for holidays for forecasting tasks. These should be ISO 3166 two-letter country/region codes, for example 'US' or 'GB'.
- cv
Step IntegerSize - Number of periods between the origin time of one CV fold and the next fold. For
example, if
CVStepSize
= 3 for daily data, the origin time for each fold will be three days apart. - feature
Lags String - Flag for generating lags for the numeric features with 'auto' or null.
- forecast
Horizon AutoForecast | CustomHorizon Response Forecast Horizon Response - The desired maximum forecast horizon in units of time-series frequency.
- frequency String
- When forecasting, this parameter represents the period with which the forecast is desired, for example daily, weekly, yearly, etc. The forecast frequency is dataset frequency by default.
- seasonality
Auto
Seasonality | CustomResponse Seasonality Response - Set time series seasonality as an integer multiple of the series frequency. If seasonality is set to 'auto', it will be inferred.
- short
Series StringHandling Config - The parameter defining how if AutoML should handle short time series.
- target
Aggregate StringFunction - The function to be used to aggregate the time series target column to conform to a user specified frequency. If the TargetAggregateFunction is set i.e. not 'None', but the freq parameter is not set, the error is raised. The possible target aggregation functions are: "sum", "max", "min" and "mean".
- target
Lags AutoTarget | CustomLags Response Target Lags Response - The number of past periods to lag from the target column.
- target
Rolling AutoWindow Size Target | CustomRolling Window Size Response Target Rolling Window Size Response - The number of past periods used to create a rolling window average of the target column.
- time
Column StringName - The name of the time column. This parameter is required when forecasting to specify the datetime column in the input data used for building the time series and inferring its frequency.
- time
Series List<String>Id Column Names - The names of columns used to group a timeseries. It can be used to create multiple series. If grain is not defined, the data set is assumed to be one time-series. This parameter is used with task type forecasting.
- use
Stl String - Configure STL Decomposition of the time-series target column.
- country
Or stringRegion For Holidays - Country or region for holidays for forecasting tasks. These should be ISO 3166 two-letter country/region codes, for example 'US' or 'GB'.
- cv
Step numberSize - Number of periods between the origin time of one CV fold and the next fold. For
example, if
CVStepSize
= 3 for daily data, the origin time for each fold will be three days apart. - feature
Lags string - Flag for generating lags for the numeric features with 'auto' or null.
- forecast
Horizon AutoForecast | CustomHorizon Response Forecast Horizon Response - The desired maximum forecast horizon in units of time-series frequency.
- frequency string
- When forecasting, this parameter represents the period with which the forecast is desired, for example daily, weekly, yearly, etc. The forecast frequency is dataset frequency by default.
- seasonality
Auto
Seasonality | CustomResponse Seasonality Response - Set time series seasonality as an integer multiple of the series frequency. If seasonality is set to 'auto', it will be inferred.
- short
Series stringHandling Config - The parameter defining how if AutoML should handle short time series.
- target
Aggregate stringFunction - The function to be used to aggregate the time series target column to conform to a user specified frequency. If the TargetAggregateFunction is set i.e. not 'None', but the freq parameter is not set, the error is raised. The possible target aggregation functions are: "sum", "max", "min" and "mean".
- target
Lags AutoTarget | CustomLags Response Target Lags Response - The number of past periods to lag from the target column.
- target
Rolling AutoWindow Size Target | CustomRolling Window Size Response Target Rolling Window Size Response - The number of past periods used to create a rolling window average of the target column.
- time
Column stringName - The name of the time column. This parameter is required when forecasting to specify the datetime column in the input data used for building the time series and inferring its frequency.
- time
Series string[]Id Column Names - The names of columns used to group a timeseries. It can be used to create multiple series. If grain is not defined, the data set is assumed to be one time-series. This parameter is used with task type forecasting.
- use
Stl string - Configure STL Decomposition of the time-series target column.
- country_
or_ strregion_ for_ holidays - Country or region for holidays for forecasting tasks. These should be ISO 3166 two-letter country/region codes, for example 'US' or 'GB'.
- cv_
step_ intsize - Number of periods between the origin time of one CV fold and the next fold. For
example, if
CVStepSize
= 3 for daily data, the origin time for each fold will be three days apart. - feature_
lags str - Flag for generating lags for the numeric features with 'auto' or null.
- forecast_
horizon AutoForecast | CustomHorizon Response Forecast Horizon Response - The desired maximum forecast horizon in units of time-series frequency.
- frequency str
- When forecasting, this parameter represents the period with which the forecast is desired, for example daily, weekly, yearly, etc. The forecast frequency is dataset frequency by default.
- seasonality
Auto
Seasonality | CustomResponse Seasonality Response - Set time series seasonality as an integer multiple of the series frequency. If seasonality is set to 'auto', it will be inferred.
- short_
series_ strhandling_ config - The parameter defining how if AutoML should handle short time series.
- target_
aggregate_ strfunction - The function to be used to aggregate the time series target column to conform to a user specified frequency. If the TargetAggregateFunction is set i.e. not 'None', but the freq parameter is not set, the error is raised. The possible target aggregation functions are: "sum", "max", "min" and "mean".
- target_
lags AutoTarget | CustomLags Response Target Lags Response - The number of past periods to lag from the target column.
- target_
rolling_ Autowindow_ size Target | CustomRolling Window Size Response Target Rolling Window Size Response - The number of past periods used to create a rolling window average of the target column.
- time_
column_ strname - The name of the time column. This parameter is required when forecasting to specify the datetime column in the input data used for building the time series and inferring its frequency.
- time_
series_ Sequence[str]id_ column_ names - The names of columns used to group a timeseries. It can be used to create multiple series. If grain is not defined, the data set is assumed to be one time-series. This parameter is used with task type forecasting.
- use_
stl str - Configure STL Decomposition of the time-series target column.
- country
Or StringRegion For Holidays - Country or region for holidays for forecasting tasks. These should be ISO 3166 two-letter country/region codes, for example 'US' or 'GB'.
- cv
Step NumberSize - Number of periods between the origin time of one CV fold and the next fold. For
example, if
CVStepSize
= 3 for daily data, the origin time for each fold will be three days apart. - feature
Lags String - Flag for generating lags for the numeric features with 'auto' or null.
- forecast
Horizon Property Map | Property Map - The desired maximum forecast horizon in units of time-series frequency.
- frequency String
- When forecasting, this parameter represents the period with which the forecast is desired, for example daily, weekly, yearly, etc. The forecast frequency is dataset frequency by default.
- seasonality Property Map | Property Map
- Set time series seasonality as an integer multiple of the series frequency. If seasonality is set to 'auto', it will be inferred.
- short
Series StringHandling Config - The parameter defining how if AutoML should handle short time series.
- target
Aggregate StringFunction - The function to be used to aggregate the time series target column to conform to a user specified frequency. If the TargetAggregateFunction is set i.e. not 'None', but the freq parameter is not set, the error is raised. The possible target aggregation functions are: "sum", "max", "min" and "mean".
- target
Lags Property Map | Property Map - The number of past periods to lag from the target column.
- target
Rolling Property Map | Property MapWindow Size - The number of past periods used to create a rolling window average of the target column.
- time
Column StringName - The name of the time column. This parameter is required when forecasting to specify the datetime column in the input data used for building the time series and inferring its frequency.
- time
Series List<String>Id Column Names - The names of columns used to group a timeseries. It can be used to create multiple series. If grain is not defined, the data set is assumed to be one time-series. This parameter is used with task type forecasting.
- use
Stl String - Configure STL Decomposition of the time-series target column.
ForecastingTrainingSettings, ForecastingTrainingSettingsArgs
- Allowed
Training List<Union<string, Pulumi.Algorithms Azure Native. Machine Learning Services. Forecasting Models>> - Allowed models for forecasting task.
- Blocked
Training List<Union<string, Pulumi.Algorithms Azure Native. Machine Learning Services. Forecasting Models>> - Blocked models for forecasting task.
- Enable
Dnn boolTraining - Enable recommendation of DNN models.
- Enable
Model boolExplainability - Flag to turn on explainability on best model.
- Enable
Onnx boolCompatible Models - Flag for enabling onnx compatible models.
- Enable
Stack boolEnsemble - Enable stack ensemble run.
- Enable
Vote boolEnsemble - Enable voting ensemble run.
- Ensemble
Model stringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- Stack
Ensemble Pulumi.Settings Azure Native. Machine Learning Services. Inputs. Stack Ensemble Settings - Stack ensemble settings for stack ensemble run.
- Allowed
Training []stringAlgorithms - Allowed models for forecasting task.
- Blocked
Training []stringAlgorithms - Blocked models for forecasting task.
- Enable
Dnn boolTraining - Enable recommendation of DNN models.
- Enable
Model boolExplainability - Flag to turn on explainability on best model.
- Enable
Onnx boolCompatible Models - Flag for enabling onnx compatible models.
- Enable
Stack boolEnsemble - Enable stack ensemble run.
- Enable
Vote boolEnsemble - Enable voting ensemble run.
- Ensemble
Model stringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- Stack
Ensemble StackSettings Ensemble Settings - Stack ensemble settings for stack ensemble run.
- allowed
Training List<Either<String,ForecastingAlgorithms Models>> - Allowed models for forecasting task.
- blocked
Training List<Either<String,ForecastingAlgorithms Models>> - Blocked models for forecasting task.
- enable
Dnn BooleanTraining - Enable recommendation of DNN models.
- enable
Model BooleanExplainability - Flag to turn on explainability on best model.
- enable
Onnx BooleanCompatible Models - Flag for enabling onnx compatible models.
- enable
Stack BooleanEnsemble - Enable stack ensemble run.
- enable
Vote BooleanEnsemble - Enable voting ensemble run.
- ensemble
Model StringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack
Ensemble StackSettings Ensemble Settings - Stack ensemble settings for stack ensemble run.
- allowed
Training (string | ForecastingAlgorithms Models)[] - Allowed models for forecasting task.
- blocked
Training (string | ForecastingAlgorithms Models)[] - Blocked models for forecasting task.
- enable
Dnn booleanTraining - Enable recommendation of DNN models.
- enable
Model booleanExplainability - Flag to turn on explainability on best model.
- enable
Onnx booleanCompatible Models - Flag for enabling onnx compatible models.
- enable
Stack booleanEnsemble - Enable stack ensemble run.
- enable
Vote booleanEnsemble - Enable voting ensemble run.
- ensemble
Model stringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack
Ensemble StackSettings Ensemble Settings - Stack ensemble settings for stack ensemble run.
- allowed_
training_ Sequence[Union[str, Forecastingalgorithms Models]] - Allowed models for forecasting task.
- blocked_
training_ Sequence[Union[str, Forecastingalgorithms Models]] - Blocked models for forecasting task.
- enable_
dnn_ booltraining - Enable recommendation of DNN models.
- enable_
model_ boolexplainability - Flag to turn on explainability on best model.
- enable_
onnx_ boolcompatible_ models - Flag for enabling onnx compatible models.
- enable_
stack_ boolensemble - Enable stack ensemble run.
- enable_
vote_ boolensemble - Enable voting ensemble run.
- ensemble_
model_ strdownload_ timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack_
ensemble_ Stacksettings Ensemble Settings - Stack ensemble settings for stack ensemble run.
- allowed
Training List<String | "AutoAlgorithms Arima" | "Prophet" | "Naive" | "Seasonal Naive" | "Average" | "Seasonal Average" | "Exponential Smoothing" | "Arimax" | "TCNForecaster" | "Elastic Net" | "Gradient Boosting" | "Decision Tree" | "KNN" | "Lasso Lars" | "SGD" | "Random Forest" | "Extreme Random Trees" | "Light GBM" | "XGBoost Regressor"> - Allowed models for forecasting task.
- blocked
Training List<String | "AutoAlgorithms Arima" | "Prophet" | "Naive" | "Seasonal Naive" | "Average" | "Seasonal Average" | "Exponential Smoothing" | "Arimax" | "TCNForecaster" | "Elastic Net" | "Gradient Boosting" | "Decision Tree" | "KNN" | "Lasso Lars" | "SGD" | "Random Forest" | "Extreme Random Trees" | "Light GBM" | "XGBoost Regressor"> - Blocked models for forecasting task.
- enable
Dnn BooleanTraining - Enable recommendation of DNN models.
- enable
Model BooleanExplainability - Flag to turn on explainability on best model.
- enable
Onnx BooleanCompatible Models - Flag for enabling onnx compatible models.
- enable
Stack BooleanEnsemble - Enable stack ensemble run.
- enable
Vote BooleanEnsemble - Enable voting ensemble run.
- ensemble
Model StringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack
Ensemble Property MapSettings - Stack ensemble settings for stack ensemble run.
ForecastingTrainingSettingsResponse, ForecastingTrainingSettingsResponseArgs
- Allowed
Training List<string>Algorithms - Allowed models for forecasting task.
- Blocked
Training List<string>Algorithms - Blocked models for forecasting task.
- Enable
Dnn boolTraining - Enable recommendation of DNN models.
- Enable
Model boolExplainability - Flag to turn on explainability on best model.
- Enable
Onnx boolCompatible Models - Flag for enabling onnx compatible models.
- Enable
Stack boolEnsemble - Enable stack ensemble run.
- Enable
Vote boolEnsemble - Enable voting ensemble run.
- Ensemble
Model stringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- Stack
Ensemble Pulumi.Settings Azure Native. Machine Learning Services. Inputs. Stack Ensemble Settings Response - Stack ensemble settings for stack ensemble run.
- Allowed
Training []stringAlgorithms - Allowed models for forecasting task.
- Blocked
Training []stringAlgorithms - Blocked models for forecasting task.
- Enable
Dnn boolTraining - Enable recommendation of DNN models.
- Enable
Model boolExplainability - Flag to turn on explainability on best model.
- Enable
Onnx boolCompatible Models - Flag for enabling onnx compatible models.
- Enable
Stack boolEnsemble - Enable stack ensemble run.
- Enable
Vote boolEnsemble - Enable voting ensemble run.
- Ensemble
Model stringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- Stack
Ensemble StackSettings Ensemble Settings Response - Stack ensemble settings for stack ensemble run.
- allowed
Training List<String>Algorithms - Allowed models for forecasting task.
- blocked
Training List<String>Algorithms - Blocked models for forecasting task.
- enable
Dnn BooleanTraining - Enable recommendation of DNN models.
- enable
Model BooleanExplainability - Flag to turn on explainability on best model.
- enable
Onnx BooleanCompatible Models - Flag for enabling onnx compatible models.
- enable
Stack BooleanEnsemble - Enable stack ensemble run.
- enable
Vote BooleanEnsemble - Enable voting ensemble run.
- ensemble
Model StringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack
Ensemble StackSettings Ensemble Settings Response - Stack ensemble settings for stack ensemble run.
- allowed
Training string[]Algorithms - Allowed models for forecasting task.
- blocked
Training string[]Algorithms - Blocked models for forecasting task.
- enable
Dnn booleanTraining - Enable recommendation of DNN models.
- enable
Model booleanExplainability - Flag to turn on explainability on best model.
- enable
Onnx booleanCompatible Models - Flag for enabling onnx compatible models.
- enable
Stack booleanEnsemble - Enable stack ensemble run.
- enable
Vote booleanEnsemble - Enable voting ensemble run.
- ensemble
Model stringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack
Ensemble StackSettings Ensemble Settings Response - Stack ensemble settings for stack ensemble run.
- allowed_
training_ Sequence[str]algorithms - Allowed models for forecasting task.
- blocked_
training_ Sequence[str]algorithms - Blocked models for forecasting task.
- enable_
dnn_ booltraining - Enable recommendation of DNN models.
- enable_
model_ boolexplainability - Flag to turn on explainability on best model.
- enable_
onnx_ boolcompatible_ models - Flag for enabling onnx compatible models.
- enable_
stack_ boolensemble - Enable stack ensemble run.
- enable_
vote_ boolensemble - Enable voting ensemble run.
- ensemble_
model_ strdownload_ timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack_
ensemble_ Stacksettings Ensemble Settings Response - Stack ensemble settings for stack ensemble run.
- allowed
Training List<String>Algorithms - Allowed models for forecasting task.
- blocked
Training List<String>Algorithms - Blocked models for forecasting task.
- enable
Dnn BooleanTraining - Enable recommendation of DNN models.
- enable
Model BooleanExplainability - Flag to turn on explainability on best model.
- enable
Onnx BooleanCompatible Models - Flag for enabling onnx compatible models.
- enable
Stack BooleanEnsemble - Enable stack ensemble run.
- enable
Vote BooleanEnsemble - Enable voting ensemble run.
- ensemble
Model StringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack
Ensemble Property MapSettings - Stack ensemble settings for stack ensemble run.
Goal, GoalArgs
- Minimize
- Minimize
- Maximize
- Maximize
- Goal
Minimize - Minimize
- Goal
Maximize - Maximize
- Minimize
- Minimize
- Maximize
- Maximize
- Minimize
- Minimize
- Maximize
- Maximize
- MINIMIZE
- Minimize
- MAXIMIZE
- Maximize
- "Minimize"
- Minimize
- "Maximize"
- Maximize
GridSamplingAlgorithm, GridSamplingAlgorithmArgs
GridSamplingAlgorithmResponse, GridSamplingAlgorithmResponseArgs
ImageClassification, ImageClassificationArgs
- Limit
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Limit Settings - [Required] Limit settings for the AutoML job.
- Training
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - [Required] Training data input.
- Log
Verbosity string | Pulumi.Azure Native. Machine Learning Services. Log Verbosity - Log verbosity for the job.
- Model
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Model Settings Classification - Settings used for training the model.
- Primary
Metric string | Pulumi.Azure Native. Machine Learning Services. Classification Primary Metrics - Primary metric to optimize for this task.
- Search
Space List<Pulumi.Azure Native. Machine Learning Services. Inputs. Image Model Distribution Settings Classification> - Search space for sampling different combinations of models and their hyperparameters.
- Sweep
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Sweep Settings - Model sweeping and hyperparameter sweeping related settings.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - Validation data inputs.
- Validation
Data doubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Limit
Settings ImageLimit Settings - [Required] Limit settings for the AutoML job.
- Training
Data MLTableJob Input - [Required] Training data input.
- Log
Verbosity string | LogVerbosity - Log verbosity for the job.
- Model
Settings ImageModel Settings Classification - Settings used for training the model.
- Primary
Metric string | ClassificationPrimary Metrics - Primary metric to optimize for this task.
- Search
Space []ImageModel Distribution Settings Classification - Search space for sampling different combinations of models and their hyperparameters.
- Sweep
Settings ImageSweep Settings - Model sweeping and hyperparameter sweeping related settings.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data MLTableJob Input - Validation data inputs.
- Validation
Data float64Size - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings ImageLimit Settings - [Required] Limit settings for the AutoML job.
- training
Data MLTableJob Input - [Required] Training data input.
- log
Verbosity String | LogVerbosity - Log verbosity for the job.
- model
Settings ImageModel Settings Classification - Settings used for training the model.
- primary
Metric String | ClassificationPrimary Metrics - Primary metric to optimize for this task.
- search
Space List<ImageModel Distribution Settings Classification> - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings ImageSweep Settings - Model sweeping and hyperparameter sweeping related settings.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input - Validation data inputs.
- validation
Data DoubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings ImageLimit Settings - [Required] Limit settings for the AutoML job.
- training
Data MLTableJob Input - [Required] Training data input.
- log
Verbosity string | LogVerbosity - Log verbosity for the job.
- model
Settings ImageModel Settings Classification - Settings used for training the model.
- primary
Metric string | ClassificationPrimary Metrics - Primary metric to optimize for this task.
- search
Space ImageModel Distribution Settings Classification[] - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings ImageSweep Settings - Model sweeping and hyperparameter sweeping related settings.
- target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input - Validation data inputs.
- validation
Data numberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit_
settings ImageLimit Settings - [Required] Limit settings for the AutoML job.
- training_
data MLTableJob Input - [Required] Training data input.
- log_
verbosity str | LogVerbosity - Log verbosity for the job.
- model_
settings ImageModel Settings Classification - Settings used for training the model.
- primary_
metric str | ClassificationPrimary Metrics - Primary metric to optimize for this task.
- search_
space Sequence[ImageModel Distribution Settings Classification] - Search space for sampling different combinations of models and their hyperparameters.
- sweep_
settings ImageSweep Settings - Model sweeping and hyperparameter sweeping related settings.
- target_
column_ strname - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation_
data MLTableJob Input - Validation data inputs.
- validation_
data_ floatsize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings Property Map - [Required] Limit settings for the AutoML job.
- training
Data Property Map - [Required] Training data input.
- log
Verbosity String | "NotSet" | "Debug" | "Info" | "Warning" | "Error" | "Critical" - Log verbosity for the job.
- model
Settings Property Map - Settings used for training the model.
- primary
Metric String | "AUCWeighted" | "Accuracy" | "NormMacro Recall" | "Average Precision Score Weighted" | "Precision Score Weighted" - Primary metric to optimize for this task.
- search
Space List<Property Map> - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings Property Map - Model sweeping and hyperparameter sweeping related settings.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data Property Map - Validation data inputs.
- validation
Data NumberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
ImageClassificationMultilabel, ImageClassificationMultilabelArgs
- Limit
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Limit Settings - [Required] Limit settings for the AutoML job.
- Training
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - [Required] Training data input.
- Log
Verbosity string | Pulumi.Azure Native. Machine Learning Services. Log Verbosity - Log verbosity for the job.
- Model
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Model Settings Classification - Settings used for training the model.
- Primary
Metric string | Pulumi.Azure Native. Machine Learning Services. Classification Multilabel Primary Metrics - Primary metric to optimize for this task.
- Search
Space List<Pulumi.Azure Native. Machine Learning Services. Inputs. Image Model Distribution Settings Classification> - Search space for sampling different combinations of models and their hyperparameters.
- Sweep
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Sweep Settings - Model sweeping and hyperparameter sweeping related settings.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - Validation data inputs.
- Validation
Data doubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Limit
Settings ImageLimit Settings - [Required] Limit settings for the AutoML job.
- Training
Data MLTableJob Input - [Required] Training data input.
- Log
Verbosity string | LogVerbosity - Log verbosity for the job.
- Model
Settings ImageModel Settings Classification - Settings used for training the model.
- Primary
Metric string | ClassificationMultilabel Primary Metrics - Primary metric to optimize for this task.
- Search
Space []ImageModel Distribution Settings Classification - Search space for sampling different combinations of models and their hyperparameters.
- Sweep
Settings ImageSweep Settings - Model sweeping and hyperparameter sweeping related settings.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data MLTableJob Input - Validation data inputs.
- Validation
Data float64Size - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings ImageLimit Settings - [Required] Limit settings for the AutoML job.
- training
Data MLTableJob Input - [Required] Training data input.
- log
Verbosity String | LogVerbosity - Log verbosity for the job.
- model
Settings ImageModel Settings Classification - Settings used for training the model.
- primary
Metric String | ClassificationMultilabel Primary Metrics - Primary metric to optimize for this task.
- search
Space List<ImageModel Distribution Settings Classification> - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings ImageSweep Settings - Model sweeping and hyperparameter sweeping related settings.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input - Validation data inputs.
- validation
Data DoubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings ImageLimit Settings - [Required] Limit settings for the AutoML job.
- training
Data MLTableJob Input - [Required] Training data input.
- log
Verbosity string | LogVerbosity - Log verbosity for the job.
- model
Settings ImageModel Settings Classification - Settings used for training the model.
- primary
Metric string | ClassificationMultilabel Primary Metrics - Primary metric to optimize for this task.
- search
Space ImageModel Distribution Settings Classification[] - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings ImageSweep Settings - Model sweeping and hyperparameter sweeping related settings.
- target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input - Validation data inputs.
- validation
Data numberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit_
settings ImageLimit Settings - [Required] Limit settings for the AutoML job.
- training_
data MLTableJob Input - [Required] Training data input.
- log_
verbosity str | LogVerbosity - Log verbosity for the job.
- model_
settings ImageModel Settings Classification - Settings used for training the model.
- primary_
metric str | ClassificationMultilabel Primary Metrics - Primary metric to optimize for this task.
- search_
space Sequence[ImageModel Distribution Settings Classification] - Search space for sampling different combinations of models and their hyperparameters.
- sweep_
settings ImageSweep Settings - Model sweeping and hyperparameter sweeping related settings.
- target_
column_ strname - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation_
data MLTableJob Input - Validation data inputs.
- validation_
data_ floatsize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings Property Map - [Required] Limit settings for the AutoML job.
- training
Data Property Map - [Required] Training data input.
- log
Verbosity String | "NotSet" | "Debug" | "Info" | "Warning" | "Error" | "Critical" - Log verbosity for the job.
- model
Settings Property Map - Settings used for training the model.
- primary
Metric String | "AUCWeighted" | "Accuracy" | "NormMacro Recall" | "Average Precision Score Weighted" | "Precision Score Weighted" | "IOU" - Primary metric to optimize for this task.
- search
Space List<Property Map> - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings Property Map - Model sweeping and hyperparameter sweeping related settings.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data Property Map - Validation data inputs.
- validation
Data NumberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
ImageClassificationMultilabelResponse, ImageClassificationMultilabelResponseArgs
- Limit
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Limit Settings Response - [Required] Limit settings for the AutoML job.
- Training
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - [Required] Training data input.
- Log
Verbosity string - Log verbosity for the job.
- Model
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Model Settings Classification Response - Settings used for training the model.
- Primary
Metric string - Primary metric to optimize for this task.
- Search
Space List<Pulumi.Azure Native. Machine Learning Services. Inputs. Image Model Distribution Settings Classification Response> - Search space for sampling different combinations of models and their hyperparameters.
- Sweep
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Sweep Settings Response - Model sweeping and hyperparameter sweeping related settings.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - Validation data inputs.
- Validation
Data doubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Limit
Settings ImageLimit Settings Response - [Required] Limit settings for the AutoML job.
- Training
Data MLTableJob Input Response - [Required] Training data input.
- Log
Verbosity string - Log verbosity for the job.
- Model
Settings ImageModel Settings Classification Response - Settings used for training the model.
- Primary
Metric string - Primary metric to optimize for this task.
- Search
Space []ImageModel Distribution Settings Classification Response - Search space for sampling different combinations of models and their hyperparameters.
- Sweep
Settings ImageSweep Settings Response - Model sweeping and hyperparameter sweeping related settings.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data MLTableJob Input Response - Validation data inputs.
- Validation
Data float64Size - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings ImageLimit Settings Response - [Required] Limit settings for the AutoML job.
- training
Data MLTableJob Input Response - [Required] Training data input.
- log
Verbosity String - Log verbosity for the job.
- model
Settings ImageModel Settings Classification Response - Settings used for training the model.
- primary
Metric String - Primary metric to optimize for this task.
- search
Space List<ImageModel Distribution Settings Classification Response> - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings ImageSweep Settings Response - Model sweeping and hyperparameter sweeping related settings.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input Response - Validation data inputs.
- validation
Data DoubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings ImageLimit Settings Response - [Required] Limit settings for the AutoML job.
- training
Data MLTableJob Input Response - [Required] Training data input.
- log
Verbosity string - Log verbosity for the job.
- model
Settings ImageModel Settings Classification Response - Settings used for training the model.
- primary
Metric string - Primary metric to optimize for this task.
- search
Space ImageModel Distribution Settings Classification Response[] - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings ImageSweep Settings Response - Model sweeping and hyperparameter sweeping related settings.
- target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input Response - Validation data inputs.
- validation
Data numberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit_
settings ImageLimit Settings Response - [Required] Limit settings for the AutoML job.
- training_
data MLTableJob Input Response - [Required] Training data input.
- log_
verbosity str - Log verbosity for the job.
- model_
settings ImageModel Settings Classification Response - Settings used for training the model.
- primary_
metric str - Primary metric to optimize for this task.
- search_
space Sequence[ImageModel Distribution Settings Classification Response] - Search space for sampling different combinations of models and their hyperparameters.
- sweep_
settings ImageSweep Settings Response - Model sweeping and hyperparameter sweeping related settings.
- target_
column_ strname - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation_
data MLTableJob Input Response - Validation data inputs.
- validation_
data_ floatsize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings Property Map - [Required] Limit settings for the AutoML job.
- training
Data Property Map - [Required] Training data input.
- log
Verbosity String - Log verbosity for the job.
- model
Settings Property Map - Settings used for training the model.
- primary
Metric String - Primary metric to optimize for this task.
- search
Space List<Property Map> - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings Property Map - Model sweeping and hyperparameter sweeping related settings.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data Property Map - Validation data inputs.
- validation
Data NumberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
ImageClassificationResponse, ImageClassificationResponseArgs
- Limit
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Limit Settings Response - [Required] Limit settings for the AutoML job.
- Training
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - [Required] Training data input.
- Log
Verbosity string - Log verbosity for the job.
- Model
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Model Settings Classification Response - Settings used for training the model.
- Primary
Metric string - Primary metric to optimize for this task.
- Search
Space List<Pulumi.Azure Native. Machine Learning Services. Inputs. Image Model Distribution Settings Classification Response> - Search space for sampling different combinations of models and their hyperparameters.
- Sweep
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Sweep Settings Response - Model sweeping and hyperparameter sweeping related settings.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - Validation data inputs.
- Validation
Data doubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Limit
Settings ImageLimit Settings Response - [Required] Limit settings for the AutoML job.
- Training
Data MLTableJob Input Response - [Required] Training data input.
- Log
Verbosity string - Log verbosity for the job.
- Model
Settings ImageModel Settings Classification Response - Settings used for training the model.
- Primary
Metric string - Primary metric to optimize for this task.
- Search
Space []ImageModel Distribution Settings Classification Response - Search space for sampling different combinations of models and their hyperparameters.
- Sweep
Settings ImageSweep Settings Response - Model sweeping and hyperparameter sweeping related settings.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data MLTableJob Input Response - Validation data inputs.
- Validation
Data float64Size - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings ImageLimit Settings Response - [Required] Limit settings for the AutoML job.
- training
Data MLTableJob Input Response - [Required] Training data input.
- log
Verbosity String - Log verbosity for the job.
- model
Settings ImageModel Settings Classification Response - Settings used for training the model.
- primary
Metric String - Primary metric to optimize for this task.
- search
Space List<ImageModel Distribution Settings Classification Response> - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings ImageSweep Settings Response - Model sweeping and hyperparameter sweeping related settings.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input Response - Validation data inputs.
- validation
Data DoubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings ImageLimit Settings Response - [Required] Limit settings for the AutoML job.
- training
Data MLTableJob Input Response - [Required] Training data input.
- log
Verbosity string - Log verbosity for the job.
- model
Settings ImageModel Settings Classification Response - Settings used for training the model.
- primary
Metric string - Primary metric to optimize for this task.
- search
Space ImageModel Distribution Settings Classification Response[] - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings ImageSweep Settings Response - Model sweeping and hyperparameter sweeping related settings.
- target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input Response - Validation data inputs.
- validation
Data numberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit_
settings ImageLimit Settings Response - [Required] Limit settings for the AutoML job.
- training_
data MLTableJob Input Response - [Required] Training data input.
- log_
verbosity str - Log verbosity for the job.
- model_
settings ImageModel Settings Classification Response - Settings used for training the model.
- primary_
metric str - Primary metric to optimize for this task.
- search_
space Sequence[ImageModel Distribution Settings Classification Response] - Search space for sampling different combinations of models and their hyperparameters.
- sweep_
settings ImageSweep Settings Response - Model sweeping and hyperparameter sweeping related settings.
- target_
column_ strname - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation_
data MLTableJob Input Response - Validation data inputs.
- validation_
data_ floatsize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings Property Map - [Required] Limit settings for the AutoML job.
- training
Data Property Map - [Required] Training data input.
- log
Verbosity String - Log verbosity for the job.
- model
Settings Property Map - Settings used for training the model.
- primary
Metric String - Primary metric to optimize for this task.
- search
Space List<Property Map> - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings Property Map - Model sweeping and hyperparameter sweeping related settings.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data Property Map - Validation data inputs.
- validation
Data NumberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
ImageInstanceSegmentation, ImageInstanceSegmentationArgs
- Limit
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Limit Settings - [Required] Limit settings for the AutoML job.
- Training
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - [Required] Training data input.
- Log
Verbosity string | Pulumi.Azure Native. Machine Learning Services. Log Verbosity - Log verbosity for the job.
- Model
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Model Settings Object Detection - Settings used for training the model.
- Primary
Metric string | Pulumi.Azure Native. Machine Learning Services. Instance Segmentation Primary Metrics - Primary metric to optimize for this task.
- Search
Space List<Pulumi.Azure Native. Machine Learning Services. Inputs. Image Model Distribution Settings Object Detection> - Search space for sampling different combinations of models and their hyperparameters.
- Sweep
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Sweep Settings - Model sweeping and hyperparameter sweeping related settings.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - Validation data inputs.
- Validation
Data doubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Limit
Settings ImageLimit Settings - [Required] Limit settings for the AutoML job.
- Training
Data MLTableJob Input - [Required] Training data input.
- Log
Verbosity string | LogVerbosity - Log verbosity for the job.
- Model
Settings ImageModel Settings Object Detection - Settings used for training the model.
- Primary
Metric string | InstanceSegmentation Primary Metrics - Primary metric to optimize for this task.
- Search
Space []ImageModel Distribution Settings Object Detection - Search space for sampling different combinations of models and their hyperparameters.
- Sweep
Settings ImageSweep Settings - Model sweeping and hyperparameter sweeping related settings.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data MLTableJob Input - Validation data inputs.
- Validation
Data float64Size - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings ImageLimit Settings - [Required] Limit settings for the AutoML job.
- training
Data MLTableJob Input - [Required] Training data input.
- log
Verbosity String | LogVerbosity - Log verbosity for the job.
- model
Settings ImageModel Settings Object Detection - Settings used for training the model.
- primary
Metric String | InstanceSegmentation Primary Metrics - Primary metric to optimize for this task.
- search
Space List<ImageModel Distribution Settings Object Detection> - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings ImageSweep Settings - Model sweeping and hyperparameter sweeping related settings.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input - Validation data inputs.
- validation
Data DoubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings ImageLimit Settings - [Required] Limit settings for the AutoML job.
- training
Data MLTableJob Input - [Required] Training data input.
- log
Verbosity string | LogVerbosity - Log verbosity for the job.
- model
Settings ImageModel Settings Object Detection - Settings used for training the model.
- primary
Metric string | InstanceSegmentation Primary Metrics - Primary metric to optimize for this task.
- search
Space ImageModel Distribution Settings Object Detection[] - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings ImageSweep Settings - Model sweeping and hyperparameter sweeping related settings.
- target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input - Validation data inputs.
- validation
Data numberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit_
settings ImageLimit Settings - [Required] Limit settings for the AutoML job.
- training_
data MLTableJob Input - [Required] Training data input.
- log_
verbosity str | LogVerbosity - Log verbosity for the job.
- model_
settings ImageModel Settings Object Detection - Settings used for training the model.
- primary_
metric str | InstanceSegmentation Primary Metrics - Primary metric to optimize for this task.
- search_
space Sequence[ImageModel Distribution Settings Object Detection] - Search space for sampling different combinations of models and their hyperparameters.
- sweep_
settings ImageSweep Settings - Model sweeping and hyperparameter sweeping related settings.
- target_
column_ strname - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation_
data MLTableJob Input - Validation data inputs.
- validation_
data_ floatsize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings Property Map - [Required] Limit settings for the AutoML job.
- training
Data Property Map - [Required] Training data input.
- log
Verbosity String | "NotSet" | "Debug" | "Info" | "Warning" | "Error" | "Critical" - Log verbosity for the job.
- model
Settings Property Map - Settings used for training the model.
- primary
Metric String | "MeanAverage Precision" - Primary metric to optimize for this task.
- search
Space List<Property Map> - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings Property Map - Model sweeping and hyperparameter sweeping related settings.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data Property Map - Validation data inputs.
- validation
Data NumberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
ImageInstanceSegmentationResponse, ImageInstanceSegmentationResponseArgs
- Limit
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Limit Settings Response - [Required] Limit settings for the AutoML job.
- Training
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - [Required] Training data input.
- Log
Verbosity string - Log verbosity for the job.
- Model
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Model Settings Object Detection Response - Settings used for training the model.
- Primary
Metric string - Primary metric to optimize for this task.
- Search
Space List<Pulumi.Azure Native. Machine Learning Services. Inputs. Image Model Distribution Settings Object Detection Response> - Search space for sampling different combinations of models and their hyperparameters.
- Sweep
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Sweep Settings Response - Model sweeping and hyperparameter sweeping related settings.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - Validation data inputs.
- Validation
Data doubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Limit
Settings ImageLimit Settings Response - [Required] Limit settings for the AutoML job.
- Training
Data MLTableJob Input Response - [Required] Training data input.
- Log
Verbosity string - Log verbosity for the job.
- Model
Settings ImageModel Settings Object Detection Response - Settings used for training the model.
- Primary
Metric string - Primary metric to optimize for this task.
- Search
Space []ImageModel Distribution Settings Object Detection Response - Search space for sampling different combinations of models and their hyperparameters.
- Sweep
Settings ImageSweep Settings Response - Model sweeping and hyperparameter sweeping related settings.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data MLTableJob Input Response - Validation data inputs.
- Validation
Data float64Size - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings ImageLimit Settings Response - [Required] Limit settings for the AutoML job.
- training
Data MLTableJob Input Response - [Required] Training data input.
- log
Verbosity String - Log verbosity for the job.
- model
Settings ImageModel Settings Object Detection Response - Settings used for training the model.
- primary
Metric String - Primary metric to optimize for this task.
- search
Space List<ImageModel Distribution Settings Object Detection Response> - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings ImageSweep Settings Response - Model sweeping and hyperparameter sweeping related settings.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input Response - Validation data inputs.
- validation
Data DoubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings ImageLimit Settings Response - [Required] Limit settings for the AutoML job.
- training
Data MLTableJob Input Response - [Required] Training data input.
- log
Verbosity string - Log verbosity for the job.
- model
Settings ImageModel Settings Object Detection Response - Settings used for training the model.
- primary
Metric string - Primary metric to optimize for this task.
- search
Space ImageModel Distribution Settings Object Detection Response[] - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings ImageSweep Settings Response - Model sweeping and hyperparameter sweeping related settings.
- target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input Response - Validation data inputs.
- validation
Data numberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit_
settings ImageLimit Settings Response - [Required] Limit settings for the AutoML job.
- training_
data MLTableJob Input Response - [Required] Training data input.
- log_
verbosity str - Log verbosity for the job.
- model_
settings ImageModel Settings Object Detection Response - Settings used for training the model.
- primary_
metric str - Primary metric to optimize for this task.
- search_
space Sequence[ImageModel Distribution Settings Object Detection Response] - Search space for sampling different combinations of models and their hyperparameters.
- sweep_
settings ImageSweep Settings Response - Model sweeping and hyperparameter sweeping related settings.
- target_
column_ strname - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation_
data MLTableJob Input Response - Validation data inputs.
- validation_
data_ floatsize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings Property Map - [Required] Limit settings for the AutoML job.
- training
Data Property Map - [Required] Training data input.
- log
Verbosity String - Log verbosity for the job.
- model
Settings Property Map - Settings used for training the model.
- primary
Metric String - Primary metric to optimize for this task.
- search
Space List<Property Map> - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings Property Map - Model sweeping and hyperparameter sweeping related settings.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data Property Map - Validation data inputs.
- validation
Data NumberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
ImageLimitSettings, ImageLimitSettingsArgs
- Max
Concurrent intTrials - Maximum number of concurrent AutoML iterations.
- Max
Trials int - Maximum number of AutoML iterations.
- Timeout string
- AutoML job timeout.
- Max
Concurrent intTrials - Maximum number of concurrent AutoML iterations.
- Max
Trials int - Maximum number of AutoML iterations.
- Timeout string
- AutoML job timeout.
- max
Concurrent IntegerTrials - Maximum number of concurrent AutoML iterations.
- max
Trials Integer - Maximum number of AutoML iterations.
- timeout String
- AutoML job timeout.
- max
Concurrent numberTrials - Maximum number of concurrent AutoML iterations.
- max
Trials number - Maximum number of AutoML iterations.
- timeout string
- AutoML job timeout.
- max_
concurrent_ inttrials - Maximum number of concurrent AutoML iterations.
- max_
trials int - Maximum number of AutoML iterations.
- timeout str
- AutoML job timeout.
- max
Concurrent NumberTrials - Maximum number of concurrent AutoML iterations.
- max
Trials Number - Maximum number of AutoML iterations.
- timeout String
- AutoML job timeout.
ImageLimitSettingsResponse, ImageLimitSettingsResponseArgs
- Max
Concurrent intTrials - Maximum number of concurrent AutoML iterations.
- Max
Trials int - Maximum number of AutoML iterations.
- Timeout string
- AutoML job timeout.
- Max
Concurrent intTrials - Maximum number of concurrent AutoML iterations.
- Max
Trials int - Maximum number of AutoML iterations.
- Timeout string
- AutoML job timeout.
- max
Concurrent IntegerTrials - Maximum number of concurrent AutoML iterations.
- max
Trials Integer - Maximum number of AutoML iterations.
- timeout String
- AutoML job timeout.
- max
Concurrent numberTrials - Maximum number of concurrent AutoML iterations.
- max
Trials number - Maximum number of AutoML iterations.
- timeout string
- AutoML job timeout.
- max_
concurrent_ inttrials - Maximum number of concurrent AutoML iterations.
- max_
trials int - Maximum number of AutoML iterations.
- timeout str
- AutoML job timeout.
- max
Concurrent NumberTrials - Maximum number of concurrent AutoML iterations.
- max
Trials Number - Maximum number of AutoML iterations.
- timeout String
- AutoML job timeout.
ImageModelDistributionSettingsClassification, ImageModelDistributionSettingsClassificationArgs
- Ams
Gradient string - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- Augmentations string
- Settings for using Augmentations.
- Beta1 string
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Beta2 string
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Distributed string
- Whether to use distributer training.
- Early
Stopping string - Enable early stopping logic during training.
- Early
Stopping stringDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- Early
Stopping stringPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- Enable
Onnx stringNormalization - Enable normalization when exporting ONNX model.
- Evaluation
Frequency string - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- Gradient
Accumulation stringStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- Layers
To stringFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Learning
Rate string - Initial learning rate. Must be a float in the range [0, 1].
- Learning
Rate stringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- Model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Momentum string
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- Nesterov string
- Enable nesterov when optimizer is 'sgd'.
- Number
Of stringEpochs - Number of training epochs. Must be a positive integer.
- Number
Of stringWorkers - Number of data loader workers. Must be a non-negative integer.
- Optimizer string
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- Random
Seed string - Random seed to be used when using deterministic training.
- Step
LRGamma string - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- Step
LRStep stringSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- Training
Batch stringSize - Training batch size. Must be a positive integer.
- Training
Crop stringSize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- Validation
Batch stringSize - Validation batch size. Must be a positive integer.
- Validation
Crop stringSize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- Validation
Resize stringSize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- Warmup
Cosine stringLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- Warmup
Cosine stringLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- Weight
Decay string - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- Weighted
Loss string - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
- Ams
Gradient string - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- Augmentations string
- Settings for using Augmentations.
- Beta1 string
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Beta2 string
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Distributed string
- Whether to use distributer training.
- Early
Stopping string - Enable early stopping logic during training.
- Early
Stopping stringDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- Early
Stopping stringPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- Enable
Onnx stringNormalization - Enable normalization when exporting ONNX model.
- Evaluation
Frequency string - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- Gradient
Accumulation stringStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- Layers
To stringFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Learning
Rate string - Initial learning rate. Must be a float in the range [0, 1].
- Learning
Rate stringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- Model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Momentum string
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- Nesterov string
- Enable nesterov when optimizer is 'sgd'.
- Number
Of stringEpochs - Number of training epochs. Must be a positive integer.
- Number
Of stringWorkers - Number of data loader workers. Must be a non-negative integer.
- Optimizer string
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- Random
Seed string - Random seed to be used when using deterministic training.
- Step
LRGamma string - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- Step
LRStep stringSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- Training
Batch stringSize - Training batch size. Must be a positive integer.
- Training
Crop stringSize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- Validation
Batch stringSize - Validation batch size. Must be a positive integer.
- Validation
Crop stringSize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- Validation
Resize stringSize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- Warmup
Cosine stringLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- Warmup
Cosine stringLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- Weight
Decay string - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- Weighted
Loss string - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
- ams
Gradient String - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations String
- Settings for using Augmentations.
- beta1 String
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 String
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- distributed String
- Whether to use distributer training.
- early
Stopping String - Enable early stopping logic during training.
- early
Stopping StringDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping StringPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx StringNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency String - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation StringStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- layers
To StringFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate String - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate StringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- model
Name String - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- momentum String
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- nesterov String
- Enable nesterov when optimizer is 'sgd'.
- number
Of StringEpochs - Number of training epochs. Must be a positive integer.
- number
Of StringWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer String
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- random
Seed String - Random seed to be used when using deterministic training.
- step
LRGamma String - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep StringSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- training
Batch StringSize - Training batch size. Must be a positive integer.
- training
Crop StringSize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- validation
Batch StringSize - Validation batch size. Must be a positive integer.
- validation
Crop StringSize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- validation
Resize StringSize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- warmup
Cosine StringLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine StringLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay String - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- weighted
Loss String - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
- ams
Gradient string - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations string
- Settings for using Augmentations.
- beta1 string
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 string
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- distributed string
- Whether to use distributer training.
- early
Stopping string - Enable early stopping logic during training.
- early
Stopping stringDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping stringPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx stringNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency string - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation stringStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- layers
To stringFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate string - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate stringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- momentum string
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- nesterov string
- Enable nesterov when optimizer is 'sgd'.
- number
Of stringEpochs - Number of training epochs. Must be a positive integer.
- number
Of stringWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer string
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- random
Seed string - Random seed to be used when using deterministic training.
- step
LRGamma string - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep stringSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- training
Batch stringSize - Training batch size. Must be a positive integer.
- training
Crop stringSize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- validation
Batch stringSize - Validation batch size. Must be a positive integer.
- validation
Crop stringSize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- validation
Resize stringSize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- warmup
Cosine stringLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine stringLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay string - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- weighted
Loss string - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
- ams_
gradient str - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations str
- Settings for using Augmentations.
- beta1 str
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 str
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- distributed str
- Whether to use distributer training.
- early_
stopping str - Enable early stopping logic during training.
- early_
stopping_ strdelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early_
stopping_ strpatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable_
onnx_ strnormalization - Enable normalization when exporting ONNX model.
- evaluation_
frequency str - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient_
accumulation_ strstep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- layers_
to_ strfreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning_
rate str - Initial learning rate. Must be a float in the range [0, 1].
- learning_
rate_ strscheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- model_
name str - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- momentum str
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- nesterov str
- Enable nesterov when optimizer is 'sgd'.
- number_
of_ strepochs - Number of training epochs. Must be a positive integer.
- number_
of_ strworkers - Number of data loader workers. Must be a non-negative integer.
- optimizer str
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- random_
seed str - Random seed to be used when using deterministic training.
- step_
lr_ strgamma - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step_
lr_ strstep_ size - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- training_
batch_ strsize - Training batch size. Must be a positive integer.
- training_
crop_ strsize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- validation_
batch_ strsize - Validation batch size. Must be a positive integer.
- validation_
crop_ strsize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- validation_
resize_ strsize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- warmup_
cosine_ strlr_ cycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup_
cosine_ strlr_ warmup_ epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight_
decay str - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- weighted_
loss str - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
- ams
Gradient String - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations String
- Settings for using Augmentations.
- beta1 String
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 String
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- distributed String
- Whether to use distributer training.
- early
Stopping String - Enable early stopping logic during training.
- early
Stopping StringDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping StringPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx StringNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency String - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation StringStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- layers
To StringFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate String - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate StringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- model
Name String - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- momentum String
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- nesterov String
- Enable nesterov when optimizer is 'sgd'.
- number
Of StringEpochs - Number of training epochs. Must be a positive integer.
- number
Of StringWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer String
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- random
Seed String - Random seed to be used when using deterministic training.
- step
LRGamma String - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep StringSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- training
Batch StringSize - Training batch size. Must be a positive integer.
- training
Crop StringSize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- validation
Batch StringSize - Validation batch size. Must be a positive integer.
- validation
Crop StringSize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- validation
Resize StringSize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- warmup
Cosine StringLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine StringLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay String - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- weighted
Loss String - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
ImageModelDistributionSettingsClassificationResponse, ImageModelDistributionSettingsClassificationResponseArgs
- Ams
Gradient string - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- Augmentations string
- Settings for using Augmentations.
- Beta1 string
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Beta2 string
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Distributed string
- Whether to use distributer training.
- Early
Stopping string - Enable early stopping logic during training.
- Early
Stopping stringDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- Early
Stopping stringPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- Enable
Onnx stringNormalization - Enable normalization when exporting ONNX model.
- Evaluation
Frequency string - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- Gradient
Accumulation stringStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- Layers
To stringFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Learning
Rate string - Initial learning rate. Must be a float in the range [0, 1].
- Learning
Rate stringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- Model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Momentum string
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- Nesterov string
- Enable nesterov when optimizer is 'sgd'.
- Number
Of stringEpochs - Number of training epochs. Must be a positive integer.
- Number
Of stringWorkers - Number of data loader workers. Must be a non-negative integer.
- Optimizer string
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- Random
Seed string - Random seed to be used when using deterministic training.
- Step
LRGamma string - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- Step
LRStep stringSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- Training
Batch stringSize - Training batch size. Must be a positive integer.
- Training
Crop stringSize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- Validation
Batch stringSize - Validation batch size. Must be a positive integer.
- Validation
Crop stringSize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- Validation
Resize stringSize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- Warmup
Cosine stringLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- Warmup
Cosine stringLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- Weight
Decay string - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- Weighted
Loss string - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
- Ams
Gradient string - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- Augmentations string
- Settings for using Augmentations.
- Beta1 string
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Beta2 string
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Distributed string
- Whether to use distributer training.
- Early
Stopping string - Enable early stopping logic during training.
- Early
Stopping stringDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- Early
Stopping stringPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- Enable
Onnx stringNormalization - Enable normalization when exporting ONNX model.
- Evaluation
Frequency string - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- Gradient
Accumulation stringStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- Layers
To stringFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Learning
Rate string - Initial learning rate. Must be a float in the range [0, 1].
- Learning
Rate stringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- Model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Momentum string
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- Nesterov string
- Enable nesterov when optimizer is 'sgd'.
- Number
Of stringEpochs - Number of training epochs. Must be a positive integer.
- Number
Of stringWorkers - Number of data loader workers. Must be a non-negative integer.
- Optimizer string
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- Random
Seed string - Random seed to be used when using deterministic training.
- Step
LRGamma string - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- Step
LRStep stringSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- Training
Batch stringSize - Training batch size. Must be a positive integer.
- Training
Crop stringSize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- Validation
Batch stringSize - Validation batch size. Must be a positive integer.
- Validation
Crop stringSize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- Validation
Resize stringSize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- Warmup
Cosine stringLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- Warmup
Cosine stringLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- Weight
Decay string - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- Weighted
Loss string - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
- ams
Gradient String - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations String
- Settings for using Augmentations.
- beta1 String
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 String
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- distributed String
- Whether to use distributer training.
- early
Stopping String - Enable early stopping logic during training.
- early
Stopping StringDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping StringPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx StringNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency String - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation StringStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- layers
To StringFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate String - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate StringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- model
Name String - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- momentum String
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- nesterov String
- Enable nesterov when optimizer is 'sgd'.
- number
Of StringEpochs - Number of training epochs. Must be a positive integer.
- number
Of StringWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer String
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- random
Seed String - Random seed to be used when using deterministic training.
- step
LRGamma String - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep StringSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- training
Batch StringSize - Training batch size. Must be a positive integer.
- training
Crop StringSize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- validation
Batch StringSize - Validation batch size. Must be a positive integer.
- validation
Crop StringSize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- validation
Resize StringSize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- warmup
Cosine StringLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine StringLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay String - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- weighted
Loss String - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
- ams
Gradient string - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations string
- Settings for using Augmentations.
- beta1 string
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 string
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- distributed string
- Whether to use distributer training.
- early
Stopping string - Enable early stopping logic during training.
- early
Stopping stringDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping stringPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx stringNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency string - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation stringStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- layers
To stringFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate string - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate stringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- momentum string
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- nesterov string
- Enable nesterov when optimizer is 'sgd'.
- number
Of stringEpochs - Number of training epochs. Must be a positive integer.
- number
Of stringWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer string
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- random
Seed string - Random seed to be used when using deterministic training.
- step
LRGamma string - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep stringSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- training
Batch stringSize - Training batch size. Must be a positive integer.
- training
Crop stringSize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- validation
Batch stringSize - Validation batch size. Must be a positive integer.
- validation
Crop stringSize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- validation
Resize stringSize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- warmup
Cosine stringLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine stringLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay string - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- weighted
Loss string - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
- ams_
gradient str - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations str
- Settings for using Augmentations.
- beta1 str
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 str
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- distributed str
- Whether to use distributer training.
- early_
stopping str - Enable early stopping logic during training.
- early_
stopping_ strdelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early_
stopping_ strpatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable_
onnx_ strnormalization - Enable normalization when exporting ONNX model.
- evaluation_
frequency str - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient_
accumulation_ strstep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- layers_
to_ strfreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning_
rate str - Initial learning rate. Must be a float in the range [0, 1].
- learning_
rate_ strscheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- model_
name str - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- momentum str
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- nesterov str
- Enable nesterov when optimizer is 'sgd'.
- number_
of_ strepochs - Number of training epochs. Must be a positive integer.
- number_
of_ strworkers - Number of data loader workers. Must be a non-negative integer.
- optimizer str
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- random_
seed str - Random seed to be used when using deterministic training.
- step_
lr_ strgamma - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step_
lr_ strstep_ size - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- training_
batch_ strsize - Training batch size. Must be a positive integer.
- training_
crop_ strsize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- validation_
batch_ strsize - Validation batch size. Must be a positive integer.
- validation_
crop_ strsize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- validation_
resize_ strsize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- warmup_
cosine_ strlr_ cycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup_
cosine_ strlr_ warmup_ epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight_
decay str - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- weighted_
loss str - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
- ams
Gradient String - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations String
- Settings for using Augmentations.
- beta1 String
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 String
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- distributed String
- Whether to use distributer training.
- early
Stopping String - Enable early stopping logic during training.
- early
Stopping StringDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping StringPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx StringNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency String - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation StringStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- layers
To StringFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate String - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate StringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- model
Name String - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- momentum String
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- nesterov String
- Enable nesterov when optimizer is 'sgd'.
- number
Of StringEpochs - Number of training epochs. Must be a positive integer.
- number
Of StringWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer String
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- random
Seed String - Random seed to be used when using deterministic training.
- step
LRGamma String - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep StringSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- training
Batch StringSize - Training batch size. Must be a positive integer.
- training
Crop StringSize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- validation
Batch StringSize - Validation batch size. Must be a positive integer.
- validation
Crop StringSize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- validation
Resize StringSize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- warmup
Cosine StringLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine StringLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay String - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- weighted
Loss String - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
ImageModelDistributionSettingsObjectDetection, ImageModelDistributionSettingsObjectDetectionArgs
- Ams
Gradient string - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- Augmentations string
- Settings for using Augmentations.
- Beta1 string
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Beta2 string
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Box
Detections stringPer Image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- Box
Score stringThreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- Distributed string
- Whether to use distributer training.
- Early
Stopping string - Enable early stopping logic during training.
- Early
Stopping stringDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- Early
Stopping stringPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- Enable
Onnx stringNormalization - Enable normalization when exporting ONNX model.
- Evaluation
Frequency string - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- Gradient
Accumulation stringStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- Image
Size string - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- Layers
To stringFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Learning
Rate string - Initial learning rate. Must be a float in the range [0, 1].
- Learning
Rate stringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- Max
Size string - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- Min
Size string - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- Model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Model
Size string - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- Momentum string
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- Multi
Scale string - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- Nesterov string
- Enable nesterov when optimizer is 'sgd'.
- Nms
Iou stringThreshold - IOU threshold used during inference in NMS post processing. Must be float in the range [0, 1].
- Number
Of stringEpochs - Number of training epochs. Must be a positive integer.
- Number
Of stringWorkers - Number of data loader workers. Must be a non-negative integer.
- Optimizer string
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- Random
Seed string - Random seed to be used when using deterministic training.
- Step
LRGamma string - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- Step
LRStep stringSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- Tile
Grid stringSize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- Tile
Overlap stringRatio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- Tile
Predictions stringNms Threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm. NMS: Non-maximum suppression
- Training
Batch stringSize - Training batch size. Must be a positive integer.
- Validation
Batch stringSize - Validation batch size. Must be a positive integer.
- Validation
Iou stringThreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- Validation
Metric stringType - Metric computation method to use for validation metrics. Must be 'none', 'coco', 'voc', or 'coco_voc'.
- Warmup
Cosine stringLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- Warmup
Cosine stringLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- Weight
Decay string - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- Ams
Gradient string - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- Augmentations string
- Settings for using Augmentations.
- Beta1 string
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Beta2 string
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Box
Detections stringPer Image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- Box
Score stringThreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- Distributed string
- Whether to use distributer training.
- Early
Stopping string - Enable early stopping logic during training.
- Early
Stopping stringDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- Early
Stopping stringPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- Enable
Onnx stringNormalization - Enable normalization when exporting ONNX model.
- Evaluation
Frequency string - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- Gradient
Accumulation stringStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- Image
Size string - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- Layers
To stringFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Learning
Rate string - Initial learning rate. Must be a float in the range [0, 1].
- Learning
Rate stringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- Max
Size string - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- Min
Size string - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- Model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Model
Size string - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- Momentum string
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- Multi
Scale string - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- Nesterov string
- Enable nesterov when optimizer is 'sgd'.
- Nms
Iou stringThreshold - IOU threshold used during inference in NMS post processing. Must be float in the range [0, 1].
- Number
Of stringEpochs - Number of training epochs. Must be a positive integer.
- Number
Of stringWorkers - Number of data loader workers. Must be a non-negative integer.
- Optimizer string
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- Random
Seed string - Random seed to be used when using deterministic training.
- Step
LRGamma string - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- Step
LRStep stringSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- Tile
Grid stringSize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- Tile
Overlap stringRatio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- Tile
Predictions stringNms Threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm. NMS: Non-maximum suppression
- Training
Batch stringSize - Training batch size. Must be a positive integer.
- Validation
Batch stringSize - Validation batch size. Must be a positive integer.
- Validation
Iou stringThreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- Validation
Metric stringType - Metric computation method to use for validation metrics. Must be 'none', 'coco', 'voc', or 'coco_voc'.
- Warmup
Cosine stringLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- Warmup
Cosine stringLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- Weight
Decay string - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- ams
Gradient String - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations String
- Settings for using Augmentations.
- beta1 String
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 String
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- box
Detections StringPer Image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- box
Score StringThreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- distributed String
- Whether to use distributer training.
- early
Stopping String - Enable early stopping logic during training.
- early
Stopping StringDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping StringPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx StringNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency String - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation StringStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- image
Size String - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- layers
To StringFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate String - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate StringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- max
Size String - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- min
Size String - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- model
Name String - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- model
Size String - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- momentum String
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- multi
Scale String - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- nesterov String
- Enable nesterov when optimizer is 'sgd'.
- nms
Iou StringThreshold - IOU threshold used during inference in NMS post processing. Must be float in the range [0, 1].
- number
Of StringEpochs - Number of training epochs. Must be a positive integer.
- number
Of StringWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer String
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- random
Seed String - Random seed to be used when using deterministic training.
- step
LRGamma String - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep StringSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- tile
Grid StringSize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Overlap StringRatio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Predictions StringNms Threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm. NMS: Non-maximum suppression
- training
Batch StringSize - Training batch size. Must be a positive integer.
- validation
Batch StringSize - Validation batch size. Must be a positive integer.
- validation
Iou StringThreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- validation
Metric StringType - Metric computation method to use for validation metrics. Must be 'none', 'coco', 'voc', or 'coco_voc'.
- warmup
Cosine StringLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine StringLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay String - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- ams
Gradient string - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations string
- Settings for using Augmentations.
- beta1 string
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 string
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- box
Detections stringPer Image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- box
Score stringThreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- distributed string
- Whether to use distributer training.
- early
Stopping string - Enable early stopping logic during training.
- early
Stopping stringDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping stringPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx stringNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency string - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation stringStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- image
Size string - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- layers
To stringFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate string - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate stringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- max
Size string - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- min
Size string - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- model
Size string - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- momentum string
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- multi
Scale string - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- nesterov string
- Enable nesterov when optimizer is 'sgd'.
- nms
Iou stringThreshold - IOU threshold used during inference in NMS post processing. Must be float in the range [0, 1].
- number
Of stringEpochs - Number of training epochs. Must be a positive integer.
- number
Of stringWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer string
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- random
Seed string - Random seed to be used when using deterministic training.
- step
LRGamma string - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep stringSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- tile
Grid stringSize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Overlap stringRatio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Predictions stringNms Threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm. NMS: Non-maximum suppression
- training
Batch stringSize - Training batch size. Must be a positive integer.
- validation
Batch stringSize - Validation batch size. Must be a positive integer.
- validation
Iou stringThreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- validation
Metric stringType - Metric computation method to use for validation metrics. Must be 'none', 'coco', 'voc', or 'coco_voc'.
- warmup
Cosine stringLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine stringLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay string - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- ams_
gradient str - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations str
- Settings for using Augmentations.
- beta1 str
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 str
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- box_
detections_ strper_ image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- box_
score_ strthreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- distributed str
- Whether to use distributer training.
- early_
stopping str - Enable early stopping logic during training.
- early_
stopping_ strdelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early_
stopping_ strpatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable_
onnx_ strnormalization - Enable normalization when exporting ONNX model.
- evaluation_
frequency str - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient_
accumulation_ strstep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- image_
size str - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- layers_
to_ strfreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning_
rate str - Initial learning rate. Must be a float in the range [0, 1].
- learning_
rate_ strscheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- max_
size str - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- min_
size str - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- model_
name str - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- model_
size str - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- momentum str
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- multi_
scale str - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- nesterov str
- Enable nesterov when optimizer is 'sgd'.
- nms_
iou_ strthreshold - IOU threshold used during inference in NMS post processing. Must be float in the range [0, 1].
- number_
of_ strepochs - Number of training epochs. Must be a positive integer.
- number_
of_ strworkers - Number of data loader workers. Must be a non-negative integer.
- optimizer str
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- random_
seed str - Random seed to be used when using deterministic training.
- step_
lr_ strgamma - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step_
lr_ strstep_ size - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- tile_
grid_ strsize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- tile_
overlap_ strratio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- tile_
predictions_ strnms_ threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm. NMS: Non-maximum suppression
- training_
batch_ strsize - Training batch size. Must be a positive integer.
- validation_
batch_ strsize - Validation batch size. Must be a positive integer.
- validation_
iou_ strthreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- validation_
metric_ strtype - Metric computation method to use for validation metrics. Must be 'none', 'coco', 'voc', or 'coco_voc'.
- warmup_
cosine_ strlr_ cycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup_
cosine_ strlr_ warmup_ epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight_
decay str - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- ams
Gradient String - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations String
- Settings for using Augmentations.
- beta1 String
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 String
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- box
Detections StringPer Image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- box
Score StringThreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- distributed String
- Whether to use distributer training.
- early
Stopping String - Enable early stopping logic during training.
- early
Stopping StringDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping StringPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx StringNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency String - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation StringStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- image
Size String - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- layers
To StringFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate String - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate StringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- max
Size String - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- min
Size String - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- model
Name String - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- model
Size String - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- momentum String
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- multi
Scale String - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- nesterov String
- Enable nesterov when optimizer is 'sgd'.
- nms
Iou StringThreshold - IOU threshold used during inference in NMS post processing. Must be float in the range [0, 1].
- number
Of StringEpochs - Number of training epochs. Must be a positive integer.
- number
Of StringWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer String
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- random
Seed String - Random seed to be used when using deterministic training.
- step
LRGamma String - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep StringSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- tile
Grid StringSize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Overlap StringRatio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Predictions StringNms Threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm. NMS: Non-maximum suppression
- training
Batch StringSize - Training batch size. Must be a positive integer.
- validation
Batch StringSize - Validation batch size. Must be a positive integer.
- validation
Iou StringThreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- validation
Metric StringType - Metric computation method to use for validation metrics. Must be 'none', 'coco', 'voc', or 'coco_voc'.
- warmup
Cosine StringLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine StringLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay String - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
ImageModelDistributionSettingsObjectDetectionResponse, ImageModelDistributionSettingsObjectDetectionResponseArgs
- Ams
Gradient string - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- Augmentations string
- Settings for using Augmentations.
- Beta1 string
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Beta2 string
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Box
Detections stringPer Image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- Box
Score stringThreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- Distributed string
- Whether to use distributer training.
- Early
Stopping string - Enable early stopping logic during training.
- Early
Stopping stringDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- Early
Stopping stringPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- Enable
Onnx stringNormalization - Enable normalization when exporting ONNX model.
- Evaluation
Frequency string - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- Gradient
Accumulation stringStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- Image
Size string - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- Layers
To stringFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Learning
Rate string - Initial learning rate. Must be a float in the range [0, 1].
- Learning
Rate stringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- Max
Size string - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- Min
Size string - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- Model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Model
Size string - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- Momentum string
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- Multi
Scale string - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- Nesterov string
- Enable nesterov when optimizer is 'sgd'.
- Nms
Iou stringThreshold - IOU threshold used during inference in NMS post processing. Must be float in the range [0, 1].
- Number
Of stringEpochs - Number of training epochs. Must be a positive integer.
- Number
Of stringWorkers - Number of data loader workers. Must be a non-negative integer.
- Optimizer string
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- Random
Seed string - Random seed to be used when using deterministic training.
- Step
LRGamma string - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- Step
LRStep stringSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- Tile
Grid stringSize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- Tile
Overlap stringRatio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- Tile
Predictions stringNms Threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm. NMS: Non-maximum suppression
- Training
Batch stringSize - Training batch size. Must be a positive integer.
- Validation
Batch stringSize - Validation batch size. Must be a positive integer.
- Validation
Iou stringThreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- Validation
Metric stringType - Metric computation method to use for validation metrics. Must be 'none', 'coco', 'voc', or 'coco_voc'.
- Warmup
Cosine stringLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- Warmup
Cosine stringLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- Weight
Decay string - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- Ams
Gradient string - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- Augmentations string
- Settings for using Augmentations.
- Beta1 string
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Beta2 string
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Box
Detections stringPer Image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- Box
Score stringThreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- Distributed string
- Whether to use distributer training.
- Early
Stopping string - Enable early stopping logic during training.
- Early
Stopping stringDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- Early
Stopping stringPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- Enable
Onnx stringNormalization - Enable normalization when exporting ONNX model.
- Evaluation
Frequency string - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- Gradient
Accumulation stringStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- Image
Size string - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- Layers
To stringFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Learning
Rate string - Initial learning rate. Must be a float in the range [0, 1].
- Learning
Rate stringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- Max
Size string - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- Min
Size string - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- Model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Model
Size string - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- Momentum string
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- Multi
Scale string - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- Nesterov string
- Enable nesterov when optimizer is 'sgd'.
- Nms
Iou stringThreshold - IOU threshold used during inference in NMS post processing. Must be float in the range [0, 1].
- Number
Of stringEpochs - Number of training epochs. Must be a positive integer.
- Number
Of stringWorkers - Number of data loader workers. Must be a non-negative integer.
- Optimizer string
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- Random
Seed string - Random seed to be used when using deterministic training.
- Step
LRGamma string - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- Step
LRStep stringSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- Tile
Grid stringSize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- Tile
Overlap stringRatio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- Tile
Predictions stringNms Threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm. NMS: Non-maximum suppression
- Training
Batch stringSize - Training batch size. Must be a positive integer.
- Validation
Batch stringSize - Validation batch size. Must be a positive integer.
- Validation
Iou stringThreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- Validation
Metric stringType - Metric computation method to use for validation metrics. Must be 'none', 'coco', 'voc', or 'coco_voc'.
- Warmup
Cosine stringLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- Warmup
Cosine stringLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- Weight
Decay string - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- ams
Gradient String - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations String
- Settings for using Augmentations.
- beta1 String
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 String
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- box
Detections StringPer Image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- box
Score StringThreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- distributed String
- Whether to use distributer training.
- early
Stopping String - Enable early stopping logic during training.
- early
Stopping StringDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping StringPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx StringNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency String - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation StringStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- image
Size String - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- layers
To StringFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate String - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate StringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- max
Size String - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- min
Size String - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- model
Name String - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- model
Size String - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- momentum String
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- multi
Scale String - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- nesterov String
- Enable nesterov when optimizer is 'sgd'.
- nms
Iou StringThreshold - IOU threshold used during inference in NMS post processing. Must be float in the range [0, 1].
- number
Of StringEpochs - Number of training epochs. Must be a positive integer.
- number
Of StringWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer String
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- random
Seed String - Random seed to be used when using deterministic training.
- step
LRGamma String - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep StringSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- tile
Grid StringSize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Overlap StringRatio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Predictions StringNms Threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm. NMS: Non-maximum suppression
- training
Batch StringSize - Training batch size. Must be a positive integer.
- validation
Batch StringSize - Validation batch size. Must be a positive integer.
- validation
Iou StringThreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- validation
Metric StringType - Metric computation method to use for validation metrics. Must be 'none', 'coco', 'voc', or 'coco_voc'.
- warmup
Cosine StringLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine StringLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay String - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- ams
Gradient string - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations string
- Settings for using Augmentations.
- beta1 string
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 string
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- box
Detections stringPer Image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- box
Score stringThreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- distributed string
- Whether to use distributer training.
- early
Stopping string - Enable early stopping logic during training.
- early
Stopping stringDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping stringPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx stringNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency string - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation stringStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- image
Size string - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- layers
To stringFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate string - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate stringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- max
Size string - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- min
Size string - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- model
Size string - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- momentum string
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- multi
Scale string - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- nesterov string
- Enable nesterov when optimizer is 'sgd'.
- nms
Iou stringThreshold - IOU threshold used during inference in NMS post processing. Must be float in the range [0, 1].
- number
Of stringEpochs - Number of training epochs. Must be a positive integer.
- number
Of stringWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer string
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- random
Seed string - Random seed to be used when using deterministic training.
- step
LRGamma string - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep stringSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- tile
Grid stringSize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Overlap stringRatio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Predictions stringNms Threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm. NMS: Non-maximum suppression
- training
Batch stringSize - Training batch size. Must be a positive integer.
- validation
Batch stringSize - Validation batch size. Must be a positive integer.
- validation
Iou stringThreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- validation
Metric stringType - Metric computation method to use for validation metrics. Must be 'none', 'coco', 'voc', or 'coco_voc'.
- warmup
Cosine stringLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine stringLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay string - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- ams_
gradient str - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations str
- Settings for using Augmentations.
- beta1 str
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 str
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- box_
detections_ strper_ image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- box_
score_ strthreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- distributed str
- Whether to use distributer training.
- early_
stopping str - Enable early stopping logic during training.
- early_
stopping_ strdelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early_
stopping_ strpatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable_
onnx_ strnormalization - Enable normalization when exporting ONNX model.
- evaluation_
frequency str - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient_
accumulation_ strstep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- image_
size str - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- layers_
to_ strfreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning_
rate str - Initial learning rate. Must be a float in the range [0, 1].
- learning_
rate_ strscheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- max_
size str - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- min_
size str - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- model_
name str - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- model_
size str - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- momentum str
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- multi_
scale str - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- nesterov str
- Enable nesterov when optimizer is 'sgd'.
- nms_
iou_ strthreshold - IOU threshold used during inference in NMS post processing. Must be float in the range [0, 1].
- number_
of_ strepochs - Number of training epochs. Must be a positive integer.
- number_
of_ strworkers - Number of data loader workers. Must be a non-negative integer.
- optimizer str
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- random_
seed str - Random seed to be used when using deterministic training.
- step_
lr_ strgamma - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step_
lr_ strstep_ size - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- tile_
grid_ strsize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- tile_
overlap_ strratio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- tile_
predictions_ strnms_ threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm. NMS: Non-maximum suppression
- training_
batch_ strsize - Training batch size. Must be a positive integer.
- validation_
batch_ strsize - Validation batch size. Must be a positive integer.
- validation_
iou_ strthreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- validation_
metric_ strtype - Metric computation method to use for validation metrics. Must be 'none', 'coco', 'voc', or 'coco_voc'.
- warmup_
cosine_ strlr_ cycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup_
cosine_ strlr_ warmup_ epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight_
decay str - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- ams
Gradient String - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations String
- Settings for using Augmentations.
- beta1 String
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 String
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- box
Detections StringPer Image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- box
Score StringThreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- distributed String
- Whether to use distributer training.
- early
Stopping String - Enable early stopping logic during training.
- early
Stopping StringDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping StringPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx StringNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency String - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation StringStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- image
Size String - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- layers
To StringFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate String - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate StringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- max
Size String - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- min
Size String - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- model
Name String - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- model
Size String - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- momentum String
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- multi
Scale String - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- nesterov String
- Enable nesterov when optimizer is 'sgd'.
- nms
Iou StringThreshold - IOU threshold used during inference in NMS post processing. Must be float in the range [0, 1].
- number
Of StringEpochs - Number of training epochs. Must be a positive integer.
- number
Of StringWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer String
- Type of optimizer. Must be either 'sgd', 'adam', or 'adamw'.
- random
Seed String - Random seed to be used when using deterministic training.
- step
LRGamma String - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep StringSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- tile
Grid StringSize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Overlap StringRatio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Predictions StringNms Threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm. NMS: Non-maximum suppression
- training
Batch StringSize - Training batch size. Must be a positive integer.
- validation
Batch StringSize - Validation batch size. Must be a positive integer.
- validation
Iou StringThreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- validation
Metric StringType - Metric computation method to use for validation metrics. Must be 'none', 'coco', 'voc', or 'coco_voc'.
- warmup
Cosine StringLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine StringLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay String - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
ImageModelSettingsClassification, ImageModelSettingsClassificationArgs
- Advanced
Settings string - Settings for advanced scenarios.
- Ams
Gradient bool - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- Augmentations string
- Settings for using Augmentations.
- Beta1 double
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Beta2 double
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Checkpoint
Frequency int - Frequency to store model checkpoints. Must be a positive integer.
- Checkpoint
Model Pulumi.Azure Native. Machine Learning Services. Inputs. MLFlow Model Job Input - The pretrained checkpoint model for incremental training.
- Checkpoint
Run stringId - The id of a previous run that has a pretrained checkpoint for incremental training.
- Distributed bool
- Whether to use distributed training.
- Early
Stopping bool - Enable early stopping logic during training.
- Early
Stopping intDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- Early
Stopping intPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- Enable
Onnx boolNormalization - Enable normalization when exporting ONNX model.
- Evaluation
Frequency int - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- Gradient
Accumulation intStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- Layers
To intFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Learning
Rate double - Initial learning rate. Must be a float in the range [0, 1].
- Learning
Rate string | Pulumi.Scheduler Azure Native. Machine Learning Services. Learning Rate Scheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- Model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Momentum double
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- Nesterov bool
- Enable nesterov when optimizer is 'sgd'.
- Number
Of intEpochs - Number of training epochs. Must be a positive integer.
- Number
Of intWorkers - Number of data loader workers. Must be a non-negative integer.
- Optimizer
string | Pulumi.
Azure Native. Machine Learning Services. Stochastic Optimizer - Type of optimizer.
- Random
Seed int - Random seed to be used when using deterministic training.
- Step
LRGamma double - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- Step
LRStep intSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- Training
Batch intSize - Training batch size. Must be a positive integer.
- Training
Crop intSize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- Validation
Batch intSize - Validation batch size. Must be a positive integer.
- Validation
Crop intSize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- Validation
Resize intSize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- Warmup
Cosine doubleLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- Warmup
Cosine intLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- Weight
Decay double - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- Weighted
Loss int - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
- Advanced
Settings string - Settings for advanced scenarios.
- Ams
Gradient bool - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- Augmentations string
- Settings for using Augmentations.
- Beta1 float64
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Beta2 float64
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Checkpoint
Frequency int - Frequency to store model checkpoints. Must be a positive integer.
- Checkpoint
Model MLFlowModel Job Input - The pretrained checkpoint model for incremental training.
- Checkpoint
Run stringId - The id of a previous run that has a pretrained checkpoint for incremental training.
- Distributed bool
- Whether to use distributed training.
- Early
Stopping bool - Enable early stopping logic during training.
- Early
Stopping intDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- Early
Stopping intPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- Enable
Onnx boolNormalization - Enable normalization when exporting ONNX model.
- Evaluation
Frequency int - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- Gradient
Accumulation intStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- Layers
To intFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Learning
Rate float64 - Initial learning rate. Must be a float in the range [0, 1].
- Learning
Rate string | LearningScheduler Rate Scheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- Model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Momentum float64
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- Nesterov bool
- Enable nesterov when optimizer is 'sgd'.
- Number
Of intEpochs - Number of training epochs. Must be a positive integer.
- Number
Of intWorkers - Number of data loader workers. Must be a non-negative integer.
- Optimizer
string | Stochastic
Optimizer - Type of optimizer.
- Random
Seed int - Random seed to be used when using deterministic training.
- Step
LRGamma float64 - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- Step
LRStep intSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- Training
Batch intSize - Training batch size. Must be a positive integer.
- Training
Crop intSize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- Validation
Batch intSize - Validation batch size. Must be a positive integer.
- Validation
Crop intSize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- Validation
Resize intSize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- Warmup
Cosine float64LRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- Warmup
Cosine intLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- Weight
Decay float64 - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- Weighted
Loss int - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
- advanced
Settings String - Settings for advanced scenarios.
- ams
Gradient Boolean - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations String
- Settings for using Augmentations.
- beta1 Double
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 Double
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- checkpoint
Frequency Integer - Frequency to store model checkpoints. Must be a positive integer.
- checkpoint
Model MLFlowModel Job Input - The pretrained checkpoint model for incremental training.
- checkpoint
Run StringId - The id of a previous run that has a pretrained checkpoint for incremental training.
- distributed Boolean
- Whether to use distributed training.
- early
Stopping Boolean - Enable early stopping logic during training.
- early
Stopping IntegerDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping IntegerPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx BooleanNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency Integer - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation IntegerStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- layers
To IntegerFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate Double - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate String | LearningScheduler Rate Scheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- model
Name String - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- momentum Double
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- nesterov Boolean
- Enable nesterov when optimizer is 'sgd'.
- number
Of IntegerEpochs - Number of training epochs. Must be a positive integer.
- number
Of IntegerWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer
String | Stochastic
Optimizer - Type of optimizer.
- random
Seed Integer - Random seed to be used when using deterministic training.
- step
LRGamma Double - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep IntegerSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- training
Batch IntegerSize - Training batch size. Must be a positive integer.
- training
Crop IntegerSize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- validation
Batch IntegerSize - Validation batch size. Must be a positive integer.
- validation
Crop IntegerSize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- validation
Resize IntegerSize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- warmup
Cosine DoubleLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine IntegerLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay Double - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- weighted
Loss Integer - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
- advanced
Settings string - Settings for advanced scenarios.
- ams
Gradient boolean - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations string
- Settings for using Augmentations.
- beta1 number
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 number
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- checkpoint
Frequency number - Frequency to store model checkpoints. Must be a positive integer.
- checkpoint
Model MLFlowModel Job Input - The pretrained checkpoint model for incremental training.
- checkpoint
Run stringId - The id of a previous run that has a pretrained checkpoint for incremental training.
- distributed boolean
- Whether to use distributed training.
- early
Stopping boolean - Enable early stopping logic during training.
- early
Stopping numberDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping numberPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx booleanNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency number - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation numberStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- layers
To numberFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate number - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate string | LearningScheduler Rate Scheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- momentum number
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- nesterov boolean
- Enable nesterov when optimizer is 'sgd'.
- number
Of numberEpochs - Number of training epochs. Must be a positive integer.
- number
Of numberWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer
string | Stochastic
Optimizer - Type of optimizer.
- random
Seed number - Random seed to be used when using deterministic training.
- step
LRGamma number - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep numberSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- training
Batch numberSize - Training batch size. Must be a positive integer.
- training
Crop numberSize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- validation
Batch numberSize - Validation batch size. Must be a positive integer.
- validation
Crop numberSize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- validation
Resize numberSize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- warmup
Cosine numberLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine numberLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay number - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- weighted
Loss number - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
- advanced_
settings str - Settings for advanced scenarios.
- ams_
gradient bool - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations str
- Settings for using Augmentations.
- beta1 float
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 float
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- checkpoint_
frequency int - Frequency to store model checkpoints. Must be a positive integer.
- checkpoint_
model MLFlowModel Job Input - The pretrained checkpoint model for incremental training.
- checkpoint_
run_ strid - The id of a previous run that has a pretrained checkpoint for incremental training.
- distributed bool
- Whether to use distributed training.
- early_
stopping bool - Enable early stopping logic during training.
- early_
stopping_ intdelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early_
stopping_ intpatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable_
onnx_ boolnormalization - Enable normalization when exporting ONNX model.
- evaluation_
frequency int - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient_
accumulation_ intstep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- layers_
to_ intfreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning_
rate float - Initial learning rate. Must be a float in the range [0, 1].
- learning_
rate_ str | Learningscheduler Rate Scheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- model_
name str - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- momentum float
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- nesterov bool
- Enable nesterov when optimizer is 'sgd'.
- number_
of_ intepochs - Number of training epochs. Must be a positive integer.
- number_
of_ intworkers - Number of data loader workers. Must be a non-negative integer.
- optimizer
str | Stochastic
Optimizer - Type of optimizer.
- random_
seed int - Random seed to be used when using deterministic training.
- step_
lr_ floatgamma - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step_
lr_ intstep_ size - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- training_
batch_ intsize - Training batch size. Must be a positive integer.
- training_
crop_ intsize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- validation_
batch_ intsize - Validation batch size. Must be a positive integer.
- validation_
crop_ intsize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- validation_
resize_ intsize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- warmup_
cosine_ floatlr_ cycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup_
cosine_ intlr_ warmup_ epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight_
decay float - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- weighted_
loss int - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
- advanced
Settings String - Settings for advanced scenarios.
- ams
Gradient Boolean - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations String
- Settings for using Augmentations.
- beta1 Number
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 Number
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- checkpoint
Frequency Number - Frequency to store model checkpoints. Must be a positive integer.
- checkpoint
Model Property Map - The pretrained checkpoint model for incremental training.
- checkpoint
Run StringId - The id of a previous run that has a pretrained checkpoint for incremental training.
- distributed Boolean
- Whether to use distributed training.
- early
Stopping Boolean - Enable early stopping logic during training.
- early
Stopping NumberDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping NumberPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx BooleanNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency Number - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation NumberStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- layers
To NumberFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate Number - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate String | "None" | "WarmupScheduler Cosine" | "Step" - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- model
Name String - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- momentum Number
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- nesterov Boolean
- Enable nesterov when optimizer is 'sgd'.
- number
Of NumberEpochs - Number of training epochs. Must be a positive integer.
- number
Of NumberWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer String | "None" | "Sgd" | "Adam" | "Adamw"
- Type of optimizer.
- random
Seed Number - Random seed to be used when using deterministic training.
- step
LRGamma Number - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep NumberSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- training
Batch NumberSize - Training batch size. Must be a positive integer.
- training
Crop NumberSize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- validation
Batch NumberSize - Validation batch size. Must be a positive integer.
- validation
Crop NumberSize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- validation
Resize NumberSize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- warmup
Cosine NumberLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine NumberLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay Number - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- weighted
Loss Number - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
ImageModelSettingsClassificationResponse, ImageModelSettingsClassificationResponseArgs
- Advanced
Settings string - Settings for advanced scenarios.
- Ams
Gradient bool - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- Augmentations string
- Settings for using Augmentations.
- Beta1 double
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Beta2 double
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Checkpoint
Frequency int - Frequency to store model checkpoints. Must be a positive integer.
- Checkpoint
Model Pulumi.Azure Native. Machine Learning Services. Inputs. MLFlow Model Job Input Response - The pretrained checkpoint model for incremental training.
- Checkpoint
Run stringId - The id of a previous run that has a pretrained checkpoint for incremental training.
- Distributed bool
- Whether to use distributed training.
- Early
Stopping bool - Enable early stopping logic during training.
- Early
Stopping intDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- Early
Stopping intPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- Enable
Onnx boolNormalization - Enable normalization when exporting ONNX model.
- Evaluation
Frequency int - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- Gradient
Accumulation intStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- Layers
To intFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Learning
Rate double - Initial learning rate. Must be a float in the range [0, 1].
- Learning
Rate stringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- Model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Momentum double
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- Nesterov bool
- Enable nesterov when optimizer is 'sgd'.
- Number
Of intEpochs - Number of training epochs. Must be a positive integer.
- Number
Of intWorkers - Number of data loader workers. Must be a non-negative integer.
- Optimizer string
- Type of optimizer.
- Random
Seed int - Random seed to be used when using deterministic training.
- Step
LRGamma double - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- Step
LRStep intSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- Training
Batch intSize - Training batch size. Must be a positive integer.
- Training
Crop intSize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- Validation
Batch intSize - Validation batch size. Must be a positive integer.
- Validation
Crop intSize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- Validation
Resize intSize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- Warmup
Cosine doubleLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- Warmup
Cosine intLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- Weight
Decay double - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- Weighted
Loss int - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
- Advanced
Settings string - Settings for advanced scenarios.
- Ams
Gradient bool - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- Augmentations string
- Settings for using Augmentations.
- Beta1 float64
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Beta2 float64
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Checkpoint
Frequency int - Frequency to store model checkpoints. Must be a positive integer.
- Checkpoint
Model MLFlowModel Job Input Response - The pretrained checkpoint model for incremental training.
- Checkpoint
Run stringId - The id of a previous run that has a pretrained checkpoint for incremental training.
- Distributed bool
- Whether to use distributed training.
- Early
Stopping bool - Enable early stopping logic during training.
- Early
Stopping intDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- Early
Stopping intPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- Enable
Onnx boolNormalization - Enable normalization when exporting ONNX model.
- Evaluation
Frequency int - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- Gradient
Accumulation intStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- Layers
To intFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Learning
Rate float64 - Initial learning rate. Must be a float in the range [0, 1].
- Learning
Rate stringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- Model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Momentum float64
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- Nesterov bool
- Enable nesterov when optimizer is 'sgd'.
- Number
Of intEpochs - Number of training epochs. Must be a positive integer.
- Number
Of intWorkers - Number of data loader workers. Must be a non-negative integer.
- Optimizer string
- Type of optimizer.
- Random
Seed int - Random seed to be used when using deterministic training.
- Step
LRGamma float64 - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- Step
LRStep intSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- Training
Batch intSize - Training batch size. Must be a positive integer.
- Training
Crop intSize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- Validation
Batch intSize - Validation batch size. Must be a positive integer.
- Validation
Crop intSize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- Validation
Resize intSize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- Warmup
Cosine float64LRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- Warmup
Cosine intLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- Weight
Decay float64 - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- Weighted
Loss int - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
- advanced
Settings String - Settings for advanced scenarios.
- ams
Gradient Boolean - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations String
- Settings for using Augmentations.
- beta1 Double
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 Double
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- checkpoint
Frequency Integer - Frequency to store model checkpoints. Must be a positive integer.
- checkpoint
Model MLFlowModel Job Input Response - The pretrained checkpoint model for incremental training.
- checkpoint
Run StringId - The id of a previous run that has a pretrained checkpoint for incremental training.
- distributed Boolean
- Whether to use distributed training.
- early
Stopping Boolean - Enable early stopping logic during training.
- early
Stopping IntegerDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping IntegerPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx BooleanNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency Integer - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation IntegerStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- layers
To IntegerFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate Double - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate StringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- model
Name String - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- momentum Double
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- nesterov Boolean
- Enable nesterov when optimizer is 'sgd'.
- number
Of IntegerEpochs - Number of training epochs. Must be a positive integer.
- number
Of IntegerWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer String
- Type of optimizer.
- random
Seed Integer - Random seed to be used when using deterministic training.
- step
LRGamma Double - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep IntegerSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- training
Batch IntegerSize - Training batch size. Must be a positive integer.
- training
Crop IntegerSize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- validation
Batch IntegerSize - Validation batch size. Must be a positive integer.
- validation
Crop IntegerSize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- validation
Resize IntegerSize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- warmup
Cosine DoubleLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine IntegerLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay Double - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- weighted
Loss Integer - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
- advanced
Settings string - Settings for advanced scenarios.
- ams
Gradient boolean - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations string
- Settings for using Augmentations.
- beta1 number
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 number
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- checkpoint
Frequency number - Frequency to store model checkpoints. Must be a positive integer.
- checkpoint
Model MLFlowModel Job Input Response - The pretrained checkpoint model for incremental training.
- checkpoint
Run stringId - The id of a previous run that has a pretrained checkpoint for incremental training.
- distributed boolean
- Whether to use distributed training.
- early
Stopping boolean - Enable early stopping logic during training.
- early
Stopping numberDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping numberPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx booleanNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency number - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation numberStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- layers
To numberFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate number - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate stringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- momentum number
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- nesterov boolean
- Enable nesterov when optimizer is 'sgd'.
- number
Of numberEpochs - Number of training epochs. Must be a positive integer.
- number
Of numberWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer string
- Type of optimizer.
- random
Seed number - Random seed to be used when using deterministic training.
- step
LRGamma number - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep numberSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- training
Batch numberSize - Training batch size. Must be a positive integer.
- training
Crop numberSize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- validation
Batch numberSize - Validation batch size. Must be a positive integer.
- validation
Crop numberSize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- validation
Resize numberSize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- warmup
Cosine numberLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine numberLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay number - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- weighted
Loss number - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
- advanced_
settings str - Settings for advanced scenarios.
- ams_
gradient bool - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations str
- Settings for using Augmentations.
- beta1 float
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 float
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- checkpoint_
frequency int - Frequency to store model checkpoints. Must be a positive integer.
- checkpoint_
model MLFlowModel Job Input Response - The pretrained checkpoint model for incremental training.
- checkpoint_
run_ strid - The id of a previous run that has a pretrained checkpoint for incremental training.
- distributed bool
- Whether to use distributed training.
- early_
stopping bool - Enable early stopping logic during training.
- early_
stopping_ intdelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early_
stopping_ intpatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable_
onnx_ boolnormalization - Enable normalization when exporting ONNX model.
- evaluation_
frequency int - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient_
accumulation_ intstep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- layers_
to_ intfreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning_
rate float - Initial learning rate. Must be a float in the range [0, 1].
- learning_
rate_ strscheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- model_
name str - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- momentum float
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- nesterov bool
- Enable nesterov when optimizer is 'sgd'.
- number_
of_ intepochs - Number of training epochs. Must be a positive integer.
- number_
of_ intworkers - Number of data loader workers. Must be a non-negative integer.
- optimizer str
- Type of optimizer.
- random_
seed int - Random seed to be used when using deterministic training.
- step_
lr_ floatgamma - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step_
lr_ intstep_ size - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- training_
batch_ intsize - Training batch size. Must be a positive integer.
- training_
crop_ intsize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- validation_
batch_ intsize - Validation batch size. Must be a positive integer.
- validation_
crop_ intsize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- validation_
resize_ intsize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- warmup_
cosine_ floatlr_ cycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup_
cosine_ intlr_ warmup_ epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight_
decay float - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- weighted_
loss int - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
- advanced
Settings String - Settings for advanced scenarios.
- ams
Gradient Boolean - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations String
- Settings for using Augmentations.
- beta1 Number
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 Number
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- checkpoint
Frequency Number - Frequency to store model checkpoints. Must be a positive integer.
- checkpoint
Model Property Map - The pretrained checkpoint model for incremental training.
- checkpoint
Run StringId - The id of a previous run that has a pretrained checkpoint for incremental training.
- distributed Boolean
- Whether to use distributed training.
- early
Stopping Boolean - Enable early stopping logic during training.
- early
Stopping NumberDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping NumberPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx BooleanNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency Number - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation NumberStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- layers
To NumberFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate Number - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate StringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- model
Name String - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- momentum Number
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- nesterov Boolean
- Enable nesterov when optimizer is 'sgd'.
- number
Of NumberEpochs - Number of training epochs. Must be a positive integer.
- number
Of NumberWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer String
- Type of optimizer.
- random
Seed Number - Random seed to be used when using deterministic training.
- step
LRGamma Number - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep NumberSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- training
Batch NumberSize - Training batch size. Must be a positive integer.
- training
Crop NumberSize - Image crop size that is input to the neural network for the training dataset. Must be a positive integer.
- validation
Batch NumberSize - Validation batch size. Must be a positive integer.
- validation
Crop NumberSize - Image crop size that is input to the neural network for the validation dataset. Must be a positive integer.
- validation
Resize NumberSize - Image size to which to resize before cropping for validation dataset. Must be a positive integer.
- warmup
Cosine NumberLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine NumberLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay Number - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- weighted
Loss Number - Weighted loss. The accepted values are 0 for no weighted loss. 1 for weighted loss with sqrt.(class_weights). 2 for weighted loss with class_weights. Must be 0 or 1 or 2.
ImageModelSettingsObjectDetection, ImageModelSettingsObjectDetectionArgs
- Advanced
Settings string - Settings for advanced scenarios.
- Ams
Gradient bool - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- Augmentations string
- Settings for using Augmentations.
- Beta1 double
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Beta2 double
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Box
Detections intPer Image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- Box
Score doubleThreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- Checkpoint
Frequency int - Frequency to store model checkpoints. Must be a positive integer.
- Checkpoint
Model Pulumi.Azure Native. Machine Learning Services. Inputs. MLFlow Model Job Input - The pretrained checkpoint model for incremental training.
- Checkpoint
Run stringId - The id of a previous run that has a pretrained checkpoint for incremental training.
- Distributed bool
- Whether to use distributed training.
- Early
Stopping bool - Enable early stopping logic during training.
- Early
Stopping intDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- Early
Stopping intPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- Enable
Onnx boolNormalization - Enable normalization when exporting ONNX model.
- Evaluation
Frequency int - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- Gradient
Accumulation intStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- Image
Size int - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- Layers
To intFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Learning
Rate double - Initial learning rate. Must be a float in the range [0, 1].
- Learning
Rate string | Pulumi.Scheduler Azure Native. Machine Learning Services. Learning Rate Scheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- Max
Size int - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- Min
Size int - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- Model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Model
Size string | Pulumi.Azure Native. Machine Learning Services. Model Size - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- Momentum double
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- Multi
Scale bool - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- Nesterov bool
- Enable nesterov when optimizer is 'sgd'.
- Nms
Iou doubleThreshold - IOU threshold used during inference in NMS post processing. Must be a float in the range [0, 1].
- Number
Of intEpochs - Number of training epochs. Must be a positive integer.
- Number
Of intWorkers - Number of data loader workers. Must be a non-negative integer.
- Optimizer
string | Pulumi.
Azure Native. Machine Learning Services. Stochastic Optimizer - Type of optimizer.
- Random
Seed int - Random seed to be used when using deterministic training.
- Step
LRGamma double - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- Step
LRStep intSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- Tile
Grid stringSize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- Tile
Overlap doubleRatio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- Tile
Predictions doubleNms Threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm.
- Training
Batch intSize - Training batch size. Must be a positive integer.
- Validation
Batch intSize - Validation batch size. Must be a positive integer.
- Validation
Iou doubleThreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- Validation
Metric string | Pulumi.Type Azure Native. Machine Learning Services. Validation Metric Type - Metric computation method to use for validation metrics.
- Warmup
Cosine doubleLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- Warmup
Cosine intLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- Weight
Decay double - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- Advanced
Settings string - Settings for advanced scenarios.
- Ams
Gradient bool - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- Augmentations string
- Settings for using Augmentations.
- Beta1 float64
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Beta2 float64
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Box
Detections intPer Image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- Box
Score float64Threshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- Checkpoint
Frequency int - Frequency to store model checkpoints. Must be a positive integer.
- Checkpoint
Model MLFlowModel Job Input - The pretrained checkpoint model for incremental training.
- Checkpoint
Run stringId - The id of a previous run that has a pretrained checkpoint for incremental training.
- Distributed bool
- Whether to use distributed training.
- Early
Stopping bool - Enable early stopping logic during training.
- Early
Stopping intDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- Early
Stopping intPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- Enable
Onnx boolNormalization - Enable normalization when exporting ONNX model.
- Evaluation
Frequency int - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- Gradient
Accumulation intStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- Image
Size int - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- Layers
To intFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Learning
Rate float64 - Initial learning rate. Must be a float in the range [0, 1].
- Learning
Rate string | LearningScheduler Rate Scheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- Max
Size int - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- Min
Size int - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- Model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Model
Size string | ModelSize - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- Momentum float64
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- Multi
Scale bool - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- Nesterov bool
- Enable nesterov when optimizer is 'sgd'.
- Nms
Iou float64Threshold - IOU threshold used during inference in NMS post processing. Must be a float in the range [0, 1].
- Number
Of intEpochs - Number of training epochs. Must be a positive integer.
- Number
Of intWorkers - Number of data loader workers. Must be a non-negative integer.
- Optimizer
string | Stochastic
Optimizer - Type of optimizer.
- Random
Seed int - Random seed to be used when using deterministic training.
- Step
LRGamma float64 - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- Step
LRStep intSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- Tile
Grid stringSize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- Tile
Overlap float64Ratio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- Tile
Predictions float64Nms Threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm.
- Training
Batch intSize - Training batch size. Must be a positive integer.
- Validation
Batch intSize - Validation batch size. Must be a positive integer.
- Validation
Iou float64Threshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- Validation
Metric string | ValidationType Metric Type - Metric computation method to use for validation metrics.
- Warmup
Cosine float64LRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- Warmup
Cosine intLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- Weight
Decay float64 - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- advanced
Settings String - Settings for advanced scenarios.
- ams
Gradient Boolean - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations String
- Settings for using Augmentations.
- beta1 Double
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 Double
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- box
Detections IntegerPer Image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- box
Score DoubleThreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- checkpoint
Frequency Integer - Frequency to store model checkpoints. Must be a positive integer.
- checkpoint
Model MLFlowModel Job Input - The pretrained checkpoint model for incremental training.
- checkpoint
Run StringId - The id of a previous run that has a pretrained checkpoint for incremental training.
- distributed Boolean
- Whether to use distributed training.
- early
Stopping Boolean - Enable early stopping logic during training.
- early
Stopping IntegerDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping IntegerPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx BooleanNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency Integer - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation IntegerStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- image
Size Integer - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- layers
To IntegerFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate Double - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate String | LearningScheduler Rate Scheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- max
Size Integer - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- min
Size Integer - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- model
Name String - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- model
Size String | ModelSize - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- momentum Double
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- multi
Scale Boolean - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- nesterov Boolean
- Enable nesterov when optimizer is 'sgd'.
- nms
Iou DoubleThreshold - IOU threshold used during inference in NMS post processing. Must be a float in the range [0, 1].
- number
Of IntegerEpochs - Number of training epochs. Must be a positive integer.
- number
Of IntegerWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer
String | Stochastic
Optimizer - Type of optimizer.
- random
Seed Integer - Random seed to be used when using deterministic training.
- step
LRGamma Double - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep IntegerSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- tile
Grid StringSize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Overlap DoubleRatio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Predictions DoubleNms Threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm.
- training
Batch IntegerSize - Training batch size. Must be a positive integer.
- validation
Batch IntegerSize - Validation batch size. Must be a positive integer.
- validation
Iou DoubleThreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- validation
Metric String | ValidationType Metric Type - Metric computation method to use for validation metrics.
- warmup
Cosine DoubleLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine IntegerLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay Double - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- advanced
Settings string - Settings for advanced scenarios.
- ams
Gradient boolean - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations string
- Settings for using Augmentations.
- beta1 number
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 number
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- box
Detections numberPer Image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- box
Score numberThreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- checkpoint
Frequency number - Frequency to store model checkpoints. Must be a positive integer.
- checkpoint
Model MLFlowModel Job Input - The pretrained checkpoint model for incremental training.
- checkpoint
Run stringId - The id of a previous run that has a pretrained checkpoint for incremental training.
- distributed boolean
- Whether to use distributed training.
- early
Stopping boolean - Enable early stopping logic during training.
- early
Stopping numberDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping numberPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx booleanNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency number - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation numberStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- image
Size number - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- layers
To numberFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate number - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate string | LearningScheduler Rate Scheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- max
Size number - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- min
Size number - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- model
Size string | ModelSize - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- momentum number
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- multi
Scale boolean - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- nesterov boolean
- Enable nesterov when optimizer is 'sgd'.
- nms
Iou numberThreshold - IOU threshold used during inference in NMS post processing. Must be a float in the range [0, 1].
- number
Of numberEpochs - Number of training epochs. Must be a positive integer.
- number
Of numberWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer
string | Stochastic
Optimizer - Type of optimizer.
- random
Seed number - Random seed to be used when using deterministic training.
- step
LRGamma number - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep numberSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- tile
Grid stringSize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Overlap numberRatio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Predictions numberNms Threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm.
- training
Batch numberSize - Training batch size. Must be a positive integer.
- validation
Batch numberSize - Validation batch size. Must be a positive integer.
- validation
Iou numberThreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- validation
Metric string | ValidationType Metric Type - Metric computation method to use for validation metrics.
- warmup
Cosine numberLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine numberLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay number - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- advanced_
settings str - Settings for advanced scenarios.
- ams_
gradient bool - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations str
- Settings for using Augmentations.
- beta1 float
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 float
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- box_
detections_ intper_ image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- box_
score_ floatthreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- checkpoint_
frequency int - Frequency to store model checkpoints. Must be a positive integer.
- checkpoint_
model MLFlowModel Job Input - The pretrained checkpoint model for incremental training.
- checkpoint_
run_ strid - The id of a previous run that has a pretrained checkpoint for incremental training.
- distributed bool
- Whether to use distributed training.
- early_
stopping bool - Enable early stopping logic during training.
- early_
stopping_ intdelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early_
stopping_ intpatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable_
onnx_ boolnormalization - Enable normalization when exporting ONNX model.
- evaluation_
frequency int - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient_
accumulation_ intstep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- image_
size int - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- layers_
to_ intfreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning_
rate float - Initial learning rate. Must be a float in the range [0, 1].
- learning_
rate_ str | Learningscheduler Rate Scheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- max_
size int - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- min_
size int - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- model_
name str - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- model_
size str | ModelSize - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- momentum float
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- multi_
scale bool - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- nesterov bool
- Enable nesterov when optimizer is 'sgd'.
- nms_
iou_ floatthreshold - IOU threshold used during inference in NMS post processing. Must be a float in the range [0, 1].
- number_
of_ intepochs - Number of training epochs. Must be a positive integer.
- number_
of_ intworkers - Number of data loader workers. Must be a non-negative integer.
- optimizer
str | Stochastic
Optimizer - Type of optimizer.
- random_
seed int - Random seed to be used when using deterministic training.
- step_
lr_ floatgamma - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step_
lr_ intstep_ size - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- tile_
grid_ strsize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- tile_
overlap_ floatratio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- tile_
predictions_ floatnms_ threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm.
- training_
batch_ intsize - Training batch size. Must be a positive integer.
- validation_
batch_ intsize - Validation batch size. Must be a positive integer.
- validation_
iou_ floatthreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- validation_
metric_ str | Validationtype Metric Type - Metric computation method to use for validation metrics.
- warmup_
cosine_ floatlr_ cycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup_
cosine_ intlr_ warmup_ epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight_
decay float - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- advanced
Settings String - Settings for advanced scenarios.
- ams
Gradient Boolean - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations String
- Settings for using Augmentations.
- beta1 Number
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 Number
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- box
Detections NumberPer Image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- box
Score NumberThreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- checkpoint
Frequency Number - Frequency to store model checkpoints. Must be a positive integer.
- checkpoint
Model Property Map - The pretrained checkpoint model for incremental training.
- checkpoint
Run StringId - The id of a previous run that has a pretrained checkpoint for incremental training.
- distributed Boolean
- Whether to use distributed training.
- early
Stopping Boolean - Enable early stopping logic during training.
- early
Stopping NumberDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping NumberPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx BooleanNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency Number - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation NumberStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- image
Size Number - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- layers
To NumberFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate Number - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate String | "None" | "WarmupScheduler Cosine" | "Step" - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- max
Size Number - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- min
Size Number - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- model
Name String - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- model
Size String | "None" | "Small" | "Medium" | "Large" | "ExtraLarge" - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- momentum Number
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- multi
Scale Boolean - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- nesterov Boolean
- Enable nesterov when optimizer is 'sgd'.
- nms
Iou NumberThreshold - IOU threshold used during inference in NMS post processing. Must be a float in the range [0, 1].
- number
Of NumberEpochs - Number of training epochs. Must be a positive integer.
- number
Of NumberWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer String | "None" | "Sgd" | "Adam" | "Adamw"
- Type of optimizer.
- random
Seed Number - Random seed to be used when using deterministic training.
- step
LRGamma Number - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep NumberSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- tile
Grid StringSize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Overlap NumberRatio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Predictions NumberNms Threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm.
- training
Batch NumberSize - Training batch size. Must be a positive integer.
- validation
Batch NumberSize - Validation batch size. Must be a positive integer.
- validation
Iou NumberThreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- validation
Metric String | "None" | "Coco" | "Voc" | "CocoType Voc" - Metric computation method to use for validation metrics.
- warmup
Cosine NumberLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine NumberLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay Number - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
ImageModelSettingsObjectDetectionResponse, ImageModelSettingsObjectDetectionResponseArgs
- Advanced
Settings string - Settings for advanced scenarios.
- Ams
Gradient bool - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- Augmentations string
- Settings for using Augmentations.
- Beta1 double
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Beta2 double
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Box
Detections intPer Image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- Box
Score doubleThreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- Checkpoint
Frequency int - Frequency to store model checkpoints. Must be a positive integer.
- Checkpoint
Model Pulumi.Azure Native. Machine Learning Services. Inputs. MLFlow Model Job Input Response - The pretrained checkpoint model for incremental training.
- Checkpoint
Run stringId - The id of a previous run that has a pretrained checkpoint for incremental training.
- Distributed bool
- Whether to use distributed training.
- Early
Stopping bool - Enable early stopping logic during training.
- Early
Stopping intDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- Early
Stopping intPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- Enable
Onnx boolNormalization - Enable normalization when exporting ONNX model.
- Evaluation
Frequency int - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- Gradient
Accumulation intStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- Image
Size int - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- Layers
To intFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Learning
Rate double - Initial learning rate. Must be a float in the range [0, 1].
- Learning
Rate stringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- Max
Size int - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- Min
Size int - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- Model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Model
Size string - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- Momentum double
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- Multi
Scale bool - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- Nesterov bool
- Enable nesterov when optimizer is 'sgd'.
- Nms
Iou doubleThreshold - IOU threshold used during inference in NMS post processing. Must be a float in the range [0, 1].
- Number
Of intEpochs - Number of training epochs. Must be a positive integer.
- Number
Of intWorkers - Number of data loader workers. Must be a non-negative integer.
- Optimizer string
- Type of optimizer.
- Random
Seed int - Random seed to be used when using deterministic training.
- Step
LRGamma double - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- Step
LRStep intSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- Tile
Grid stringSize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- Tile
Overlap doubleRatio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- Tile
Predictions doubleNms Threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm.
- Training
Batch intSize - Training batch size. Must be a positive integer.
- Validation
Batch intSize - Validation batch size. Must be a positive integer.
- Validation
Iou doubleThreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- Validation
Metric stringType - Metric computation method to use for validation metrics.
- Warmup
Cosine doubleLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- Warmup
Cosine intLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- Weight
Decay double - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- Advanced
Settings string - Settings for advanced scenarios.
- Ams
Gradient bool - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- Augmentations string
- Settings for using Augmentations.
- Beta1 float64
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Beta2 float64
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- Box
Detections intPer Image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- Box
Score float64Threshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- Checkpoint
Frequency int - Frequency to store model checkpoints. Must be a positive integer.
- Checkpoint
Model MLFlowModel Job Input Response - The pretrained checkpoint model for incremental training.
- Checkpoint
Run stringId - The id of a previous run that has a pretrained checkpoint for incremental training.
- Distributed bool
- Whether to use distributed training.
- Early
Stopping bool - Enable early stopping logic during training.
- Early
Stopping intDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- Early
Stopping intPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- Enable
Onnx boolNormalization - Enable normalization when exporting ONNX model.
- Evaluation
Frequency int - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- Gradient
Accumulation intStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- Image
Size int - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- Layers
To intFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Learning
Rate float64 - Initial learning rate. Must be a float in the range [0, 1].
- Learning
Rate stringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- Max
Size int - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- Min
Size int - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- Model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- Model
Size string - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- Momentum float64
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- Multi
Scale bool - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- Nesterov bool
- Enable nesterov when optimizer is 'sgd'.
- Nms
Iou float64Threshold - IOU threshold used during inference in NMS post processing. Must be a float in the range [0, 1].
- Number
Of intEpochs - Number of training epochs. Must be a positive integer.
- Number
Of intWorkers - Number of data loader workers. Must be a non-negative integer.
- Optimizer string
- Type of optimizer.
- Random
Seed int - Random seed to be used when using deterministic training.
- Step
LRGamma float64 - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- Step
LRStep intSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- Tile
Grid stringSize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- Tile
Overlap float64Ratio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- Tile
Predictions float64Nms Threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm.
- Training
Batch intSize - Training batch size. Must be a positive integer.
- Validation
Batch intSize - Validation batch size. Must be a positive integer.
- Validation
Iou float64Threshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- Validation
Metric stringType - Metric computation method to use for validation metrics.
- Warmup
Cosine float64LRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- Warmup
Cosine intLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- Weight
Decay float64 - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- advanced
Settings String - Settings for advanced scenarios.
- ams
Gradient Boolean - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations String
- Settings for using Augmentations.
- beta1 Double
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 Double
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- box
Detections IntegerPer Image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- box
Score DoubleThreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- checkpoint
Frequency Integer - Frequency to store model checkpoints. Must be a positive integer.
- checkpoint
Model MLFlowModel Job Input Response - The pretrained checkpoint model for incremental training.
- checkpoint
Run StringId - The id of a previous run that has a pretrained checkpoint for incremental training.
- distributed Boolean
- Whether to use distributed training.
- early
Stopping Boolean - Enable early stopping logic during training.
- early
Stopping IntegerDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping IntegerPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx BooleanNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency Integer - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation IntegerStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- image
Size Integer - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- layers
To IntegerFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate Double - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate StringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- max
Size Integer - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- min
Size Integer - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- model
Name String - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- model
Size String - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- momentum Double
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- multi
Scale Boolean - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- nesterov Boolean
- Enable nesterov when optimizer is 'sgd'.
- nms
Iou DoubleThreshold - IOU threshold used during inference in NMS post processing. Must be a float in the range [0, 1].
- number
Of IntegerEpochs - Number of training epochs. Must be a positive integer.
- number
Of IntegerWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer String
- Type of optimizer.
- random
Seed Integer - Random seed to be used when using deterministic training.
- step
LRGamma Double - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep IntegerSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- tile
Grid StringSize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Overlap DoubleRatio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Predictions DoubleNms Threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm.
- training
Batch IntegerSize - Training batch size. Must be a positive integer.
- validation
Batch IntegerSize - Validation batch size. Must be a positive integer.
- validation
Iou DoubleThreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- validation
Metric StringType - Metric computation method to use for validation metrics.
- warmup
Cosine DoubleLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine IntegerLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay Double - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- advanced
Settings string - Settings for advanced scenarios.
- ams
Gradient boolean - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations string
- Settings for using Augmentations.
- beta1 number
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 number
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- box
Detections numberPer Image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- box
Score numberThreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- checkpoint
Frequency number - Frequency to store model checkpoints. Must be a positive integer.
- checkpoint
Model MLFlowModel Job Input Response - The pretrained checkpoint model for incremental training.
- checkpoint
Run stringId - The id of a previous run that has a pretrained checkpoint for incremental training.
- distributed boolean
- Whether to use distributed training.
- early
Stopping boolean - Enable early stopping logic during training.
- early
Stopping numberDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping numberPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx booleanNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency number - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation numberStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- image
Size number - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- layers
To numberFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate number - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate stringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- max
Size number - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- min
Size number - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- model
Name string - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- model
Size string - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- momentum number
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- multi
Scale boolean - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- nesterov boolean
- Enable nesterov when optimizer is 'sgd'.
- nms
Iou numberThreshold - IOU threshold used during inference in NMS post processing. Must be a float in the range [0, 1].
- number
Of numberEpochs - Number of training epochs. Must be a positive integer.
- number
Of numberWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer string
- Type of optimizer.
- random
Seed number - Random seed to be used when using deterministic training.
- step
LRGamma number - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep numberSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- tile
Grid stringSize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Overlap numberRatio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Predictions numberNms Threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm.
- training
Batch numberSize - Training batch size. Must be a positive integer.
- validation
Batch numberSize - Validation batch size. Must be a positive integer.
- validation
Iou numberThreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- validation
Metric stringType - Metric computation method to use for validation metrics.
- warmup
Cosine numberLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine numberLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay number - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- advanced_
settings str - Settings for advanced scenarios.
- ams_
gradient bool - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations str
- Settings for using Augmentations.
- beta1 float
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 float
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- box_
detections_ intper_ image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- box_
score_ floatthreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- checkpoint_
frequency int - Frequency to store model checkpoints. Must be a positive integer.
- checkpoint_
model MLFlowModel Job Input Response - The pretrained checkpoint model for incremental training.
- checkpoint_
run_ strid - The id of a previous run that has a pretrained checkpoint for incremental training.
- distributed bool
- Whether to use distributed training.
- early_
stopping bool - Enable early stopping logic during training.
- early_
stopping_ intdelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early_
stopping_ intpatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable_
onnx_ boolnormalization - Enable normalization when exporting ONNX model.
- evaluation_
frequency int - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient_
accumulation_ intstep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- image_
size int - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- layers_
to_ intfreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning_
rate float - Initial learning rate. Must be a float in the range [0, 1].
- learning_
rate_ strscheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- max_
size int - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- min_
size int - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- model_
name str - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- model_
size str - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- momentum float
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- multi_
scale bool - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- nesterov bool
- Enable nesterov when optimizer is 'sgd'.
- nms_
iou_ floatthreshold - IOU threshold used during inference in NMS post processing. Must be a float in the range [0, 1].
- number_
of_ intepochs - Number of training epochs. Must be a positive integer.
- number_
of_ intworkers - Number of data loader workers. Must be a non-negative integer.
- optimizer str
- Type of optimizer.
- random_
seed int - Random seed to be used when using deterministic training.
- step_
lr_ floatgamma - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step_
lr_ intstep_ size - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- tile_
grid_ strsize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- tile_
overlap_ floatratio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- tile_
predictions_ floatnms_ threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm.
- training_
batch_ intsize - Training batch size. Must be a positive integer.
- validation_
batch_ intsize - Validation batch size. Must be a positive integer.
- validation_
iou_ floatthreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- validation_
metric_ strtype - Metric computation method to use for validation metrics.
- warmup_
cosine_ floatlr_ cycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup_
cosine_ intlr_ warmup_ epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight_
decay float - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
- advanced
Settings String - Settings for advanced scenarios.
- ams
Gradient Boolean - Enable AMSGrad when optimizer is 'adam' or 'adamw'.
- augmentations String
- Settings for using Augmentations.
- beta1 Number
- Value of 'beta1' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- beta2 Number
- Value of 'beta2' when optimizer is 'adam' or 'adamw'. Must be a float in the range [0, 1].
- box
Detections NumberPer Image - Maximum number of detections per image, for all classes. Must be a positive integer. Note: This settings is not supported for the 'yolov5' algorithm.
- box
Score NumberThreshold - During inference, only return proposals with a classification score greater than BoxScoreThreshold. Must be a float in the range[0, 1].
- checkpoint
Frequency Number - Frequency to store model checkpoints. Must be a positive integer.
- checkpoint
Model Property Map - The pretrained checkpoint model for incremental training.
- checkpoint
Run StringId - The id of a previous run that has a pretrained checkpoint for incremental training.
- distributed Boolean
- Whether to use distributed training.
- early
Stopping Boolean - Enable early stopping logic during training.
- early
Stopping NumberDelay - Minimum number of epochs or validation evaluations to wait before primary metric improvement is tracked for early stopping. Must be a positive integer.
- early
Stopping NumberPatience - Minimum number of epochs or validation evaluations with no primary metric improvement before the run is stopped. Must be a positive integer.
- enable
Onnx BooleanNormalization - Enable normalization when exporting ONNX model.
- evaluation
Frequency Number - Frequency to evaluate validation dataset to get metric scores. Must be a positive integer.
- gradient
Accumulation NumberStep - Gradient accumulation means running a configured number of "GradAccumulationStep" steps without updating the model weights while accumulating the gradients of those steps, and then using the accumulated gradients to compute the weight updates. Must be a positive integer.
- image
Size Number - Image size for train and validation. Must be a positive integer. Note: The training run may get into CUDA OOM if the size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- layers
To NumberFreeze - Number of layers to freeze for the model. Must be a positive integer. For instance, passing 2 as value for 'seresnext' means freezing layer0 and layer1. For a full list of models supported and details on layer freeze, please see: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- learning
Rate Number - Initial learning rate. Must be a float in the range [0, 1].
- learning
Rate StringScheduler - Type of learning rate scheduler. Must be 'warmup_cosine' or 'step'.
- max
Size Number - Maximum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- min
Size Number - Minimum size of the image to be rescaled before feeding it to the backbone. Must be a positive integer. Note: training run may get into CUDA OOM if the size is too big. Note: This settings is not supported for the 'yolov5' algorithm.
- model
Name String - Name of the model to use for training. For more information on the available models please visit the official documentation: https://docs.microsoft.com/en-us/azure/machine-learning/how-to-auto-train-image-models.
- model
Size String - Model size. Must be 'small', 'medium', 'large', or 'xlarge'. Note: training run may get into CUDA OOM if the model size is too big. Note: This settings is only supported for the 'yolov5' algorithm.
- momentum Number
- Value of momentum when optimizer is 'sgd'. Must be a float in the range [0, 1].
- multi
Scale Boolean - Enable multi-scale image by varying image size by +/- 50%. Note: training run may get into CUDA OOM if no sufficient GPU memory. Note: This settings is only supported for the 'yolov5' algorithm.
- nesterov Boolean
- Enable nesterov when optimizer is 'sgd'.
- nms
Iou NumberThreshold - IOU threshold used during inference in NMS post processing. Must be a float in the range [0, 1].
- number
Of NumberEpochs - Number of training epochs. Must be a positive integer.
- number
Of NumberWorkers - Number of data loader workers. Must be a non-negative integer.
- optimizer String
- Type of optimizer.
- random
Seed Number - Random seed to be used when using deterministic training.
- step
LRGamma Number - Value of gamma when learning rate scheduler is 'step'. Must be a float in the range [0, 1].
- step
LRStep NumberSize - Value of step size when learning rate scheduler is 'step'. Must be a positive integer.
- tile
Grid StringSize - The grid size to use for tiling each image. Note: TileGridSize must not be None to enable small object detection logic. A string containing two integers in mxn format. Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Overlap NumberRatio - Overlap ratio between adjacent tiles in each dimension. Must be float in the range [0, 1). Note: This settings is not supported for the 'yolov5' algorithm.
- tile
Predictions NumberNms Threshold - The IOU threshold to use to perform NMS while merging predictions from tiles and image. Used in validation/ inference. Must be float in the range [0, 1]. Note: This settings is not supported for the 'yolov5' algorithm.
- training
Batch NumberSize - Training batch size. Must be a positive integer.
- validation
Batch NumberSize - Validation batch size. Must be a positive integer.
- validation
Iou NumberThreshold - IOU threshold to use when computing validation metric. Must be float in the range [0, 1].
- validation
Metric StringType - Metric computation method to use for validation metrics.
- warmup
Cosine NumberLRCycles - Value of cosine cycle when learning rate scheduler is 'warmup_cosine'. Must be a float in the range [0, 1].
- warmup
Cosine NumberLRWarmup Epochs - Value of warmup epochs when learning rate scheduler is 'warmup_cosine'. Must be a positive integer.
- weight
Decay Number - Value of weight decay when optimizer is 'sgd', 'adam', or 'adamw'. Must be a float in the range[0, 1].
ImageObjectDetection, ImageObjectDetectionArgs
- Limit
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Limit Settings - [Required] Limit settings for the AutoML job.
- Training
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - [Required] Training data input.
- Log
Verbosity string | Pulumi.Azure Native. Machine Learning Services. Log Verbosity - Log verbosity for the job.
- Model
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Model Settings Object Detection - Settings used for training the model.
- Primary
Metric string | Pulumi.Azure Native. Machine Learning Services. Object Detection Primary Metrics - Primary metric to optimize for this task.
- Search
Space List<Pulumi.Azure Native. Machine Learning Services. Inputs. Image Model Distribution Settings Object Detection> - Search space for sampling different combinations of models and their hyperparameters.
- Sweep
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Sweep Settings - Model sweeping and hyperparameter sweeping related settings.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - Validation data inputs.
- Validation
Data doubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Limit
Settings ImageLimit Settings - [Required] Limit settings for the AutoML job.
- Training
Data MLTableJob Input - [Required] Training data input.
- Log
Verbosity string | LogVerbosity - Log verbosity for the job.
- Model
Settings ImageModel Settings Object Detection - Settings used for training the model.
- Primary
Metric string | ObjectDetection Primary Metrics - Primary metric to optimize for this task.
- Search
Space []ImageModel Distribution Settings Object Detection - Search space for sampling different combinations of models and their hyperparameters.
- Sweep
Settings ImageSweep Settings - Model sweeping and hyperparameter sweeping related settings.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data MLTableJob Input - Validation data inputs.
- Validation
Data float64Size - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings ImageLimit Settings - [Required] Limit settings for the AutoML job.
- training
Data MLTableJob Input - [Required] Training data input.
- log
Verbosity String | LogVerbosity - Log verbosity for the job.
- model
Settings ImageModel Settings Object Detection - Settings used for training the model.
- primary
Metric String | ObjectDetection Primary Metrics - Primary metric to optimize for this task.
- search
Space List<ImageModel Distribution Settings Object Detection> - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings ImageSweep Settings - Model sweeping and hyperparameter sweeping related settings.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input - Validation data inputs.
- validation
Data DoubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings ImageLimit Settings - [Required] Limit settings for the AutoML job.
- training
Data MLTableJob Input - [Required] Training data input.
- log
Verbosity string | LogVerbosity - Log verbosity for the job.
- model
Settings ImageModel Settings Object Detection - Settings used for training the model.
- primary
Metric string | ObjectDetection Primary Metrics - Primary metric to optimize for this task.
- search
Space ImageModel Distribution Settings Object Detection[] - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings ImageSweep Settings - Model sweeping and hyperparameter sweeping related settings.
- target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input - Validation data inputs.
- validation
Data numberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit_
settings ImageLimit Settings - [Required] Limit settings for the AutoML job.
- training_
data MLTableJob Input - [Required] Training data input.
- log_
verbosity str | LogVerbosity - Log verbosity for the job.
- model_
settings ImageModel Settings Object Detection - Settings used for training the model.
- primary_
metric str | ObjectDetection Primary Metrics - Primary metric to optimize for this task.
- search_
space Sequence[ImageModel Distribution Settings Object Detection] - Search space for sampling different combinations of models and their hyperparameters.
- sweep_
settings ImageSweep Settings - Model sweeping and hyperparameter sweeping related settings.
- target_
column_ strname - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation_
data MLTableJob Input - Validation data inputs.
- validation_
data_ floatsize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings Property Map - [Required] Limit settings for the AutoML job.
- training
Data Property Map - [Required] Training data input.
- log
Verbosity String | "NotSet" | "Debug" | "Info" | "Warning" | "Error" | "Critical" - Log verbosity for the job.
- model
Settings Property Map - Settings used for training the model.
- primary
Metric String | "MeanAverage Precision" - Primary metric to optimize for this task.
- search
Space List<Property Map> - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings Property Map - Model sweeping and hyperparameter sweeping related settings.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data Property Map - Validation data inputs.
- validation
Data NumberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
ImageObjectDetectionResponse, ImageObjectDetectionResponseArgs
- Limit
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Limit Settings Response - [Required] Limit settings for the AutoML job.
- Training
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - [Required] Training data input.
- Log
Verbosity string - Log verbosity for the job.
- Model
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Model Settings Object Detection Response - Settings used for training the model.
- Primary
Metric string - Primary metric to optimize for this task.
- Search
Space List<Pulumi.Azure Native. Machine Learning Services. Inputs. Image Model Distribution Settings Object Detection Response> - Search space for sampling different combinations of models and their hyperparameters.
- Sweep
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Image Sweep Settings Response - Model sweeping and hyperparameter sweeping related settings.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - Validation data inputs.
- Validation
Data doubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Limit
Settings ImageLimit Settings Response - [Required] Limit settings for the AutoML job.
- Training
Data MLTableJob Input Response - [Required] Training data input.
- Log
Verbosity string - Log verbosity for the job.
- Model
Settings ImageModel Settings Object Detection Response - Settings used for training the model.
- Primary
Metric string - Primary metric to optimize for this task.
- Search
Space []ImageModel Distribution Settings Object Detection Response - Search space for sampling different combinations of models and their hyperparameters.
- Sweep
Settings ImageSweep Settings Response - Model sweeping and hyperparameter sweeping related settings.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data MLTableJob Input Response - Validation data inputs.
- Validation
Data float64Size - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings ImageLimit Settings Response - [Required] Limit settings for the AutoML job.
- training
Data MLTableJob Input Response - [Required] Training data input.
- log
Verbosity String - Log verbosity for the job.
- model
Settings ImageModel Settings Object Detection Response - Settings used for training the model.
- primary
Metric String - Primary metric to optimize for this task.
- search
Space List<ImageModel Distribution Settings Object Detection Response> - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings ImageSweep Settings Response - Model sweeping and hyperparameter sweeping related settings.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input Response - Validation data inputs.
- validation
Data DoubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings ImageLimit Settings Response - [Required] Limit settings for the AutoML job.
- training
Data MLTableJob Input Response - [Required] Training data input.
- log
Verbosity string - Log verbosity for the job.
- model
Settings ImageModel Settings Object Detection Response - Settings used for training the model.
- primary
Metric string - Primary metric to optimize for this task.
- search
Space ImageModel Distribution Settings Object Detection Response[] - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings ImageSweep Settings Response - Model sweeping and hyperparameter sweeping related settings.
- target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input Response - Validation data inputs.
- validation
Data numberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit_
settings ImageLimit Settings Response - [Required] Limit settings for the AutoML job.
- training_
data MLTableJob Input Response - [Required] Training data input.
- log_
verbosity str - Log verbosity for the job.
- model_
settings ImageModel Settings Object Detection Response - Settings used for training the model.
- primary_
metric str - Primary metric to optimize for this task.
- search_
space Sequence[ImageModel Distribution Settings Object Detection Response] - Search space for sampling different combinations of models and their hyperparameters.
- sweep_
settings ImageSweep Settings Response - Model sweeping and hyperparameter sweeping related settings.
- target_
column_ strname - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation_
data MLTableJob Input Response - Validation data inputs.
- validation_
data_ floatsize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- limit
Settings Property Map - [Required] Limit settings for the AutoML job.
- training
Data Property Map - [Required] Training data input.
- log
Verbosity String - Log verbosity for the job.
- model
Settings Property Map - Settings used for training the model.
- primary
Metric String - Primary metric to optimize for this task.
- search
Space List<Property Map> - Search space for sampling different combinations of models and their hyperparameters.
- sweep
Settings Property Map - Model sweeping and hyperparameter sweeping related settings.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data Property Map - Validation data inputs.
- validation
Data NumberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
ImageSweepSettings, ImageSweepSettingsArgs
- Sampling
Algorithm string | Pulumi.Azure Native. Machine Learning Services. Sampling Algorithm Type - [Required] Type of the hyperparameter sampling algorithms.
- Early
Termination Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Bandit Policy Azure | Pulumi.Native. Machine Learning Services. Inputs. Median Stopping Policy Azure Native. Machine Learning Services. Inputs. Truncation Selection Policy - Type of early termination policy.
- Sampling
Algorithm string | SamplingAlgorithm Type - [Required] Type of the hyperparameter sampling algorithms.
- Early
Termination BanditPolicy | MedianStopping | TruncationPolicy Selection Policy - Type of early termination policy.
- sampling
Algorithm String | SamplingAlgorithm Type - [Required] Type of the hyperparameter sampling algorithms.
- early
Termination BanditPolicy | MedianStopping | TruncationPolicy Selection Policy - Type of early termination policy.
- sampling
Algorithm string | SamplingAlgorithm Type - [Required] Type of the hyperparameter sampling algorithms.
- early
Termination BanditPolicy | MedianStopping | TruncationPolicy Selection Policy - Type of early termination policy.
- sampling_
algorithm str | SamplingAlgorithm Type - [Required] Type of the hyperparameter sampling algorithms.
- early_
termination BanditPolicy | MedianStopping | TruncationPolicy Selection Policy - Type of early termination policy.
- sampling
Algorithm String | "Grid" | "Random" | "Bayesian" - [Required] Type of the hyperparameter sampling algorithms.
- early
Termination Property Map | Property Map | Property Map - Type of early termination policy.
ImageSweepSettingsResponse, ImageSweepSettingsResponseArgs
- Sampling
Algorithm string - [Required] Type of the hyperparameter sampling algorithms.
- Early
Termination Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Bandit Policy Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Median Stopping Policy Response Azure Native. Machine Learning Services. Inputs. Truncation Selection Policy Response - Type of early termination policy.
- Sampling
Algorithm string - [Required] Type of the hyperparameter sampling algorithms.
- Early
Termination BanditPolicy | MedianResponse Stopping | TruncationPolicy Response Selection Policy Response - Type of early termination policy.
- sampling
Algorithm String - [Required] Type of the hyperparameter sampling algorithms.
- early
Termination BanditPolicy | MedianResponse Stopping | TruncationPolicy Response Selection Policy Response - Type of early termination policy.
- sampling
Algorithm string - [Required] Type of the hyperparameter sampling algorithms.
- early
Termination BanditPolicy | MedianResponse Stopping | TruncationPolicy Response Selection Policy Response - Type of early termination policy.
- sampling_
algorithm str - [Required] Type of the hyperparameter sampling algorithms.
- early_
termination BanditPolicy | MedianResponse Stopping | TruncationPolicy Response Selection Policy Response - Type of early termination policy.
- sampling
Algorithm String - [Required] Type of the hyperparameter sampling algorithms.
- early
Termination Property Map | Property Map | Property Map - Type of early termination policy.
InputDeliveryMode, InputDeliveryModeArgs
- Read
Only Mount - ReadOnlyMount
- Read
Write Mount - ReadWriteMount
- Download
- Download
- Direct
- Direct
- Eval
Mount - EvalMount
- Eval
Download - EvalDownload
- Input
Delivery Mode Read Only Mount - ReadOnlyMount
- Input
Delivery Mode Read Write Mount - ReadWriteMount
- Input
Delivery Mode Download - Download
- Input
Delivery Mode Direct - Direct
- Input
Delivery Mode Eval Mount - EvalMount
- Input
Delivery Mode Eval Download - EvalDownload
- Read
Only Mount - ReadOnlyMount
- Read
Write Mount - ReadWriteMount
- Download
- Download
- Direct
- Direct
- Eval
Mount - EvalMount
- Eval
Download - EvalDownload
- Read
Only Mount - ReadOnlyMount
- Read
Write Mount - ReadWriteMount
- Download
- Download
- Direct
- Direct
- Eval
Mount - EvalMount
- Eval
Download - EvalDownload
- READ_ONLY_MOUNT
- ReadOnlyMount
- READ_WRITE_MOUNT
- ReadWriteMount
- DOWNLOAD
- Download
- DIRECT
- Direct
- EVAL_MOUNT
- EvalMount
- EVAL_DOWNLOAD
- EvalDownload
- "Read
Only Mount" - ReadOnlyMount
- "Read
Write Mount" - ReadWriteMount
- "Download"
- Download
- "Direct"
- Direct
- "Eval
Mount" - EvalMount
- "Eval
Download" - EvalDownload
InstanceSegmentationPrimaryMetrics, InstanceSegmentationPrimaryMetricsArgs
- Mean
Average Precision - MeanAveragePrecisionMean Average Precision (MAP) is the average of AP (Average Precision). AP is calculated for each class and averaged to get the MAP.
- Instance
Segmentation Primary Metrics Mean Average Precision - MeanAveragePrecisionMean Average Precision (MAP) is the average of AP (Average Precision). AP is calculated for each class and averaged to get the MAP.
- Mean
Average Precision - MeanAveragePrecisionMean Average Precision (MAP) is the average of AP (Average Precision). AP is calculated for each class and averaged to get the MAP.
- Mean
Average Precision - MeanAveragePrecisionMean Average Precision (MAP) is the average of AP (Average Precision). AP is calculated for each class and averaged to get the MAP.
- MEAN_AVERAGE_PRECISION
- MeanAveragePrecisionMean Average Precision (MAP) is the average of AP (Average Precision). AP is calculated for each class and averaged to get the MAP.
- "Mean
Average Precision" - MeanAveragePrecisionMean Average Precision (MAP) is the average of AP (Average Precision). AP is calculated for each class and averaged to get the MAP.
JobInputType, JobInputTypeArgs
- Literal
- literal
- Uri_
file - uri_file
- Uri_
folder - uri_folder
- Mltable
- mltable
- Custom_
model - custom_model
- Mlflow_
model - mlflow_model
- Triton_
model - triton_model
- Job
Input Type Literal - literal
- Job
Input Type_Uri_ file - uri_file
- Job
Input Type_Uri_ folder - uri_folder
- Job
Input Type Mltable - mltable
- Job
Input Type_Custom_ model - custom_model
- Job
Input Type_Mlflow_ model - mlflow_model
- Job
Input Type_Triton_ model - triton_model
- Literal
- literal
- Uri_
file - uri_file
- Uri_
folder - uri_folder
- Mltable
- mltable
- Custom_
model - custom_model
- Mlflow_
model - mlflow_model
- Triton_
model - triton_model
- Literal
- literal
- Uri_
file - uri_file
- Uri_
folder - uri_folder
- Mltable
- mltable
- Custom_
model - custom_model
- Mlflow_
model - mlflow_model
- Triton_
model - triton_model
- LITERAL
- literal
- URI_FILE
- uri_file
- URI_FOLDER
- uri_folder
- MLTABLE
- mltable
- CUSTOM_MODEL
- custom_model
- MLFLOW_MODEL
- mlflow_model
- TRITON_MODEL
- triton_model
- "literal"
- literal
- "uri_
file" - uri_file
- "uri_
folder" - uri_folder
- "mltable"
- mltable
- "custom_
model" - custom_model
- "mlflow_
model" - mlflow_model
- "triton_
model" - triton_model
JobResourceConfiguration, JobResourceConfigurationArgs
- Docker
Args string - Extra arguments to pass to the Docker run command. This would override any parameters that have already been set by the system, or in this section. This parameter is only supported for Azure ML compute types.
- Instance
Count int - Optional number of instances or nodes used by the compute target.
- Instance
Type string - Optional type of VM used as supported by the compute target.
- Properties Dictionary<string, object>
- Additional properties bag.
- Shm
Size string - Size of the docker container's shared memory block. This should be in the format of (number)(unit) where number as to be greater than 0 and the unit can be one of b(bytes), k(kilobytes), m(megabytes), or g(gigabytes).
- Docker
Args string - Extra arguments to pass to the Docker run command. This would override any parameters that have already been set by the system, or in this section. This parameter is only supported for Azure ML compute types.
- Instance
Count int - Optional number of instances or nodes used by the compute target.
- Instance
Type string - Optional type of VM used as supported by the compute target.
- Properties map[string]interface{}
- Additional properties bag.
- Shm
Size string - Size of the docker container's shared memory block. This should be in the format of (number)(unit) where number as to be greater than 0 and the unit can be one of b(bytes), k(kilobytes), m(megabytes), or g(gigabytes).
- docker
Args String - Extra arguments to pass to the Docker run command. This would override any parameters that have already been set by the system, or in this section. This parameter is only supported for Azure ML compute types.
- instance
Count Integer - Optional number of instances or nodes used by the compute target.
- instance
Type String - Optional type of VM used as supported by the compute target.
- properties Map<String,Object>
- Additional properties bag.
- shm
Size String - Size of the docker container's shared memory block. This should be in the format of (number)(unit) where number as to be greater than 0 and the unit can be one of b(bytes), k(kilobytes), m(megabytes), or g(gigabytes).
- docker
Args string - Extra arguments to pass to the Docker run command. This would override any parameters that have already been set by the system, or in this section. This parameter is only supported for Azure ML compute types.
- instance
Count number - Optional number of instances or nodes used by the compute target.
- instance
Type string - Optional type of VM used as supported by the compute target.
- properties {[key: string]: any}
- Additional properties bag.
- shm
Size string - Size of the docker container's shared memory block. This should be in the format of (number)(unit) where number as to be greater than 0 and the unit can be one of b(bytes), k(kilobytes), m(megabytes), or g(gigabytes).
- docker_
args str - Extra arguments to pass to the Docker run command. This would override any parameters that have already been set by the system, or in this section. This parameter is only supported for Azure ML compute types.
- instance_
count int - Optional number of instances or nodes used by the compute target.
- instance_
type str - Optional type of VM used as supported by the compute target.
- properties Mapping[str, Any]
- Additional properties bag.
- shm_
size str - Size of the docker container's shared memory block. This should be in the format of (number)(unit) where number as to be greater than 0 and the unit can be one of b(bytes), k(kilobytes), m(megabytes), or g(gigabytes).
- docker
Args String - Extra arguments to pass to the Docker run command. This would override any parameters that have already been set by the system, or in this section. This parameter is only supported for Azure ML compute types.
- instance
Count Number - Optional number of instances or nodes used by the compute target.
- instance
Type String - Optional type of VM used as supported by the compute target.
- properties Map<Any>
- Additional properties bag.
- shm
Size String - Size of the docker container's shared memory block. This should be in the format of (number)(unit) where number as to be greater than 0 and the unit can be one of b(bytes), k(kilobytes), m(megabytes), or g(gigabytes).
JobResourceConfigurationResponse, JobResourceConfigurationResponseArgs
- Docker
Args string - Extra arguments to pass to the Docker run command. This would override any parameters that have already been set by the system, or in this section. This parameter is only supported for Azure ML compute types.
- Instance
Count int - Optional number of instances or nodes used by the compute target.
- Instance
Type string - Optional type of VM used as supported by the compute target.
- Properties Dictionary<string, object>
- Additional properties bag.
- Shm
Size string - Size of the docker container's shared memory block. This should be in the format of (number)(unit) where number as to be greater than 0 and the unit can be one of b(bytes), k(kilobytes), m(megabytes), or g(gigabytes).
- Docker
Args string - Extra arguments to pass to the Docker run command. This would override any parameters that have already been set by the system, or in this section. This parameter is only supported for Azure ML compute types.
- Instance
Count int - Optional number of instances or nodes used by the compute target.
- Instance
Type string - Optional type of VM used as supported by the compute target.
- Properties map[string]interface{}
- Additional properties bag.
- Shm
Size string - Size of the docker container's shared memory block. This should be in the format of (number)(unit) where number as to be greater than 0 and the unit can be one of b(bytes), k(kilobytes), m(megabytes), or g(gigabytes).
- docker
Args String - Extra arguments to pass to the Docker run command. This would override any parameters that have already been set by the system, or in this section. This parameter is only supported for Azure ML compute types.
- instance
Count Integer - Optional number of instances or nodes used by the compute target.
- instance
Type String - Optional type of VM used as supported by the compute target.
- properties Map<String,Object>
- Additional properties bag.
- shm
Size String - Size of the docker container's shared memory block. This should be in the format of (number)(unit) where number as to be greater than 0 and the unit can be one of b(bytes), k(kilobytes), m(megabytes), or g(gigabytes).
- docker
Args string - Extra arguments to pass to the Docker run command. This would override any parameters that have already been set by the system, or in this section. This parameter is only supported for Azure ML compute types.
- instance
Count number - Optional number of instances or nodes used by the compute target.
- instance
Type string - Optional type of VM used as supported by the compute target.
- properties {[key: string]: any}
- Additional properties bag.
- shm
Size string - Size of the docker container's shared memory block. This should be in the format of (number)(unit) where number as to be greater than 0 and the unit can be one of b(bytes), k(kilobytes), m(megabytes), or g(gigabytes).
- docker_
args str - Extra arguments to pass to the Docker run command. This would override any parameters that have already been set by the system, or in this section. This parameter is only supported for Azure ML compute types.
- instance_
count int - Optional number of instances or nodes used by the compute target.
- instance_
type str - Optional type of VM used as supported by the compute target.
- properties Mapping[str, Any]
- Additional properties bag.
- shm_
size str - Size of the docker container's shared memory block. This should be in the format of (number)(unit) where number as to be greater than 0 and the unit can be one of b(bytes), k(kilobytes), m(megabytes), or g(gigabytes).
- docker
Args String - Extra arguments to pass to the Docker run command. This would override any parameters that have already been set by the system, or in this section. This parameter is only supported for Azure ML compute types.
- instance
Count Number - Optional number of instances or nodes used by the compute target.
- instance
Type String - Optional type of VM used as supported by the compute target.
- properties Map<Any>
- Additional properties bag.
- shm
Size String - Size of the docker container's shared memory block. This should be in the format of (number)(unit) where number as to be greater than 0 and the unit can be one of b(bytes), k(kilobytes), m(megabytes), or g(gigabytes).
JobScheduleAction, JobScheduleActionArgs
- Job
Base Pulumi.Properties Azure | Pulumi.Native. Machine Learning Services. Inputs. Auto MLJob Azure | Pulumi.Native. Machine Learning Services. Inputs. Command Job Azure | Pulumi.Native. Machine Learning Services. Inputs. Pipeline Job Azure | Pulumi.Native. Machine Learning Services. Inputs. Spark Job Azure Native. Machine Learning Services. Inputs. Sweep Job - [Required] Defines Schedule action definition details.
- Job
Base AutoProperties MLJob | CommandJob | PipelineJob | SparkJob | SweepJob - [Required] Defines Schedule action definition details.
- job
Base AutoProperties MLJob | CommandJob | PipelineJob | SparkJob | SweepJob - [Required] Defines Schedule action definition details.
- job
Base AutoProperties MLJob | CommandJob | PipelineJob | SparkJob | SweepJob - [Required] Defines Schedule action definition details.
- job_
base_ Autoproperties MLJob | CommandJob | PipelineJob | SparkJob | SweepJob - [Required] Defines Schedule action definition details.
- job
Base Property Map | Property Map | Property Map | Property Map | Property MapProperties - [Required] Defines Schedule action definition details.
JobScheduleActionResponse, JobScheduleActionResponseArgs
- Job
Base Pulumi.Properties Azure | Pulumi.Native. Machine Learning Services. Inputs. Auto MLJob Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Command Job Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Pipeline Job Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Spark Job Response Azure Native. Machine Learning Services. Inputs. Sweep Job Response - [Required] Defines Schedule action definition details.
- Job
Base AutoProperties MLJob | CommandResponse Job | PipelineResponse Job | SparkResponse Job | SweepResponse Job Response - [Required] Defines Schedule action definition details.
- job
Base AutoProperties MLJob | CommandResponse Job | PipelineResponse Job | SparkResponse Job | SweepResponse Job Response - [Required] Defines Schedule action definition details.
- job
Base AutoProperties MLJob | CommandResponse Job | PipelineResponse Job | SparkResponse Job | SweepResponse Job Response - [Required] Defines Schedule action definition details.
- job_
base_ Autoproperties MLJob | CommandResponse Job | PipelineResponse Job | SparkResponse Job | SweepResponse Job Response - [Required] Defines Schedule action definition details.
- job
Base Property Map | Property Map | Property Map | Property Map | Property MapProperties - [Required] Defines Schedule action definition details.
JobService, JobServiceArgs
- Endpoint string
- Url for endpoint.
- Job
Service stringType - Endpoint type.
- Nodes
Pulumi.
Azure Native. Machine Learning Services. Inputs. All Nodes - Nodes that user would like to start the service on. If Nodes is not set or set to null, the service will only be started on leader node.
- Port int
- Port for endpoint.
- Properties Dictionary<string, string>
- Additional properties to set on the endpoint.
- Endpoint string
- Url for endpoint.
- Job
Service stringType - Endpoint type.
- Nodes
All
Nodes - Nodes that user would like to start the service on. If Nodes is not set or set to null, the service will only be started on leader node.
- Port int
- Port for endpoint.
- Properties map[string]string
- Additional properties to set on the endpoint.
- endpoint String
- Url for endpoint.
- job
Service StringType - Endpoint type.
- nodes
All
Nodes - Nodes that user would like to start the service on. If Nodes is not set or set to null, the service will only be started on leader node.
- port Integer
- Port for endpoint.
- properties Map<String,String>
- Additional properties to set on the endpoint.
- endpoint string
- Url for endpoint.
- job
Service stringType - Endpoint type.
- nodes
All
Nodes - Nodes that user would like to start the service on. If Nodes is not set or set to null, the service will only be started on leader node.
- port number
- Port for endpoint.
- properties {[key: string]: string}
- Additional properties to set on the endpoint.
- endpoint str
- Url for endpoint.
- job_
service_ strtype - Endpoint type.
- nodes
All
Nodes - Nodes that user would like to start the service on. If Nodes is not set or set to null, the service will only be started on leader node.
- port int
- Port for endpoint.
- properties Mapping[str, str]
- Additional properties to set on the endpoint.
- endpoint String
- Url for endpoint.
- job
Service StringType - Endpoint type.
- nodes Property Map
- Nodes that user would like to start the service on. If Nodes is not set or set to null, the service will only be started on leader node.
- port Number
- Port for endpoint.
- properties Map<String>
- Additional properties to set on the endpoint.
JobServiceResponse, JobServiceResponseArgs
- Error
Message string - Any error in the service.
- Status string
- Status of endpoint.
- Endpoint string
- Url for endpoint.
- Job
Service stringType - Endpoint type.
- Nodes
Pulumi.
Azure Native. Machine Learning Services. Inputs. All Nodes Response - Nodes that user would like to start the service on. If Nodes is not set or set to null, the service will only be started on leader node.
- Port int
- Port for endpoint.
- Properties Dictionary<string, string>
- Additional properties to set on the endpoint.
- Error
Message string - Any error in the service.
- Status string
- Status of endpoint.
- Endpoint string
- Url for endpoint.
- Job
Service stringType - Endpoint type.
- Nodes
All
Nodes Response - Nodes that user would like to start the service on. If Nodes is not set or set to null, the service will only be started on leader node.
- Port int
- Port for endpoint.
- Properties map[string]string
- Additional properties to set on the endpoint.
- error
Message String - Any error in the service.
- status String
- Status of endpoint.
- endpoint String
- Url for endpoint.
- job
Service StringType - Endpoint type.
- nodes
All
Nodes Response - Nodes that user would like to start the service on. If Nodes is not set or set to null, the service will only be started on leader node.
- port Integer
- Port for endpoint.
- properties Map<String,String>
- Additional properties to set on the endpoint.
- error
Message string - Any error in the service.
- status string
- Status of endpoint.
- endpoint string
- Url for endpoint.
- job
Service stringType - Endpoint type.
- nodes
All
Nodes Response - Nodes that user would like to start the service on. If Nodes is not set or set to null, the service will only be started on leader node.
- port number
- Port for endpoint.
- properties {[key: string]: string}
- Additional properties to set on the endpoint.
- error_
message str - Any error in the service.
- status str
- Status of endpoint.
- endpoint str
- Url for endpoint.
- job_
service_ strtype - Endpoint type.
- nodes
All
Nodes Response - Nodes that user would like to start the service on. If Nodes is not set or set to null, the service will only be started on leader node.
- port int
- Port for endpoint.
- properties Mapping[str, str]
- Additional properties to set on the endpoint.
- error
Message String - Any error in the service.
- status String
- Status of endpoint.
- endpoint String
- Url for endpoint.
- job
Service StringType - Endpoint type.
- nodes Property Map
- Nodes that user would like to start the service on. If Nodes is not set or set to null, the service will only be started on leader node.
- port Number
- Port for endpoint.
- properties Map<String>
- Additional properties to set on the endpoint.
JobTier, JobTierArgs
- Null
- Null
- Spot
- Spot
- Basic
- Basic
- Standard
- Standard
- Premium
- Premium
- Job
Tier Null - Null
- Job
Tier Spot - Spot
- Job
Tier Basic - Basic
- Job
Tier Standard - Standard
- Job
Tier Premium - Premium
- Null
- Null
- Spot
- Spot
- Basic
- Basic
- Standard
- Standard
- Premium
- Premium
- Null
- Null
- Spot
- Spot
- Basic
- Basic
- Standard
- Standard
- Premium
- Premium
- NULL
- Null
- SPOT
- Spot
- BASIC
- Basic
- STANDARD
- Standard
- PREMIUM
- Premium
- "Null"
- Null
- "Spot"
- Spot
- "Basic"
- Basic
- "Standard"
- Standard
- "Premium"
- Premium
LearningRateScheduler, LearningRateSchedulerArgs
- None
- NoneNo learning rate scheduler selected.
- Warmup
Cosine - WarmupCosineCosine Annealing With Warmup.
- Step
- StepStep learning rate scheduler.
- Learning
Rate Scheduler None - NoneNo learning rate scheduler selected.
- Learning
Rate Scheduler Warmup Cosine - WarmupCosineCosine Annealing With Warmup.
- Learning
Rate Scheduler Step - StepStep learning rate scheduler.
- None
- NoneNo learning rate scheduler selected.
- Warmup
Cosine - WarmupCosineCosine Annealing With Warmup.
- Step
- StepStep learning rate scheduler.
- None
- NoneNo learning rate scheduler selected.
- Warmup
Cosine - WarmupCosineCosine Annealing With Warmup.
- Step
- StepStep learning rate scheduler.
- NONE
- NoneNo learning rate scheduler selected.
- WARMUP_COSINE
- WarmupCosineCosine Annealing With Warmup.
- STEP
- StepStep learning rate scheduler.
- "None"
- NoneNo learning rate scheduler selected.
- "Warmup
Cosine" - WarmupCosineCosine Annealing With Warmup.
- "Step"
- StepStep learning rate scheduler.
LiteralJobInput, LiteralJobInputArgs
- Value string
- [Required] Literal value for the input.
- Description string
- Description for the input.
- Value string
- [Required] Literal value for the input.
- Description string
- Description for the input.
- value String
- [Required] Literal value for the input.
- description String
- Description for the input.
- value string
- [Required] Literal value for the input.
- description string
- Description for the input.
- value str
- [Required] Literal value for the input.
- description str
- Description for the input.
- value String
- [Required] Literal value for the input.
- description String
- Description for the input.
LiteralJobInputResponse, LiteralJobInputResponseArgs
- Value string
- [Required] Literal value for the input.
- Description string
- Description for the input.
- Value string
- [Required] Literal value for the input.
- Description string
- Description for the input.
- value String
- [Required] Literal value for the input.
- description String
- Description for the input.
- value string
- [Required] Literal value for the input.
- description string
- Description for the input.
- value str
- [Required] Literal value for the input.
- description str
- Description for the input.
- value String
- [Required] Literal value for the input.
- description String
- Description for the input.
LogVerbosity, LogVerbosityArgs
- Not
Set - NotSetNo logs emitted.
- Debug
- DebugDebug and above log statements logged.
- Info
- InfoInfo and above log statements logged.
- Warning
- WarningWarning and above log statements logged.
- Error
- ErrorError and above log statements logged.
- Critical
- CriticalOnly critical statements logged.
- Log
Verbosity Not Set - NotSetNo logs emitted.
- Log
Verbosity Debug - DebugDebug and above log statements logged.
- Log
Verbosity Info - InfoInfo and above log statements logged.
- Log
Verbosity Warning - WarningWarning and above log statements logged.
- Log
Verbosity Error - ErrorError and above log statements logged.
- Log
Verbosity Critical - CriticalOnly critical statements logged.
- Not
Set - NotSetNo logs emitted.
- Debug
- DebugDebug and above log statements logged.
- Info
- InfoInfo and above log statements logged.
- Warning
- WarningWarning and above log statements logged.
- Error
- ErrorError and above log statements logged.
- Critical
- CriticalOnly critical statements logged.
- Not
Set - NotSetNo logs emitted.
- Debug
- DebugDebug and above log statements logged.
- Info
- InfoInfo and above log statements logged.
- Warning
- WarningWarning and above log statements logged.
- Error
- ErrorError and above log statements logged.
- Critical
- CriticalOnly critical statements logged.
- NOT_SET
- NotSetNo logs emitted.
- DEBUG
- DebugDebug and above log statements logged.
- INFO
- InfoInfo and above log statements logged.
- WARNING
- WarningWarning and above log statements logged.
- ERROR
- ErrorError and above log statements logged.
- CRITICAL
- CriticalOnly critical statements logged.
- "Not
Set" - NotSetNo logs emitted.
- "Debug"
- DebugDebug and above log statements logged.
- "Info"
- InfoInfo and above log statements logged.
- "Warning"
- WarningWarning and above log statements logged.
- "Error"
- ErrorError and above log statements logged.
- "Critical"
- CriticalOnly critical statements logged.
MLFlowModelJobInput, MLFlowModelJobInputArgs
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode
string | Pulumi.
Azure Native. Machine Learning Services. Input Delivery Mode - Input Asset Delivery Mode.
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode
string | Input
Delivery Mode - Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode
String | Input
Delivery Mode - Input Asset Delivery Mode.
- uri string
- [Required] Input Asset URI.
- description string
- Description for the input.
- mode
string | Input
Delivery Mode - Input Asset Delivery Mode.
- uri str
- [Required] Input Asset URI.
- description str
- Description for the input.
- mode
str | Input
Delivery Mode - Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode
String | "Read
Only Mount" | "Read Write Mount" | "Download" | "Direct" | "Eval Mount" | "Eval Download" - Input Asset Delivery Mode.
MLFlowModelJobInputResponse, MLFlowModelJobInputResponseArgs
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode string
- Input Asset Delivery Mode.
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode string
- Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode String
- Input Asset Delivery Mode.
- uri string
- [Required] Input Asset URI.
- description string
- Description for the input.
- mode string
- Input Asset Delivery Mode.
- uri str
- [Required] Input Asset URI.
- description str
- Description for the input.
- mode str
- Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode String
- Input Asset Delivery Mode.
MLFlowModelJobOutput, MLFlowModelJobOutputArgs
- Description string
- Description for the output.
- Mode
string | Pulumi.
Azure Native. Machine Learning Services. Output Delivery Mode - Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- Description string
- Description for the output.
- Mode
string | Output
Delivery Mode - Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- description String
- Description for the output.
- mode
String | Output
Delivery Mode - Output Asset Delivery Mode.
- uri String
- Output Asset URI.
- description string
- Description for the output.
- mode
string | Output
Delivery Mode - Output Asset Delivery Mode.
- uri string
- Output Asset URI.
- description str
- Description for the output.
- mode
str | Output
Delivery Mode - Output Asset Delivery Mode.
- uri str
- Output Asset URI.
- description String
- Description for the output.
- mode
String | "Read
Write Mount" | "Upload" | "Direct" - Output Asset Delivery Mode.
- uri String
- Output Asset URI.
MLFlowModelJobOutputResponse, MLFlowModelJobOutputResponseArgs
- Description string
- Description for the output.
- Mode string
- Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- Description string
- Description for the output.
- Mode string
- Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- description String
- Description for the output.
- mode String
- Output Asset Delivery Mode.
- uri String
- Output Asset URI.
- description string
- Description for the output.
- mode string
- Output Asset Delivery Mode.
- uri string
- Output Asset URI.
- description str
- Description for the output.
- mode str
- Output Asset Delivery Mode.
- uri str
- Output Asset URI.
- description String
- Description for the output.
- mode String
- Output Asset Delivery Mode.
- uri String
- Output Asset URI.
MLTableJobInput, MLTableJobInputArgs
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode
string | Pulumi.
Azure Native. Machine Learning Services. Input Delivery Mode - Input Asset Delivery Mode.
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode
string | Input
Delivery Mode - Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode
String | Input
Delivery Mode - Input Asset Delivery Mode.
- uri string
- [Required] Input Asset URI.
- description string
- Description for the input.
- mode
string | Input
Delivery Mode - Input Asset Delivery Mode.
- uri str
- [Required] Input Asset URI.
- description str
- Description for the input.
- mode
str | Input
Delivery Mode - Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode
String | "Read
Only Mount" | "Read Write Mount" | "Download" | "Direct" | "Eval Mount" | "Eval Download" - Input Asset Delivery Mode.
MLTableJobInputResponse, MLTableJobInputResponseArgs
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode string
- Input Asset Delivery Mode.
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode string
- Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode String
- Input Asset Delivery Mode.
- uri string
- [Required] Input Asset URI.
- description string
- Description for the input.
- mode string
- Input Asset Delivery Mode.
- uri str
- [Required] Input Asset URI.
- description str
- Description for the input.
- mode str
- Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode String
- Input Asset Delivery Mode.
MLTableJobOutput, MLTableJobOutputArgs
- Description string
- Description for the output.
- Mode
string | Pulumi.
Azure Native. Machine Learning Services. Output Delivery Mode - Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- Description string
- Description for the output.
- Mode
string | Output
Delivery Mode - Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- description String
- Description for the output.
- mode
String | Output
Delivery Mode - Output Asset Delivery Mode.
- uri String
- Output Asset URI.
- description string
- Description for the output.
- mode
string | Output
Delivery Mode - Output Asset Delivery Mode.
- uri string
- Output Asset URI.
- description str
- Description for the output.
- mode
str | Output
Delivery Mode - Output Asset Delivery Mode.
- uri str
- Output Asset URI.
- description String
- Description for the output.
- mode
String | "Read
Write Mount" | "Upload" | "Direct" - Output Asset Delivery Mode.
- uri String
- Output Asset URI.
MLTableJobOutputResponse, MLTableJobOutputResponseArgs
- Description string
- Description for the output.
- Mode string
- Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- Description string
- Description for the output.
- Mode string
- Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- description String
- Description for the output.
- mode String
- Output Asset Delivery Mode.
- uri String
- Output Asset URI.
- description string
- Description for the output.
- mode string
- Output Asset Delivery Mode.
- uri string
- Output Asset URI.
- description str
- Description for the output.
- mode str
- Output Asset Delivery Mode.
- uri str
- Output Asset URI.
- description String
- Description for the output.
- mode String
- Output Asset Delivery Mode.
- uri String
- Output Asset URI.
ManagedComputeIdentity, ManagedComputeIdentityArgs
- Identity
Pulumi.
Azure Native. Machine Learning Services. Inputs. Managed Service Identity - The identity which will be leveraged by the monitoring jobs.
- Identity
Managed
Service Identity - The identity which will be leveraged by the monitoring jobs.
- identity
Managed
Service Identity - The identity which will be leveraged by the monitoring jobs.
- identity
Managed
Service Identity - The identity which will be leveraged by the monitoring jobs.
- identity
Managed
Service Identity - The identity which will be leveraged by the monitoring jobs.
- identity Property Map
- The identity which will be leveraged by the monitoring jobs.
ManagedComputeIdentityResponse, ManagedComputeIdentityResponseArgs
- Identity
Pulumi.
Azure Native. Machine Learning Services. Inputs. Managed Service Identity Response - The identity which will be leveraged by the monitoring jobs.
- Identity
Managed
Service Identity Response - The identity which will be leveraged by the monitoring jobs.
- identity
Managed
Service Identity Response - The identity which will be leveraged by the monitoring jobs.
- identity
Managed
Service Identity Response - The identity which will be leveraged by the monitoring jobs.
- identity
Managed
Service Identity Response - The identity which will be leveraged by the monitoring jobs.
- identity Property Map
- The identity which will be leveraged by the monitoring jobs.
ManagedIdentity, ManagedIdentityArgs
- Client
Id string - Specifies a user-assigned identity by client ID. For system-assigned, do not set this field.
- Object
Id string - Specifies a user-assigned identity by object ID. For system-assigned, do not set this field.
- Resource
Id string - Specifies a user-assigned identity by ARM resource ID. For system-assigned, do not set this field.
- Client
Id string - Specifies a user-assigned identity by client ID. For system-assigned, do not set this field.
- Object
Id string - Specifies a user-assigned identity by object ID. For system-assigned, do not set this field.
- Resource
Id string - Specifies a user-assigned identity by ARM resource ID. For system-assigned, do not set this field.
- client
Id String - Specifies a user-assigned identity by client ID. For system-assigned, do not set this field.
- object
Id String - Specifies a user-assigned identity by object ID. For system-assigned, do not set this field.
- resource
Id String - Specifies a user-assigned identity by ARM resource ID. For system-assigned, do not set this field.
- client
Id string - Specifies a user-assigned identity by client ID. For system-assigned, do not set this field.
- object
Id string - Specifies a user-assigned identity by object ID. For system-assigned, do not set this field.
- resource
Id string - Specifies a user-assigned identity by ARM resource ID. For system-assigned, do not set this field.
- client_
id str - Specifies a user-assigned identity by client ID. For system-assigned, do not set this field.
- object_
id str - Specifies a user-assigned identity by object ID. For system-assigned, do not set this field.
- resource_
id str - Specifies a user-assigned identity by ARM resource ID. For system-assigned, do not set this field.
- client
Id String - Specifies a user-assigned identity by client ID. For system-assigned, do not set this field.
- object
Id String - Specifies a user-assigned identity by object ID. For system-assigned, do not set this field.
- resource
Id String - Specifies a user-assigned identity by ARM resource ID. For system-assigned, do not set this field.
ManagedIdentityResponse, ManagedIdentityResponseArgs
- Client
Id string - Specifies a user-assigned identity by client ID. For system-assigned, do not set this field.
- Object
Id string - Specifies a user-assigned identity by object ID. For system-assigned, do not set this field.
- Resource
Id string - Specifies a user-assigned identity by ARM resource ID. For system-assigned, do not set this field.
- Client
Id string - Specifies a user-assigned identity by client ID. For system-assigned, do not set this field.
- Object
Id string - Specifies a user-assigned identity by object ID. For system-assigned, do not set this field.
- Resource
Id string - Specifies a user-assigned identity by ARM resource ID. For system-assigned, do not set this field.
- client
Id String - Specifies a user-assigned identity by client ID. For system-assigned, do not set this field.
- object
Id String - Specifies a user-assigned identity by object ID. For system-assigned, do not set this field.
- resource
Id String - Specifies a user-assigned identity by ARM resource ID. For system-assigned, do not set this field.
- client
Id string - Specifies a user-assigned identity by client ID. For system-assigned, do not set this field.
- object
Id string - Specifies a user-assigned identity by object ID. For system-assigned, do not set this field.
- resource
Id string - Specifies a user-assigned identity by ARM resource ID. For system-assigned, do not set this field.
- client_
id str - Specifies a user-assigned identity by client ID. For system-assigned, do not set this field.
- object_
id str - Specifies a user-assigned identity by object ID. For system-assigned, do not set this field.
- resource_
id str - Specifies a user-assigned identity by ARM resource ID. For system-assigned, do not set this field.
- client
Id String - Specifies a user-assigned identity by client ID. For system-assigned, do not set this field.
- object
Id String - Specifies a user-assigned identity by object ID. For system-assigned, do not set this field.
- resource
Id String - Specifies a user-assigned identity by ARM resource ID. For system-assigned, do not set this field.
ManagedServiceIdentity, ManagedServiceIdentityArgs
- Type
string | Pulumi.
Azure Native. Machine Learning Services. Managed Service Identity Type - Type of managed service identity (where both SystemAssigned and UserAssigned types are allowed).
- User
Assigned List<string>Identities - The set of user assigned identities associated with the resource. The userAssignedIdentities dictionary keys will be ARM resource ids in the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{identityName}. The dictionary values can be empty objects ({}) in requests.
- Type
string | Managed
Service Identity Type - Type of managed service identity (where both SystemAssigned and UserAssigned types are allowed).
- User
Assigned []stringIdentities - The set of user assigned identities associated with the resource. The userAssignedIdentities dictionary keys will be ARM resource ids in the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{identityName}. The dictionary values can be empty objects ({}) in requests.
- type
String | Managed
Service Identity Type - Type of managed service identity (where both SystemAssigned and UserAssigned types are allowed).
- user
Assigned List<String>Identities - The set of user assigned identities associated with the resource. The userAssignedIdentities dictionary keys will be ARM resource ids in the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{identityName}. The dictionary values can be empty objects ({}) in requests.
- type
string | Managed
Service Identity Type - Type of managed service identity (where both SystemAssigned and UserAssigned types are allowed).
- user
Assigned string[]Identities - The set of user assigned identities associated with the resource. The userAssignedIdentities dictionary keys will be ARM resource ids in the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{identityName}. The dictionary values can be empty objects ({}) in requests.
- type
str | Managed
Service Identity Type - Type of managed service identity (where both SystemAssigned and UserAssigned types are allowed).
- user_
assigned_ Sequence[str]identities - The set of user assigned identities associated with the resource. The userAssignedIdentities dictionary keys will be ARM resource ids in the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{identityName}. The dictionary values can be empty objects ({}) in requests.
- type
String | "None" | "System
Assigned" | "User Assigned" | "System Assigned,User Assigned" - Type of managed service identity (where both SystemAssigned and UserAssigned types are allowed).
- user
Assigned List<String>Identities - The set of user assigned identities associated with the resource. The userAssignedIdentities dictionary keys will be ARM resource ids in the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{identityName}. The dictionary values can be empty objects ({}) in requests.
ManagedServiceIdentityResponse, ManagedServiceIdentityResponseArgs
- Principal
Id string - The service principal ID of the system assigned identity. This property will only be provided for a system assigned identity.
- Tenant
Id string - The tenant ID of the system assigned identity. This property will only be provided for a system assigned identity.
- Type string
- Type of managed service identity (where both SystemAssigned and UserAssigned types are allowed).
- User
Assigned Dictionary<string, Pulumi.Identities Azure Native. Machine Learning Services. Inputs. User Assigned Identity Response> - The set of user assigned identities associated with the resource. The userAssignedIdentities dictionary keys will be ARM resource ids in the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{identityName}. The dictionary values can be empty objects ({}) in requests.
- Principal
Id string - The service principal ID of the system assigned identity. This property will only be provided for a system assigned identity.
- Tenant
Id string - The tenant ID of the system assigned identity. This property will only be provided for a system assigned identity.
- Type string
- Type of managed service identity (where both SystemAssigned and UserAssigned types are allowed).
- User
Assigned map[string]UserIdentities Assigned Identity Response - The set of user assigned identities associated with the resource. The userAssignedIdentities dictionary keys will be ARM resource ids in the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{identityName}. The dictionary values can be empty objects ({}) in requests.
- principal
Id String - The service principal ID of the system assigned identity. This property will only be provided for a system assigned identity.
- tenant
Id String - The tenant ID of the system assigned identity. This property will only be provided for a system assigned identity.
- type String
- Type of managed service identity (where both SystemAssigned and UserAssigned types are allowed).
- user
Assigned Map<String,UserIdentities Assigned Identity Response> - The set of user assigned identities associated with the resource. The userAssignedIdentities dictionary keys will be ARM resource ids in the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{identityName}. The dictionary values can be empty objects ({}) in requests.
- principal
Id string - The service principal ID of the system assigned identity. This property will only be provided for a system assigned identity.
- tenant
Id string - The tenant ID of the system assigned identity. This property will only be provided for a system assigned identity.
- type string
- Type of managed service identity (where both SystemAssigned and UserAssigned types are allowed).
- user
Assigned {[key: string]: UserIdentities Assigned Identity Response} - The set of user assigned identities associated with the resource. The userAssignedIdentities dictionary keys will be ARM resource ids in the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{identityName}. The dictionary values can be empty objects ({}) in requests.
- principal_
id str - The service principal ID of the system assigned identity. This property will only be provided for a system assigned identity.
- tenant_
id str - The tenant ID of the system assigned identity. This property will only be provided for a system assigned identity.
- type str
- Type of managed service identity (where both SystemAssigned and UserAssigned types are allowed).
- user_
assigned_ Mapping[str, Useridentities Assigned Identity Response] - The set of user assigned identities associated with the resource. The userAssignedIdentities dictionary keys will be ARM resource ids in the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{identityName}. The dictionary values can be empty objects ({}) in requests.
- principal
Id String - The service principal ID of the system assigned identity. This property will only be provided for a system assigned identity.
- tenant
Id String - The tenant ID of the system assigned identity. This property will only be provided for a system assigned identity.
- type String
- Type of managed service identity (where both SystemAssigned and UserAssigned types are allowed).
- user
Assigned Map<Property Map>Identities - The set of user assigned identities associated with the resource. The userAssignedIdentities dictionary keys will be ARM resource ids in the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{identityName}. The dictionary values can be empty objects ({}) in requests.
ManagedServiceIdentityType, ManagedServiceIdentityTypeArgs
- None
- None
- System
Assigned - SystemAssigned
- User
Assigned - UserAssigned
- System
Assigned_User Assigned - SystemAssigned,UserAssigned
- Managed
Service Identity Type None - None
- Managed
Service Identity Type System Assigned - SystemAssigned
- Managed
Service Identity Type User Assigned - UserAssigned
- Managed
Service Identity Type_System Assigned_User Assigned - SystemAssigned,UserAssigned
- None
- None
- System
Assigned - SystemAssigned
- User
Assigned - UserAssigned
- System
Assigned_User Assigned - SystemAssigned,UserAssigned
- None
- None
- System
Assigned - SystemAssigned
- User
Assigned - UserAssigned
- System
Assigned_User Assigned - SystemAssigned,UserAssigned
- NONE
- None
- SYSTEM_ASSIGNED
- SystemAssigned
- USER_ASSIGNED
- UserAssigned
- SYSTEM_ASSIGNED_USER_ASSIGNED
- SystemAssigned,UserAssigned
- "None"
- None
- "System
Assigned" - SystemAssigned
- "User
Assigned" - UserAssigned
- "System
Assigned,User Assigned" - SystemAssigned,UserAssigned
MedianStoppingPolicy, MedianStoppingPolicyArgs
- Delay
Evaluation int - Number of intervals by which to delay the first evaluation.
- Evaluation
Interval int - Interval (number of runs) between policy evaluations.
- Delay
Evaluation int - Number of intervals by which to delay the first evaluation.
- Evaluation
Interval int - Interval (number of runs) between policy evaluations.
- delay
Evaluation Integer - Number of intervals by which to delay the first evaluation.
- evaluation
Interval Integer - Interval (number of runs) between policy evaluations.
- delay
Evaluation number - Number of intervals by which to delay the first evaluation.
- evaluation
Interval number - Interval (number of runs) between policy evaluations.
- delay_
evaluation int - Number of intervals by which to delay the first evaluation.
- evaluation_
interval int - Interval (number of runs) between policy evaluations.
- delay
Evaluation Number - Number of intervals by which to delay the first evaluation.
- evaluation
Interval Number - Interval (number of runs) between policy evaluations.
MedianStoppingPolicyResponse, MedianStoppingPolicyResponseArgs
- Delay
Evaluation int - Number of intervals by which to delay the first evaluation.
- Evaluation
Interval int - Interval (number of runs) between policy evaluations.
- Delay
Evaluation int - Number of intervals by which to delay the first evaluation.
- Evaluation
Interval int - Interval (number of runs) between policy evaluations.
- delay
Evaluation Integer - Number of intervals by which to delay the first evaluation.
- evaluation
Interval Integer - Interval (number of runs) between policy evaluations.
- delay
Evaluation number - Number of intervals by which to delay the first evaluation.
- evaluation
Interval number - Interval (number of runs) between policy evaluations.
- delay_
evaluation int - Number of intervals by which to delay the first evaluation.
- evaluation_
interval int - Interval (number of runs) between policy evaluations.
- delay
Evaluation Number - Number of intervals by which to delay the first evaluation.
- evaluation
Interval Number - Interval (number of runs) between policy evaluations.
ModelSize, ModelSizeArgs
- None
- NoneNo value selected.
- Small
- SmallSmall size.
- Medium
- MediumMedium size.
- Large
- LargeLarge size.
- Extra
Large - ExtraLargeExtra large size.
- Model
Size None - NoneNo value selected.
- Model
Size Small - SmallSmall size.
- Model
Size Medium - MediumMedium size.
- Model
Size Large - LargeLarge size.
- Model
Size Extra Large - ExtraLargeExtra large size.
- None
- NoneNo value selected.
- Small
- SmallSmall size.
- Medium
- MediumMedium size.
- Large
- LargeLarge size.
- Extra
Large - ExtraLargeExtra large size.
- None
- NoneNo value selected.
- Small
- SmallSmall size.
- Medium
- MediumMedium size.
- Large
- LargeLarge size.
- Extra
Large - ExtraLargeExtra large size.
- NONE
- NoneNo value selected.
- SMALL
- SmallSmall size.
- MEDIUM
- MediumMedium size.
- LARGE
- LargeLarge size.
- EXTRA_LARGE
- ExtraLargeExtra large size.
- "None"
- NoneNo value selected.
- "Small"
- SmallSmall size.
- "Medium"
- MediumMedium size.
- "Large"
- LargeLarge size.
- "Extra
Large" - ExtraLargeExtra large size.
ModelTaskType, ModelTaskTypeArgs
- Classification
- Classification
- Regression
- Regression
- Model
Task Type Classification - Classification
- Model
Task Type Regression - Regression
- Classification
- Classification
- Regression
- Regression
- Classification
- Classification
- Regression
- Regression
- CLASSIFICATION
- Classification
- REGRESSION
- Regression
- "Classification"
- Classification
- "Regression"
- Regression
MonitorDefinition, MonitorDefinitionArgs
- Compute
Configuration Pulumi.Azure Native. Machine Learning Services. Inputs. Monitor Serverless Spark Compute - [Required] The ARM resource ID of the compute resource to run the monitoring job on.
- Signals Dictionary<string, object>
- [Required] The signals to monitor.
- Alert
Notification Pulumi.Settings Azure Native. Machine Learning Services. Inputs. Monitor Notification Settings - The monitor's notification settings.
- Monitoring
Target Pulumi.Azure Native. Machine Learning Services. Inputs. Monitoring Target - The entities targeted by the monitor.
- Compute
Configuration MonitorServerless Spark Compute - [Required] The ARM resource ID of the compute resource to run the monitoring job on.
- Signals map[string]interface{}
- [Required] The signals to monitor.
- Alert
Notification MonitorSettings Notification Settings - The monitor's notification settings.
- Monitoring
Target MonitoringTarget - The entities targeted by the monitor.
- compute
Configuration MonitorServerless Spark Compute - [Required] The ARM resource ID of the compute resource to run the monitoring job on.
- signals Map<String,Object>
- [Required] The signals to monitor.
- alert
Notification MonitorSettings Notification Settings - The monitor's notification settings.
- monitoring
Target MonitoringTarget - The entities targeted by the monitor.
- compute
Configuration MonitorServerless Spark Compute - [Required] The ARM resource ID of the compute resource to run the monitoring job on.
- signals
{[key: string]: Custom
Monitoring Signal | Data Drift Monitoring Signal | Data Quality Monitoring Signal | Feature Attribution Drift Monitoring Signal | Prediction Drift Monitoring Signal} - [Required] The signals to monitor.
- alert
Notification MonitorSettings Notification Settings - The monitor's notification settings.
- monitoring
Target MonitoringTarget - The entities targeted by the monitor.
- compute_
configuration MonitorServerless Spark Compute - [Required] The ARM resource ID of the compute resource to run the monitoring job on.
- signals
Mapping[str, Union[Custom
Monitoring Signal, Data Drift Monitoring Signal, Data Quality Monitoring Signal, Feature Attribution Drift Monitoring Signal, Prediction Drift Monitoring Signal]] - [Required] The signals to monitor.
- alert_
notification_ Monitorsettings Notification Settings - The monitor's notification settings.
- monitoring_
target MonitoringTarget - The entities targeted by the monitor.
- compute
Configuration Property Map - [Required] The ARM resource ID of the compute resource to run the monitoring job on.
- signals Map<Property Map | Property Map | Property Map | Property Map | Property Map>
- [Required] The signals to monitor.
- alert
Notification Property MapSettings - The monitor's notification settings.
- monitoring
Target Property Map - The entities targeted by the monitor.
MonitorDefinitionResponse, MonitorDefinitionResponseArgs
- Compute
Configuration Pulumi.Azure Native. Machine Learning Services. Inputs. Monitor Serverless Spark Compute Response - [Required] The ARM resource ID of the compute resource to run the monitoring job on.
- Signals Dictionary<string, object>
- [Required] The signals to monitor.
- Alert
Notification Pulumi.Settings Azure Native. Machine Learning Services. Inputs. Monitor Notification Settings Response - The monitor's notification settings.
- Monitoring
Target Pulumi.Azure Native. Machine Learning Services. Inputs. Monitoring Target Response - The entities targeted by the monitor.
- Compute
Configuration MonitorServerless Spark Compute Response - [Required] The ARM resource ID of the compute resource to run the monitoring job on.
- Signals map[string]interface{}
- [Required] The signals to monitor.
- Alert
Notification MonitorSettings Notification Settings Response - The monitor's notification settings.
- Monitoring
Target MonitoringTarget Response - The entities targeted by the monitor.
- compute
Configuration MonitorServerless Spark Compute Response - [Required] The ARM resource ID of the compute resource to run the monitoring job on.
- signals Map<String,Object>
- [Required] The signals to monitor.
- alert
Notification MonitorSettings Notification Settings Response - The monitor's notification settings.
- monitoring
Target MonitoringTarget Response - The entities targeted by the monitor.
- compute
Configuration MonitorServerless Spark Compute Response - [Required] The ARM resource ID of the compute resource to run the monitoring job on.
- signals
{[key: string]: Custom
Monitoring Signal Response | Data Drift Monitoring Signal Response | Data Quality Monitoring Signal Response | Feature Attribution Drift Monitoring Signal Response | Prediction Drift Monitoring Signal Response} - [Required] The signals to monitor.
- alert
Notification MonitorSettings Notification Settings Response - The monitor's notification settings.
- monitoring
Target MonitoringTarget Response - The entities targeted by the monitor.
- compute_
configuration MonitorServerless Spark Compute Response - [Required] The ARM resource ID of the compute resource to run the monitoring job on.
- signals
Mapping[str, Union[Custom
Monitoring Signal Response, Data Drift Monitoring Signal Response, Data Quality Monitoring Signal Response, Feature Attribution Drift Monitoring Signal Response, Prediction Drift Monitoring Signal Response]] - [Required] The signals to monitor.
- alert_
notification_ Monitorsettings Notification Settings Response - The monitor's notification settings.
- monitoring_
target MonitoringTarget Response - The entities targeted by the monitor.
- compute
Configuration Property Map - [Required] The ARM resource ID of the compute resource to run the monitoring job on.
- signals Map<Property Map | Property Map | Property Map | Property Map | Property Map>
- [Required] The signals to monitor.
- alert
Notification Property MapSettings - The monitor's notification settings.
- monitoring
Target Property Map - The entities targeted by the monitor.
MonitorEmailNotificationSettings, MonitorEmailNotificationSettingsArgs
- Emails List<string>
- The email recipient list which has a limitation of 499 characters in total.
- Emails []string
- The email recipient list which has a limitation of 499 characters in total.
- emails List<String>
- The email recipient list which has a limitation of 499 characters in total.
- emails string[]
- The email recipient list which has a limitation of 499 characters in total.
- emails Sequence[str]
- The email recipient list which has a limitation of 499 characters in total.
- emails List<String>
- The email recipient list which has a limitation of 499 characters in total.
MonitorEmailNotificationSettingsResponse, MonitorEmailNotificationSettingsResponseArgs
- Emails List<string>
- The email recipient list which has a limitation of 499 characters in total.
- Emails []string
- The email recipient list which has a limitation of 499 characters in total.
- emails List<String>
- The email recipient list which has a limitation of 499 characters in total.
- emails string[]
- The email recipient list which has a limitation of 499 characters in total.
- emails Sequence[str]
- The email recipient list which has a limitation of 499 characters in total.
- emails List<String>
- The email recipient list which has a limitation of 499 characters in total.
MonitorNotificationSettings, MonitorNotificationSettingsArgs
- Email
Notification Pulumi.Settings Azure Native. Machine Learning Services. Inputs. Monitor Email Notification Settings - The AML notification email settings.
- Email
Notification MonitorSettings Email Notification Settings - The AML notification email settings.
- email
Notification MonitorSettings Email Notification Settings - The AML notification email settings.
- email
Notification MonitorSettings Email Notification Settings - The AML notification email settings.
- email_
notification_ Monitorsettings Email Notification Settings - The AML notification email settings.
- email
Notification Property MapSettings - The AML notification email settings.
MonitorNotificationSettingsResponse, MonitorNotificationSettingsResponseArgs
- Email
Notification Pulumi.Settings Azure Native. Machine Learning Services. Inputs. Monitor Email Notification Settings Response - The AML notification email settings.
- Email
Notification MonitorSettings Email Notification Settings Response - The AML notification email settings.
- email
Notification MonitorSettings Email Notification Settings Response - The AML notification email settings.
- email
Notification MonitorSettings Email Notification Settings Response - The AML notification email settings.
- email_
notification_ Monitorsettings Email Notification Settings Response - The AML notification email settings.
- email
Notification Property MapSettings - The AML notification email settings.
MonitorServerlessSparkCompute, MonitorServerlessSparkComputeArgs
- Compute
Identity Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Aml Token Compute Identity Azure Native. Machine Learning Services. Inputs. Managed Compute Identity - [Required] The identity scheme leveraged to by the spark jobs running on serverless Spark.
- Instance
Type string - [Required] The instance type running the Spark job.
- Runtime
Version string - [Required] The Spark runtime version.
- Compute
Identity AmlToken | ManagedCompute Identity Compute Identity - [Required] The identity scheme leveraged to by the spark jobs running on serverless Spark.
- Instance
Type string - [Required] The instance type running the Spark job.
- Runtime
Version string - [Required] The Spark runtime version.
- compute
Identity AmlToken | ManagedCompute Identity Compute Identity - [Required] The identity scheme leveraged to by the spark jobs running on serverless Spark.
- instance
Type String - [Required] The instance type running the Spark job.
- runtime
Version String - [Required] The Spark runtime version.
- compute
Identity AmlToken | ManagedCompute Identity Compute Identity - [Required] The identity scheme leveraged to by the spark jobs running on serverless Spark.
- instance
Type string - [Required] The instance type running the Spark job.
- runtime
Version string - [Required] The Spark runtime version.
- compute_
identity AmlToken | ManagedCompute Identity Compute Identity - [Required] The identity scheme leveraged to by the spark jobs running on serverless Spark.
- instance_
type str - [Required] The instance type running the Spark job.
- runtime_
version str - [Required] The Spark runtime version.
- compute
Identity Property Map | Property Map - [Required] The identity scheme leveraged to by the spark jobs running on serverless Spark.
- instance
Type String - [Required] The instance type running the Spark job.
- runtime
Version String - [Required] The Spark runtime version.
MonitorServerlessSparkComputeResponse, MonitorServerlessSparkComputeResponseArgs
- Compute
Identity Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Aml Token Compute Identity Response Azure Native. Machine Learning Services. Inputs. Managed Compute Identity Response - [Required] The identity scheme leveraged to by the spark jobs running on serverless Spark.
- Instance
Type string - [Required] The instance type running the Spark job.
- Runtime
Version string - [Required] The Spark runtime version.
- Compute
Identity AmlToken | ManagedCompute Identity Response Compute Identity Response - [Required] The identity scheme leveraged to by the spark jobs running on serverless Spark.
- Instance
Type string - [Required] The instance type running the Spark job.
- Runtime
Version string - [Required] The Spark runtime version.
- compute
Identity AmlToken | ManagedCompute Identity Response Compute Identity Response - [Required] The identity scheme leveraged to by the spark jobs running on serverless Spark.
- instance
Type String - [Required] The instance type running the Spark job.
- runtime
Version String - [Required] The Spark runtime version.
- compute
Identity AmlToken | ManagedCompute Identity Response Compute Identity Response - [Required] The identity scheme leveraged to by the spark jobs running on serverless Spark.
- instance
Type string - [Required] The instance type running the Spark job.
- runtime
Version string - [Required] The Spark runtime version.
- compute_
identity AmlToken | ManagedCompute Identity Response Compute Identity Response - [Required] The identity scheme leveraged to by the spark jobs running on serverless Spark.
- instance_
type str - [Required] The instance type running the Spark job.
- runtime_
version str - [Required] The Spark runtime version.
- compute
Identity Property Map | Property Map - [Required] The identity scheme leveraged to by the spark jobs running on serverless Spark.
- instance
Type String - [Required] The instance type running the Spark job.
- runtime
Version String - [Required] The Spark runtime version.
MonitoringFeatureDataType, MonitoringFeatureDataTypeArgs
- Numerical
- NumericalUsed for features of numerical data type.
- Categorical
- CategoricalUsed for features of categorical data type.
- Monitoring
Feature Data Type Numerical - NumericalUsed for features of numerical data type.
- Monitoring
Feature Data Type Categorical - CategoricalUsed for features of categorical data type.
- Numerical
- NumericalUsed for features of numerical data type.
- Categorical
- CategoricalUsed for features of categorical data type.
- Numerical
- NumericalUsed for features of numerical data type.
- Categorical
- CategoricalUsed for features of categorical data type.
- NUMERICAL
- NumericalUsed for features of numerical data type.
- CATEGORICAL
- CategoricalUsed for features of categorical data type.
- "Numerical"
- NumericalUsed for features of numerical data type.
- "Categorical"
- CategoricalUsed for features of categorical data type.
MonitoringNotificationType, MonitoringNotificationTypeArgs
- Aml
Notification - AmlNotificationEnables email notifications through AML notifications.
- Monitoring
Notification Type Aml Notification - AmlNotificationEnables email notifications through AML notifications.
- Aml
Notification - AmlNotificationEnables email notifications through AML notifications.
- Aml
Notification - AmlNotificationEnables email notifications through AML notifications.
- AML_NOTIFICATION
- AmlNotificationEnables email notifications through AML notifications.
- "Aml
Notification" - AmlNotificationEnables email notifications through AML notifications.
MonitoringTarget, MonitoringTargetArgs
- Task
Type string | Pulumi.Azure Native. Machine Learning Services. Model Task Type - [Required] The machine learning task type of the monitored model.
- Deployment
Id string - Reference to the deployment asset targeted by this monitor.
- Model
Id string - Reference to the model asset targeted by this monitor.
- Task
Type string | ModelTask Type - [Required] The machine learning task type of the monitored model.
- Deployment
Id string - Reference to the deployment asset targeted by this monitor.
- Model
Id string - Reference to the model asset targeted by this monitor.
- task
Type String | ModelTask Type - [Required] The machine learning task type of the monitored model.
- deployment
Id String - Reference to the deployment asset targeted by this monitor.
- model
Id String - Reference to the model asset targeted by this monitor.
- task
Type string | ModelTask Type - [Required] The machine learning task type of the monitored model.
- deployment
Id string - Reference to the deployment asset targeted by this monitor.
- model
Id string - Reference to the model asset targeted by this monitor.
- task_
type str | ModelTask Type - [Required] The machine learning task type of the monitored model.
- deployment_
id str - Reference to the deployment asset targeted by this monitor.
- model_
id str - Reference to the model asset targeted by this monitor.
- task
Type String | "Classification" | "Regression" - [Required] The machine learning task type of the monitored model.
- deployment
Id String - Reference to the deployment asset targeted by this monitor.
- model
Id String - Reference to the model asset targeted by this monitor.
MonitoringTargetResponse, MonitoringTargetResponseArgs
- Task
Type string - [Required] The machine learning task type of the monitored model.
- Deployment
Id string - Reference to the deployment asset targeted by this monitor.
- Model
Id string - Reference to the model asset targeted by this monitor.
- Task
Type string - [Required] The machine learning task type of the monitored model.
- Deployment
Id string - Reference to the deployment asset targeted by this monitor.
- Model
Id string - Reference to the model asset targeted by this monitor.
- task
Type String - [Required] The machine learning task type of the monitored model.
- deployment
Id String - Reference to the deployment asset targeted by this monitor.
- model
Id String - Reference to the model asset targeted by this monitor.
- task
Type string - [Required] The machine learning task type of the monitored model.
- deployment
Id string - Reference to the deployment asset targeted by this monitor.
- model
Id string - Reference to the model asset targeted by this monitor.
- task_
type str - [Required] The machine learning task type of the monitored model.
- deployment_
id str - Reference to the deployment asset targeted by this monitor.
- model_
id str - Reference to the model asset targeted by this monitor.
- task
Type String - [Required] The machine learning task type of the monitored model.
- deployment
Id String - Reference to the deployment asset targeted by this monitor.
- model
Id String - Reference to the model asset targeted by this monitor.
MonitoringThreshold, MonitoringThresholdArgs
- Value double
- The threshold value. If null, the set default is dependent on the metric type.
- Value float64
- The threshold value. If null, the set default is dependent on the metric type.
- value Double
- The threshold value. If null, the set default is dependent on the metric type.
- value number
- The threshold value. If null, the set default is dependent on the metric type.
- value float
- The threshold value. If null, the set default is dependent on the metric type.
- value Number
- The threshold value. If null, the set default is dependent on the metric type.
MonitoringThresholdResponse, MonitoringThresholdResponseArgs
- Value double
- The threshold value. If null, the set default is dependent on the metric type.
- Value float64
- The threshold value. If null, the set default is dependent on the metric type.
- value Double
- The threshold value. If null, the set default is dependent on the metric type.
- value number
- The threshold value. If null, the set default is dependent on the metric type.
- value float
- The threshold value. If null, the set default is dependent on the metric type.
- value Number
- The threshold value. If null, the set default is dependent on the metric type.
Mpi, MpiArgs
- Process
Count intPer Instance - Number of processes per MPI node.
- Process
Count intPer Instance - Number of processes per MPI node.
- process
Count IntegerPer Instance - Number of processes per MPI node.
- process
Count numberPer Instance - Number of processes per MPI node.
- process_
count_ intper_ instance - Number of processes per MPI node.
- process
Count NumberPer Instance - Number of processes per MPI node.
MpiResponse, MpiResponseArgs
- Process
Count intPer Instance - Number of processes per MPI node.
- Process
Count intPer Instance - Number of processes per MPI node.
- process
Count IntegerPer Instance - Number of processes per MPI node.
- process
Count numberPer Instance - Number of processes per MPI node.
- process_
count_ intper_ instance - Number of processes per MPI node.
- process
Count NumberPer Instance - Number of processes per MPI node.
NlpVerticalFeaturizationSettings, NlpVerticalFeaturizationSettingsArgs
- Dataset
Language string - Dataset language, useful for the text data.
- Dataset
Language string - Dataset language, useful for the text data.
- dataset
Language String - Dataset language, useful for the text data.
- dataset
Language string - Dataset language, useful for the text data.
- dataset_
language str - Dataset language, useful for the text data.
- dataset
Language String - Dataset language, useful for the text data.
NlpVerticalFeaturizationSettingsResponse, NlpVerticalFeaturizationSettingsResponseArgs
- Dataset
Language string - Dataset language, useful for the text data.
- Dataset
Language string - Dataset language, useful for the text data.
- dataset
Language String - Dataset language, useful for the text data.
- dataset
Language string - Dataset language, useful for the text data.
- dataset_
language str - Dataset language, useful for the text data.
- dataset
Language String - Dataset language, useful for the text data.
NlpVerticalLimitSettings, NlpVerticalLimitSettingsArgs
- Max
Concurrent intTrials - Maximum Concurrent AutoML iterations.
- Max
Trials int - Number of AutoML iterations.
- Timeout string
- AutoML job timeout.
- Max
Concurrent intTrials - Maximum Concurrent AutoML iterations.
- Max
Trials int - Number of AutoML iterations.
- Timeout string
- AutoML job timeout.
- max
Concurrent IntegerTrials - Maximum Concurrent AutoML iterations.
- max
Trials Integer - Number of AutoML iterations.
- timeout String
- AutoML job timeout.
- max
Concurrent numberTrials - Maximum Concurrent AutoML iterations.
- max
Trials number - Number of AutoML iterations.
- timeout string
- AutoML job timeout.
- max_
concurrent_ inttrials - Maximum Concurrent AutoML iterations.
- max_
trials int - Number of AutoML iterations.
- timeout str
- AutoML job timeout.
- max
Concurrent NumberTrials - Maximum Concurrent AutoML iterations.
- max
Trials Number - Number of AutoML iterations.
- timeout String
- AutoML job timeout.
NlpVerticalLimitSettingsResponse, NlpVerticalLimitSettingsResponseArgs
- Max
Concurrent intTrials - Maximum Concurrent AutoML iterations.
- Max
Trials int - Number of AutoML iterations.
- Timeout string
- AutoML job timeout.
- Max
Concurrent intTrials - Maximum Concurrent AutoML iterations.
- Max
Trials int - Number of AutoML iterations.
- Timeout string
- AutoML job timeout.
- max
Concurrent IntegerTrials - Maximum Concurrent AutoML iterations.
- max
Trials Integer - Number of AutoML iterations.
- timeout String
- AutoML job timeout.
- max
Concurrent numberTrials - Maximum Concurrent AutoML iterations.
- max
Trials number - Number of AutoML iterations.
- timeout string
- AutoML job timeout.
- max_
concurrent_ inttrials - Maximum Concurrent AutoML iterations.
- max_
trials int - Number of AutoML iterations.
- timeout str
- AutoML job timeout.
- max
Concurrent NumberTrials - Maximum Concurrent AutoML iterations.
- max
Trials Number - Number of AutoML iterations.
- timeout String
- AutoML job timeout.
NotificationSetting, NotificationSettingArgs
- Email
On List<Union<string, Pulumi.Azure Native. Machine Learning Services. Email Notification Enable Type>> - Send email notification to user on specified notification type
- Emails List<string>
- This is the email recipient list which has a limitation of 499 characters in total concat with comma separator
- Webhooks
Dictionary<string, Pulumi.
Azure Native. Machine Learning Services. Inputs. Azure Dev Ops Webhook> - Send webhook callback to a service. Key is a user-provided name for the webhook.
- Email
On []string - Send email notification to user on specified notification type
- Emails []string
- This is the email recipient list which has a limitation of 499 characters in total concat with comma separator
- Webhooks
map[string]Azure
Dev Ops Webhook - Send webhook callback to a service. Key is a user-provided name for the webhook.
- email
On List<Either<String,EmailNotification Enable Type>> - Send email notification to user on specified notification type
- emails List<String>
- This is the email recipient list which has a limitation of 499 characters in total concat with comma separator
- webhooks
Map<String,Azure
Dev Ops Webhook> - Send webhook callback to a service. Key is a user-provided name for the webhook.
- email
On (string | EmailNotification Enable Type)[] - Send email notification to user on specified notification type
- emails string[]
- This is the email recipient list which has a limitation of 499 characters in total concat with comma separator
- webhooks
{[key: string]: Azure
Dev Ops Webhook} - Send webhook callback to a service. Key is a user-provided name for the webhook.
- email_
on Sequence[Union[str, EmailNotification Enable Type]] - Send email notification to user on specified notification type
- emails Sequence[str]
- This is the email recipient list which has a limitation of 499 characters in total concat with comma separator
- webhooks
Mapping[str, Azure
Dev Ops Webhook] - Send webhook callback to a service. Key is a user-provided name for the webhook.
- email
On List<String | "JobCompleted" | "Job Failed" | "Job Cancelled"> - Send email notification to user on specified notification type
- emails List<String>
- This is the email recipient list which has a limitation of 499 characters in total concat with comma separator
- webhooks Map<Property Map>
- Send webhook callback to a service. Key is a user-provided name for the webhook.
NotificationSettingResponse, NotificationSettingResponseArgs
- Email
On List<string> - Send email notification to user on specified notification type
- Emails List<string>
- This is the email recipient list which has a limitation of 499 characters in total concat with comma separator
- Webhooks
Dictionary<string, Pulumi.
Azure Native. Machine Learning Services. Inputs. Azure Dev Ops Webhook Response> - Send webhook callback to a service. Key is a user-provided name for the webhook.
- Email
On []string - Send email notification to user on specified notification type
- Emails []string
- This is the email recipient list which has a limitation of 499 characters in total concat with comma separator
- Webhooks
map[string]Azure
Dev Ops Webhook Response - Send webhook callback to a service. Key is a user-provided name for the webhook.
- email
On List<String> - Send email notification to user on specified notification type
- emails List<String>
- This is the email recipient list which has a limitation of 499 characters in total concat with comma separator
- webhooks
Map<String,Azure
Dev Ops Webhook Response> - Send webhook callback to a service. Key is a user-provided name for the webhook.
- email
On string[] - Send email notification to user on specified notification type
- emails string[]
- This is the email recipient list which has a limitation of 499 characters in total concat with comma separator
- webhooks
{[key: string]: Azure
Dev Ops Webhook Response} - Send webhook callback to a service. Key is a user-provided name for the webhook.
- email_
on Sequence[str] - Send email notification to user on specified notification type
- emails Sequence[str]
- This is the email recipient list which has a limitation of 499 characters in total concat with comma separator
- webhooks
Mapping[str, Azure
Dev Ops Webhook Response] - Send webhook callback to a service. Key is a user-provided name for the webhook.
- email
On List<String> - Send email notification to user on specified notification type
- emails List<String>
- This is the email recipient list which has a limitation of 499 characters in total concat with comma separator
- webhooks Map<Property Map>
- Send webhook callback to a service. Key is a user-provided name for the webhook.
NumericalDataDriftMetric, NumericalDataDriftMetricArgs
- Jensen
Shannon Distance - JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- Population
Stability Index - PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- Normalized
Wasserstein Distance - NormalizedWassersteinDistanceThe Normalized Wasserstein Distance metric.
- Two
Sample Kolmogorov Smirnov Test - TwoSampleKolmogorovSmirnovTestThe Two Sample Kolmogorov-Smirnov Test (two-sample K–S) metric.
- Numerical
Data Drift Metric Jensen Shannon Distance - JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- Numerical
Data Drift Metric Population Stability Index - PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- Numerical
Data Drift Metric Normalized Wasserstein Distance - NormalizedWassersteinDistanceThe Normalized Wasserstein Distance metric.
- Numerical
Data Drift Metric Two Sample Kolmogorov Smirnov Test - TwoSampleKolmogorovSmirnovTestThe Two Sample Kolmogorov-Smirnov Test (two-sample K–S) metric.
- Jensen
Shannon Distance - JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- Population
Stability Index - PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- Normalized
Wasserstein Distance - NormalizedWassersteinDistanceThe Normalized Wasserstein Distance metric.
- Two
Sample Kolmogorov Smirnov Test - TwoSampleKolmogorovSmirnovTestThe Two Sample Kolmogorov-Smirnov Test (two-sample K–S) metric.
- Jensen
Shannon Distance - JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- Population
Stability Index - PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- Normalized
Wasserstein Distance - NormalizedWassersteinDistanceThe Normalized Wasserstein Distance metric.
- Two
Sample Kolmogorov Smirnov Test - TwoSampleKolmogorovSmirnovTestThe Two Sample Kolmogorov-Smirnov Test (two-sample K–S) metric.
- JENSEN_SHANNON_DISTANCE
- JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- POPULATION_STABILITY_INDEX
- PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- NORMALIZED_WASSERSTEIN_DISTANCE
- NormalizedWassersteinDistanceThe Normalized Wasserstein Distance metric.
- TWO_SAMPLE_KOLMOGOROV_SMIRNOV_TEST
- TwoSampleKolmogorovSmirnovTestThe Two Sample Kolmogorov-Smirnov Test (two-sample K–S) metric.
- "Jensen
Shannon Distance" - JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- "Population
Stability Index" - PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- "Normalized
Wasserstein Distance" - NormalizedWassersteinDistanceThe Normalized Wasserstein Distance metric.
- "Two
Sample Kolmogorov Smirnov Test" - TwoSampleKolmogorovSmirnovTestThe Two Sample Kolmogorov-Smirnov Test (two-sample K–S) metric.
NumericalDataDriftMetricThreshold, NumericalDataDriftMetricThresholdArgs
- Metric
string | Pulumi.
Azure Native. Machine Learning Services. Numerical Data Drift Metric - [Required] The numerical data drift metric to calculate.
- Threshold
Pulumi.
Azure Native. Machine Learning Services. Inputs. Monitoring Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- Metric
string | Numerical
Data Drift Metric - [Required] The numerical data drift metric to calculate.
- Threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
String | Numerical
Data Drift Metric - [Required] The numerical data drift metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
string | Numerical
Data Drift Metric - [Required] The numerical data drift metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
str | Numerical
Data Drift Metric - [Required] The numerical data drift metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
String | "Jensen
Shannon Distance" | "Population Stability Index" | "Normalized Wasserstein Distance" | "Two Sample Kolmogorov Smirnov Test" - [Required] The numerical data drift metric to calculate.
- threshold Property Map
- The threshold value. If null, a default value will be set depending on the selected metric.
NumericalDataDriftMetricThresholdResponse, NumericalDataDriftMetricThresholdResponseArgs
- Metric string
- [Required] The numerical data drift metric to calculate.
- Threshold
Pulumi.
Azure Native. Machine Learning Services. Inputs. Monitoring Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- Metric string
- [Required] The numerical data drift metric to calculate.
- Threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric String
- [Required] The numerical data drift metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric string
- [Required] The numerical data drift metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric str
- [Required] The numerical data drift metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric String
- [Required] The numerical data drift metric to calculate.
- threshold Property Map
- The threshold value. If null, a default value will be set depending on the selected metric.
NumericalDataQualityMetric, NumericalDataQualityMetricArgs
- Null
Value Rate - NullValueRateCalculates the rate of null values.
- Data
Type Error Rate - DataTypeErrorRateCalculates the rate of data type errors.
- Out
Of Bounds Rate - OutOfBoundsRateCalculates the rate values are out of bounds.
- Numerical
Data Quality Metric Null Value Rate - NullValueRateCalculates the rate of null values.
- Numerical
Data Quality Metric Data Type Error Rate - DataTypeErrorRateCalculates the rate of data type errors.
- Numerical
Data Quality Metric Out Of Bounds Rate - OutOfBoundsRateCalculates the rate values are out of bounds.
- Null
Value Rate - NullValueRateCalculates the rate of null values.
- Data
Type Error Rate - DataTypeErrorRateCalculates the rate of data type errors.
- Out
Of Bounds Rate - OutOfBoundsRateCalculates the rate values are out of bounds.
- Null
Value Rate - NullValueRateCalculates the rate of null values.
- Data
Type Error Rate - DataTypeErrorRateCalculates the rate of data type errors.
- Out
Of Bounds Rate - OutOfBoundsRateCalculates the rate values are out of bounds.
- NULL_VALUE_RATE
- NullValueRateCalculates the rate of null values.
- DATA_TYPE_ERROR_RATE
- DataTypeErrorRateCalculates the rate of data type errors.
- OUT_OF_BOUNDS_RATE
- OutOfBoundsRateCalculates the rate values are out of bounds.
- "Null
Value Rate" - NullValueRateCalculates the rate of null values.
- "Data
Type Error Rate" - DataTypeErrorRateCalculates the rate of data type errors.
- "Out
Of Bounds Rate" - OutOfBoundsRateCalculates the rate values are out of bounds.
NumericalDataQualityMetricThreshold, NumericalDataQualityMetricThresholdArgs
- Metric
string | Pulumi.
Azure Native. Machine Learning Services. Numerical Data Quality Metric - [Required] The numerical data quality metric to calculate.
- Threshold
Pulumi.
Azure Native. Machine Learning Services. Inputs. Monitoring Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- Metric
string | Numerical
Data Quality Metric - [Required] The numerical data quality metric to calculate.
- Threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
String | Numerical
Data Quality Metric - [Required] The numerical data quality metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
string | Numerical
Data Quality Metric - [Required] The numerical data quality metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
str | Numerical
Data Quality Metric - [Required] The numerical data quality metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
String | "Null
Value Rate" | "Data Type Error Rate" | "Out Of Bounds Rate" - [Required] The numerical data quality metric to calculate.
- threshold Property Map
- The threshold value. If null, a default value will be set depending on the selected metric.
NumericalDataQualityMetricThresholdResponse, NumericalDataQualityMetricThresholdResponseArgs
- Metric string
- [Required] The numerical data quality metric to calculate.
- Threshold
Pulumi.
Azure Native. Machine Learning Services. Inputs. Monitoring Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- Metric string
- [Required] The numerical data quality metric to calculate.
- Threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric String
- [Required] The numerical data quality metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric string
- [Required] The numerical data quality metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric str
- [Required] The numerical data quality metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric String
- [Required] The numerical data quality metric to calculate.
- threshold Property Map
- The threshold value. If null, a default value will be set depending on the selected metric.
NumericalPredictionDriftMetric, NumericalPredictionDriftMetricArgs
- Jensen
Shannon Distance - JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- Population
Stability Index - PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- Normalized
Wasserstein Distance - NormalizedWassersteinDistanceThe Normalized Wasserstein Distance metric.
- Two
Sample Kolmogorov Smirnov Test - TwoSampleKolmogorovSmirnovTestThe Two Sample Kolmogorov-Smirnov Test (two-sample K–S) metric.
- Numerical
Prediction Drift Metric Jensen Shannon Distance - JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- Numerical
Prediction Drift Metric Population Stability Index - PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- Numerical
Prediction Drift Metric Normalized Wasserstein Distance - NormalizedWassersteinDistanceThe Normalized Wasserstein Distance metric.
- Numerical
Prediction Drift Metric Two Sample Kolmogorov Smirnov Test - TwoSampleKolmogorovSmirnovTestThe Two Sample Kolmogorov-Smirnov Test (two-sample K–S) metric.
- Jensen
Shannon Distance - JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- Population
Stability Index - PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- Normalized
Wasserstein Distance - NormalizedWassersteinDistanceThe Normalized Wasserstein Distance metric.
- Two
Sample Kolmogorov Smirnov Test - TwoSampleKolmogorovSmirnovTestThe Two Sample Kolmogorov-Smirnov Test (two-sample K–S) metric.
- Jensen
Shannon Distance - JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- Population
Stability Index - PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- Normalized
Wasserstein Distance - NormalizedWassersteinDistanceThe Normalized Wasserstein Distance metric.
- Two
Sample Kolmogorov Smirnov Test - TwoSampleKolmogorovSmirnovTestThe Two Sample Kolmogorov-Smirnov Test (two-sample K–S) metric.
- JENSEN_SHANNON_DISTANCE
- JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- POPULATION_STABILITY_INDEX
- PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- NORMALIZED_WASSERSTEIN_DISTANCE
- NormalizedWassersteinDistanceThe Normalized Wasserstein Distance metric.
- TWO_SAMPLE_KOLMOGOROV_SMIRNOV_TEST
- TwoSampleKolmogorovSmirnovTestThe Two Sample Kolmogorov-Smirnov Test (two-sample K–S) metric.
- "Jensen
Shannon Distance" - JensenShannonDistanceThe Jensen Shannon Distance (JSD) metric.
- "Population
Stability Index" - PopulationStabilityIndexThe Population Stability Index (PSI) metric.
- "Normalized
Wasserstein Distance" - NormalizedWassersteinDistanceThe Normalized Wasserstein Distance metric.
- "Two
Sample Kolmogorov Smirnov Test" - TwoSampleKolmogorovSmirnovTestThe Two Sample Kolmogorov-Smirnov Test (two-sample K–S) metric.
NumericalPredictionDriftMetricThreshold, NumericalPredictionDriftMetricThresholdArgs
- Metric
string | Pulumi.
Azure Native. Machine Learning Services. Numerical Prediction Drift Metric - [Required] The numerical prediction drift metric to calculate.
- Threshold
Pulumi.
Azure Native. Machine Learning Services. Inputs. Monitoring Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- Metric
string | Numerical
Prediction Drift Metric - [Required] The numerical prediction drift metric to calculate.
- Threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
String | Numerical
Prediction Drift Metric - [Required] The numerical prediction drift metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
string | Numerical
Prediction Drift Metric - [Required] The numerical prediction drift metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
str | Numerical
Prediction Drift Metric - [Required] The numerical prediction drift metric to calculate.
- threshold
Monitoring
Threshold - The threshold value. If null, a default value will be set depending on the selected metric.
- metric
String | "Jensen
Shannon Distance" | "Population Stability Index" | "Normalized Wasserstein Distance" | "Two Sample Kolmogorov Smirnov Test" - [Required] The numerical prediction drift metric to calculate.
- threshold Property Map
- The threshold value. If null, a default value will be set depending on the selected metric.
NumericalPredictionDriftMetricThresholdResponse, NumericalPredictionDriftMetricThresholdResponseArgs
- Metric string
- [Required] The numerical prediction drift metric to calculate.
- Threshold
Pulumi.
Azure Native. Machine Learning Services. Inputs. Monitoring Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- Metric string
- [Required] The numerical prediction drift metric to calculate.
- Threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric String
- [Required] The numerical prediction drift metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric string
- [Required] The numerical prediction drift metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric str
- [Required] The numerical prediction drift metric to calculate.
- threshold
Monitoring
Threshold Response - The threshold value. If null, a default value will be set depending on the selected metric.
- metric String
- [Required] The numerical prediction drift metric to calculate.
- threshold Property Map
- The threshold value. If null, a default value will be set depending on the selected metric.
ObjectDetectionPrimaryMetrics, ObjectDetectionPrimaryMetricsArgs
- Mean
Average Precision - MeanAveragePrecisionMean Average Precision (MAP) is the average of AP (Average Precision). AP is calculated for each class and averaged to get the MAP.
- Object
Detection Primary Metrics Mean Average Precision - MeanAveragePrecisionMean Average Precision (MAP) is the average of AP (Average Precision). AP is calculated for each class and averaged to get the MAP.
- Mean
Average Precision - MeanAveragePrecisionMean Average Precision (MAP) is the average of AP (Average Precision). AP is calculated for each class and averaged to get the MAP.
- Mean
Average Precision - MeanAveragePrecisionMean Average Precision (MAP) is the average of AP (Average Precision). AP is calculated for each class and averaged to get the MAP.
- MEAN_AVERAGE_PRECISION
- MeanAveragePrecisionMean Average Precision (MAP) is the average of AP (Average Precision). AP is calculated for each class and averaged to get the MAP.
- "Mean
Average Precision" - MeanAveragePrecisionMean Average Precision (MAP) is the average of AP (Average Precision). AP is calculated for each class and averaged to get the MAP.
Objective, ObjectiveArgs
- Goal
string | Pulumi.
Azure Native. Machine Learning Services. Goal - [Required] Defines supported metric goals for hyperparameter tuning
- Primary
Metric string - [Required] Name of the metric to optimize.
- Goal string | Goal
- [Required] Defines supported metric goals for hyperparameter tuning
- Primary
Metric string - [Required] Name of the metric to optimize.
- goal String | Goal
- [Required] Defines supported metric goals for hyperparameter tuning
- primary
Metric String - [Required] Name of the metric to optimize.
- goal string | Goal
- [Required] Defines supported metric goals for hyperparameter tuning
- primary
Metric string - [Required] Name of the metric to optimize.
- goal str | Goal
- [Required] Defines supported metric goals for hyperparameter tuning
- primary_
metric str - [Required] Name of the metric to optimize.
- goal String | "Minimize" | "Maximize"
- [Required] Defines supported metric goals for hyperparameter tuning
- primary
Metric String - [Required] Name of the metric to optimize.
ObjectiveResponse, ObjectiveResponseArgs
- Goal string
- [Required] Defines supported metric goals for hyperparameter tuning
- Primary
Metric string - [Required] Name of the metric to optimize.
- Goal string
- [Required] Defines supported metric goals for hyperparameter tuning
- Primary
Metric string - [Required] Name of the metric to optimize.
- goal String
- [Required] Defines supported metric goals for hyperparameter tuning
- primary
Metric String - [Required] Name of the metric to optimize.
- goal string
- [Required] Defines supported metric goals for hyperparameter tuning
- primary
Metric string - [Required] Name of the metric to optimize.
- goal str
- [Required] Defines supported metric goals for hyperparameter tuning
- primary_
metric str - [Required] Name of the metric to optimize.
- goal String
- [Required] Defines supported metric goals for hyperparameter tuning
- primary
Metric String - [Required] Name of the metric to optimize.
OutputDeliveryMode, OutputDeliveryModeArgs
- Read
Write Mount - ReadWriteMount
- Upload
- Upload
- Direct
- Direct
- Output
Delivery Mode Read Write Mount - ReadWriteMount
- Output
Delivery Mode Upload - Upload
- Output
Delivery Mode Direct - Direct
- Read
Write Mount - ReadWriteMount
- Upload
- Upload
- Direct
- Direct
- Read
Write Mount - ReadWriteMount
- Upload
- Upload
- Direct
- Direct
- READ_WRITE_MOUNT
- ReadWriteMount
- UPLOAD
- Upload
- DIRECT
- Direct
- "Read
Write Mount" - ReadWriteMount
- "Upload"
- Upload
- "Direct"
- Direct
PipelineJob, PipelineJobArgs
- Component
Id string - ARM resource ID of the component resource.
- Compute
Id string - ARM resource ID of the compute resource.
- Description string
- The asset description text.
- Display
Name string - Display name of job.
- Experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- Identity
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Aml Token Azure | Pulumi.Native. Machine Learning Services. Inputs. Managed Identity Azure Native. Machine Learning Services. Inputs. User Identity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- Inputs Dictionary<string, object>
- Inputs for the pipeline job.
- Is
Archived bool - Is the asset archived?
- Jobs Dictionary<string, object>
- Jobs construct the Pipeline Job.
- Notification
Setting Pulumi.Azure Native. Machine Learning Services. Inputs. Notification Setting - Notification setting for the job
- Outputs Dictionary<string, object>
- Outputs for the pipeline job
- Properties Dictionary<string, string>
- The asset property dictionary.
- Services
Dictionary<string, Pulumi.
Azure Native. Machine Learning Services. Inputs. Job Service> - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Settings object
- Pipeline settings, for things like ContinueRunOnStepFailure etc.
- Source
Job stringId - ARM resource ID of source job.
- Dictionary<string, string>
- Tag dictionary. Tags can be added, removed, and updated.
- Component
Id string - ARM resource ID of the component resource.
- Compute
Id string - ARM resource ID of the compute resource.
- Description string
- The asset description text.
- Display
Name string - Display name of job.
- Experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- Identity
Aml
Token | ManagedIdentity | UserIdentity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- Inputs map[string]interface{}
- Inputs for the pipeline job.
- Is
Archived bool - Is the asset archived?
- Jobs map[string]interface{}
- Jobs construct the Pipeline Job.
- Notification
Setting NotificationSetting - Notification setting for the job
- Outputs map[string]interface{}
- Outputs for the pipeline job
- Properties map[string]string
- The asset property dictionary.
- Services
map[string]Job
Service - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Settings interface{}
- Pipeline settings, for things like ContinueRunOnStepFailure etc.
- Source
Job stringId - ARM resource ID of source job.
- map[string]string
- Tag dictionary. Tags can be added, removed, and updated.
- component
Id String - ARM resource ID of the component resource.
- compute
Id String - ARM resource ID of the compute resource.
- description String
- The asset description text.
- display
Name String - Display name of job.
- experiment
Name String - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedIdentity | UserIdentity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs Map<String,Object>
- Inputs for the pipeline job.
- is
Archived Boolean - Is the asset archived?
- jobs Map<String,Object>
- Jobs construct the Pipeline Job.
- notification
Setting NotificationSetting - Notification setting for the job
- outputs Map<String,Object>
- Outputs for the pipeline job
- properties Map<String,String>
- The asset property dictionary.
- services
Map<String,Job
Service> - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- settings Object
- Pipeline settings, for things like ContinueRunOnStepFailure etc.
- source
Job StringId - ARM resource ID of source job.
- Map<String,String>
- Tag dictionary. Tags can be added, removed, and updated.
- component
Id string - ARM resource ID of the component resource.
- compute
Id string - ARM resource ID of the compute resource.
- description string
- The asset description text.
- display
Name string - Display name of job.
- experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedIdentity | UserIdentity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs
{[key: string]: Custom
Model Job Input | Literal Job Input | MLFlow Model Job Input | MLTable Job Input | Triton Model Job Input | Uri File Job Input | Uri Folder Job Input} - Inputs for the pipeline job.
- is
Archived boolean - Is the asset archived?
- jobs {[key: string]: any}
- Jobs construct the Pipeline Job.
- notification
Setting NotificationSetting - Notification setting for the job
- outputs
{[key: string]: Custom
Model Job Output | MLFlow Model Job Output | MLTable Job Output | Triton Model Job Output | Uri File Job Output | Uri Folder Job Output} - Outputs for the pipeline job
- properties {[key: string]: string}
- The asset property dictionary.
- services
{[key: string]: Job
Service} - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- settings any
- Pipeline settings, for things like ContinueRunOnStepFailure etc.
- source
Job stringId - ARM resource ID of source job.
- {[key: string]: string}
- Tag dictionary. Tags can be added, removed, and updated.
- component_
id str - ARM resource ID of the component resource.
- compute_
id str - ARM resource ID of the compute resource.
- description str
- The asset description text.
- display_
name str - Display name of job.
- experiment_
name str - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedIdentity | UserIdentity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs
Mapping[str, Union[Custom
Model Job Input, Literal Job Input, MLFlow Model Job Input, MLTable Job Input, Triton Model Job Input, Uri File Job Input, Uri Folder Job Input]] - Inputs for the pipeline job.
- is_
archived bool - Is the asset archived?
- jobs Mapping[str, Any]
- Jobs construct the Pipeline Job.
- notification_
setting NotificationSetting - Notification setting for the job
- outputs
Mapping[str, Union[Custom
Model Job Output, MLFlow Model Job Output, MLTable Job Output, Triton Model Job Output, Uri File Job Output, Uri Folder Job Output]] - Outputs for the pipeline job
- properties Mapping[str, str]
- The asset property dictionary.
- services
Mapping[str, Job
Service] - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- settings Any
- Pipeline settings, for things like ContinueRunOnStepFailure etc.
- source_
job_ strid - ARM resource ID of source job.
- Mapping[str, str]
- Tag dictionary. Tags can be added, removed, and updated.
- component
Id String - ARM resource ID of the component resource.
- compute
Id String - ARM resource ID of the compute resource.
- description String
- The asset description text.
- display
Name String - Display name of job.
- experiment
Name String - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity Property Map | Property Map | Property Map
- Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs Map<Property Map | Property Map | Property Map | Property Map | Property Map | Property Map | Property Map>
- Inputs for the pipeline job.
- is
Archived Boolean - Is the asset archived?
- jobs Map<Any>
- Jobs construct the Pipeline Job.
- notification
Setting Property Map - Notification setting for the job
- outputs Map<Property Map | Property Map | Property Map | Property Map | Property Map | Property Map>
- Outputs for the pipeline job
- properties Map<String>
- The asset property dictionary.
- services Map<Property Map>
- List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- settings Any
- Pipeline settings, for things like ContinueRunOnStepFailure etc.
- source
Job StringId - ARM resource ID of source job.
- Map<String>
- Tag dictionary. Tags can be added, removed, and updated.
PipelineJobResponse, PipelineJobResponseArgs
- Status string
- Status of the job.
- Component
Id string - ARM resource ID of the component resource.
- Compute
Id string - ARM resource ID of the compute resource.
- Description string
- The asset description text.
- Display
Name string - Display name of job.
- Experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- Identity
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Aml Token Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Managed Identity Response Azure Native. Machine Learning Services. Inputs. User Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- Inputs Dictionary<string, object>
- Inputs for the pipeline job.
- Is
Archived bool - Is the asset archived?
- Jobs Dictionary<string, object>
- Jobs construct the Pipeline Job.
- Notification
Setting Pulumi.Azure Native. Machine Learning Services. Inputs. Notification Setting Response - Notification setting for the job
- Outputs Dictionary<string, object>
- Outputs for the pipeline job
- Properties Dictionary<string, string>
- The asset property dictionary.
- Services
Dictionary<string, Pulumi.
Azure Native. Machine Learning Services. Inputs. Job Service Response> - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Settings object
- Pipeline settings, for things like ContinueRunOnStepFailure etc.
- Source
Job stringId - ARM resource ID of source job.
- Dictionary<string, string>
- Tag dictionary. Tags can be added, removed, and updated.
- Status string
- Status of the job.
- Component
Id string - ARM resource ID of the component resource.
- Compute
Id string - ARM resource ID of the compute resource.
- Description string
- The asset description text.
- Display
Name string - Display name of job.
- Experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- Identity
Aml
Token | ManagedResponse Identity | UserResponse Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- Inputs map[string]interface{}
- Inputs for the pipeline job.
- Is
Archived bool - Is the asset archived?
- Jobs map[string]interface{}
- Jobs construct the Pipeline Job.
- Notification
Setting NotificationSetting Response - Notification setting for the job
- Outputs map[string]interface{}
- Outputs for the pipeline job
- Properties map[string]string
- The asset property dictionary.
- Services
map[string]Job
Service Response - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Settings interface{}
- Pipeline settings, for things like ContinueRunOnStepFailure etc.
- Source
Job stringId - ARM resource ID of source job.
- map[string]string
- Tag dictionary. Tags can be added, removed, and updated.
- status String
- Status of the job.
- component
Id String - ARM resource ID of the component resource.
- compute
Id String - ARM resource ID of the compute resource.
- description String
- The asset description text.
- display
Name String - Display name of job.
- experiment
Name String - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedResponse Identity | UserResponse Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs Map<String,Object>
- Inputs for the pipeline job.
- is
Archived Boolean - Is the asset archived?
- jobs Map<String,Object>
- Jobs construct the Pipeline Job.
- notification
Setting NotificationSetting Response - Notification setting for the job
- outputs Map<String,Object>
- Outputs for the pipeline job
- properties Map<String,String>
- The asset property dictionary.
- services
Map<String,Job
Service Response> - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- settings Object
- Pipeline settings, for things like ContinueRunOnStepFailure etc.
- source
Job StringId - ARM resource ID of source job.
- Map<String,String>
- Tag dictionary. Tags can be added, removed, and updated.
- status string
- Status of the job.
- component
Id string - ARM resource ID of the component resource.
- compute
Id string - ARM resource ID of the compute resource.
- description string
- The asset description text.
- display
Name string - Display name of job.
- experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedResponse Identity | UserResponse Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs
{[key: string]: Custom
Model Job Input Response | Literal Job Input Response | MLFlow Model Job Input Response | MLTable Job Input Response | Triton Model Job Input Response | Uri File Job Input Response | Uri Folder Job Input Response} - Inputs for the pipeline job.
- is
Archived boolean - Is the asset archived?
- jobs {[key: string]: any}
- Jobs construct the Pipeline Job.
- notification
Setting NotificationSetting Response - Notification setting for the job
- outputs
{[key: string]: Custom
Model Job Output Response | MLFlow Model Job Output Response | MLTable Job Output Response | Triton Model Job Output Response | Uri File Job Output Response | Uri Folder Job Output Response} - Outputs for the pipeline job
- properties {[key: string]: string}
- The asset property dictionary.
- services
{[key: string]: Job
Service Response} - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- settings any
- Pipeline settings, for things like ContinueRunOnStepFailure etc.
- source
Job stringId - ARM resource ID of source job.
- {[key: string]: string}
- Tag dictionary. Tags can be added, removed, and updated.
- status str
- Status of the job.
- component_
id str - ARM resource ID of the component resource.
- compute_
id str - ARM resource ID of the compute resource.
- description str
- The asset description text.
- display_
name str - Display name of job.
- experiment_
name str - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedResponse Identity | UserResponse Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs
Mapping[str, Union[Custom
Model Job Input Response, Literal Job Input Response, MLFlow Model Job Input Response, MLTable Job Input Response, Triton Model Job Input Response, Uri File Job Input Response, Uri Folder Job Input Response]] - Inputs for the pipeline job.
- is_
archived bool - Is the asset archived?
- jobs Mapping[str, Any]
- Jobs construct the Pipeline Job.
- notification_
setting NotificationSetting Response - Notification setting for the job
- outputs
Mapping[str, Union[Custom
Model Job Output Response, MLFlow Model Job Output Response, MLTable Job Output Response, Triton Model Job Output Response, Uri File Job Output Response, Uri Folder Job Output Response]] - Outputs for the pipeline job
- properties Mapping[str, str]
- The asset property dictionary.
- services
Mapping[str, Job
Service Response] - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- settings Any
- Pipeline settings, for things like ContinueRunOnStepFailure etc.
- source_
job_ strid - ARM resource ID of source job.
- Mapping[str, str]
- Tag dictionary. Tags can be added, removed, and updated.
- status String
- Status of the job.
- component
Id String - ARM resource ID of the component resource.
- compute
Id String - ARM resource ID of the compute resource.
- description String
- The asset description text.
- display
Name String - Display name of job.
- experiment
Name String - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity Property Map | Property Map | Property Map
- Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs Map<Property Map | Property Map | Property Map | Property Map | Property Map | Property Map | Property Map>
- Inputs for the pipeline job.
- is
Archived Boolean - Is the asset archived?
- jobs Map<Any>
- Jobs construct the Pipeline Job.
- notification
Setting Property Map - Notification setting for the job
- outputs Map<Property Map | Property Map | Property Map | Property Map | Property Map | Property Map>
- Outputs for the pipeline job
- properties Map<String>
- The asset property dictionary.
- services Map<Property Map>
- List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- settings Any
- Pipeline settings, for things like ContinueRunOnStepFailure etc.
- source
Job StringId - ARM resource ID of source job.
- Map<String>
- Tag dictionary. Tags can be added, removed, and updated.
PredictionDriftMonitoringSignal, PredictionDriftMonitoringSignalArgs
- Metric
Thresholds List<Union<Pulumi.Azure Native. Machine Learning Services. Inputs. Categorical Prediction Drift Metric Threshold, Pulumi. Azure Native. Machine Learning Services. Inputs. Numerical Prediction Drift Metric Threshold>> - [Required] A list of metrics to calculate and their associated thresholds.
- Production
Data Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Fixed Input Data Azure | Pulumi.Native. Machine Learning Services. Inputs. Rolling Input Data Azure Native. Machine Learning Services. Inputs. Static Input Data - [Required] The data which drift will be calculated for.
- Reference
Data Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Fixed Input Data Azure | Pulumi.Native. Machine Learning Services. Inputs. Rolling Input Data Azure Native. Machine Learning Services. Inputs. Static Input Data - [Required] The data to calculate drift against.
- Feature
Data Dictionary<string, Union<string, Pulumi.Type Override Azure Native. Machine Learning Services. Monitoring Feature Data Type>> - A dictionary that maps feature names to their respective data types.
- Notification
Types List<Union<string, Pulumi.Azure Native. Machine Learning Services. Monitoring Notification Type>> - The current notification mode for this signal.
- Properties Dictionary<string, string>
- Property dictionary. Properties can be added, but not removed or altered.
- Metric
Thresholds []interface{} - [Required] A list of metrics to calculate and their associated thresholds.
- Production
Data FixedInput | RollingData Input | StaticData Input Data - [Required] The data which drift will be calculated for.
- Reference
Data FixedInput | RollingData Input | StaticData Input Data - [Required] The data to calculate drift against.
- Feature
Data map[string]stringType Override - A dictionary that maps feature names to their respective data types.
- Notification
Types []string - The current notification mode for this signal.
- Properties map[string]string
- Property dictionary. Properties can be added, but not removed or altered.
- metric
Thresholds List<Either<CategoricalPrediction Drift Metric Threshold,Numerical Prediction Drift Metric Threshold>> - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data FixedInput | RollingData Input | StaticData Input Data - [Required] The data which drift will be calculated for.
- reference
Data FixedInput | RollingData Input | StaticData Input Data - [Required] The data to calculate drift against.
- feature
Data Map<String,Either<String,MonitoringType Override Feature Data Type>> - A dictionary that maps feature names to their respective data types.
- notification
Types List<Either<String,MonitoringNotification Type>> - The current notification mode for this signal.
- properties Map<String,String>
- Property dictionary. Properties can be added, but not removed or altered.
- metric
Thresholds (CategoricalPrediction Drift Metric Threshold | Numerical Prediction Drift Metric Threshold)[] - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data FixedInput | RollingData Input | StaticData Input Data - [Required] The data which drift will be calculated for.
- reference
Data FixedInput | RollingData Input | StaticData Input Data - [Required] The data to calculate drift against.
- feature
Data {[key: string]: string | MonitoringType Override Feature Data Type} - A dictionary that maps feature names to their respective data types.
- notification
Types (string | MonitoringNotification Type)[] - The current notification mode for this signal.
- properties {[key: string]: string}
- Property dictionary. Properties can be added, but not removed or altered.
- metric_
thresholds Sequence[Union[CategoricalPrediction Drift Metric Threshold, Numerical Prediction Drift Metric Threshold]] - [Required] A list of metrics to calculate and their associated thresholds.
- production_
data FixedInput | RollingData Input | StaticData Input Data - [Required] The data which drift will be calculated for.
- reference_
data FixedInput | RollingData Input | StaticData Input Data - [Required] The data to calculate drift against.
- feature_
data_ Mapping[str, Union[str, Monitoringtype_ override Feature Data Type]] - A dictionary that maps feature names to their respective data types.
- notification_
types Sequence[Union[str, MonitoringNotification Type]] - The current notification mode for this signal.
- properties Mapping[str, str]
- Property dictionary. Properties can be added, but not removed or altered.
- metric
Thresholds List<Property Map | Property Map> - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data Property Map | Property Map | Property Map - [Required] The data which drift will be calculated for.
- reference
Data Property Map | Property Map | Property Map - [Required] The data to calculate drift against.
- feature
Data Map<String | "Numerical" | "Categorical">Type Override - A dictionary that maps feature names to their respective data types.
- notification
Types List<String | "AmlNotification"> - The current notification mode for this signal.
- properties Map<String>
- Property dictionary. Properties can be added, but not removed or altered.
PredictionDriftMonitoringSignalResponse, PredictionDriftMonitoringSignalResponseArgs
- Metric
Thresholds List<Union<Pulumi.Azure Native. Machine Learning Services. Inputs. Categorical Prediction Drift Metric Threshold Response, Pulumi. Azure Native. Machine Learning Services. Inputs. Numerical Prediction Drift Metric Threshold Response>> - [Required] A list of metrics to calculate and their associated thresholds.
- Production
Data Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Fixed Input Data Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Rolling Input Data Response Azure Native. Machine Learning Services. Inputs. Static Input Data Response - [Required] The data which drift will be calculated for.
- Reference
Data Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Fixed Input Data Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Rolling Input Data Response Azure Native. Machine Learning Services. Inputs. Static Input Data Response - [Required] The data to calculate drift against.
- Feature
Data Dictionary<string, string>Type Override - A dictionary that maps feature names to their respective data types.
- Notification
Types List<string> - The current notification mode for this signal.
- Properties Dictionary<string, string>
- Property dictionary. Properties can be added, but not removed or altered.
- Metric
Thresholds []interface{} - [Required] A list of metrics to calculate and their associated thresholds.
- Production
Data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data which drift will be calculated for.
- Reference
Data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data to calculate drift against.
- Feature
Data map[string]stringType Override - A dictionary that maps feature names to their respective data types.
- Notification
Types []string - The current notification mode for this signal.
- Properties map[string]string
- Property dictionary. Properties can be added, but not removed or altered.
- metric
Thresholds List<Either<CategoricalPrediction Drift Metric Threshold Response,Numerical Prediction Drift Metric Threshold Response>> - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data which drift will be calculated for.
- reference
Data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data to calculate drift against.
- feature
Data Map<String,String>Type Override - A dictionary that maps feature names to their respective data types.
- notification
Types List<String> - The current notification mode for this signal.
- properties Map<String,String>
- Property dictionary. Properties can be added, but not removed or altered.
- metric
Thresholds (CategoricalPrediction Drift Metric Threshold Response | Numerical Prediction Drift Metric Threshold Response)[] - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data which drift will be calculated for.
- reference
Data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data to calculate drift against.
- feature
Data {[key: string]: string}Type Override - A dictionary that maps feature names to their respective data types.
- notification
Types string[] - The current notification mode for this signal.
- properties {[key: string]: string}
- Property dictionary. Properties can be added, but not removed or altered.
- metric_
thresholds Sequence[Union[CategoricalPrediction Drift Metric Threshold Response, Numerical Prediction Drift Metric Threshold Response]] - [Required] A list of metrics to calculate and their associated thresholds.
- production_
data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data which drift will be calculated for.
- reference_
data FixedInput | RollingData Response Input | StaticData Response Input Data Response - [Required] The data to calculate drift against.
- feature_
data_ Mapping[str, str]type_ override - A dictionary that maps feature names to their respective data types.
- notification_
types Sequence[str] - The current notification mode for this signal.
- properties Mapping[str, str]
- Property dictionary. Properties can be added, but not removed or altered.
- metric
Thresholds List<Property Map | Property Map> - [Required] A list of metrics to calculate and their associated thresholds.
- production
Data Property Map | Property Map | Property Map - [Required] The data which drift will be calculated for.
- reference
Data Property Map | Property Map | Property Map - [Required] The data to calculate drift against.
- feature
Data Map<String>Type Override - A dictionary that maps feature names to their respective data types.
- notification
Types List<String> - The current notification mode for this signal.
- properties Map<String>
- Property dictionary. Properties can be added, but not removed or altered.
PyTorch, PyTorchArgs
- Process
Count intPer Instance - Number of processes per node.
- Process
Count intPer Instance - Number of processes per node.
- process
Count IntegerPer Instance - Number of processes per node.
- process
Count numberPer Instance - Number of processes per node.
- process_
count_ intper_ instance - Number of processes per node.
- process
Count NumberPer Instance - Number of processes per node.
PyTorchResponse, PyTorchResponseArgs
- Process
Count intPer Instance - Number of processes per node.
- Process
Count intPer Instance - Number of processes per node.
- process
Count IntegerPer Instance - Number of processes per node.
- process
Count numberPer Instance - Number of processes per node.
- process_
count_ intper_ instance - Number of processes per node.
- process
Count NumberPer Instance - Number of processes per node.
QueueSettings, QueueSettingsArgs
- Job
Tier string | Pulumi.Azure Native. Machine Learning Services. Job Tier - Controls the compute job tier
- job
Tier String | "Null" | "Spot" | "Basic" | "Standard" | "Premium" - Controls the compute job tier
QueueSettingsResponse, QueueSettingsResponseArgs
- Job
Tier string - Controls the compute job tier
- Job
Tier string - Controls the compute job tier
- job
Tier String - Controls the compute job tier
- job
Tier string - Controls the compute job tier
- job_
tier str - Controls the compute job tier
- job
Tier String - Controls the compute job tier
RandomSamplingAlgorithm, RandomSamplingAlgorithmArgs
- Rule
string | Pulumi.
Azure Native. Machine Learning Services. Random Sampling Algorithm Rule - The specific type of random algorithm
- Seed int
- An optional integer to use as the seed for random number generation
- Rule
string | Random
Sampling Algorithm Rule - The specific type of random algorithm
- Seed int
- An optional integer to use as the seed for random number generation
- rule
String | Random
Sampling Algorithm Rule - The specific type of random algorithm
- seed Integer
- An optional integer to use as the seed for random number generation
- rule
string | Random
Sampling Algorithm Rule - The specific type of random algorithm
- seed number
- An optional integer to use as the seed for random number generation
- rule
str | Random
Sampling Algorithm Rule - The specific type of random algorithm
- seed int
- An optional integer to use as the seed for random number generation
- rule String | "Random" | "Sobol"
- The specific type of random algorithm
- seed Number
- An optional integer to use as the seed for random number generation
RandomSamplingAlgorithmResponse, RandomSamplingAlgorithmResponseArgs
RandomSamplingAlgorithmRule, RandomSamplingAlgorithmRuleArgs
- Random
- Random
- Sobol
- Sobol
- Random
Sampling Algorithm Rule Random - Random
- Random
Sampling Algorithm Rule Sobol - Sobol
- Random
- Random
- Sobol
- Sobol
- Random
- Random
- Sobol
- Sobol
- RANDOM
- Random
- SOBOL
- Sobol
- "Random"
- Random
- "Sobol"
- Sobol
RecurrenceFrequency, RecurrenceFrequencyArgs
- Minute
- MinuteMinute frequency
- Hour
- HourHour frequency
- Day
- DayDay frequency
- Week
- WeekWeek frequency
- Month
- MonthMonth frequency
- Recurrence
Frequency Minute - MinuteMinute frequency
- Recurrence
Frequency Hour - HourHour frequency
- Recurrence
Frequency Day - DayDay frequency
- Recurrence
Frequency Week - WeekWeek frequency
- Recurrence
Frequency Month - MonthMonth frequency
- Minute
- MinuteMinute frequency
- Hour
- HourHour frequency
- Day
- DayDay frequency
- Week
- WeekWeek frequency
- Month
- MonthMonth frequency
- Minute
- MinuteMinute frequency
- Hour
- HourHour frequency
- Day
- DayDay frequency
- Week
- WeekWeek frequency
- Month
- MonthMonth frequency
- MINUTE
- MinuteMinute frequency
- HOUR
- HourHour frequency
- DAY
- DayDay frequency
- WEEK
- WeekWeek frequency
- MONTH
- MonthMonth frequency
- "Minute"
- MinuteMinute frequency
- "Hour"
- HourHour frequency
- "Day"
- DayDay frequency
- "Week"
- WeekWeek frequency
- "Month"
- MonthMonth frequency
RecurrenceSchedule, RecurrenceScheduleArgs
- hours Sequence[int]
- [Required] List of hours for the schedule.
- minutes Sequence[int]
- [Required] List of minutes for the schedule.
- month_
days Sequence[int] - List of month days for the schedule
- week_
days Sequence[Union[str, WeekDay]] - List of days for the schedule.
- hours List<Number>
- [Required] List of hours for the schedule.
- minutes List<Number>
- [Required] List of minutes for the schedule.
- month
Days List<Number> - List of month days for the schedule
- week
Days List<String | "Monday" | "Tuesday" | "Wednesday" | "Thursday" | "Friday" | "Saturday" | "Sunday"> - List of days for the schedule.
RecurrenceScheduleResponse, RecurrenceScheduleResponseArgs
- hours Sequence[int]
- [Required] List of hours for the schedule.
- minutes Sequence[int]
- [Required] List of minutes for the schedule.
- month_
days Sequence[int] - List of month days for the schedule
- week_
days Sequence[str] - List of days for the schedule.
RecurrenceTrigger, RecurrenceTriggerArgs
- Frequency
string | Pulumi.
Azure Native. Machine Learning Services. Recurrence Frequency - [Required] The frequency to trigger schedule.
- Interval int
- [Required] Specifies schedule interval in conjunction with frequency
- End
Time string - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- Schedule
Pulumi.
Azure Native. Machine Learning Services. Inputs. Recurrence Schedule - The recurrence schedule.
- Start
Time string - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- Time
Zone string - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
- Frequency
string | Recurrence
Frequency - [Required] The frequency to trigger schedule.
- Interval int
- [Required] Specifies schedule interval in conjunction with frequency
- End
Time string - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- Schedule
Recurrence
Schedule - The recurrence schedule.
- Start
Time string - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- Time
Zone string - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
- frequency
String | Recurrence
Frequency - [Required] The frequency to trigger schedule.
- interval Integer
- [Required] Specifies schedule interval in conjunction with frequency
- end
Time String - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- schedule
Recurrence
Schedule - The recurrence schedule.
- start
Time String - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- time
Zone String - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
- frequency
string | Recurrence
Frequency - [Required] The frequency to trigger schedule.
- interval number
- [Required] Specifies schedule interval in conjunction with frequency
- end
Time string - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- schedule
Recurrence
Schedule - The recurrence schedule.
- start
Time string - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- time
Zone string - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
- frequency
str | Recurrence
Frequency - [Required] The frequency to trigger schedule.
- interval int
- [Required] Specifies schedule interval in conjunction with frequency
- end_
time str - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- schedule
Recurrence
Schedule - The recurrence schedule.
- start_
time str - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- time_
zone str - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
- frequency String | "Minute" | "Hour" | "Day" | "Week" | "Month"
- [Required] The frequency to trigger schedule.
- interval Number
- [Required] Specifies schedule interval in conjunction with frequency
- end
Time String - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- schedule Property Map
- The recurrence schedule.
- start
Time String - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- time
Zone String - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
RecurrenceTriggerResponse, RecurrenceTriggerResponseArgs
- Frequency string
- [Required] The frequency to trigger schedule.
- Interval int
- [Required] Specifies schedule interval in conjunction with frequency
- End
Time string - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- Schedule
Pulumi.
Azure Native. Machine Learning Services. Inputs. Recurrence Schedule Response - The recurrence schedule.
- Start
Time string - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- Time
Zone string - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
- Frequency string
- [Required] The frequency to trigger schedule.
- Interval int
- [Required] Specifies schedule interval in conjunction with frequency
- End
Time string - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- Schedule
Recurrence
Schedule Response - The recurrence schedule.
- Start
Time string - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- Time
Zone string - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
- frequency String
- [Required] The frequency to trigger schedule.
- interval Integer
- [Required] Specifies schedule interval in conjunction with frequency
- end
Time String - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- schedule
Recurrence
Schedule Response - The recurrence schedule.
- start
Time String - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- time
Zone String - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
- frequency string
- [Required] The frequency to trigger schedule.
- interval number
- [Required] Specifies schedule interval in conjunction with frequency
- end
Time string - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- schedule
Recurrence
Schedule Response - The recurrence schedule.
- start
Time string - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- time
Zone string - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
- frequency str
- [Required] The frequency to trigger schedule.
- interval int
- [Required] Specifies schedule interval in conjunction with frequency
- end_
time str - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- schedule
Recurrence
Schedule Response - The recurrence schedule.
- start_
time str - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- time_
zone str - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
- frequency String
- [Required] The frequency to trigger schedule.
- interval Number
- [Required] Specifies schedule interval in conjunction with frequency
- end
Time String - Specifies end time of schedule in ISO 8601, but without a UTC offset. Refer https://en.wikipedia.org/wiki/ISO_8601. Recommented format would be "2022-06-01T00:00:01" If not present, the schedule will run indefinitely
- schedule Property Map
- The recurrence schedule.
- start
Time String - Specifies start time of schedule in ISO 8601 format, but without a UTC offset.
- time
Zone String - Specifies time zone in which the schedule runs. TimeZone should follow Windows time zone format. Refer: https://docs.microsoft.com/en-us/windows-hardware/manufacture/desktop/default-time-zones?view=windows-11
Regression, RegressionArgs
- Training
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - [Required] Training data input.
- Cv
Split List<string>Column Names - Columns to use for CVSplit data.
- Featurization
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Table Vertical Featurization Settings - Featurization inputs needed for AutoML job.
- Limit
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Table Vertical Limit Settings - Execution constraints for AutoMLJob.
- Log
Verbosity string | Pulumi.Azure Native. Machine Learning Services. Log Verbosity - Log verbosity for the job.
- NCross
Validations Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Auto NCross Validations Azure Native. Machine Learning Services. Inputs. Custom NCross Validations - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- Primary
Metric string | Pulumi.Azure Native. Machine Learning Services. Regression Primary Metrics - Primary metric for regression task.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Test
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - Test data input.
- Test
Data doubleSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Training
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Regression Training Settings - Inputs for training phase for an AutoML Job.
- Validation
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - Validation data inputs.
- Validation
Data doubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Weight
Column stringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- Training
Data MLTableJob Input - [Required] Training data input.
- Cv
Split []stringColumn Names - Columns to use for CVSplit data.
- Featurization
Settings TableVertical Featurization Settings - Featurization inputs needed for AutoML job.
- Limit
Settings TableVertical Limit Settings - Execution constraints for AutoMLJob.
- Log
Verbosity string | LogVerbosity - Log verbosity for the job.
- NCross
Validations AutoNCross | CustomValidations NCross Validations - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- Primary
Metric string | RegressionPrimary Metrics - Primary metric for regression task.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Test
Data MLTableJob Input - Test data input.
- Test
Data float64Size - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Training
Settings RegressionTraining Settings - Inputs for training phase for an AutoML Job.
- Validation
Data MLTableJob Input - Validation data inputs.
- Validation
Data float64Size - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Weight
Column stringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training
Data MLTableJob Input - [Required] Training data input.
- cv
Split List<String>Column Names - Columns to use for CVSplit data.
- featurization
Settings TableVertical Featurization Settings - Featurization inputs needed for AutoML job.
- limit
Settings TableVertical Limit Settings - Execution constraints for AutoMLJob.
- log
Verbosity String | LogVerbosity - Log verbosity for the job.
- n
Cross AutoValidations NCross | CustomValidations NCross Validations - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- primary
Metric String | RegressionPrimary Metrics - Primary metric for regression task.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test
Data MLTableJob Input - Test data input.
- test
Data DoubleSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training
Settings RegressionTraining Settings - Inputs for training phase for an AutoML Job.
- validation
Data MLTableJob Input - Validation data inputs.
- validation
Data DoubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight
Column StringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training
Data MLTableJob Input - [Required] Training data input.
- cv
Split string[]Column Names - Columns to use for CVSplit data.
- featurization
Settings TableVertical Featurization Settings - Featurization inputs needed for AutoML job.
- limit
Settings TableVertical Limit Settings - Execution constraints for AutoMLJob.
- log
Verbosity string | LogVerbosity - Log verbosity for the job.
- n
Cross AutoValidations NCross | CustomValidations NCross Validations - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- primary
Metric string | RegressionPrimary Metrics - Primary metric for regression task.
- target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test
Data MLTableJob Input - Test data input.
- test
Data numberSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training
Settings RegressionTraining Settings - Inputs for training phase for an AutoML Job.
- validation
Data MLTableJob Input - Validation data inputs.
- validation
Data numberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight
Column stringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training_
data MLTableJob Input - [Required] Training data input.
- cv_
split_ Sequence[str]column_ names - Columns to use for CVSplit data.
- featurization_
settings TableVertical Featurization Settings - Featurization inputs needed for AutoML job.
- limit_
settings TableVertical Limit Settings - Execution constraints for AutoMLJob.
- log_
verbosity str | LogVerbosity - Log verbosity for the job.
- n_
cross_ Autovalidations NCross | CustomValidations NCross Validations - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- primary_
metric str | RegressionPrimary Metrics - Primary metric for regression task.
- target_
column_ strname - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test_
data MLTableJob Input - Test data input.
- test_
data_ floatsize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training_
settings RegressionTraining Settings - Inputs for training phase for an AutoML Job.
- validation_
data MLTableJob Input - Validation data inputs.
- validation_
data_ floatsize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight_
column_ strname - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training
Data Property Map - [Required] Training data input.
- cv
Split List<String>Column Names - Columns to use for CVSplit data.
- featurization
Settings Property Map - Featurization inputs needed for AutoML job.
- limit
Settings Property Map - Execution constraints for AutoMLJob.
- log
Verbosity String | "NotSet" | "Debug" | "Info" | "Warning" | "Error" | "Critical" - Log verbosity for the job.
- n
Cross Property Map | Property MapValidations - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- primary
Metric String | "SpearmanCorrelation" | "Normalized Root Mean Squared Error" | "R2Score" | "Normalized Mean Absolute Error" - Primary metric for regression task.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test
Data Property Map - Test data input.
- test
Data NumberSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training
Settings Property Map - Inputs for training phase for an AutoML Job.
- validation
Data Property Map - Validation data inputs.
- validation
Data NumberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight
Column StringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
RegressionModels, RegressionModelsArgs
- Elastic
Net - ElasticNetElastic net is a popular type of regularized linear regression that combines two popular penalties, specifically the L1 and L2 penalty functions.
- Gradient
Boosting - GradientBoostingThe technique of transiting week learners into a strong learner is called Boosting. The gradient boosting algorithm process works on this theory of execution.
- Decision
Tree - DecisionTreeDecision Trees are a non-parametric supervised learning method used for both classification and regression tasks. The goal is to create a model that predicts the value of a target variable by learning simple decision rules inferred from the data features.
- KNN
- KNNK-nearest neighbors (KNN) algorithm uses 'feature similarity' to predict the values of new datapoints which further means that the new data point will be assigned a value based on how closely it matches the points in the training set.
- Lasso
Lars - LassoLarsLasso model fit with Least Angle Regression a.k.a. Lars. It is a Linear Model trained with an L1 prior as regularizer.
- SGD
- SGDSGD: Stochastic gradient descent is an optimization algorithm often used in machine learning applications to find the model parameters that correspond to the best fit between predicted and actual outputs. It's an inexact but powerful technique.
- Random
Forest - RandomForestRandom forest is a supervised learning algorithm. The "forest" it builds, is an ensemble of decision trees, usually trained with the "bagging" method. The general idea of the bagging method is that a combination of learning models increases the overall result.
- Extreme
Random Trees - ExtremeRandomTreesExtreme Trees is an ensemble machine learning algorithm that combines the predictions from many decision trees. It is related to the widely used random forest algorithm.
- Light
GBM - LightGBMLightGBM is a gradient boosting framework that uses tree based learning algorithms.
- XGBoost
Regressor - XGBoostRegressorXGBoostRegressor: Extreme Gradient Boosting Regressor is a supervised machine learning model using ensemble of base learners.
- Regression
Models Elastic Net - ElasticNetElastic net is a popular type of regularized linear regression that combines two popular penalties, specifically the L1 and L2 penalty functions.
- Regression
Models Gradient Boosting - GradientBoostingThe technique of transiting week learners into a strong learner is called Boosting. The gradient boosting algorithm process works on this theory of execution.
- Regression
Models Decision Tree - DecisionTreeDecision Trees are a non-parametric supervised learning method used for both classification and regression tasks. The goal is to create a model that predicts the value of a target variable by learning simple decision rules inferred from the data features.
- Regression
Models KNN - KNNK-nearest neighbors (KNN) algorithm uses 'feature similarity' to predict the values of new datapoints which further means that the new data point will be assigned a value based on how closely it matches the points in the training set.
- Regression
Models Lasso Lars - LassoLarsLasso model fit with Least Angle Regression a.k.a. Lars. It is a Linear Model trained with an L1 prior as regularizer.
- Regression
Models SGD - SGDSGD: Stochastic gradient descent is an optimization algorithm often used in machine learning applications to find the model parameters that correspond to the best fit between predicted and actual outputs. It's an inexact but powerful technique.
- Regression
Models Random Forest - RandomForestRandom forest is a supervised learning algorithm. The "forest" it builds, is an ensemble of decision trees, usually trained with the "bagging" method. The general idea of the bagging method is that a combination of learning models increases the overall result.
- Regression
Models Extreme Random Trees - ExtremeRandomTreesExtreme Trees is an ensemble machine learning algorithm that combines the predictions from many decision trees. It is related to the widely used random forest algorithm.
- Regression
Models Light GBM - LightGBMLightGBM is a gradient boosting framework that uses tree based learning algorithms.
- Regression
Models XGBoost Regressor - XGBoostRegressorXGBoostRegressor: Extreme Gradient Boosting Regressor is a supervised machine learning model using ensemble of base learners.
- Elastic
Net - ElasticNetElastic net is a popular type of regularized linear regression that combines two popular penalties, specifically the L1 and L2 penalty functions.
- Gradient
Boosting - GradientBoostingThe technique of transiting week learners into a strong learner is called Boosting. The gradient boosting algorithm process works on this theory of execution.
- Decision
Tree - DecisionTreeDecision Trees are a non-parametric supervised learning method used for both classification and regression tasks. The goal is to create a model that predicts the value of a target variable by learning simple decision rules inferred from the data features.
- KNN
- KNNK-nearest neighbors (KNN) algorithm uses 'feature similarity' to predict the values of new datapoints which further means that the new data point will be assigned a value based on how closely it matches the points in the training set.
- Lasso
Lars - LassoLarsLasso model fit with Least Angle Regression a.k.a. Lars. It is a Linear Model trained with an L1 prior as regularizer.
- SGD
- SGDSGD: Stochastic gradient descent is an optimization algorithm often used in machine learning applications to find the model parameters that correspond to the best fit between predicted and actual outputs. It's an inexact but powerful technique.
- Random
Forest - RandomForestRandom forest is a supervised learning algorithm. The "forest" it builds, is an ensemble of decision trees, usually trained with the "bagging" method. The general idea of the bagging method is that a combination of learning models increases the overall result.
- Extreme
Random Trees - ExtremeRandomTreesExtreme Trees is an ensemble machine learning algorithm that combines the predictions from many decision trees. It is related to the widely used random forest algorithm.
- Light
GBM - LightGBMLightGBM is a gradient boosting framework that uses tree based learning algorithms.
- XGBoost
Regressor - XGBoostRegressorXGBoostRegressor: Extreme Gradient Boosting Regressor is a supervised machine learning model using ensemble of base learners.
- Elastic
Net - ElasticNetElastic net is a popular type of regularized linear regression that combines two popular penalties, specifically the L1 and L2 penalty functions.
- Gradient
Boosting - GradientBoostingThe technique of transiting week learners into a strong learner is called Boosting. The gradient boosting algorithm process works on this theory of execution.
- Decision
Tree - DecisionTreeDecision Trees are a non-parametric supervised learning method used for both classification and regression tasks. The goal is to create a model that predicts the value of a target variable by learning simple decision rules inferred from the data features.
- KNN
- KNNK-nearest neighbors (KNN) algorithm uses 'feature similarity' to predict the values of new datapoints which further means that the new data point will be assigned a value based on how closely it matches the points in the training set.
- Lasso
Lars - LassoLarsLasso model fit with Least Angle Regression a.k.a. Lars. It is a Linear Model trained with an L1 prior as regularizer.
- SGD
- SGDSGD: Stochastic gradient descent is an optimization algorithm often used in machine learning applications to find the model parameters that correspond to the best fit between predicted and actual outputs. It's an inexact but powerful technique.
- Random
Forest - RandomForestRandom forest is a supervised learning algorithm. The "forest" it builds, is an ensemble of decision trees, usually trained with the "bagging" method. The general idea of the bagging method is that a combination of learning models increases the overall result.
- Extreme
Random Trees - ExtremeRandomTreesExtreme Trees is an ensemble machine learning algorithm that combines the predictions from many decision trees. It is related to the widely used random forest algorithm.
- Light
GBM - LightGBMLightGBM is a gradient boosting framework that uses tree based learning algorithms.
- XGBoost
Regressor - XGBoostRegressorXGBoostRegressor: Extreme Gradient Boosting Regressor is a supervised machine learning model using ensemble of base learners.
- ELASTIC_NET
- ElasticNetElastic net is a popular type of regularized linear regression that combines two popular penalties, specifically the L1 and L2 penalty functions.
- GRADIENT_BOOSTING
- GradientBoostingThe technique of transiting week learners into a strong learner is called Boosting. The gradient boosting algorithm process works on this theory of execution.
- DECISION_TREE
- DecisionTreeDecision Trees are a non-parametric supervised learning method used for both classification and regression tasks. The goal is to create a model that predicts the value of a target variable by learning simple decision rules inferred from the data features.
- KNN
- KNNK-nearest neighbors (KNN) algorithm uses 'feature similarity' to predict the values of new datapoints which further means that the new data point will be assigned a value based on how closely it matches the points in the training set.
- LASSO_LARS
- LassoLarsLasso model fit with Least Angle Regression a.k.a. Lars. It is a Linear Model trained with an L1 prior as regularizer.
- SGD
- SGDSGD: Stochastic gradient descent is an optimization algorithm often used in machine learning applications to find the model parameters that correspond to the best fit between predicted and actual outputs. It's an inexact but powerful technique.
- RANDOM_FOREST
- RandomForestRandom forest is a supervised learning algorithm. The "forest" it builds, is an ensemble of decision trees, usually trained with the "bagging" method. The general idea of the bagging method is that a combination of learning models increases the overall result.
- EXTREME_RANDOM_TREES
- ExtremeRandomTreesExtreme Trees is an ensemble machine learning algorithm that combines the predictions from many decision trees. It is related to the widely used random forest algorithm.
- LIGHT_GBM
- LightGBMLightGBM is a gradient boosting framework that uses tree based learning algorithms.
- XG_BOOST_REGRESSOR
- XGBoostRegressorXGBoostRegressor: Extreme Gradient Boosting Regressor is a supervised machine learning model using ensemble of base learners.
- "Elastic
Net" - ElasticNetElastic net is a popular type of regularized linear regression that combines two popular penalties, specifically the L1 and L2 penalty functions.
- "Gradient
Boosting" - GradientBoostingThe technique of transiting week learners into a strong learner is called Boosting. The gradient boosting algorithm process works on this theory of execution.
- "Decision
Tree" - DecisionTreeDecision Trees are a non-parametric supervised learning method used for both classification and regression tasks. The goal is to create a model that predicts the value of a target variable by learning simple decision rules inferred from the data features.
- "KNN"
- KNNK-nearest neighbors (KNN) algorithm uses 'feature similarity' to predict the values of new datapoints which further means that the new data point will be assigned a value based on how closely it matches the points in the training set.
- "Lasso
Lars" - LassoLarsLasso model fit with Least Angle Regression a.k.a. Lars. It is a Linear Model trained with an L1 prior as regularizer.
- "SGD"
- SGDSGD: Stochastic gradient descent is an optimization algorithm often used in machine learning applications to find the model parameters that correspond to the best fit between predicted and actual outputs. It's an inexact but powerful technique.
- "Random
Forest" - RandomForestRandom forest is a supervised learning algorithm. The "forest" it builds, is an ensemble of decision trees, usually trained with the "bagging" method. The general idea of the bagging method is that a combination of learning models increases the overall result.
- "Extreme
Random Trees" - ExtremeRandomTreesExtreme Trees is an ensemble machine learning algorithm that combines the predictions from many decision trees. It is related to the widely used random forest algorithm.
- "Light
GBM" - LightGBMLightGBM is a gradient boosting framework that uses tree based learning algorithms.
- "XGBoost
Regressor" - XGBoostRegressorXGBoostRegressor: Extreme Gradient Boosting Regressor is a supervised machine learning model using ensemble of base learners.
RegressionPrimaryMetrics, RegressionPrimaryMetricsArgs
- Spearman
Correlation - SpearmanCorrelationThe Spearman's rank coefficient of correlation is a nonparametric measure of rank correlation.
- Normalized
Root Mean Squared Error - NormalizedRootMeanSquaredErrorThe Normalized Root Mean Squared Error (NRMSE) the RMSE facilitates the comparison between models with different scales.
- R2Score
- R2ScoreThe R2 score is one of the performance evaluation measures for forecasting-based machine learning models.
- Normalized
Mean Absolute Error - NormalizedMeanAbsoluteErrorThe Normalized Mean Absolute Error (NMAE) is a validation metric to compare the Mean Absolute Error (MAE) of (time) series with different scales.
- Regression
Primary Metrics Spearman Correlation - SpearmanCorrelationThe Spearman's rank coefficient of correlation is a nonparametric measure of rank correlation.
- Regression
Primary Metrics Normalized Root Mean Squared Error - NormalizedRootMeanSquaredErrorThe Normalized Root Mean Squared Error (NRMSE) the RMSE facilitates the comparison between models with different scales.
- Regression
Primary Metrics R2Score - R2ScoreThe R2 score is one of the performance evaluation measures for forecasting-based machine learning models.
- Regression
Primary Metrics Normalized Mean Absolute Error - NormalizedMeanAbsoluteErrorThe Normalized Mean Absolute Error (NMAE) is a validation metric to compare the Mean Absolute Error (MAE) of (time) series with different scales.
- Spearman
Correlation - SpearmanCorrelationThe Spearman's rank coefficient of correlation is a nonparametric measure of rank correlation.
- Normalized
Root Mean Squared Error - NormalizedRootMeanSquaredErrorThe Normalized Root Mean Squared Error (NRMSE) the RMSE facilitates the comparison between models with different scales.
- R2Score
- R2ScoreThe R2 score is one of the performance evaluation measures for forecasting-based machine learning models.
- Normalized
Mean Absolute Error - NormalizedMeanAbsoluteErrorThe Normalized Mean Absolute Error (NMAE) is a validation metric to compare the Mean Absolute Error (MAE) of (time) series with different scales.
- Spearman
Correlation - SpearmanCorrelationThe Spearman's rank coefficient of correlation is a nonparametric measure of rank correlation.
- Normalized
Root Mean Squared Error - NormalizedRootMeanSquaredErrorThe Normalized Root Mean Squared Error (NRMSE) the RMSE facilitates the comparison between models with different scales.
- R2Score
- R2ScoreThe R2 score is one of the performance evaluation measures for forecasting-based machine learning models.
- Normalized
Mean Absolute Error - NormalizedMeanAbsoluteErrorThe Normalized Mean Absolute Error (NMAE) is a validation metric to compare the Mean Absolute Error (MAE) of (time) series with different scales.
- SPEARMAN_CORRELATION
- SpearmanCorrelationThe Spearman's rank coefficient of correlation is a nonparametric measure of rank correlation.
- NORMALIZED_ROOT_MEAN_SQUARED_ERROR
- NormalizedRootMeanSquaredErrorThe Normalized Root Mean Squared Error (NRMSE) the RMSE facilitates the comparison between models with different scales.
- R2_SCORE
- R2ScoreThe R2 score is one of the performance evaluation measures for forecasting-based machine learning models.
- NORMALIZED_MEAN_ABSOLUTE_ERROR
- NormalizedMeanAbsoluteErrorThe Normalized Mean Absolute Error (NMAE) is a validation metric to compare the Mean Absolute Error (MAE) of (time) series with different scales.
- "Spearman
Correlation" - SpearmanCorrelationThe Spearman's rank coefficient of correlation is a nonparametric measure of rank correlation.
- "Normalized
Root Mean Squared Error" - NormalizedRootMeanSquaredErrorThe Normalized Root Mean Squared Error (NRMSE) the RMSE facilitates the comparison between models with different scales.
- "R2Score"
- R2ScoreThe R2 score is one of the performance evaluation measures for forecasting-based machine learning models.
- "Normalized
Mean Absolute Error" - NormalizedMeanAbsoluteErrorThe Normalized Mean Absolute Error (NMAE) is a validation metric to compare the Mean Absolute Error (MAE) of (time) series with different scales.
RegressionResponse, RegressionResponseArgs
- Training
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - [Required] Training data input.
- Cv
Split List<string>Column Names - Columns to use for CVSplit data.
- Featurization
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Table Vertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- Limit
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Table Vertical Limit Settings Response - Execution constraints for AutoMLJob.
- Log
Verbosity string - Log verbosity for the job.
- NCross
Validations Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Auto NCross Validations Response Azure Native. Machine Learning Services. Inputs. Custom NCross Validations Response - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- Primary
Metric string - Primary metric for regression task.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Test
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - Test data input.
- Test
Data doubleSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Training
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Regression Training Settings Response - Inputs for training phase for an AutoML Job.
- Validation
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - Validation data inputs.
- Validation
Data doubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Weight
Column stringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- Training
Data MLTableJob Input Response - [Required] Training data input.
- Cv
Split []stringColumn Names - Columns to use for CVSplit data.
- Featurization
Settings TableVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- Limit
Settings TableVertical Limit Settings Response - Execution constraints for AutoMLJob.
- Log
Verbosity string - Log verbosity for the job.
- NCross
Validations AutoNCross | CustomValidations Response NCross Validations Response - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- Primary
Metric string - Primary metric for regression task.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Test
Data MLTableJob Input Response - Test data input.
- Test
Data float64Size - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Training
Settings RegressionTraining Settings Response - Inputs for training phase for an AutoML Job.
- Validation
Data MLTableJob Input Response - Validation data inputs.
- Validation
Data float64Size - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- Weight
Column stringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training
Data MLTableJob Input Response - [Required] Training data input.
- cv
Split List<String>Column Names - Columns to use for CVSplit data.
- featurization
Settings TableVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- limit
Settings TableVertical Limit Settings Response - Execution constraints for AutoMLJob.
- log
Verbosity String - Log verbosity for the job.
- n
Cross AutoValidations NCross | CustomValidations Response NCross Validations Response - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- primary
Metric String - Primary metric for regression task.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test
Data MLTableJob Input Response - Test data input.
- test
Data DoubleSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training
Settings RegressionTraining Settings Response - Inputs for training phase for an AutoML Job.
- validation
Data MLTableJob Input Response - Validation data inputs.
- validation
Data DoubleSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight
Column StringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training
Data MLTableJob Input Response - [Required] Training data input.
- cv
Split string[]Column Names - Columns to use for CVSplit data.
- featurization
Settings TableVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- limit
Settings TableVertical Limit Settings Response - Execution constraints for AutoMLJob.
- log
Verbosity string - Log verbosity for the job.
- n
Cross AutoValidations NCross | CustomValidations Response NCross Validations Response - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- primary
Metric string - Primary metric for regression task.
- target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test
Data MLTableJob Input Response - Test data input.
- test
Data numberSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training
Settings RegressionTraining Settings Response - Inputs for training phase for an AutoML Job.
- validation
Data MLTableJob Input Response - Validation data inputs.
- validation
Data numberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight
Column stringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training_
data MLTableJob Input Response - [Required] Training data input.
- cv_
split_ Sequence[str]column_ names - Columns to use for CVSplit data.
- featurization_
settings TableVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- limit_
settings TableVertical Limit Settings Response - Execution constraints for AutoMLJob.
- log_
verbosity str - Log verbosity for the job.
- n_
cross_ Autovalidations NCross | CustomValidations Response NCross Validations Response - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- primary_
metric str - Primary metric for regression task.
- target_
column_ strname - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test_
data MLTableJob Input Response - Test data input.
- test_
data_ floatsize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training_
settings RegressionTraining Settings Response - Inputs for training phase for an AutoML Job.
- validation_
data MLTableJob Input Response - Validation data inputs.
- validation_
data_ floatsize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight_
column_ strname - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
- training
Data Property Map - [Required] Training data input.
- cv
Split List<String>Column Names - Columns to use for CVSplit data.
- featurization
Settings Property Map - Featurization inputs needed for AutoML job.
- limit
Settings Property Map - Execution constraints for AutoMLJob.
- log
Verbosity String - Log verbosity for the job.
- n
Cross Property Map | Property MapValidations - Number of cross validation folds to be applied on training dataset when validation dataset is not provided.
- primary
Metric String - Primary metric for regression task.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- test
Data Property Map - Test data input.
- test
Data NumberSize - The fraction of test dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- training
Settings Property Map - Inputs for training phase for an AutoML Job.
- validation
Data Property Map - Validation data inputs.
- validation
Data NumberSize - The fraction of training dataset that needs to be set aside for validation purpose. Values between (0.0 , 1.0) Applied when validation dataset is not provided.
- weight
Column StringName - The name of the sample weight column. Automated ML supports a weighted column as an input, causing rows in the data to be weighted up or down.
RegressionTrainingSettings, RegressionTrainingSettingsArgs
- Allowed
Training List<Union<string, Pulumi.Algorithms Azure Native. Machine Learning Services. Regression Models>> - Allowed models for regression task.
- Blocked
Training List<Union<string, Pulumi.Algorithms Azure Native. Machine Learning Services. Regression Models>> - Blocked models for regression task.
- Enable
Dnn boolTraining - Enable recommendation of DNN models.
- Enable
Model boolExplainability - Flag to turn on explainability on best model.
- Enable
Onnx boolCompatible Models - Flag for enabling onnx compatible models.
- Enable
Stack boolEnsemble - Enable stack ensemble run.
- Enable
Vote boolEnsemble - Enable voting ensemble run.
- Ensemble
Model stringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- Stack
Ensemble Pulumi.Settings Azure Native. Machine Learning Services. Inputs. Stack Ensemble Settings - Stack ensemble settings for stack ensemble run.
- Allowed
Training []stringAlgorithms - Allowed models for regression task.
- Blocked
Training []stringAlgorithms - Blocked models for regression task.
- Enable
Dnn boolTraining - Enable recommendation of DNN models.
- Enable
Model boolExplainability - Flag to turn on explainability on best model.
- Enable
Onnx boolCompatible Models - Flag for enabling onnx compatible models.
- Enable
Stack boolEnsemble - Enable stack ensemble run.
- Enable
Vote boolEnsemble - Enable voting ensemble run.
- Ensemble
Model stringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- Stack
Ensemble StackSettings Ensemble Settings - Stack ensemble settings for stack ensemble run.
- allowed
Training List<Either<String,RegressionAlgorithms Models>> - Allowed models for regression task.
- blocked
Training List<Either<String,RegressionAlgorithms Models>> - Blocked models for regression task.
- enable
Dnn BooleanTraining - Enable recommendation of DNN models.
- enable
Model BooleanExplainability - Flag to turn on explainability on best model.
- enable
Onnx BooleanCompatible Models - Flag for enabling onnx compatible models.
- enable
Stack BooleanEnsemble - Enable stack ensemble run.
- enable
Vote BooleanEnsemble - Enable voting ensemble run.
- ensemble
Model StringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack
Ensemble StackSettings Ensemble Settings - Stack ensemble settings for stack ensemble run.
- allowed
Training (string | RegressionAlgorithms Models)[] - Allowed models for regression task.
- blocked
Training (string | RegressionAlgorithms Models)[] - Blocked models for regression task.
- enable
Dnn booleanTraining - Enable recommendation of DNN models.
- enable
Model booleanExplainability - Flag to turn on explainability on best model.
- enable
Onnx booleanCompatible Models - Flag for enabling onnx compatible models.
- enable
Stack booleanEnsemble - Enable stack ensemble run.
- enable
Vote booleanEnsemble - Enable voting ensemble run.
- ensemble
Model stringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack
Ensemble StackSettings Ensemble Settings - Stack ensemble settings for stack ensemble run.
- allowed_
training_ Sequence[Union[str, Regressionalgorithms Models]] - Allowed models for regression task.
- blocked_
training_ Sequence[Union[str, Regressionalgorithms Models]] - Blocked models for regression task.
- enable_
dnn_ booltraining - Enable recommendation of DNN models.
- enable_
model_ boolexplainability - Flag to turn on explainability on best model.
- enable_
onnx_ boolcompatible_ models - Flag for enabling onnx compatible models.
- enable_
stack_ boolensemble - Enable stack ensemble run.
- enable_
vote_ boolensemble - Enable voting ensemble run.
- ensemble_
model_ strdownload_ timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack_
ensemble_ Stacksettings Ensemble Settings - Stack ensemble settings for stack ensemble run.
- allowed
Training List<String | "ElasticAlgorithms Net" | "Gradient Boosting" | "Decision Tree" | "KNN" | "Lasso Lars" | "SGD" | "Random Forest" | "Extreme Random Trees" | "Light GBM" | "XGBoost Regressor"> - Allowed models for regression task.
- blocked
Training List<String | "ElasticAlgorithms Net" | "Gradient Boosting" | "Decision Tree" | "KNN" | "Lasso Lars" | "SGD" | "Random Forest" | "Extreme Random Trees" | "Light GBM" | "XGBoost Regressor"> - Blocked models for regression task.
- enable
Dnn BooleanTraining - Enable recommendation of DNN models.
- enable
Model BooleanExplainability - Flag to turn on explainability on best model.
- enable
Onnx BooleanCompatible Models - Flag for enabling onnx compatible models.
- enable
Stack BooleanEnsemble - Enable stack ensemble run.
- enable
Vote BooleanEnsemble - Enable voting ensemble run.
- ensemble
Model StringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack
Ensemble Property MapSettings - Stack ensemble settings for stack ensemble run.
RegressionTrainingSettingsResponse, RegressionTrainingSettingsResponseArgs
- Allowed
Training List<string>Algorithms - Allowed models for regression task.
- Blocked
Training List<string>Algorithms - Blocked models for regression task.
- Enable
Dnn boolTraining - Enable recommendation of DNN models.
- Enable
Model boolExplainability - Flag to turn on explainability on best model.
- Enable
Onnx boolCompatible Models - Flag for enabling onnx compatible models.
- Enable
Stack boolEnsemble - Enable stack ensemble run.
- Enable
Vote boolEnsemble - Enable voting ensemble run.
- Ensemble
Model stringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- Stack
Ensemble Pulumi.Settings Azure Native. Machine Learning Services. Inputs. Stack Ensemble Settings Response - Stack ensemble settings for stack ensemble run.
- Allowed
Training []stringAlgorithms - Allowed models for regression task.
- Blocked
Training []stringAlgorithms - Blocked models for regression task.
- Enable
Dnn boolTraining - Enable recommendation of DNN models.
- Enable
Model boolExplainability - Flag to turn on explainability on best model.
- Enable
Onnx boolCompatible Models - Flag for enabling onnx compatible models.
- Enable
Stack boolEnsemble - Enable stack ensemble run.
- Enable
Vote boolEnsemble - Enable voting ensemble run.
- Ensemble
Model stringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- Stack
Ensemble StackSettings Ensemble Settings Response - Stack ensemble settings for stack ensemble run.
- allowed
Training List<String>Algorithms - Allowed models for regression task.
- blocked
Training List<String>Algorithms - Blocked models for regression task.
- enable
Dnn BooleanTraining - Enable recommendation of DNN models.
- enable
Model BooleanExplainability - Flag to turn on explainability on best model.
- enable
Onnx BooleanCompatible Models - Flag for enabling onnx compatible models.
- enable
Stack BooleanEnsemble - Enable stack ensemble run.
- enable
Vote BooleanEnsemble - Enable voting ensemble run.
- ensemble
Model StringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack
Ensemble StackSettings Ensemble Settings Response - Stack ensemble settings for stack ensemble run.
- allowed
Training string[]Algorithms - Allowed models for regression task.
- blocked
Training string[]Algorithms - Blocked models for regression task.
- enable
Dnn booleanTraining - Enable recommendation of DNN models.
- enable
Model booleanExplainability - Flag to turn on explainability on best model.
- enable
Onnx booleanCompatible Models - Flag for enabling onnx compatible models.
- enable
Stack booleanEnsemble - Enable stack ensemble run.
- enable
Vote booleanEnsemble - Enable voting ensemble run.
- ensemble
Model stringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack
Ensemble StackSettings Ensemble Settings Response - Stack ensemble settings for stack ensemble run.
- allowed_
training_ Sequence[str]algorithms - Allowed models for regression task.
- blocked_
training_ Sequence[str]algorithms - Blocked models for regression task.
- enable_
dnn_ booltraining - Enable recommendation of DNN models.
- enable_
model_ boolexplainability - Flag to turn on explainability on best model.
- enable_
onnx_ boolcompatible_ models - Flag for enabling onnx compatible models.
- enable_
stack_ boolensemble - Enable stack ensemble run.
- enable_
vote_ boolensemble - Enable voting ensemble run.
- ensemble_
model_ strdownload_ timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack_
ensemble_ Stacksettings Ensemble Settings Response - Stack ensemble settings for stack ensemble run.
- allowed
Training List<String>Algorithms - Allowed models for regression task.
- blocked
Training List<String>Algorithms - Blocked models for regression task.
- enable
Dnn BooleanTraining - Enable recommendation of DNN models.
- enable
Model BooleanExplainability - Flag to turn on explainability on best model.
- enable
Onnx BooleanCompatible Models - Flag for enabling onnx compatible models.
- enable
Stack BooleanEnsemble - Enable stack ensemble run.
- enable
Vote BooleanEnsemble - Enable voting ensemble run.
- ensemble
Model StringDownload Timeout - During VotingEnsemble and StackEnsemble model generation, multiple fitted models from the previous child runs are downloaded. Configure this parameter with a higher value than 300 secs, if more time is needed.
- stack
Ensemble Property MapSettings - Stack ensemble settings for stack ensemble run.
RollingInputData, RollingInputDataArgs
- Job
Input string | Pulumi.Type Azure Native. Machine Learning Services. Job Input Type - [Required] Specifies the type of job.
- Uri string
- [Required] Input Asset URI.
- Window
Offset string - [Required] The time offset between the end of the data window and the monitor's current run time.
- Window
Size string - [Required] The size of the rolling data window.
- Columns Dictionary<string, string>
- Mapping of column names to special uses.
- Data
Context string - The context metadata of the data source.
- Preprocessing
Component stringId - Reference to the component asset used to preprocess the data.
- Job
Input string | JobType Input Type - [Required] Specifies the type of job.
- Uri string
- [Required] Input Asset URI.
- Window
Offset string - [Required] The time offset between the end of the data window and the monitor's current run time.
- Window
Size string - [Required] The size of the rolling data window.
- Columns map[string]string
- Mapping of column names to special uses.
- Data
Context string - The context metadata of the data source.
- Preprocessing
Component stringId - Reference to the component asset used to preprocess the data.
- job
Input String | JobType Input Type - [Required] Specifies the type of job.
- uri String
- [Required] Input Asset URI.
- window
Offset String - [Required] The time offset between the end of the data window and the monitor's current run time.
- window
Size String - [Required] The size of the rolling data window.
- columns Map<String,String>
- Mapping of column names to special uses.
- data
Context String - The context metadata of the data source.
- preprocessing
Component StringId - Reference to the component asset used to preprocess the data.
- job
Input string | JobType Input Type - [Required] Specifies the type of job.
- uri string
- [Required] Input Asset URI.
- window
Offset string - [Required] The time offset between the end of the data window and the monitor's current run time.
- window
Size string - [Required] The size of the rolling data window.
- columns {[key: string]: string}
- Mapping of column names to special uses.
- data
Context string - The context metadata of the data source.
- preprocessing
Component stringId - Reference to the component asset used to preprocess the data.
- job_
input_ str | Jobtype Input Type - [Required] Specifies the type of job.
- uri str
- [Required] Input Asset URI.
- window_
offset str - [Required] The time offset between the end of the data window and the monitor's current run time.
- window_
size str - [Required] The size of the rolling data window.
- columns Mapping[str, str]
- Mapping of column names to special uses.
- data_
context str - The context metadata of the data source.
- preprocessing_
component_ strid - Reference to the component asset used to preprocess the data.
- job
Input String | "literal" | "uri_Type file" | "uri_ folder" | "mltable" | "custom_ model" | "mlflow_ model" | "triton_ model" - [Required] Specifies the type of job.
- uri String
- [Required] Input Asset URI.
- window
Offset String - [Required] The time offset between the end of the data window and the monitor's current run time.
- window
Size String - [Required] The size of the rolling data window.
- columns Map<String>
- Mapping of column names to special uses.
- data
Context String - The context metadata of the data source.
- preprocessing
Component StringId - Reference to the component asset used to preprocess the data.
RollingInputDataResponse, RollingInputDataResponseArgs
- Job
Input stringType - [Required] Specifies the type of job.
- Uri string
- [Required] Input Asset URI.
- Window
Offset string - [Required] The time offset between the end of the data window and the monitor's current run time.
- Window
Size string - [Required] The size of the rolling data window.
- Columns Dictionary<string, string>
- Mapping of column names to special uses.
- Data
Context string - The context metadata of the data source.
- Preprocessing
Component stringId - Reference to the component asset used to preprocess the data.
- Job
Input stringType - [Required] Specifies the type of job.
- Uri string
- [Required] Input Asset URI.
- Window
Offset string - [Required] The time offset between the end of the data window and the monitor's current run time.
- Window
Size string - [Required] The size of the rolling data window.
- Columns map[string]string
- Mapping of column names to special uses.
- Data
Context string - The context metadata of the data source.
- Preprocessing
Component stringId - Reference to the component asset used to preprocess the data.
- job
Input StringType - [Required] Specifies the type of job.
- uri String
- [Required] Input Asset URI.
- window
Offset String - [Required] The time offset between the end of the data window and the monitor's current run time.
- window
Size String - [Required] The size of the rolling data window.
- columns Map<String,String>
- Mapping of column names to special uses.
- data
Context String - The context metadata of the data source.
- preprocessing
Component StringId - Reference to the component asset used to preprocess the data.
- job
Input stringType - [Required] Specifies the type of job.
- uri string
- [Required] Input Asset URI.
- window
Offset string - [Required] The time offset between the end of the data window and the monitor's current run time.
- window
Size string - [Required] The size of the rolling data window.
- columns {[key: string]: string}
- Mapping of column names to special uses.
- data
Context string - The context metadata of the data source.
- preprocessing
Component stringId - Reference to the component asset used to preprocess the data.
- job_
input_ strtype - [Required] Specifies the type of job.
- uri str
- [Required] Input Asset URI.
- window_
offset str - [Required] The time offset between the end of the data window and the monitor's current run time.
- window_
size str - [Required] The size of the rolling data window.
- columns Mapping[str, str]
- Mapping of column names to special uses.
- data_
context str - The context metadata of the data source.
- preprocessing_
component_ strid - Reference to the component asset used to preprocess the data.
- job
Input StringType - [Required] Specifies the type of job.
- uri String
- [Required] Input Asset URI.
- window
Offset String - [Required] The time offset between the end of the data window and the monitor's current run time.
- window
Size String - [Required] The size of the rolling data window.
- columns Map<String>
- Mapping of column names to special uses.
- data
Context String - The context metadata of the data source.
- preprocessing
Component StringId - Reference to the component asset used to preprocess the data.
SamplingAlgorithmType, SamplingAlgorithmTypeArgs
- Grid
- Grid
- Random
- Random
- Bayesian
- Bayesian
- Sampling
Algorithm Type Grid - Grid
- Sampling
Algorithm Type Random - Random
- Sampling
Algorithm Type Bayesian - Bayesian
- Grid
- Grid
- Random
- Random
- Bayesian
- Bayesian
- Grid
- Grid
- Random
- Random
- Bayesian
- Bayesian
- GRID
- Grid
- RANDOM
- Random
- BAYESIAN
- Bayesian
- "Grid"
- Grid
- "Random"
- Random
- "Bayesian"
- Bayesian
Schedule, ScheduleArgs
- Action
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Create Monitor Action Azure | Pulumi.Native. Machine Learning Services. Inputs. Endpoint Schedule Action Azure Native. Machine Learning Services. Inputs. Job Schedule Action - [Required] Specifies the action of the schedule
- Trigger
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Cron Trigger Azure Native. Machine Learning Services. Inputs. Recurrence Trigger - [Required] Specifies the trigger details
- Description string
- The asset description text.
- Display
Name string - Display name of schedule.
- Is
Enabled bool - Is the schedule enabled?
- Properties Dictionary<string, string>
- The asset property dictionary.
- Dictionary<string, string>
- Tag dictionary. Tags can be added, removed, and updated.
- Action
Create
Monitor | EndpointAction Schedule | JobAction Schedule Action - [Required] Specifies the action of the schedule
- Trigger
Cron
Trigger | RecurrenceTrigger - [Required] Specifies the trigger details
- Description string
- The asset description text.
- Display
Name string - Display name of schedule.
- Is
Enabled bool - Is the schedule enabled?
- Properties map[string]string
- The asset property dictionary.
- map[string]string
- Tag dictionary. Tags can be added, removed, and updated.
- action
Create
Monitor | EndpointAction Schedule | JobAction Schedule Action - [Required] Specifies the action of the schedule
- trigger
Cron
Trigger | RecurrenceTrigger - [Required] Specifies the trigger details
- description String
- The asset description text.
- display
Name String - Display name of schedule.
- is
Enabled Boolean - Is the schedule enabled?
- properties Map<String,String>
- The asset property dictionary.
- Map<String,String>
- Tag dictionary. Tags can be added, removed, and updated.
- action
Create
Monitor | EndpointAction Schedule | JobAction Schedule Action - [Required] Specifies the action of the schedule
- trigger
Cron
Trigger | RecurrenceTrigger - [Required] Specifies the trigger details
- description string
- The asset description text.
- display
Name string - Display name of schedule.
- is
Enabled boolean - Is the schedule enabled?
- properties {[key: string]: string}
- The asset property dictionary.
- {[key: string]: string}
- Tag dictionary. Tags can be added, removed, and updated.
- action
Create
Monitor | EndpointAction Schedule | JobAction Schedule Action - [Required] Specifies the action of the schedule
- trigger
Cron
Trigger | RecurrenceTrigger - [Required] Specifies the trigger details
- description str
- The asset description text.
- display_
name str - Display name of schedule.
- is_
enabled bool - Is the schedule enabled?
- properties Mapping[str, str]
- The asset property dictionary.
- Mapping[str, str]
- Tag dictionary. Tags can be added, removed, and updated.
- action Property Map | Property Map | Property Map
- [Required] Specifies the action of the schedule
- trigger Property Map | Property Map
- [Required] Specifies the trigger details
- description String
- The asset description text.
- display
Name String - Display name of schedule.
- is
Enabled Boolean - Is the schedule enabled?
- properties Map<String>
- The asset property dictionary.
- Map<String>
- Tag dictionary. Tags can be added, removed, and updated.
ScheduleResponse, ScheduleResponseArgs
- Action
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Create Monitor Action Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Endpoint Schedule Action Response Azure Native. Machine Learning Services. Inputs. Job Schedule Action Response - [Required] Specifies the action of the schedule
- Provisioning
State string - Provisioning state for the schedule.
- Trigger
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Cron Trigger Response Azure Native. Machine Learning Services. Inputs. Recurrence Trigger Response - [Required] Specifies the trigger details
- Description string
- The asset description text.
- Display
Name string - Display name of schedule.
- Is
Enabled bool - Is the schedule enabled?
- Properties Dictionary<string, string>
- The asset property dictionary.
- Dictionary<string, string>
- Tag dictionary. Tags can be added, removed, and updated.
- Action
Create
Monitor | EndpointAction Response Schedule | JobAction Response Schedule Action Response - [Required] Specifies the action of the schedule
- Provisioning
State string - Provisioning state for the schedule.
- Trigger
Cron
Trigger | RecurrenceResponse Trigger Response - [Required] Specifies the trigger details
- Description string
- The asset description text.
- Display
Name string - Display name of schedule.
- Is
Enabled bool - Is the schedule enabled?
- Properties map[string]string
- The asset property dictionary.
- map[string]string
- Tag dictionary. Tags can be added, removed, and updated.
- action
Create
Monitor | EndpointAction Response Schedule | JobAction Response Schedule Action Response - [Required] Specifies the action of the schedule
- provisioning
State String - Provisioning state for the schedule.
- trigger
Cron
Trigger | RecurrenceResponse Trigger Response - [Required] Specifies the trigger details
- description String
- The asset description text.
- display
Name String - Display name of schedule.
- is
Enabled Boolean - Is the schedule enabled?
- properties Map<String,String>
- The asset property dictionary.
- Map<String,String>
- Tag dictionary. Tags can be added, removed, and updated.
- action
Create
Monitor | EndpointAction Response Schedule | JobAction Response Schedule Action Response - [Required] Specifies the action of the schedule
- provisioning
State string - Provisioning state for the schedule.
- trigger
Cron
Trigger | RecurrenceResponse Trigger Response - [Required] Specifies the trigger details
- description string
- The asset description text.
- display
Name string - Display name of schedule.
- is
Enabled boolean - Is the schedule enabled?
- properties {[key: string]: string}
- The asset property dictionary.
- {[key: string]: string}
- Tag dictionary. Tags can be added, removed, and updated.
- action
Create
Monitor | EndpointAction Response Schedule | JobAction Response Schedule Action Response - [Required] Specifies the action of the schedule
- provisioning_
state str - Provisioning state for the schedule.
- trigger
Cron
Trigger | RecurrenceResponse Trigger Response - [Required] Specifies the trigger details
- description str
- The asset description text.
- display_
name str - Display name of schedule.
- is_
enabled bool - Is the schedule enabled?
- properties Mapping[str, str]
- The asset property dictionary.
- Mapping[str, str]
- Tag dictionary. Tags can be added, removed, and updated.
- action Property Map | Property Map | Property Map
- [Required] Specifies the action of the schedule
- provisioning
State String - Provisioning state for the schedule.
- trigger Property Map | Property Map
- [Required] Specifies the trigger details
- description String
- The asset description text.
- display
Name String - Display name of schedule.
- is
Enabled Boolean - Is the schedule enabled?
- properties Map<String>
- The asset property dictionary.
- Map<String>
- Tag dictionary. Tags can be added, removed, and updated.
ShortSeriesHandlingConfiguration, ShortSeriesHandlingConfigurationArgs
- None
- NoneRepresents no/null value.
- Auto
- AutoShort series will be padded if there are no long series, otherwise short series will be dropped.
- Pad
- PadAll the short series will be padded.
- Drop
- DropAll the short series will be dropped.
- Short
Series Handling Configuration None - NoneRepresents no/null value.
- Short
Series Handling Configuration Auto - AutoShort series will be padded if there are no long series, otherwise short series will be dropped.
- Short
Series Handling Configuration Pad - PadAll the short series will be padded.
- Short
Series Handling Configuration Drop - DropAll the short series will be dropped.
- None
- NoneRepresents no/null value.
- Auto
- AutoShort series will be padded if there are no long series, otherwise short series will be dropped.
- Pad
- PadAll the short series will be padded.
- Drop
- DropAll the short series will be dropped.
- None
- NoneRepresents no/null value.
- Auto
- AutoShort series will be padded if there are no long series, otherwise short series will be dropped.
- Pad
- PadAll the short series will be padded.
- Drop
- DropAll the short series will be dropped.
- NONE
- NoneRepresents no/null value.
- AUTO
- AutoShort series will be padded if there are no long series, otherwise short series will be dropped.
- PAD
- PadAll the short series will be padded.
- DROP
- DropAll the short series will be dropped.
- "None"
- NoneRepresents no/null value.
- "Auto"
- AutoShort series will be padded if there are no long series, otherwise short series will be dropped.
- "Pad"
- PadAll the short series will be padded.
- "Drop"
- DropAll the short series will be dropped.
SparkJob, SparkJobArgs
- Code
Id string - [Required] arm-id of the code asset.
- Entry
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Spark Job Python Entry Azure Native. Machine Learning Services. Inputs. Spark Job Scala Entry - [Required] The entry to execute on startup of the job.
- Archives List<string>
- Archive files used in the job.
- Args string
- Arguments for the job.
- Component
Id string - ARM resource ID of the component resource.
- Compute
Id string - ARM resource ID of the compute resource.
- Conf Dictionary<string, string>
- Spark configured properties.
- Description string
- The asset description text.
- Display
Name string - Display name of job.
- Environment
Id string - The ARM resource ID of the Environment specification for the job.
- Environment
Variables Dictionary<string, string> - Environment variables included in the job.
- Experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- Files List<string>
- Files used in the job.
- Identity
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Aml Token Azure | Pulumi.Native. Machine Learning Services. Inputs. Managed Identity Azure Native. Machine Learning Services. Inputs. User Identity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- Inputs Dictionary<string, object>
- Mapping of input data bindings used in the job.
- Is
Archived bool - Is the asset archived?
- Jars List<string>
- Jar files used in the job.
- Notification
Setting Pulumi.Azure Native. Machine Learning Services. Inputs. Notification Setting - Notification setting for the job
- Outputs Dictionary<string, object>
- Mapping of output data bindings used in the job.
- Properties Dictionary<string, string>
- The asset property dictionary.
- Py
Files List<string> - Python files used in the job.
- Queue
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Queue Settings - Queue settings for the job
- Resources
Pulumi.
Azure Native. Machine Learning Services. Inputs. Spark Resource Configuration - Compute Resource configuration for the job.
- Services
Dictionary<string, Pulumi.
Azure Native. Machine Learning Services. Inputs. Job Service> - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Dictionary<string, string>
- Tag dictionary. Tags can be added, removed, and updated.
- Code
Id string - [Required] arm-id of the code asset.
- Entry
Spark
Job | SparkPython Entry Job Scala Entry - [Required] The entry to execute on startup of the job.
- Archives []string
- Archive files used in the job.
- Args string
- Arguments for the job.
- Component
Id string - ARM resource ID of the component resource.
- Compute
Id string - ARM resource ID of the compute resource.
- Conf map[string]string
- Spark configured properties.
- Description string
- The asset description text.
- Display
Name string - Display name of job.
- Environment
Id string - The ARM resource ID of the Environment specification for the job.
- Environment
Variables map[string]string - Environment variables included in the job.
- Experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- Files []string
- Files used in the job.
- Identity
Aml
Token | ManagedIdentity | UserIdentity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- Inputs map[string]interface{}
- Mapping of input data bindings used in the job.
- Is
Archived bool - Is the asset archived?
- Jars []string
- Jar files used in the job.
- Notification
Setting NotificationSetting - Notification setting for the job
- Outputs map[string]interface{}
- Mapping of output data bindings used in the job.
- Properties map[string]string
- The asset property dictionary.
- Py
Files []string - Python files used in the job.
- Queue
Settings QueueSettings - Queue settings for the job
- Resources
Spark
Resource Configuration - Compute Resource configuration for the job.
- Services
map[string]Job
Service - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- map[string]string
- Tag dictionary. Tags can be added, removed, and updated.
- code
Id String - [Required] arm-id of the code asset.
- entry
Spark
Job | SparkPython Entry Job Scala Entry - [Required] The entry to execute on startup of the job.
- archives List<String>
- Archive files used in the job.
- args String
- Arguments for the job.
- component
Id String - ARM resource ID of the component resource.
- compute
Id String - ARM resource ID of the compute resource.
- conf Map<String,String>
- Spark configured properties.
- description String
- The asset description text.
- display
Name String - Display name of job.
- environment
Id String - The ARM resource ID of the Environment specification for the job.
- environment
Variables Map<String,String> - Environment variables included in the job.
- experiment
Name String - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- files List<String>
- Files used in the job.
- identity
Aml
Token | ManagedIdentity | UserIdentity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs Map<String,Object>
- Mapping of input data bindings used in the job.
- is
Archived Boolean - Is the asset archived?
- jars List<String>
- Jar files used in the job.
- notification
Setting NotificationSetting - Notification setting for the job
- outputs Map<String,Object>
- Mapping of output data bindings used in the job.
- properties Map<String,String>
- The asset property dictionary.
- py
Files List<String> - Python files used in the job.
- queue
Settings QueueSettings - Queue settings for the job
- resources
Spark
Resource Configuration - Compute Resource configuration for the job.
- services
Map<String,Job
Service> - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Map<String,String>
- Tag dictionary. Tags can be added, removed, and updated.
- code
Id string - [Required] arm-id of the code asset.
- entry
Spark
Job | SparkPython Entry Job Scala Entry - [Required] The entry to execute on startup of the job.
- archives string[]
- Archive files used in the job.
- args string
- Arguments for the job.
- component
Id string - ARM resource ID of the component resource.
- compute
Id string - ARM resource ID of the compute resource.
- conf {[key: string]: string}
- Spark configured properties.
- description string
- The asset description text.
- display
Name string - Display name of job.
- environment
Id string - The ARM resource ID of the Environment specification for the job.
- environment
Variables {[key: string]: string} - Environment variables included in the job.
- experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- files string[]
- Files used in the job.
- identity
Aml
Token | ManagedIdentity | UserIdentity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs
{[key: string]: Custom
Model Job Input | Literal Job Input | MLFlow Model Job Input | MLTable Job Input | Triton Model Job Input | Uri File Job Input | Uri Folder Job Input} - Mapping of input data bindings used in the job.
- is
Archived boolean - Is the asset archived?
- jars string[]
- Jar files used in the job.
- notification
Setting NotificationSetting - Notification setting for the job
- outputs
{[key: string]: Custom
Model Job Output | MLFlow Model Job Output | MLTable Job Output | Triton Model Job Output | Uri File Job Output | Uri Folder Job Output} - Mapping of output data bindings used in the job.
- properties {[key: string]: string}
- The asset property dictionary.
- py
Files string[] - Python files used in the job.
- queue
Settings QueueSettings - Queue settings for the job
- resources
Spark
Resource Configuration - Compute Resource configuration for the job.
- services
{[key: string]: Job
Service} - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- {[key: string]: string}
- Tag dictionary. Tags can be added, removed, and updated.
- code_
id str - [Required] arm-id of the code asset.
- entry
Spark
Job | SparkPython Entry Job Scala Entry - [Required] The entry to execute on startup of the job.
- archives Sequence[str]
- Archive files used in the job.
- args str
- Arguments for the job.
- component_
id str - ARM resource ID of the component resource.
- compute_
id str - ARM resource ID of the compute resource.
- conf Mapping[str, str]
- Spark configured properties.
- description str
- The asset description text.
- display_
name str - Display name of job.
- environment_
id str - The ARM resource ID of the Environment specification for the job.
- environment_
variables Mapping[str, str] - Environment variables included in the job.
- experiment_
name str - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- files Sequence[str]
- Files used in the job.
- identity
Aml
Token | ManagedIdentity | UserIdentity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs
Mapping[str, Union[Custom
Model Job Input, Literal Job Input, MLFlow Model Job Input, MLTable Job Input, Triton Model Job Input, Uri File Job Input, Uri Folder Job Input]] - Mapping of input data bindings used in the job.
- is_
archived bool - Is the asset archived?
- jars Sequence[str]
- Jar files used in the job.
- notification_
setting NotificationSetting - Notification setting for the job
- outputs
Mapping[str, Union[Custom
Model Job Output, MLFlow Model Job Output, MLTable Job Output, Triton Model Job Output, Uri File Job Output, Uri Folder Job Output]] - Mapping of output data bindings used in the job.
- properties Mapping[str, str]
- The asset property dictionary.
- py_
files Sequence[str] - Python files used in the job.
- queue_
settings QueueSettings - Queue settings for the job
- resources
Spark
Resource Configuration - Compute Resource configuration for the job.
- services
Mapping[str, Job
Service] - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Mapping[str, str]
- Tag dictionary. Tags can be added, removed, and updated.
- code
Id String - [Required] arm-id of the code asset.
- entry Property Map | Property Map
- [Required] The entry to execute on startup of the job.
- archives List<String>
- Archive files used in the job.
- args String
- Arguments for the job.
- component
Id String - ARM resource ID of the component resource.
- compute
Id String - ARM resource ID of the compute resource.
- conf Map<String>
- Spark configured properties.
- description String
- The asset description text.
- display
Name String - Display name of job.
- environment
Id String - The ARM resource ID of the Environment specification for the job.
- environment
Variables Map<String> - Environment variables included in the job.
- experiment
Name String - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- files List<String>
- Files used in the job.
- identity Property Map | Property Map | Property Map
- Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs Map<Property Map | Property Map | Property Map | Property Map | Property Map | Property Map | Property Map>
- Mapping of input data bindings used in the job.
- is
Archived Boolean - Is the asset archived?
- jars List<String>
- Jar files used in the job.
- notification
Setting Property Map - Notification setting for the job
- outputs Map<Property Map | Property Map | Property Map | Property Map | Property Map | Property Map>
- Mapping of output data bindings used in the job.
- properties Map<String>
- The asset property dictionary.
- py
Files List<String> - Python files used in the job.
- queue
Settings Property Map - Queue settings for the job
- resources Property Map
- Compute Resource configuration for the job.
- services Map<Property Map>
- List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Map<String>
- Tag dictionary. Tags can be added, removed, and updated.
SparkJobPythonEntry, SparkJobPythonEntryArgs
- File string
- [Required] Relative python file path for job entry point.
- File string
- [Required] Relative python file path for job entry point.
- file String
- [Required] Relative python file path for job entry point.
- file string
- [Required] Relative python file path for job entry point.
- file str
- [Required] Relative python file path for job entry point.
- file String
- [Required] Relative python file path for job entry point.
SparkJobPythonEntryResponse, SparkJobPythonEntryResponseArgs
- File string
- [Required] Relative python file path for job entry point.
- File string
- [Required] Relative python file path for job entry point.
- file String
- [Required] Relative python file path for job entry point.
- file string
- [Required] Relative python file path for job entry point.
- file str
- [Required] Relative python file path for job entry point.
- file String
- [Required] Relative python file path for job entry point.
SparkJobResponse, SparkJobResponseArgs
- Code
Id string - [Required] arm-id of the code asset.
- Entry
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Spark Job Python Entry Response Azure Native. Machine Learning Services. Inputs. Spark Job Scala Entry Response - [Required] The entry to execute on startup of the job.
- Status string
- Status of the job.
- Archives List<string>
- Archive files used in the job.
- Args string
- Arguments for the job.
- Component
Id string - ARM resource ID of the component resource.
- Compute
Id string - ARM resource ID of the compute resource.
- Conf Dictionary<string, string>
- Spark configured properties.
- Description string
- The asset description text.
- Display
Name string - Display name of job.
- Environment
Id string - The ARM resource ID of the Environment specification for the job.
- Environment
Variables Dictionary<string, string> - Environment variables included in the job.
- Experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- Files List<string>
- Files used in the job.
- Identity
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Aml Token Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Managed Identity Response Azure Native. Machine Learning Services. Inputs. User Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- Inputs Dictionary<string, object>
- Mapping of input data bindings used in the job.
- Is
Archived bool - Is the asset archived?
- Jars List<string>
- Jar files used in the job.
- Notification
Setting Pulumi.Azure Native. Machine Learning Services. Inputs. Notification Setting Response - Notification setting for the job
- Outputs Dictionary<string, object>
- Mapping of output data bindings used in the job.
- Properties Dictionary<string, string>
- The asset property dictionary.
- Py
Files List<string> - Python files used in the job.
- Queue
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Queue Settings Response - Queue settings for the job
- Resources
Pulumi.
Azure Native. Machine Learning Services. Inputs. Spark Resource Configuration Response - Compute Resource configuration for the job.
- Services
Dictionary<string, Pulumi.
Azure Native. Machine Learning Services. Inputs. Job Service Response> - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Dictionary<string, string>
- Tag dictionary. Tags can be added, removed, and updated.
- Code
Id string - [Required] arm-id of the code asset.
- Entry
Spark
Job | SparkPython Entry Response Job Scala Entry Response - [Required] The entry to execute on startup of the job.
- Status string
- Status of the job.
- Archives []string
- Archive files used in the job.
- Args string
- Arguments for the job.
- Component
Id string - ARM resource ID of the component resource.
- Compute
Id string - ARM resource ID of the compute resource.
- Conf map[string]string
- Spark configured properties.
- Description string
- The asset description text.
- Display
Name string - Display name of job.
- Environment
Id string - The ARM resource ID of the Environment specification for the job.
- Environment
Variables map[string]string - Environment variables included in the job.
- Experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- Files []string
- Files used in the job.
- Identity
Aml
Token | ManagedResponse Identity | UserResponse Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- Inputs map[string]interface{}
- Mapping of input data bindings used in the job.
- Is
Archived bool - Is the asset archived?
- Jars []string
- Jar files used in the job.
- Notification
Setting NotificationSetting Response - Notification setting for the job
- Outputs map[string]interface{}
- Mapping of output data bindings used in the job.
- Properties map[string]string
- The asset property dictionary.
- Py
Files []string - Python files used in the job.
- Queue
Settings QueueSettings Response - Queue settings for the job
- Resources
Spark
Resource Configuration Response - Compute Resource configuration for the job.
- Services
map[string]Job
Service Response - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- map[string]string
- Tag dictionary. Tags can be added, removed, and updated.
- code
Id String - [Required] arm-id of the code asset.
- entry
Spark
Job | SparkPython Entry Response Job Scala Entry Response - [Required] The entry to execute on startup of the job.
- status String
- Status of the job.
- archives List<String>
- Archive files used in the job.
- args String
- Arguments for the job.
- component
Id String - ARM resource ID of the component resource.
- compute
Id String - ARM resource ID of the compute resource.
- conf Map<String,String>
- Spark configured properties.
- description String
- The asset description text.
- display
Name String - Display name of job.
- environment
Id String - The ARM resource ID of the Environment specification for the job.
- environment
Variables Map<String,String> - Environment variables included in the job.
- experiment
Name String - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- files List<String>
- Files used in the job.
- identity
Aml
Token | ManagedResponse Identity | UserResponse Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs Map<String,Object>
- Mapping of input data bindings used in the job.
- is
Archived Boolean - Is the asset archived?
- jars List<String>
- Jar files used in the job.
- notification
Setting NotificationSetting Response - Notification setting for the job
- outputs Map<String,Object>
- Mapping of output data bindings used in the job.
- properties Map<String,String>
- The asset property dictionary.
- py
Files List<String> - Python files used in the job.
- queue
Settings QueueSettings Response - Queue settings for the job
- resources
Spark
Resource Configuration Response - Compute Resource configuration for the job.
- services
Map<String,Job
Service Response> - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Map<String,String>
- Tag dictionary. Tags can be added, removed, and updated.
- code
Id string - [Required] arm-id of the code asset.
- entry
Spark
Job | SparkPython Entry Response Job Scala Entry Response - [Required] The entry to execute on startup of the job.
- status string
- Status of the job.
- archives string[]
- Archive files used in the job.
- args string
- Arguments for the job.
- component
Id string - ARM resource ID of the component resource.
- compute
Id string - ARM resource ID of the compute resource.
- conf {[key: string]: string}
- Spark configured properties.
- description string
- The asset description text.
- display
Name string - Display name of job.
- environment
Id string - The ARM resource ID of the Environment specification for the job.
- environment
Variables {[key: string]: string} - Environment variables included in the job.
- experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- files string[]
- Files used in the job.
- identity
Aml
Token | ManagedResponse Identity | UserResponse Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs
{[key: string]: Custom
Model Job Input Response | Literal Job Input Response | MLFlow Model Job Input Response | MLTable Job Input Response | Triton Model Job Input Response | Uri File Job Input Response | Uri Folder Job Input Response} - Mapping of input data bindings used in the job.
- is
Archived boolean - Is the asset archived?
- jars string[]
- Jar files used in the job.
- notification
Setting NotificationSetting Response - Notification setting for the job
- outputs
{[key: string]: Custom
Model Job Output Response | MLFlow Model Job Output Response | MLTable Job Output Response | Triton Model Job Output Response | Uri File Job Output Response | Uri Folder Job Output Response} - Mapping of output data bindings used in the job.
- properties {[key: string]: string}
- The asset property dictionary.
- py
Files string[] - Python files used in the job.
- queue
Settings QueueSettings Response - Queue settings for the job
- resources
Spark
Resource Configuration Response - Compute Resource configuration for the job.
- services
{[key: string]: Job
Service Response} - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- {[key: string]: string}
- Tag dictionary. Tags can be added, removed, and updated.
- code_
id str - [Required] arm-id of the code asset.
- entry
Spark
Job | SparkPython Entry Response Job Scala Entry Response - [Required] The entry to execute on startup of the job.
- status str
- Status of the job.
- archives Sequence[str]
- Archive files used in the job.
- args str
- Arguments for the job.
- component_
id str - ARM resource ID of the component resource.
- compute_
id str - ARM resource ID of the compute resource.
- conf Mapping[str, str]
- Spark configured properties.
- description str
- The asset description text.
- display_
name str - Display name of job.
- environment_
id str - The ARM resource ID of the Environment specification for the job.
- environment_
variables Mapping[str, str] - Environment variables included in the job.
- experiment_
name str - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- files Sequence[str]
- Files used in the job.
- identity
Aml
Token | ManagedResponse Identity | UserResponse Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs
Mapping[str, Union[Custom
Model Job Input Response, Literal Job Input Response, MLFlow Model Job Input Response, MLTable Job Input Response, Triton Model Job Input Response, Uri File Job Input Response, Uri Folder Job Input Response]] - Mapping of input data bindings used in the job.
- is_
archived bool - Is the asset archived?
- jars Sequence[str]
- Jar files used in the job.
- notification_
setting NotificationSetting Response - Notification setting for the job
- outputs
Mapping[str, Union[Custom
Model Job Output Response, MLFlow Model Job Output Response, MLTable Job Output Response, Triton Model Job Output Response, Uri File Job Output Response, Uri Folder Job Output Response]] - Mapping of output data bindings used in the job.
- properties Mapping[str, str]
- The asset property dictionary.
- py_
files Sequence[str] - Python files used in the job.
- queue_
settings QueueSettings Response - Queue settings for the job
- resources
Spark
Resource Configuration Response - Compute Resource configuration for the job.
- services
Mapping[str, Job
Service Response] - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Mapping[str, str]
- Tag dictionary. Tags can be added, removed, and updated.
- code
Id String - [Required] arm-id of the code asset.
- entry Property Map | Property Map
- [Required] The entry to execute on startup of the job.
- status String
- Status of the job.
- archives List<String>
- Archive files used in the job.
- args String
- Arguments for the job.
- component
Id String - ARM resource ID of the component resource.
- compute
Id String - ARM resource ID of the compute resource.
- conf Map<String>
- Spark configured properties.
- description String
- The asset description text.
- display
Name String - Display name of job.
- environment
Id String - The ARM resource ID of the Environment specification for the job.
- environment
Variables Map<String> - Environment variables included in the job.
- experiment
Name String - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- files List<String>
- Files used in the job.
- identity Property Map | Property Map | Property Map
- Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs Map<Property Map | Property Map | Property Map | Property Map | Property Map | Property Map | Property Map>
- Mapping of input data bindings used in the job.
- is
Archived Boolean - Is the asset archived?
- jars List<String>
- Jar files used in the job.
- notification
Setting Property Map - Notification setting for the job
- outputs Map<Property Map | Property Map | Property Map | Property Map | Property Map | Property Map>
- Mapping of output data bindings used in the job.
- properties Map<String>
- The asset property dictionary.
- py
Files List<String> - Python files used in the job.
- queue
Settings Property Map - Queue settings for the job
- resources Property Map
- Compute Resource configuration for the job.
- services Map<Property Map>
- List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Map<String>
- Tag dictionary. Tags can be added, removed, and updated.
SparkJobScalaEntry, SparkJobScalaEntryArgs
- Class
Name string - [Required] Scala class name used as entry point.
- Class
Name string - [Required] Scala class name used as entry point.
- class
Name String - [Required] Scala class name used as entry point.
- class
Name string - [Required] Scala class name used as entry point.
- class_
name str - [Required] Scala class name used as entry point.
- class
Name String - [Required] Scala class name used as entry point.
SparkJobScalaEntryResponse, SparkJobScalaEntryResponseArgs
- Class
Name string - [Required] Scala class name used as entry point.
- Class
Name string - [Required] Scala class name used as entry point.
- class
Name String - [Required] Scala class name used as entry point.
- class
Name string - [Required] Scala class name used as entry point.
- class_
name str - [Required] Scala class name used as entry point.
- class
Name String - [Required] Scala class name used as entry point.
SparkResourceConfiguration, SparkResourceConfigurationArgs
- Instance
Type string - Optional type of VM used as supported by the compute target.
- Runtime
Version string - Version of spark runtime used for the job.
- Instance
Type string - Optional type of VM used as supported by the compute target.
- Runtime
Version string - Version of spark runtime used for the job.
- instance
Type String - Optional type of VM used as supported by the compute target.
- runtime
Version String - Version of spark runtime used for the job.
- instance
Type string - Optional type of VM used as supported by the compute target.
- runtime
Version string - Version of spark runtime used for the job.
- instance_
type str - Optional type of VM used as supported by the compute target.
- runtime_
version str - Version of spark runtime used for the job.
- instance
Type String - Optional type of VM used as supported by the compute target.
- runtime
Version String - Version of spark runtime used for the job.
SparkResourceConfigurationResponse, SparkResourceConfigurationResponseArgs
- Instance
Type string - Optional type of VM used as supported by the compute target.
- Runtime
Version string - Version of spark runtime used for the job.
- Instance
Type string - Optional type of VM used as supported by the compute target.
- Runtime
Version string - Version of spark runtime used for the job.
- instance
Type String - Optional type of VM used as supported by the compute target.
- runtime
Version String - Version of spark runtime used for the job.
- instance
Type string - Optional type of VM used as supported by the compute target.
- runtime
Version string - Version of spark runtime used for the job.
- instance_
type str - Optional type of VM used as supported by the compute target.
- runtime_
version str - Version of spark runtime used for the job.
- instance
Type String - Optional type of VM used as supported by the compute target.
- runtime
Version String - Version of spark runtime used for the job.
StackEnsembleSettings, StackEnsembleSettingsArgs
- Stack
Meta objectLearner KWargs - Optional parameters to pass to the initializer of the meta-learner.
- Stack
Meta doubleLearner Train Percentage - Specifies the proportion of the training set (when choosing train and validation type of training) to be reserved for training the meta-learner. Default value is 0.2.
- Stack
Meta string | Pulumi.Learner Type Azure Native. Machine Learning Services. Stack Meta Learner Type - The meta-learner is a model trained on the output of the individual heterogeneous models.
- Stack
Meta interface{}Learner KWargs - Optional parameters to pass to the initializer of the meta-learner.
- Stack
Meta float64Learner Train Percentage - Specifies the proportion of the training set (when choosing train and validation type of training) to be reserved for training the meta-learner. Default value is 0.2.
- Stack
Meta string | StackLearner Type Meta Learner Type - The meta-learner is a model trained on the output of the individual heterogeneous models.
- stack
Meta ObjectLearner KWargs - Optional parameters to pass to the initializer of the meta-learner.
- stack
Meta DoubleLearner Train Percentage - Specifies the proportion of the training set (when choosing train and validation type of training) to be reserved for training the meta-learner. Default value is 0.2.
- stack
Meta String | StackLearner Type Meta Learner Type - The meta-learner is a model trained on the output of the individual heterogeneous models.
- stack
Meta anyLearner KWargs - Optional parameters to pass to the initializer of the meta-learner.
- stack
Meta numberLearner Train Percentage - Specifies the proportion of the training set (when choosing train and validation type of training) to be reserved for training the meta-learner. Default value is 0.2.
- stack
Meta string | StackLearner Type Meta Learner Type - The meta-learner is a model trained on the output of the individual heterogeneous models.
- stack_
meta_ Anylearner_ k_ wargs - Optional parameters to pass to the initializer of the meta-learner.
- stack_
meta_ floatlearner_ train_ percentage - Specifies the proportion of the training set (when choosing train and validation type of training) to be reserved for training the meta-learner. Default value is 0.2.
- stack_
meta_ str | Stacklearner_ type Meta Learner Type - The meta-learner is a model trained on the output of the individual heterogeneous models.
- stack
Meta AnyLearner KWargs - Optional parameters to pass to the initializer of the meta-learner.
- stack
Meta NumberLearner Train Percentage - Specifies the proportion of the training set (when choosing train and validation type of training) to be reserved for training the meta-learner. Default value is 0.2.
- stack
Meta String | "None" | "LogisticLearner Type Regression" | "Logistic Regression CV" | "Light GBMClassifier" | "Elastic Net" | "Elastic Net CV" | "Light GBMRegressor" | "Linear Regression" - The meta-learner is a model trained on the output of the individual heterogeneous models.
StackEnsembleSettingsResponse, StackEnsembleSettingsResponseArgs
- Stack
Meta objectLearner KWargs - Optional parameters to pass to the initializer of the meta-learner.
- Stack
Meta doubleLearner Train Percentage - Specifies the proportion of the training set (when choosing train and validation type of training) to be reserved for training the meta-learner. Default value is 0.2.
- Stack
Meta stringLearner Type - The meta-learner is a model trained on the output of the individual heterogeneous models.
- Stack
Meta interface{}Learner KWargs - Optional parameters to pass to the initializer of the meta-learner.
- Stack
Meta float64Learner Train Percentage - Specifies the proportion of the training set (when choosing train and validation type of training) to be reserved for training the meta-learner. Default value is 0.2.
- Stack
Meta stringLearner Type - The meta-learner is a model trained on the output of the individual heterogeneous models.
- stack
Meta ObjectLearner KWargs - Optional parameters to pass to the initializer of the meta-learner.
- stack
Meta DoubleLearner Train Percentage - Specifies the proportion of the training set (when choosing train and validation type of training) to be reserved for training the meta-learner. Default value is 0.2.
- stack
Meta StringLearner Type - The meta-learner is a model trained on the output of the individual heterogeneous models.
- stack
Meta anyLearner KWargs - Optional parameters to pass to the initializer of the meta-learner.
- stack
Meta numberLearner Train Percentage - Specifies the proportion of the training set (when choosing train and validation type of training) to be reserved for training the meta-learner. Default value is 0.2.
- stack
Meta stringLearner Type - The meta-learner is a model trained on the output of the individual heterogeneous models.
- stack_
meta_ Anylearner_ k_ wargs - Optional parameters to pass to the initializer of the meta-learner.
- stack_
meta_ floatlearner_ train_ percentage - Specifies the proportion of the training set (when choosing train and validation type of training) to be reserved for training the meta-learner. Default value is 0.2.
- stack_
meta_ strlearner_ type - The meta-learner is a model trained on the output of the individual heterogeneous models.
- stack
Meta AnyLearner KWargs - Optional parameters to pass to the initializer of the meta-learner.
- stack
Meta NumberLearner Train Percentage - Specifies the proportion of the training set (when choosing train and validation type of training) to be reserved for training the meta-learner. Default value is 0.2.
- stack
Meta StringLearner Type - The meta-learner is a model trained on the output of the individual heterogeneous models.
StackMetaLearnerType, StackMetaLearnerTypeArgs
- None
- None
- Logistic
Regression - LogisticRegressionDefault meta-learners are LogisticRegression for classification tasks.
- Logistic
Regression CV - LogisticRegressionCVDefault meta-learners are LogisticRegression for classification task when CV is on.
- Light
GBMClassifier - LightGBMClassifier
- Elastic
Net - ElasticNetDefault meta-learners are LogisticRegression for regression task.
- Elastic
Net CV - ElasticNetCVDefault meta-learners are LogisticRegression for regression task when CV is on.
- Light
GBMRegressor - LightGBMRegressor
- Linear
Regression - LinearRegression
- Stack
Meta Learner Type None - None
- Stack
Meta Learner Type Logistic Regression - LogisticRegressionDefault meta-learners are LogisticRegression for classification tasks.
- Stack
Meta Learner Type Logistic Regression CV - LogisticRegressionCVDefault meta-learners are LogisticRegression for classification task when CV is on.
- Stack
Meta Learner Type Light GBMClassifier - LightGBMClassifier
- Stack
Meta Learner Type Elastic Net - ElasticNetDefault meta-learners are LogisticRegression for regression task.
- Stack
Meta Learner Type Elastic Net CV - ElasticNetCVDefault meta-learners are LogisticRegression for regression task when CV is on.
- Stack
Meta Learner Type Light GBMRegressor - LightGBMRegressor
- Stack
Meta Learner Type Linear Regression - LinearRegression
- None
- None
- Logistic
Regression - LogisticRegressionDefault meta-learners are LogisticRegression for classification tasks.
- Logistic
Regression CV - LogisticRegressionCVDefault meta-learners are LogisticRegression for classification task when CV is on.
- Light
GBMClassifier - LightGBMClassifier
- Elastic
Net - ElasticNetDefault meta-learners are LogisticRegression for regression task.
- Elastic
Net CV - ElasticNetCVDefault meta-learners are LogisticRegression for regression task when CV is on.
- Light
GBMRegressor - LightGBMRegressor
- Linear
Regression - LinearRegression
- None
- None
- Logistic
Regression - LogisticRegressionDefault meta-learners are LogisticRegression for classification tasks.
- Logistic
Regression CV - LogisticRegressionCVDefault meta-learners are LogisticRegression for classification task when CV is on.
- Light
GBMClassifier - LightGBMClassifier
- Elastic
Net - ElasticNetDefault meta-learners are LogisticRegression for regression task.
- Elastic
Net CV - ElasticNetCVDefault meta-learners are LogisticRegression for regression task when CV is on.
- Light
GBMRegressor - LightGBMRegressor
- Linear
Regression - LinearRegression
- NONE
- None
- LOGISTIC_REGRESSION
- LogisticRegressionDefault meta-learners are LogisticRegression for classification tasks.
- LOGISTIC_REGRESSION_CV
- LogisticRegressionCVDefault meta-learners are LogisticRegression for classification task when CV is on.
- LIGHT_GBM_CLASSIFIER
- LightGBMClassifier
- ELASTIC_NET
- ElasticNetDefault meta-learners are LogisticRegression for regression task.
- ELASTIC_NET_CV
- ElasticNetCVDefault meta-learners are LogisticRegression for regression task when CV is on.
- LIGHT_GBM_REGRESSOR
- LightGBMRegressor
- LINEAR_REGRESSION
- LinearRegression
- "None"
- None
- "Logistic
Regression" - LogisticRegressionDefault meta-learners are LogisticRegression for classification tasks.
- "Logistic
Regression CV" - LogisticRegressionCVDefault meta-learners are LogisticRegression for classification task when CV is on.
- "Light
GBMClassifier" - LightGBMClassifier
- "Elastic
Net" - ElasticNetDefault meta-learners are LogisticRegression for regression task.
- "Elastic
Net CV" - ElasticNetCVDefault meta-learners are LogisticRegression for regression task when CV is on.
- "Light
GBMRegressor" - LightGBMRegressor
- "Linear
Regression" - LinearRegression
StaticInputData, StaticInputDataArgs
- Job
Input string | Pulumi.Type Azure Native. Machine Learning Services. Job Input Type - [Required] Specifies the type of job.
- Uri string
- [Required] Input Asset URI.
- Window
End string - [Required] The end date of the data window.
- Window
Start string - [Required] The start date of the data window.
- Columns Dictionary<string, string>
- Mapping of column names to special uses.
- Data
Context string - The context metadata of the data source.
- Preprocessing
Component stringId - Reference to the component asset used to preprocess the data.
- Job
Input string | JobType Input Type - [Required] Specifies the type of job.
- Uri string
- [Required] Input Asset URI.
- Window
End string - [Required] The end date of the data window.
- Window
Start string - [Required] The start date of the data window.
- Columns map[string]string
- Mapping of column names to special uses.
- Data
Context string - The context metadata of the data source.
- Preprocessing
Component stringId - Reference to the component asset used to preprocess the data.
- job
Input String | JobType Input Type - [Required] Specifies the type of job.
- uri String
- [Required] Input Asset URI.
- window
End String - [Required] The end date of the data window.
- window
Start String - [Required] The start date of the data window.
- columns Map<String,String>
- Mapping of column names to special uses.
- data
Context String - The context metadata of the data source.
- preprocessing
Component StringId - Reference to the component asset used to preprocess the data.
- job
Input string | JobType Input Type - [Required] Specifies the type of job.
- uri string
- [Required] Input Asset URI.
- window
End string - [Required] The end date of the data window.
- window
Start string - [Required] The start date of the data window.
- columns {[key: string]: string}
- Mapping of column names to special uses.
- data
Context string - The context metadata of the data source.
- preprocessing
Component stringId - Reference to the component asset used to preprocess the data.
- job_
input_ str | Jobtype Input Type - [Required] Specifies the type of job.
- uri str
- [Required] Input Asset URI.
- window_
end str - [Required] The end date of the data window.
- window_
start str - [Required] The start date of the data window.
- columns Mapping[str, str]
- Mapping of column names to special uses.
- data_
context str - The context metadata of the data source.
- preprocessing_
component_ strid - Reference to the component asset used to preprocess the data.
- job
Input String | "literal" | "uri_Type file" | "uri_ folder" | "mltable" | "custom_ model" | "mlflow_ model" | "triton_ model" - [Required] Specifies the type of job.
- uri String
- [Required] Input Asset URI.
- window
End String - [Required] The end date of the data window.
- window
Start String - [Required] The start date of the data window.
- columns Map<String>
- Mapping of column names to special uses.
- data
Context String - The context metadata of the data source.
- preprocessing
Component StringId - Reference to the component asset used to preprocess the data.
StaticInputDataResponse, StaticInputDataResponseArgs
- Job
Input stringType - [Required] Specifies the type of job.
- Uri string
- [Required] Input Asset URI.
- Window
End string - [Required] The end date of the data window.
- Window
Start string - [Required] The start date of the data window.
- Columns Dictionary<string, string>
- Mapping of column names to special uses.
- Data
Context string - The context metadata of the data source.
- Preprocessing
Component stringId - Reference to the component asset used to preprocess the data.
- Job
Input stringType - [Required] Specifies the type of job.
- Uri string
- [Required] Input Asset URI.
- Window
End string - [Required] The end date of the data window.
- Window
Start string - [Required] The start date of the data window.
- Columns map[string]string
- Mapping of column names to special uses.
- Data
Context string - The context metadata of the data source.
- Preprocessing
Component stringId - Reference to the component asset used to preprocess the data.
- job
Input StringType - [Required] Specifies the type of job.
- uri String
- [Required] Input Asset URI.
- window
End String - [Required] The end date of the data window.
- window
Start String - [Required] The start date of the data window.
- columns Map<String,String>
- Mapping of column names to special uses.
- data
Context String - The context metadata of the data source.
- preprocessing
Component StringId - Reference to the component asset used to preprocess the data.
- job
Input stringType - [Required] Specifies the type of job.
- uri string
- [Required] Input Asset URI.
- window
End string - [Required] The end date of the data window.
- window
Start string - [Required] The start date of the data window.
- columns {[key: string]: string}
- Mapping of column names to special uses.
- data
Context string - The context metadata of the data source.
- preprocessing
Component stringId - Reference to the component asset used to preprocess the data.
- job_
input_ strtype - [Required] Specifies the type of job.
- uri str
- [Required] Input Asset URI.
- window_
end str - [Required] The end date of the data window.
- window_
start str - [Required] The start date of the data window.
- columns Mapping[str, str]
- Mapping of column names to special uses.
- data_
context str - The context metadata of the data source.
- preprocessing_
component_ strid - Reference to the component asset used to preprocess the data.
- job
Input StringType - [Required] Specifies the type of job.
- uri String
- [Required] Input Asset URI.
- window
End String - [Required] The end date of the data window.
- window
Start String - [Required] The start date of the data window.
- columns Map<String>
- Mapping of column names to special uses.
- data
Context String - The context metadata of the data source.
- preprocessing
Component StringId - Reference to the component asset used to preprocess the data.
StochasticOptimizer, StochasticOptimizerArgs
- None
- NoneNo optimizer selected.
- Sgd
- SgdStochastic Gradient Descent optimizer.
- Adam
- AdamAdam is algorithm the optimizes stochastic objective functions based on adaptive estimates of moments
- Adamw
- AdamwAdamW is a variant of the optimizer Adam that has an improved implementation of weight decay.
- Stochastic
Optimizer None - NoneNo optimizer selected.
- Stochastic
Optimizer Sgd - SgdStochastic Gradient Descent optimizer.
- Stochastic
Optimizer Adam - AdamAdam is algorithm the optimizes stochastic objective functions based on adaptive estimates of moments
- Stochastic
Optimizer Adamw - AdamwAdamW is a variant of the optimizer Adam that has an improved implementation of weight decay.
- None
- NoneNo optimizer selected.
- Sgd
- SgdStochastic Gradient Descent optimizer.
- Adam
- AdamAdam is algorithm the optimizes stochastic objective functions based on adaptive estimates of moments
- Adamw
- AdamwAdamW is a variant of the optimizer Adam that has an improved implementation of weight decay.
- None
- NoneNo optimizer selected.
- Sgd
- SgdStochastic Gradient Descent optimizer.
- Adam
- AdamAdam is algorithm the optimizes stochastic objective functions based on adaptive estimates of moments
- Adamw
- AdamwAdamW is a variant of the optimizer Adam that has an improved implementation of weight decay.
- NONE
- NoneNo optimizer selected.
- SGD
- SgdStochastic Gradient Descent optimizer.
- ADAM
- AdamAdam is algorithm the optimizes stochastic objective functions based on adaptive estimates of moments
- ADAMW
- AdamwAdamW is a variant of the optimizer Adam that has an improved implementation of weight decay.
- "None"
- NoneNo optimizer selected.
- "Sgd"
- SgdStochastic Gradient Descent optimizer.
- "Adam"
- AdamAdam is algorithm the optimizes stochastic objective functions based on adaptive estimates of moments
- "Adamw"
- AdamwAdamW is a variant of the optimizer Adam that has an improved implementation of weight decay.
SweepJob, SweepJobArgs
- Objective
Pulumi.
Azure Native. Machine Learning Services. Inputs. Objective - [Required] Optimization objective.
- Sampling
Algorithm Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Bayesian Sampling Algorithm Azure | Pulumi.Native. Machine Learning Services. Inputs. Grid Sampling Algorithm Azure Native. Machine Learning Services. Inputs. Random Sampling Algorithm - [Required] The hyperparameter sampling algorithm
- Search
Space object - [Required] A dictionary containing each parameter and its distribution. The dictionary key is the name of the parameter
- Trial
Pulumi.
Azure Native. Machine Learning Services. Inputs. Trial Component - [Required] Trial component definition.
- Component
Id string - ARM resource ID of the component resource.
- Compute
Id string - ARM resource ID of the compute resource.
- Description string
- The asset description text.
- Display
Name string - Display name of job.
- Early
Termination Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Bandit Policy Azure | Pulumi.Native. Machine Learning Services. Inputs. Median Stopping Policy Azure Native. Machine Learning Services. Inputs. Truncation Selection Policy - Early termination policies enable canceling poor-performing runs before they complete
- Experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- Identity
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Aml Token Azure | Pulumi.Native. Machine Learning Services. Inputs. Managed Identity Azure Native. Machine Learning Services. Inputs. User Identity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- Inputs Dictionary<string, object>
- Mapping of input data bindings used in the job.
- Is
Archived bool - Is the asset archived?
- Limits
Pulumi.
Azure Native. Machine Learning Services. Inputs. Sweep Job Limits - Sweep Job limit.
- Notification
Setting Pulumi.Azure Native. Machine Learning Services. Inputs. Notification Setting - Notification setting for the job
- Outputs Dictionary<string, object>
- Mapping of output data bindings used in the job.
- Properties Dictionary<string, string>
- The asset property dictionary.
- Queue
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Queue Settings - Queue settings for the job
- Services
Dictionary<string, Pulumi.
Azure Native. Machine Learning Services. Inputs. Job Service> - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Dictionary<string, string>
- Tag dictionary. Tags can be added, removed, and updated.
- Objective Objective
- [Required] Optimization objective.
- Sampling
Algorithm BayesianSampling | GridAlgorithm Sampling | RandomAlgorithm Sampling Algorithm - [Required] The hyperparameter sampling algorithm
- Search
Space interface{} - [Required] A dictionary containing each parameter and its distribution. The dictionary key is the name of the parameter
- Trial
Trial
Component - [Required] Trial component definition.
- Component
Id string - ARM resource ID of the component resource.
- Compute
Id string - ARM resource ID of the compute resource.
- Description string
- The asset description text.
- Display
Name string - Display name of job.
- Early
Termination BanditPolicy | MedianStopping | TruncationPolicy Selection Policy - Early termination policies enable canceling poor-performing runs before they complete
- Experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- Identity
Aml
Token | ManagedIdentity | UserIdentity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- Inputs map[string]interface{}
- Mapping of input data bindings used in the job.
- Is
Archived bool - Is the asset archived?
- Limits
Sweep
Job Limits - Sweep Job limit.
- Notification
Setting NotificationSetting - Notification setting for the job
- Outputs map[string]interface{}
- Mapping of output data bindings used in the job.
- Properties map[string]string
- The asset property dictionary.
- Queue
Settings QueueSettings - Queue settings for the job
- Services
map[string]Job
Service - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- map[string]string
- Tag dictionary. Tags can be added, removed, and updated.
- objective Objective
- [Required] Optimization objective.
- sampling
Algorithm BayesianSampling | GridAlgorithm Sampling | RandomAlgorithm Sampling Algorithm - [Required] The hyperparameter sampling algorithm
- search
Space Object - [Required] A dictionary containing each parameter and its distribution. The dictionary key is the name of the parameter
- trial
Trial
Component - [Required] Trial component definition.
- component
Id String - ARM resource ID of the component resource.
- compute
Id String - ARM resource ID of the compute resource.
- description String
- The asset description text.
- display
Name String - Display name of job.
- early
Termination BanditPolicy | MedianStopping | TruncationPolicy Selection Policy - Early termination policies enable canceling poor-performing runs before they complete
- experiment
Name String - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedIdentity | UserIdentity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs Map<String,Object>
- Mapping of input data bindings used in the job.
- is
Archived Boolean - Is the asset archived?
- limits
Sweep
Job Limits - Sweep Job limit.
- notification
Setting NotificationSetting - Notification setting for the job
- outputs Map<String,Object>
- Mapping of output data bindings used in the job.
- properties Map<String,String>
- The asset property dictionary.
- queue
Settings QueueSettings - Queue settings for the job
- services
Map<String,Job
Service> - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Map<String,String>
- Tag dictionary. Tags can be added, removed, and updated.
- objective Objective
- [Required] Optimization objective.
- sampling
Algorithm BayesianSampling | GridAlgorithm Sampling | RandomAlgorithm Sampling Algorithm - [Required] The hyperparameter sampling algorithm
- search
Space any - [Required] A dictionary containing each parameter and its distribution. The dictionary key is the name of the parameter
- trial
Trial
Component - [Required] Trial component definition.
- component
Id string - ARM resource ID of the component resource.
- compute
Id string - ARM resource ID of the compute resource.
- description string
- The asset description text.
- display
Name string - Display name of job.
- early
Termination BanditPolicy | MedianStopping | TruncationPolicy Selection Policy - Early termination policies enable canceling poor-performing runs before they complete
- experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedIdentity | UserIdentity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs
{[key: string]: Custom
Model Job Input | Literal Job Input | MLFlow Model Job Input | MLTable Job Input | Triton Model Job Input | Uri File Job Input | Uri Folder Job Input} - Mapping of input data bindings used in the job.
- is
Archived boolean - Is the asset archived?
- limits
Sweep
Job Limits - Sweep Job limit.
- notification
Setting NotificationSetting - Notification setting for the job
- outputs
{[key: string]: Custom
Model Job Output | MLFlow Model Job Output | MLTable Job Output | Triton Model Job Output | Uri File Job Output | Uri Folder Job Output} - Mapping of output data bindings used in the job.
- properties {[key: string]: string}
- The asset property dictionary.
- queue
Settings QueueSettings - Queue settings for the job
- services
{[key: string]: Job
Service} - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- {[key: string]: string}
- Tag dictionary. Tags can be added, removed, and updated.
- objective Objective
- [Required] Optimization objective.
- sampling_
algorithm BayesianSampling | GridAlgorithm Sampling | RandomAlgorithm Sampling Algorithm - [Required] The hyperparameter sampling algorithm
- search_
space Any - [Required] A dictionary containing each parameter and its distribution. The dictionary key is the name of the parameter
- trial
Trial
Component - [Required] Trial component definition.
- component_
id str - ARM resource ID of the component resource.
- compute_
id str - ARM resource ID of the compute resource.
- description str
- The asset description text.
- display_
name str - Display name of job.
- early_
termination BanditPolicy | MedianStopping | TruncationPolicy Selection Policy - Early termination policies enable canceling poor-performing runs before they complete
- experiment_
name str - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedIdentity | UserIdentity - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs
Mapping[str, Union[Custom
Model Job Input, Literal Job Input, MLFlow Model Job Input, MLTable Job Input, Triton Model Job Input, Uri File Job Input, Uri Folder Job Input]] - Mapping of input data bindings used in the job.
- is_
archived bool - Is the asset archived?
- limits
Sweep
Job Limits - Sweep Job limit.
- notification_
setting NotificationSetting - Notification setting for the job
- outputs
Mapping[str, Union[Custom
Model Job Output, MLFlow Model Job Output, MLTable Job Output, Triton Model Job Output, Uri File Job Output, Uri Folder Job Output]] - Mapping of output data bindings used in the job.
- properties Mapping[str, str]
- The asset property dictionary.
- queue_
settings QueueSettings - Queue settings for the job
- services
Mapping[str, Job
Service] - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Mapping[str, str]
- Tag dictionary. Tags can be added, removed, and updated.
- objective Property Map
- [Required] Optimization objective.
- sampling
Algorithm Property Map | Property Map | Property Map - [Required] The hyperparameter sampling algorithm
- search
Space Any - [Required] A dictionary containing each parameter and its distribution. The dictionary key is the name of the parameter
- trial Property Map
- [Required] Trial component definition.
- component
Id String - ARM resource ID of the component resource.
- compute
Id String - ARM resource ID of the compute resource.
- description String
- The asset description text.
- display
Name String - Display name of job.
- early
Termination Property Map | Property Map | Property Map - Early termination policies enable canceling poor-performing runs before they complete
- experiment
Name String - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity Property Map | Property Map | Property Map
- Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs Map<Property Map | Property Map | Property Map | Property Map | Property Map | Property Map | Property Map>
- Mapping of input data bindings used in the job.
- is
Archived Boolean - Is the asset archived?
- limits Property Map
- Sweep Job limit.
- notification
Setting Property Map - Notification setting for the job
- outputs Map<Property Map | Property Map | Property Map | Property Map | Property Map | Property Map>
- Mapping of output data bindings used in the job.
- properties Map<String>
- The asset property dictionary.
- queue
Settings Property Map - Queue settings for the job
- services Map<Property Map>
- List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Map<String>
- Tag dictionary. Tags can be added, removed, and updated.
SweepJobLimits, SweepJobLimitsArgs
- Max
Concurrent intTrials - Sweep Job max concurrent trials.
- Max
Total intTrials - Sweep Job max total trials.
- Timeout string
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- Trial
Timeout string - Sweep Job Trial timeout value.
- Max
Concurrent intTrials - Sweep Job max concurrent trials.
- Max
Total intTrials - Sweep Job max total trials.
- Timeout string
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- Trial
Timeout string - Sweep Job Trial timeout value.
- max
Concurrent IntegerTrials - Sweep Job max concurrent trials.
- max
Total IntegerTrials - Sweep Job max total trials.
- timeout String
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- trial
Timeout String - Sweep Job Trial timeout value.
- max
Concurrent numberTrials - Sweep Job max concurrent trials.
- max
Total numberTrials - Sweep Job max total trials.
- timeout string
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- trial
Timeout string - Sweep Job Trial timeout value.
- max_
concurrent_ inttrials - Sweep Job max concurrent trials.
- max_
total_ inttrials - Sweep Job max total trials.
- timeout str
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- trial_
timeout str - Sweep Job Trial timeout value.
- max
Concurrent NumberTrials - Sweep Job max concurrent trials.
- max
Total NumberTrials - Sweep Job max total trials.
- timeout String
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- trial
Timeout String - Sweep Job Trial timeout value.
SweepJobLimitsResponse, SweepJobLimitsResponseArgs
- Max
Concurrent intTrials - Sweep Job max concurrent trials.
- Max
Total intTrials - Sweep Job max total trials.
- Timeout string
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- Trial
Timeout string - Sweep Job Trial timeout value.
- Max
Concurrent intTrials - Sweep Job max concurrent trials.
- Max
Total intTrials - Sweep Job max total trials.
- Timeout string
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- Trial
Timeout string - Sweep Job Trial timeout value.
- max
Concurrent IntegerTrials - Sweep Job max concurrent trials.
- max
Total IntegerTrials - Sweep Job max total trials.
- timeout String
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- trial
Timeout String - Sweep Job Trial timeout value.
- max
Concurrent numberTrials - Sweep Job max concurrent trials.
- max
Total numberTrials - Sweep Job max total trials.
- timeout string
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- trial
Timeout string - Sweep Job Trial timeout value.
- max_
concurrent_ inttrials - Sweep Job max concurrent trials.
- max_
total_ inttrials - Sweep Job max total trials.
- timeout str
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- trial_
timeout str - Sweep Job Trial timeout value.
- max
Concurrent NumberTrials - Sweep Job max concurrent trials.
- max
Total NumberTrials - Sweep Job max total trials.
- timeout String
- The max run duration in ISO 8601 format, after which the job will be cancelled. Only supports duration with precision as low as Seconds.
- trial
Timeout String - Sweep Job Trial timeout value.
SweepJobResponse, SweepJobResponseArgs
- Objective
Pulumi.
Azure Native. Machine Learning Services. Inputs. Objective Response - [Required] Optimization objective.
- Sampling
Algorithm Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Bayesian Sampling Algorithm Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Grid Sampling Algorithm Response Azure Native. Machine Learning Services. Inputs. Random Sampling Algorithm Response - [Required] The hyperparameter sampling algorithm
- Search
Space object - [Required] A dictionary containing each parameter and its distribution. The dictionary key is the name of the parameter
- Status string
- Status of the job.
- Trial
Pulumi.
Azure Native. Machine Learning Services. Inputs. Trial Component Response - [Required] Trial component definition.
- Component
Id string - ARM resource ID of the component resource.
- Compute
Id string - ARM resource ID of the compute resource.
- Description string
- The asset description text.
- Display
Name string - Display name of job.
- Early
Termination Pulumi.Azure | Pulumi.Native. Machine Learning Services. Inputs. Bandit Policy Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Median Stopping Policy Response Azure Native. Machine Learning Services. Inputs. Truncation Selection Policy Response - Early termination policies enable canceling poor-performing runs before they complete
- Experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- Identity
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Aml Token Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Managed Identity Response Azure Native. Machine Learning Services. Inputs. User Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- Inputs Dictionary<string, object>
- Mapping of input data bindings used in the job.
- Is
Archived bool - Is the asset archived?
- Limits
Pulumi.
Azure Native. Machine Learning Services. Inputs. Sweep Job Limits Response - Sweep Job limit.
- Notification
Setting Pulumi.Azure Native. Machine Learning Services. Inputs. Notification Setting Response - Notification setting for the job
- Outputs Dictionary<string, object>
- Mapping of output data bindings used in the job.
- Properties Dictionary<string, string>
- The asset property dictionary.
- Queue
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Queue Settings Response - Queue settings for the job
- Services
Dictionary<string, Pulumi.
Azure Native. Machine Learning Services. Inputs. Job Service Response> - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Dictionary<string, string>
- Tag dictionary. Tags can be added, removed, and updated.
- Objective
Objective
Response - [Required] Optimization objective.
- Sampling
Algorithm BayesianSampling | GridAlgorithm Response Sampling | RandomAlgorithm Response Sampling Algorithm Response - [Required] The hyperparameter sampling algorithm
- Search
Space interface{} - [Required] A dictionary containing each parameter and its distribution. The dictionary key is the name of the parameter
- Status string
- Status of the job.
- Trial
Trial
Component Response - [Required] Trial component definition.
- Component
Id string - ARM resource ID of the component resource.
- Compute
Id string - ARM resource ID of the compute resource.
- Description string
- The asset description text.
- Display
Name string - Display name of job.
- Early
Termination BanditPolicy | MedianResponse Stopping | TruncationPolicy Response Selection Policy Response - Early termination policies enable canceling poor-performing runs before they complete
- Experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- Identity
Aml
Token | ManagedResponse Identity | UserResponse Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- Inputs map[string]interface{}
- Mapping of input data bindings used in the job.
- Is
Archived bool - Is the asset archived?
- Limits
Sweep
Job Limits Response - Sweep Job limit.
- Notification
Setting NotificationSetting Response - Notification setting for the job
- Outputs map[string]interface{}
- Mapping of output data bindings used in the job.
- Properties map[string]string
- The asset property dictionary.
- Queue
Settings QueueSettings Response - Queue settings for the job
- Services
map[string]Job
Service Response - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- map[string]string
- Tag dictionary. Tags can be added, removed, and updated.
- objective
Objective
Response - [Required] Optimization objective.
- sampling
Algorithm BayesianSampling | GridAlgorithm Response Sampling | RandomAlgorithm Response Sampling Algorithm Response - [Required] The hyperparameter sampling algorithm
- search
Space Object - [Required] A dictionary containing each parameter and its distribution. The dictionary key is the name of the parameter
- status String
- Status of the job.
- trial
Trial
Component Response - [Required] Trial component definition.
- component
Id String - ARM resource ID of the component resource.
- compute
Id String - ARM resource ID of the compute resource.
- description String
- The asset description text.
- display
Name String - Display name of job.
- early
Termination BanditPolicy | MedianResponse Stopping | TruncationPolicy Response Selection Policy Response - Early termination policies enable canceling poor-performing runs before they complete
- experiment
Name String - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedResponse Identity | UserResponse Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs Map<String,Object>
- Mapping of input data bindings used in the job.
- is
Archived Boolean - Is the asset archived?
- limits
Sweep
Job Limits Response - Sweep Job limit.
- notification
Setting NotificationSetting Response - Notification setting for the job
- outputs Map<String,Object>
- Mapping of output data bindings used in the job.
- properties Map<String,String>
- The asset property dictionary.
- queue
Settings QueueSettings Response - Queue settings for the job
- services
Map<String,Job
Service Response> - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Map<String,String>
- Tag dictionary. Tags can be added, removed, and updated.
- objective
Objective
Response - [Required] Optimization objective.
- sampling
Algorithm BayesianSampling | GridAlgorithm Response Sampling | RandomAlgorithm Response Sampling Algorithm Response - [Required] The hyperparameter sampling algorithm
- search
Space any - [Required] A dictionary containing each parameter and its distribution. The dictionary key is the name of the parameter
- status string
- Status of the job.
- trial
Trial
Component Response - [Required] Trial component definition.
- component
Id string - ARM resource ID of the component resource.
- compute
Id string - ARM resource ID of the compute resource.
- description string
- The asset description text.
- display
Name string - Display name of job.
- early
Termination BanditPolicy | MedianResponse Stopping | TruncationPolicy Response Selection Policy Response - Early termination policies enable canceling poor-performing runs before they complete
- experiment
Name string - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedResponse Identity | UserResponse Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs
{[key: string]: Custom
Model Job Input Response | Literal Job Input Response | MLFlow Model Job Input Response | MLTable Job Input Response | Triton Model Job Input Response | Uri File Job Input Response | Uri Folder Job Input Response} - Mapping of input data bindings used in the job.
- is
Archived boolean - Is the asset archived?
- limits
Sweep
Job Limits Response - Sweep Job limit.
- notification
Setting NotificationSetting Response - Notification setting for the job
- outputs
{[key: string]: Custom
Model Job Output Response | MLFlow Model Job Output Response | MLTable Job Output Response | Triton Model Job Output Response | Uri File Job Output Response | Uri Folder Job Output Response} - Mapping of output data bindings used in the job.
- properties {[key: string]: string}
- The asset property dictionary.
- queue
Settings QueueSettings Response - Queue settings for the job
- services
{[key: string]: Job
Service Response} - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- {[key: string]: string}
- Tag dictionary. Tags can be added, removed, and updated.
- objective
Objective
Response - [Required] Optimization objective.
- sampling_
algorithm BayesianSampling | GridAlgorithm Response Sampling | RandomAlgorithm Response Sampling Algorithm Response - [Required] The hyperparameter sampling algorithm
- search_
space Any - [Required] A dictionary containing each parameter and its distribution. The dictionary key is the name of the parameter
- status str
- Status of the job.
- trial
Trial
Component Response - [Required] Trial component definition.
- component_
id str - ARM resource ID of the component resource.
- compute_
id str - ARM resource ID of the compute resource.
- description str
- The asset description text.
- display_
name str - Display name of job.
- early_
termination BanditPolicy | MedianResponse Stopping | TruncationPolicy Response Selection Policy Response - Early termination policies enable canceling poor-performing runs before they complete
- experiment_
name str - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity
Aml
Token | ManagedResponse Identity | UserResponse Identity Response - Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs
Mapping[str, Union[Custom
Model Job Input Response, Literal Job Input Response, MLFlow Model Job Input Response, MLTable Job Input Response, Triton Model Job Input Response, Uri File Job Input Response, Uri Folder Job Input Response]] - Mapping of input data bindings used in the job.
- is_
archived bool - Is the asset archived?
- limits
Sweep
Job Limits Response - Sweep Job limit.
- notification_
setting NotificationSetting Response - Notification setting for the job
- outputs
Mapping[str, Union[Custom
Model Job Output Response, MLFlow Model Job Output Response, MLTable Job Output Response, Triton Model Job Output Response, Uri File Job Output Response, Uri Folder Job Output Response]] - Mapping of output data bindings used in the job.
- properties Mapping[str, str]
- The asset property dictionary.
- queue_
settings QueueSettings Response - Queue settings for the job
- services
Mapping[str, Job
Service Response] - List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Mapping[str, str]
- Tag dictionary. Tags can be added, removed, and updated.
- objective Property Map
- [Required] Optimization objective.
- sampling
Algorithm Property Map | Property Map | Property Map - [Required] The hyperparameter sampling algorithm
- search
Space Any - [Required] A dictionary containing each parameter and its distribution. The dictionary key is the name of the parameter
- status String
- Status of the job.
- trial Property Map
- [Required] Trial component definition.
- component
Id String - ARM resource ID of the component resource.
- compute
Id String - ARM resource ID of the compute resource.
- description String
- The asset description text.
- display
Name String - Display name of job.
- early
Termination Property Map | Property Map | Property Map - Early termination policies enable canceling poor-performing runs before they complete
- experiment
Name String - The name of the experiment the job belongs to. If not set, the job is placed in the "Default" experiment.
- identity Property Map | Property Map | Property Map
- Identity configuration. If set, this should be one of AmlToken, ManagedIdentity, UserIdentity or null. Defaults to AmlToken if null.
- inputs Map<Property Map | Property Map | Property Map | Property Map | Property Map | Property Map | Property Map>
- Mapping of input data bindings used in the job.
- is
Archived Boolean - Is the asset archived?
- limits Property Map
- Sweep Job limit.
- notification
Setting Property Map - Notification setting for the job
- outputs Map<Property Map | Property Map | Property Map | Property Map | Property Map | Property Map>
- Mapping of output data bindings used in the job.
- properties Map<String>
- The asset property dictionary.
- queue
Settings Property Map - Queue settings for the job
- services Map<Property Map>
- List of JobEndpoints. For local jobs, a job endpoint will have an endpoint value of FileStreamObject.
- Map<String>
- Tag dictionary. Tags can be added, removed, and updated.
SystemDataResponse, SystemDataResponseArgs
- Created
At string - The timestamp of resource creation (UTC).
- Created
By string - The identity that created the resource.
- Created
By stringType - The type of identity that created the resource.
- Last
Modified stringAt - The timestamp of resource last modification (UTC)
- Last
Modified stringBy - The identity that last modified the resource.
- Last
Modified stringBy Type - The type of identity that last modified the resource.
- Created
At string - The timestamp of resource creation (UTC).
- Created
By string - The identity that created the resource.
- Created
By stringType - The type of identity that created the resource.
- Last
Modified stringAt - The timestamp of resource last modification (UTC)
- Last
Modified stringBy - The identity that last modified the resource.
- Last
Modified stringBy Type - The type of identity that last modified the resource.
- created
At String - The timestamp of resource creation (UTC).
- created
By String - The identity that created the resource.
- created
By StringType - The type of identity that created the resource.
- last
Modified StringAt - The timestamp of resource last modification (UTC)
- last
Modified StringBy - The identity that last modified the resource.
- last
Modified StringBy Type - The type of identity that last modified the resource.
- created
At string - The timestamp of resource creation (UTC).
- created
By string - The identity that created the resource.
- created
By stringType - The type of identity that created the resource.
- last
Modified stringAt - The timestamp of resource last modification (UTC)
- last
Modified stringBy - The identity that last modified the resource.
- last
Modified stringBy Type - The type of identity that last modified the resource.
- created_
at str - The timestamp of resource creation (UTC).
- created_
by str - The identity that created the resource.
- created_
by_ strtype - The type of identity that created the resource.
- last_
modified_ strat - The timestamp of resource last modification (UTC)
- last_
modified_ strby - The identity that last modified the resource.
- last_
modified_ strby_ type - The type of identity that last modified the resource.
- created
At String - The timestamp of resource creation (UTC).
- created
By String - The identity that created the resource.
- created
By StringType - The type of identity that created the resource.
- last
Modified StringAt - The timestamp of resource last modification (UTC)
- last
Modified StringBy - The identity that last modified the resource.
- last
Modified StringBy Type - The type of identity that last modified the resource.
TableVerticalFeaturizationSettings, TableVerticalFeaturizationSettingsArgs
- Blocked
Transformers List<Union<string, Pulumi.Azure Native. Machine Learning Services. Blocked Transformers>> - These transformers shall not be used in featurization.
- Column
Name Dictionary<string, string>And Types - Dictionary of column name and its type (int, float, string, datetime etc).
- Dataset
Language string - Dataset language, useful for the text data.
- Enable
Dnn boolFeaturization - Determines whether to use Dnn based featurizers for data featurization.
- Mode
string | Pulumi.
Azure Native. Machine Learning Services. Featurization Mode - Featurization mode - User can keep the default 'Auto' mode and AutoML will take care of necessary transformation of the data in featurization phase. If 'Off' is selected then no featurization is done. If 'Custom' is selected then user can specify additional inputs to customize how featurization is done.
- Transformer
Params Dictionary<string, ImmutableArray<Pulumi. Azure Native. Machine Learning Services. Inputs. Column Transformer>> - User can specify additional transformers to be used along with the columns to which it would be applied and parameters for the transformer constructor.
- Blocked
Transformers []string - These transformers shall not be used in featurization.
- Column
Name map[string]stringAnd Types - Dictionary of column name and its type (int, float, string, datetime etc).
- Dataset
Language string - Dataset language, useful for the text data.
- Enable
Dnn boolFeaturization - Determines whether to use Dnn based featurizers for data featurization.
- Mode
string | Featurization
Mode - Featurization mode - User can keep the default 'Auto' mode and AutoML will take care of necessary transformation of the data in featurization phase. If 'Off' is selected then no featurization is done. If 'Custom' is selected then user can specify additional inputs to customize how featurization is done.
- Transformer
Params map[string][]ColumnTransformer - User can specify additional transformers to be used along with the columns to which it would be applied and parameters for the transformer constructor.
- blocked
Transformers List<Either<String,BlockedTransformers>> - These transformers shall not be used in featurization.
- column
Name Map<String,String>And Types - Dictionary of column name and its type (int, float, string, datetime etc).
- dataset
Language String - Dataset language, useful for the text data.
- enable
Dnn BooleanFeaturization - Determines whether to use Dnn based featurizers for data featurization.
- mode
String | Featurization
Mode - Featurization mode - User can keep the default 'Auto' mode and AutoML will take care of necessary transformation of the data in featurization phase. If 'Off' is selected then no featurization is done. If 'Custom' is selected then user can specify additional inputs to customize how featurization is done.
- transformer
Params Map<String,List<ColumnTransformer>> - User can specify additional transformers to be used along with the columns to which it would be applied and parameters for the transformer constructor.
- blocked
Transformers (string | BlockedTransformers)[] - These transformers shall not be used in featurization.
- column
Name {[key: string]: string}And Types - Dictionary of column name and its type (int, float, string, datetime etc).
- dataset
Language string - Dataset language, useful for the text data.
- enable
Dnn booleanFeaturization - Determines whether to use Dnn based featurizers for data featurization.
- mode
string | Featurization
Mode - Featurization mode - User can keep the default 'Auto' mode and AutoML will take care of necessary transformation of the data in featurization phase. If 'Off' is selected then no featurization is done. If 'Custom' is selected then user can specify additional inputs to customize how featurization is done.
- transformer
Params {[key: string]: ColumnTransformer[]} - User can specify additional transformers to be used along with the columns to which it would be applied and parameters for the transformer constructor.
- blocked_
transformers Sequence[Union[str, BlockedTransformers]] - These transformers shall not be used in featurization.
- column_
name_ Mapping[str, str]and_ types - Dictionary of column name and its type (int, float, string, datetime etc).
- dataset_
language str - Dataset language, useful for the text data.
- enable_
dnn_ boolfeaturization - Determines whether to use Dnn based featurizers for data featurization.
- mode
str | Featurization
Mode - Featurization mode - User can keep the default 'Auto' mode and AutoML will take care of necessary transformation of the data in featurization phase. If 'Off' is selected then no featurization is done. If 'Custom' is selected then user can specify additional inputs to customize how featurization is done.
- transformer_
params Mapping[str, Sequence[ColumnTransformer]] - User can specify additional transformers to be used along with the columns to which it would be applied and parameters for the transformer constructor.
- blocked
Transformers List<String | "TextTarget Encoder" | "One Hot Encoder" | "Cat Target Encoder" | "Tf Idf" | "Wo ETarget Encoder" | "Label Encoder" | "Word Embedding" | "Naive Bayes" | "Count Vectorizer" | "Hash One Hot Encoder"> - These transformers shall not be used in featurization.
- column
Name Map<String>And Types - Dictionary of column name and its type (int, float, string, datetime etc).
- dataset
Language String - Dataset language, useful for the text data.
- enable
Dnn BooleanFeaturization - Determines whether to use Dnn based featurizers for data featurization.
- mode String | "Auto" | "Custom" | "Off"
- Featurization mode - User can keep the default 'Auto' mode and AutoML will take care of necessary transformation of the data in featurization phase. If 'Off' is selected then no featurization is done. If 'Custom' is selected then user can specify additional inputs to customize how featurization is done.
- transformer
Params Map<List<Property Map>> - User can specify additional transformers to be used along with the columns to which it would be applied and parameters for the transformer constructor.
TableVerticalFeaturizationSettingsResponse, TableVerticalFeaturizationSettingsResponseArgs
- Blocked
Transformers List<string> - These transformers shall not be used in featurization.
- Column
Name Dictionary<string, string>And Types - Dictionary of column name and its type (int, float, string, datetime etc).
- Dataset
Language string - Dataset language, useful for the text data.
- Enable
Dnn boolFeaturization - Determines whether to use Dnn based featurizers for data featurization.
- Mode string
- Featurization mode - User can keep the default 'Auto' mode and AutoML will take care of necessary transformation of the data in featurization phase. If 'Off' is selected then no featurization is done. If 'Custom' is selected then user can specify additional inputs to customize how featurization is done.
- Transformer
Params Dictionary<string, ImmutableArray<Pulumi. Azure Native. Machine Learning Services. Inputs. Column Transformer Response>> - User can specify additional transformers to be used along with the columns to which it would be applied and parameters for the transformer constructor.
- Blocked
Transformers []string - These transformers shall not be used in featurization.
- Column
Name map[string]stringAnd Types - Dictionary of column name and its type (int, float, string, datetime etc).
- Dataset
Language string - Dataset language, useful for the text data.
- Enable
Dnn boolFeaturization - Determines whether to use Dnn based featurizers for data featurization.
- Mode string
- Featurization mode - User can keep the default 'Auto' mode and AutoML will take care of necessary transformation of the data in featurization phase. If 'Off' is selected then no featurization is done. If 'Custom' is selected then user can specify additional inputs to customize how featurization is done.
- Transformer
Params map[string][]ColumnTransformer Response - User can specify additional transformers to be used along with the columns to which it would be applied and parameters for the transformer constructor.
- blocked
Transformers List<String> - These transformers shall not be used in featurization.
- column
Name Map<String,String>And Types - Dictionary of column name and its type (int, float, string, datetime etc).
- dataset
Language String - Dataset language, useful for the text data.
- enable
Dnn BooleanFeaturization - Determines whether to use Dnn based featurizers for data featurization.
- mode String
- Featurization mode - User can keep the default 'Auto' mode and AutoML will take care of necessary transformation of the data in featurization phase. If 'Off' is selected then no featurization is done. If 'Custom' is selected then user can specify additional inputs to customize how featurization is done.
- transformer
Params Map<String,List<ColumnTransformer Response>> - User can specify additional transformers to be used along with the columns to which it would be applied and parameters for the transformer constructor.
- blocked
Transformers string[] - These transformers shall not be used in featurization.
- column
Name {[key: string]: string}And Types - Dictionary of column name and its type (int, float, string, datetime etc).
- dataset
Language string - Dataset language, useful for the text data.
- enable
Dnn booleanFeaturization - Determines whether to use Dnn based featurizers for data featurization.
- mode string
- Featurization mode - User can keep the default 'Auto' mode and AutoML will take care of necessary transformation of the data in featurization phase. If 'Off' is selected then no featurization is done. If 'Custom' is selected then user can specify additional inputs to customize how featurization is done.
- transformer
Params {[key: string]: ColumnTransformer Response[]} - User can specify additional transformers to be used along with the columns to which it would be applied and parameters for the transformer constructor.
- blocked_
transformers Sequence[str] - These transformers shall not be used in featurization.
- column_
name_ Mapping[str, str]and_ types - Dictionary of column name and its type (int, float, string, datetime etc).
- dataset_
language str - Dataset language, useful for the text data.
- enable_
dnn_ boolfeaturization - Determines whether to use Dnn based featurizers for data featurization.
- mode str
- Featurization mode - User can keep the default 'Auto' mode and AutoML will take care of necessary transformation of the data in featurization phase. If 'Off' is selected then no featurization is done. If 'Custom' is selected then user can specify additional inputs to customize how featurization is done.
- transformer_
params Mapping[str, Sequence[ColumnTransformer Response]] - User can specify additional transformers to be used along with the columns to which it would be applied and parameters for the transformer constructor.
- blocked
Transformers List<String> - These transformers shall not be used in featurization.
- column
Name Map<String>And Types - Dictionary of column name and its type (int, float, string, datetime etc).
- dataset
Language String - Dataset language, useful for the text data.
- enable
Dnn BooleanFeaturization - Determines whether to use Dnn based featurizers for data featurization.
- mode String
- Featurization mode - User can keep the default 'Auto' mode and AutoML will take care of necessary transformation of the data in featurization phase. If 'Off' is selected then no featurization is done. If 'Custom' is selected then user can specify additional inputs to customize how featurization is done.
- transformer
Params Map<List<Property Map>> - User can specify additional transformers to be used along with the columns to which it would be applied and parameters for the transformer constructor.
TableVerticalLimitSettings, TableVerticalLimitSettingsArgs
- Enable
Early boolTermination - Enable early termination, determines whether or not if AutoMLJob will terminate early if there is no score improvement in last 20 iterations.
- Exit
Score double - Exit score for the AutoML job.
- Max
Concurrent intTrials - Maximum Concurrent iterations.
- Max
Cores intPer Trial - Max cores per iteration.
- Max
Trials int - Number of iterations.
- Timeout string
- AutoML job timeout.
- Trial
Timeout string - Iteration timeout.
- Enable
Early boolTermination - Enable early termination, determines whether or not if AutoMLJob will terminate early if there is no score improvement in last 20 iterations.
- Exit
Score float64 - Exit score for the AutoML job.
- Max
Concurrent intTrials - Maximum Concurrent iterations.
- Max
Cores intPer Trial - Max cores per iteration.
- Max
Trials int - Number of iterations.
- Timeout string
- AutoML job timeout.
- Trial
Timeout string - Iteration timeout.
- enable
Early BooleanTermination - Enable early termination, determines whether or not if AutoMLJob will terminate early if there is no score improvement in last 20 iterations.
- exit
Score Double - Exit score for the AutoML job.
- max
Concurrent IntegerTrials - Maximum Concurrent iterations.
- max
Cores IntegerPer Trial - Max cores per iteration.
- max
Trials Integer - Number of iterations.
- timeout String
- AutoML job timeout.
- trial
Timeout String - Iteration timeout.
- enable
Early booleanTermination - Enable early termination, determines whether or not if AutoMLJob will terminate early if there is no score improvement in last 20 iterations.
- exit
Score number - Exit score for the AutoML job.
- max
Concurrent numberTrials - Maximum Concurrent iterations.
- max
Cores numberPer Trial - Max cores per iteration.
- max
Trials number - Number of iterations.
- timeout string
- AutoML job timeout.
- trial
Timeout string - Iteration timeout.
- enable_
early_ booltermination - Enable early termination, determines whether or not if AutoMLJob will terminate early if there is no score improvement in last 20 iterations.
- exit_
score float - Exit score for the AutoML job.
- max_
concurrent_ inttrials - Maximum Concurrent iterations.
- max_
cores_ intper_ trial - Max cores per iteration.
- max_
trials int - Number of iterations.
- timeout str
- AutoML job timeout.
- trial_
timeout str - Iteration timeout.
- enable
Early BooleanTermination - Enable early termination, determines whether or not if AutoMLJob will terminate early if there is no score improvement in last 20 iterations.
- exit
Score Number - Exit score for the AutoML job.
- max
Concurrent NumberTrials - Maximum Concurrent iterations.
- max
Cores NumberPer Trial - Max cores per iteration.
- max
Trials Number - Number of iterations.
- timeout String
- AutoML job timeout.
- trial
Timeout String - Iteration timeout.
TableVerticalLimitSettingsResponse, TableVerticalLimitSettingsResponseArgs
- Enable
Early boolTermination - Enable early termination, determines whether or not if AutoMLJob will terminate early if there is no score improvement in last 20 iterations.
- Exit
Score double - Exit score for the AutoML job.
- Max
Concurrent intTrials - Maximum Concurrent iterations.
- Max
Cores intPer Trial - Max cores per iteration.
- Max
Trials int - Number of iterations.
- Timeout string
- AutoML job timeout.
- Trial
Timeout string - Iteration timeout.
- Enable
Early boolTermination - Enable early termination, determines whether or not if AutoMLJob will terminate early if there is no score improvement in last 20 iterations.
- Exit
Score float64 - Exit score for the AutoML job.
- Max
Concurrent intTrials - Maximum Concurrent iterations.
- Max
Cores intPer Trial - Max cores per iteration.
- Max
Trials int - Number of iterations.
- Timeout string
- AutoML job timeout.
- Trial
Timeout string - Iteration timeout.
- enable
Early BooleanTermination - Enable early termination, determines whether or not if AutoMLJob will terminate early if there is no score improvement in last 20 iterations.
- exit
Score Double - Exit score for the AutoML job.
- max
Concurrent IntegerTrials - Maximum Concurrent iterations.
- max
Cores IntegerPer Trial - Max cores per iteration.
- max
Trials Integer - Number of iterations.
- timeout String
- AutoML job timeout.
- trial
Timeout String - Iteration timeout.
- enable
Early booleanTermination - Enable early termination, determines whether or not if AutoMLJob will terminate early if there is no score improvement in last 20 iterations.
- exit
Score number - Exit score for the AutoML job.
- max
Concurrent numberTrials - Maximum Concurrent iterations.
- max
Cores numberPer Trial - Max cores per iteration.
- max
Trials number - Number of iterations.
- timeout string
- AutoML job timeout.
- trial
Timeout string - Iteration timeout.
- enable_
early_ booltermination - Enable early termination, determines whether or not if AutoMLJob will terminate early if there is no score improvement in last 20 iterations.
- exit_
score float - Exit score for the AutoML job.
- max_
concurrent_ inttrials - Maximum Concurrent iterations.
- max_
cores_ intper_ trial - Max cores per iteration.
- max_
trials int - Number of iterations.
- timeout str
- AutoML job timeout.
- trial_
timeout str - Iteration timeout.
- enable
Early BooleanTermination - Enable early termination, determines whether or not if AutoMLJob will terminate early if there is no score improvement in last 20 iterations.
- exit
Score Number - Exit score for the AutoML job.
- max
Concurrent NumberTrials - Maximum Concurrent iterations.
- max
Cores NumberPer Trial - Max cores per iteration.
- max
Trials Number - Number of iterations.
- timeout String
- AutoML job timeout.
- trial
Timeout String - Iteration timeout.
TargetAggregationFunction, TargetAggregationFunctionArgs
- None
- NoneRepresent no value set.
- Sum
- Sum
- Max
- Max
- Min
- Min
- Mean
- Mean
- Target
Aggregation Function None - NoneRepresent no value set.
- Target
Aggregation Function Sum - Sum
- Target
Aggregation Function Max - Max
- Target
Aggregation Function Min - Min
- Target
Aggregation Function Mean - Mean
- None
- NoneRepresent no value set.
- Sum
- Sum
- Max
- Max
- Min
- Min
- Mean
- Mean
- None
- NoneRepresent no value set.
- Sum
- Sum
- Max
- Max
- Min
- Min
- Mean
- Mean
- NONE
- NoneRepresent no value set.
- SUM
- Sum
- MAX
- Max
- MIN
- Min
- MEAN
- Mean
- "None"
- NoneRepresent no value set.
- "Sum"
- Sum
- "Max"
- Max
- "Min"
- Min
- "Mean"
- Mean
TensorFlow, TensorFlowArgs
- Parameter
Server intCount - Number of parameter server tasks.
- Worker
Count int - Number of workers. If not specified, will default to the instance count.
- Parameter
Server intCount - Number of parameter server tasks.
- Worker
Count int - Number of workers. If not specified, will default to the instance count.
- parameter
Server IntegerCount - Number of parameter server tasks.
- worker
Count Integer - Number of workers. If not specified, will default to the instance count.
- parameter
Server numberCount - Number of parameter server tasks.
- worker
Count number - Number of workers. If not specified, will default to the instance count.
- parameter_
server_ intcount - Number of parameter server tasks.
- worker_
count int - Number of workers. If not specified, will default to the instance count.
- parameter
Server NumberCount - Number of parameter server tasks.
- worker
Count Number - Number of workers. If not specified, will default to the instance count.
TensorFlowResponse, TensorFlowResponseArgs
- Parameter
Server intCount - Number of parameter server tasks.
- Worker
Count int - Number of workers. If not specified, will default to the instance count.
- Parameter
Server intCount - Number of parameter server tasks.
- Worker
Count int - Number of workers. If not specified, will default to the instance count.
- parameter
Server IntegerCount - Number of parameter server tasks.
- worker
Count Integer - Number of workers. If not specified, will default to the instance count.
- parameter
Server numberCount - Number of parameter server tasks.
- worker
Count number - Number of workers. If not specified, will default to the instance count.
- parameter_
server_ intcount - Number of parameter server tasks.
- worker_
count int - Number of workers. If not specified, will default to the instance count.
- parameter
Server NumberCount - Number of parameter server tasks.
- worker
Count Number - Number of workers. If not specified, will default to the instance count.
TextClassification, TextClassificationArgs
- Training
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - [Required] Training data input.
- Featurization
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Nlp Vertical Featurization Settings - Featurization inputs needed for AutoML job.
- Limit
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Nlp Vertical Limit Settings - Execution constraints for AutoMLJob.
- Log
Verbosity string | Pulumi.Azure Native. Machine Learning Services. Log Verbosity - Log verbosity for the job.
- Primary
Metric string | Pulumi.Azure Native. Machine Learning Services. Classification Primary Metrics - Primary metric for Text-Classification task.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - Validation data inputs.
- Training
Data MLTableJob Input - [Required] Training data input.
- Featurization
Settings NlpVertical Featurization Settings - Featurization inputs needed for AutoML job.
- Limit
Settings NlpVertical Limit Settings - Execution constraints for AutoMLJob.
- Log
Verbosity string | LogVerbosity - Log verbosity for the job.
- Primary
Metric string | ClassificationPrimary Metrics - Primary metric for Text-Classification task.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data MLTableJob Input - Validation data inputs.
- training
Data MLTableJob Input - [Required] Training data input.
- featurization
Settings NlpVertical Featurization Settings - Featurization inputs needed for AutoML job.
- limit
Settings NlpVertical Limit Settings - Execution constraints for AutoMLJob.
- log
Verbosity String | LogVerbosity - Log verbosity for the job.
- primary
Metric String | ClassificationPrimary Metrics - Primary metric for Text-Classification task.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input - Validation data inputs.
- training
Data MLTableJob Input - [Required] Training data input.
- featurization
Settings NlpVertical Featurization Settings - Featurization inputs needed for AutoML job.
- limit
Settings NlpVertical Limit Settings - Execution constraints for AutoMLJob.
- log
Verbosity string | LogVerbosity - Log verbosity for the job.
- primary
Metric string | ClassificationPrimary Metrics - Primary metric for Text-Classification task.
- target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input - Validation data inputs.
- training_
data MLTableJob Input - [Required] Training data input.
- featurization_
settings NlpVertical Featurization Settings - Featurization inputs needed for AutoML job.
- limit_
settings NlpVertical Limit Settings - Execution constraints for AutoMLJob.
- log_
verbosity str | LogVerbosity - Log verbosity for the job.
- primary_
metric str | ClassificationPrimary Metrics - Primary metric for Text-Classification task.
- target_
column_ strname - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation_
data MLTableJob Input - Validation data inputs.
- training
Data Property Map - [Required] Training data input.
- featurization
Settings Property Map - Featurization inputs needed for AutoML job.
- limit
Settings Property Map - Execution constraints for AutoMLJob.
- log
Verbosity String | "NotSet" | "Debug" | "Info" | "Warning" | "Error" | "Critical" - Log verbosity for the job.
- primary
Metric String | "AUCWeighted" | "Accuracy" | "NormMacro Recall" | "Average Precision Score Weighted" | "Precision Score Weighted" - Primary metric for Text-Classification task.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data Property Map - Validation data inputs.
TextClassificationMultilabel, TextClassificationMultilabelArgs
- Training
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - [Required] Training data input.
- Featurization
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Nlp Vertical Featurization Settings - Featurization inputs needed for AutoML job.
- Limit
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Nlp Vertical Limit Settings - Execution constraints for AutoMLJob.
- Log
Verbosity string | Pulumi.Azure Native. Machine Learning Services. Log Verbosity - Log verbosity for the job.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - Validation data inputs.
- Training
Data MLTableJob Input - [Required] Training data input.
- Featurization
Settings NlpVertical Featurization Settings - Featurization inputs needed for AutoML job.
- Limit
Settings NlpVertical Limit Settings - Execution constraints for AutoMLJob.
- Log
Verbosity string | LogVerbosity - Log verbosity for the job.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data MLTableJob Input - Validation data inputs.
- training
Data MLTableJob Input - [Required] Training data input.
- featurization
Settings NlpVertical Featurization Settings - Featurization inputs needed for AutoML job.
- limit
Settings NlpVertical Limit Settings - Execution constraints for AutoMLJob.
- log
Verbosity String | LogVerbosity - Log verbosity for the job.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input - Validation data inputs.
- training
Data MLTableJob Input - [Required] Training data input.
- featurization
Settings NlpVertical Featurization Settings - Featurization inputs needed for AutoML job.
- limit
Settings NlpVertical Limit Settings - Execution constraints for AutoMLJob.
- log
Verbosity string | LogVerbosity - Log verbosity for the job.
- target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input - Validation data inputs.
- training_
data MLTableJob Input - [Required] Training data input.
- featurization_
settings NlpVertical Featurization Settings - Featurization inputs needed for AutoML job.
- limit_
settings NlpVertical Limit Settings - Execution constraints for AutoMLJob.
- log_
verbosity str | LogVerbosity - Log verbosity for the job.
- target_
column_ strname - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation_
data MLTableJob Input - Validation data inputs.
- training
Data Property Map - [Required] Training data input.
- featurization
Settings Property Map - Featurization inputs needed for AutoML job.
- limit
Settings Property Map - Execution constraints for AutoMLJob.
- log
Verbosity String | "NotSet" | "Debug" | "Info" | "Warning" | "Error" | "Critical" - Log verbosity for the job.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data Property Map - Validation data inputs.
TextClassificationMultilabelResponse, TextClassificationMultilabelResponseArgs
- Primary
Metric string - Primary metric for Text-Classification-Multilabel task. Currently only Accuracy is supported as primary metric, hence user need not set it explicitly.
- Training
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - [Required] Training data input.
- Featurization
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Nlp Vertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- Limit
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Nlp Vertical Limit Settings Response - Execution constraints for AutoMLJob.
- Log
Verbosity string - Log verbosity for the job.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - Validation data inputs.
- Primary
Metric string - Primary metric for Text-Classification-Multilabel task. Currently only Accuracy is supported as primary metric, hence user need not set it explicitly.
- Training
Data MLTableJob Input Response - [Required] Training data input.
- Featurization
Settings NlpVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- Limit
Settings NlpVertical Limit Settings Response - Execution constraints for AutoMLJob.
- Log
Verbosity string - Log verbosity for the job.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data MLTableJob Input Response - Validation data inputs.
- primary
Metric String - Primary metric for Text-Classification-Multilabel task. Currently only Accuracy is supported as primary metric, hence user need not set it explicitly.
- training
Data MLTableJob Input Response - [Required] Training data input.
- featurization
Settings NlpVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- limit
Settings NlpVertical Limit Settings Response - Execution constraints for AutoMLJob.
- log
Verbosity String - Log verbosity for the job.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input Response - Validation data inputs.
- primary
Metric string - Primary metric for Text-Classification-Multilabel task. Currently only Accuracy is supported as primary metric, hence user need not set it explicitly.
- training
Data MLTableJob Input Response - [Required] Training data input.
- featurization
Settings NlpVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- limit
Settings NlpVertical Limit Settings Response - Execution constraints for AutoMLJob.
- log
Verbosity string - Log verbosity for the job.
- target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input Response - Validation data inputs.
- primary_
metric str - Primary metric for Text-Classification-Multilabel task. Currently only Accuracy is supported as primary metric, hence user need not set it explicitly.
- training_
data MLTableJob Input Response - [Required] Training data input.
- featurization_
settings NlpVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- limit_
settings NlpVertical Limit Settings Response - Execution constraints for AutoMLJob.
- log_
verbosity str - Log verbosity for the job.
- target_
column_ strname - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation_
data MLTableJob Input Response - Validation data inputs.
- primary
Metric String - Primary metric for Text-Classification-Multilabel task. Currently only Accuracy is supported as primary metric, hence user need not set it explicitly.
- training
Data Property Map - [Required] Training data input.
- featurization
Settings Property Map - Featurization inputs needed for AutoML job.
- limit
Settings Property Map - Execution constraints for AutoMLJob.
- log
Verbosity String - Log verbosity for the job.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data Property Map - Validation data inputs.
TextClassificationResponse, TextClassificationResponseArgs
- Training
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - [Required] Training data input.
- Featurization
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Nlp Vertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- Limit
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Nlp Vertical Limit Settings Response - Execution constraints for AutoMLJob.
- Log
Verbosity string - Log verbosity for the job.
- Primary
Metric string - Primary metric for Text-Classification task.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - Validation data inputs.
- Training
Data MLTableJob Input Response - [Required] Training data input.
- Featurization
Settings NlpVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- Limit
Settings NlpVertical Limit Settings Response - Execution constraints for AutoMLJob.
- Log
Verbosity string - Log verbosity for the job.
- Primary
Metric string - Primary metric for Text-Classification task.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data MLTableJob Input Response - Validation data inputs.
- training
Data MLTableJob Input Response - [Required] Training data input.
- featurization
Settings NlpVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- limit
Settings NlpVertical Limit Settings Response - Execution constraints for AutoMLJob.
- log
Verbosity String - Log verbosity for the job.
- primary
Metric String - Primary metric for Text-Classification task.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input Response - Validation data inputs.
- training
Data MLTableJob Input Response - [Required] Training data input.
- featurization
Settings NlpVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- limit
Settings NlpVertical Limit Settings Response - Execution constraints for AutoMLJob.
- log
Verbosity string - Log verbosity for the job.
- primary
Metric string - Primary metric for Text-Classification task.
- target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input Response - Validation data inputs.
- training_
data MLTableJob Input Response - [Required] Training data input.
- featurization_
settings NlpVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- limit_
settings NlpVertical Limit Settings Response - Execution constraints for AutoMLJob.
- log_
verbosity str - Log verbosity for the job.
- primary_
metric str - Primary metric for Text-Classification task.
- target_
column_ strname - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation_
data MLTableJob Input Response - Validation data inputs.
- training
Data Property Map - [Required] Training data input.
- featurization
Settings Property Map - Featurization inputs needed for AutoML job.
- limit
Settings Property Map - Execution constraints for AutoMLJob.
- log
Verbosity String - Log verbosity for the job.
- primary
Metric String - Primary metric for Text-Classification task.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data Property Map - Validation data inputs.
TextNer, TextNerArgs
- Training
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - [Required] Training data input.
- Featurization
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Nlp Vertical Featurization Settings - Featurization inputs needed for AutoML job.
- Limit
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Nlp Vertical Limit Settings - Execution constraints for AutoMLJob.
- Log
Verbosity string | Pulumi.Azure Native. Machine Learning Services. Log Verbosity - Log verbosity for the job.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input - Validation data inputs.
- Training
Data MLTableJob Input - [Required] Training data input.
- Featurization
Settings NlpVertical Featurization Settings - Featurization inputs needed for AutoML job.
- Limit
Settings NlpVertical Limit Settings - Execution constraints for AutoMLJob.
- Log
Verbosity string | LogVerbosity - Log verbosity for the job.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data MLTableJob Input - Validation data inputs.
- training
Data MLTableJob Input - [Required] Training data input.
- featurization
Settings NlpVertical Featurization Settings - Featurization inputs needed for AutoML job.
- limit
Settings NlpVertical Limit Settings - Execution constraints for AutoMLJob.
- log
Verbosity String | LogVerbosity - Log verbosity for the job.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input - Validation data inputs.
- training
Data MLTableJob Input - [Required] Training data input.
- featurization
Settings NlpVertical Featurization Settings - Featurization inputs needed for AutoML job.
- limit
Settings NlpVertical Limit Settings - Execution constraints for AutoMLJob.
- log
Verbosity string | LogVerbosity - Log verbosity for the job.
- target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input - Validation data inputs.
- training_
data MLTableJob Input - [Required] Training data input.
- featurization_
settings NlpVertical Featurization Settings - Featurization inputs needed for AutoML job.
- limit_
settings NlpVertical Limit Settings - Execution constraints for AutoMLJob.
- log_
verbosity str | LogVerbosity - Log verbosity for the job.
- target_
column_ strname - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation_
data MLTableJob Input - Validation data inputs.
- training
Data Property Map - [Required] Training data input.
- featurization
Settings Property Map - Featurization inputs needed for AutoML job.
- limit
Settings Property Map - Execution constraints for AutoMLJob.
- log
Verbosity String | "NotSet" | "Debug" | "Info" | "Warning" | "Error" | "Critical" - Log verbosity for the job.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data Property Map - Validation data inputs.
TextNerResponse, TextNerResponseArgs
- Primary
Metric string - Primary metric for Text-NER task. Only 'Accuracy' is supported for Text-NER, so user need not set this explicitly.
- Training
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - [Required] Training data input.
- Featurization
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Nlp Vertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- Limit
Settings Pulumi.Azure Native. Machine Learning Services. Inputs. Nlp Vertical Limit Settings Response - Execution constraints for AutoMLJob.
- Log
Verbosity string - Log verbosity for the job.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data Pulumi.Azure Native. Machine Learning Services. Inputs. MLTable Job Input Response - Validation data inputs.
- Primary
Metric string - Primary metric for Text-NER task. Only 'Accuracy' is supported for Text-NER, so user need not set this explicitly.
- Training
Data MLTableJob Input Response - [Required] Training data input.
- Featurization
Settings NlpVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- Limit
Settings NlpVertical Limit Settings Response - Execution constraints for AutoMLJob.
- Log
Verbosity string - Log verbosity for the job.
- Target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- Validation
Data MLTableJob Input Response - Validation data inputs.
- primary
Metric String - Primary metric for Text-NER task. Only 'Accuracy' is supported for Text-NER, so user need not set this explicitly.
- training
Data MLTableJob Input Response - [Required] Training data input.
- featurization
Settings NlpVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- limit
Settings NlpVertical Limit Settings Response - Execution constraints for AutoMLJob.
- log
Verbosity String - Log verbosity for the job.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input Response - Validation data inputs.
- primary
Metric string - Primary metric for Text-NER task. Only 'Accuracy' is supported for Text-NER, so user need not set this explicitly.
- training
Data MLTableJob Input Response - [Required] Training data input.
- featurization
Settings NlpVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- limit
Settings NlpVertical Limit Settings Response - Execution constraints for AutoMLJob.
- log
Verbosity string - Log verbosity for the job.
- target
Column stringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data MLTableJob Input Response - Validation data inputs.
- primary_
metric str - Primary metric for Text-NER task. Only 'Accuracy' is supported for Text-NER, so user need not set this explicitly.
- training_
data MLTableJob Input Response - [Required] Training data input.
- featurization_
settings NlpVertical Featurization Settings Response - Featurization inputs needed for AutoML job.
- limit_
settings NlpVertical Limit Settings Response - Execution constraints for AutoMLJob.
- log_
verbosity str - Log verbosity for the job.
- target_
column_ strname - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation_
data MLTableJob Input Response - Validation data inputs.
- primary
Metric String - Primary metric for Text-NER task. Only 'Accuracy' is supported for Text-NER, so user need not set this explicitly.
- training
Data Property Map - [Required] Training data input.
- featurization
Settings Property Map - Featurization inputs needed for AutoML job.
- limit
Settings Property Map - Execution constraints for AutoMLJob.
- log
Verbosity String - Log verbosity for the job.
- target
Column StringName - Target column name: This is prediction values column. Also known as label column name in context of classification tasks.
- validation
Data Property Map - Validation data inputs.
TopNFeaturesByAttribution, TopNFeaturesByAttributionArgs
- Top int
- The number of top features to include.
- Top int
- The number of top features to include.
- top Integer
- The number of top features to include.
- top number
- The number of top features to include.
- top int
- The number of top features to include.
- top Number
- The number of top features to include.
TopNFeaturesByAttributionResponse, TopNFeaturesByAttributionResponseArgs
- Top int
- The number of top features to include.
- Top int
- The number of top features to include.
- top Integer
- The number of top features to include.
- top number
- The number of top features to include.
- top int
- The number of top features to include.
- top Number
- The number of top features to include.
TrialComponent, TrialComponentArgs
- Command string
- [Required] The command to execute on startup of the job. eg. "python train.py"
- Environment
Id string - [Required] The ARM resource ID of the Environment specification for the job.
- Code
Id string - ARM resource ID of the code asset.
- Distribution
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Mpi Azure | Pulumi.Native. Machine Learning Services. Inputs. Py Torch Azure Native. Machine Learning Services. Inputs. Tensor Flow - Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- Environment
Variables Dictionary<string, string> - Environment variables included in the job.
- Resources
Pulumi.
Azure Native. Machine Learning Services. Inputs. Job Resource Configuration - Compute Resource configuration for the job.
- Command string
- [Required] The command to execute on startup of the job. eg. "python train.py"
- Environment
Id string - [Required] The ARM resource ID of the Environment specification for the job.
- Code
Id string - ARM resource ID of the code asset.
- Distribution
Mpi | Py
Torch | TensorFlow - Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- Environment
Variables map[string]string - Environment variables included in the job.
- Resources
Job
Resource Configuration - Compute Resource configuration for the job.
- command String
- [Required] The command to execute on startup of the job. eg. "python train.py"
- environment
Id String - [Required] The ARM resource ID of the Environment specification for the job.
- code
Id String - ARM resource ID of the code asset.
- distribution
Mpi | Py
Torch | TensorFlow - Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- environment
Variables Map<String,String> - Environment variables included in the job.
- resources
Job
Resource Configuration - Compute Resource configuration for the job.
- command string
- [Required] The command to execute on startup of the job. eg. "python train.py"
- environment
Id string - [Required] The ARM resource ID of the Environment specification for the job.
- code
Id string - ARM resource ID of the code asset.
- distribution
Mpi | Py
Torch | TensorFlow - Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- environment
Variables {[key: string]: string} - Environment variables included in the job.
- resources
Job
Resource Configuration - Compute Resource configuration for the job.
- command str
- [Required] The command to execute on startup of the job. eg. "python train.py"
- environment_
id str - [Required] The ARM resource ID of the Environment specification for the job.
- code_
id str - ARM resource ID of the code asset.
- distribution
Mpi | Py
Torch | TensorFlow - Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- environment_
variables Mapping[str, str] - Environment variables included in the job.
- resources
Job
Resource Configuration - Compute Resource configuration for the job.
- command String
- [Required] The command to execute on startup of the job. eg. "python train.py"
- environment
Id String - [Required] The ARM resource ID of the Environment specification for the job.
- code
Id String - ARM resource ID of the code asset.
- distribution Property Map | Property Map | Property Map
- Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- environment
Variables Map<String> - Environment variables included in the job.
- resources Property Map
- Compute Resource configuration for the job.
TrialComponentResponse, TrialComponentResponseArgs
- Command string
- [Required] The command to execute on startup of the job. eg. "python train.py"
- Environment
Id string - [Required] The ARM resource ID of the Environment specification for the job.
- Code
Id string - ARM resource ID of the code asset.
- Distribution
Pulumi.
Azure | Pulumi.Native. Machine Learning Services. Inputs. Mpi Response Azure | Pulumi.Native. Machine Learning Services. Inputs. Py Torch Response Azure Native. Machine Learning Services. Inputs. Tensor Flow Response - Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- Environment
Variables Dictionary<string, string> - Environment variables included in the job.
- Resources
Pulumi.
Azure Native. Machine Learning Services. Inputs. Job Resource Configuration Response - Compute Resource configuration for the job.
- Command string
- [Required] The command to execute on startup of the job. eg. "python train.py"
- Environment
Id string - [Required] The ARM resource ID of the Environment specification for the job.
- Code
Id string - ARM resource ID of the code asset.
- Distribution
Mpi
Response | PyTorch | TensorResponse Flow Response - Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- Environment
Variables map[string]string - Environment variables included in the job.
- Resources
Job
Resource Configuration Response - Compute Resource configuration for the job.
- command String
- [Required] The command to execute on startup of the job. eg. "python train.py"
- environment
Id String - [Required] The ARM resource ID of the Environment specification for the job.
- code
Id String - ARM resource ID of the code asset.
- distribution
Mpi
Response | PyTorch | TensorResponse Flow Response - Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- environment
Variables Map<String,String> - Environment variables included in the job.
- resources
Job
Resource Configuration Response - Compute Resource configuration for the job.
- command string
- [Required] The command to execute on startup of the job. eg. "python train.py"
- environment
Id string - [Required] The ARM resource ID of the Environment specification for the job.
- code
Id string - ARM resource ID of the code asset.
- distribution
Mpi
Response | PyTorch | TensorResponse Flow Response - Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- environment
Variables {[key: string]: string} - Environment variables included in the job.
- resources
Job
Resource Configuration Response - Compute Resource configuration for the job.
- command str
- [Required] The command to execute on startup of the job. eg. "python train.py"
- environment_
id str - [Required] The ARM resource ID of the Environment specification for the job.
- code_
id str - ARM resource ID of the code asset.
- distribution
Mpi
Response | PyTorch | TensorResponse Flow Response - Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- environment_
variables Mapping[str, str] - Environment variables included in the job.
- resources
Job
Resource Configuration Response - Compute Resource configuration for the job.
- command String
- [Required] The command to execute on startup of the job. eg. "python train.py"
- environment
Id String - [Required] The ARM resource ID of the Environment specification for the job.
- code
Id String - ARM resource ID of the code asset.
- distribution Property Map | Property Map | Property Map
- Distribution configuration of the job. If set, this should be one of Mpi, Tensorflow, PyTorch, or null.
- environment
Variables Map<String> - Environment variables included in the job.
- resources Property Map
- Compute Resource configuration for the job.
TritonModelJobInput, TritonModelJobInputArgs
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode
string | Pulumi.
Azure Native. Machine Learning Services. Input Delivery Mode - Input Asset Delivery Mode.
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode
string | Input
Delivery Mode - Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode
String | Input
Delivery Mode - Input Asset Delivery Mode.
- uri string
- [Required] Input Asset URI.
- description string
- Description for the input.
- mode
string | Input
Delivery Mode - Input Asset Delivery Mode.
- uri str
- [Required] Input Asset URI.
- description str
- Description for the input.
- mode
str | Input
Delivery Mode - Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode
String | "Read
Only Mount" | "Read Write Mount" | "Download" | "Direct" | "Eval Mount" | "Eval Download" - Input Asset Delivery Mode.
TritonModelJobInputResponse, TritonModelJobInputResponseArgs
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode string
- Input Asset Delivery Mode.
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode string
- Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode String
- Input Asset Delivery Mode.
- uri string
- [Required] Input Asset URI.
- description string
- Description for the input.
- mode string
- Input Asset Delivery Mode.
- uri str
- [Required] Input Asset URI.
- description str
- Description for the input.
- mode str
- Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode String
- Input Asset Delivery Mode.
TritonModelJobOutput, TritonModelJobOutputArgs
- Description string
- Description for the output.
- Mode
string | Pulumi.
Azure Native. Machine Learning Services. Output Delivery Mode - Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- Description string
- Description for the output.
- Mode
string | Output
Delivery Mode - Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- description String
- Description for the output.
- mode
String | Output
Delivery Mode - Output Asset Delivery Mode.
- uri String
- Output Asset URI.
- description string
- Description for the output.
- mode
string | Output
Delivery Mode - Output Asset Delivery Mode.
- uri string
- Output Asset URI.
- description str
- Description for the output.
- mode
str | Output
Delivery Mode - Output Asset Delivery Mode.
- uri str
- Output Asset URI.
- description String
- Description for the output.
- mode
String | "Read
Write Mount" | "Upload" | "Direct" - Output Asset Delivery Mode.
- uri String
- Output Asset URI.
TritonModelJobOutputResponse, TritonModelJobOutputResponseArgs
- Description string
- Description for the output.
- Mode string
- Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- Description string
- Description for the output.
- Mode string
- Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- description String
- Description for the output.
- mode String
- Output Asset Delivery Mode.
- uri String
- Output Asset URI.
- description string
- Description for the output.
- mode string
- Output Asset Delivery Mode.
- uri string
- Output Asset URI.
- description str
- Description for the output.
- mode str
- Output Asset Delivery Mode.
- uri str
- Output Asset URI.
- description String
- Description for the output.
- mode String
- Output Asset Delivery Mode.
- uri String
- Output Asset URI.
TruncationSelectionPolicy, TruncationSelectionPolicyArgs
- Delay
Evaluation int - Number of intervals by which to delay the first evaluation.
- Evaluation
Interval int - Interval (number of runs) between policy evaluations.
- Truncation
Percentage int - The percentage of runs to cancel at each evaluation interval.
- Delay
Evaluation int - Number of intervals by which to delay the first evaluation.
- Evaluation
Interval int - Interval (number of runs) between policy evaluations.
- Truncation
Percentage int - The percentage of runs to cancel at each evaluation interval.
- delay
Evaluation Integer - Number of intervals by which to delay the first evaluation.
- evaluation
Interval Integer - Interval (number of runs) between policy evaluations.
- truncation
Percentage Integer - The percentage of runs to cancel at each evaluation interval.
- delay
Evaluation number - Number of intervals by which to delay the first evaluation.
- evaluation
Interval number - Interval (number of runs) between policy evaluations.
- truncation
Percentage number - The percentage of runs to cancel at each evaluation interval.
- delay_
evaluation int - Number of intervals by which to delay the first evaluation.
- evaluation_
interval int - Interval (number of runs) between policy evaluations.
- truncation_
percentage int - The percentage of runs to cancel at each evaluation interval.
- delay
Evaluation Number - Number of intervals by which to delay the first evaluation.
- evaluation
Interval Number - Interval (number of runs) between policy evaluations.
- truncation
Percentage Number - The percentage of runs to cancel at each evaluation interval.
TruncationSelectionPolicyResponse, TruncationSelectionPolicyResponseArgs
- Delay
Evaluation int - Number of intervals by which to delay the first evaluation.
- Evaluation
Interval int - Interval (number of runs) between policy evaluations.
- Truncation
Percentage int - The percentage of runs to cancel at each evaluation interval.
- Delay
Evaluation int - Number of intervals by which to delay the first evaluation.
- Evaluation
Interval int - Interval (number of runs) between policy evaluations.
- Truncation
Percentage int - The percentage of runs to cancel at each evaluation interval.
- delay
Evaluation Integer - Number of intervals by which to delay the first evaluation.
- evaluation
Interval Integer - Interval (number of runs) between policy evaluations.
- truncation
Percentage Integer - The percentage of runs to cancel at each evaluation interval.
- delay
Evaluation number - Number of intervals by which to delay the first evaluation.
- evaluation
Interval number - Interval (number of runs) between policy evaluations.
- truncation
Percentage number - The percentage of runs to cancel at each evaluation interval.
- delay_
evaluation int - Number of intervals by which to delay the first evaluation.
- evaluation_
interval int - Interval (number of runs) between policy evaluations.
- truncation_
percentage int - The percentage of runs to cancel at each evaluation interval.
- delay
Evaluation Number - Number of intervals by which to delay the first evaluation.
- evaluation
Interval Number - Interval (number of runs) between policy evaluations.
- truncation
Percentage Number - The percentage of runs to cancel at each evaluation interval.
UriFileJobInput, UriFileJobInputArgs
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode
string | Pulumi.
Azure Native. Machine Learning Services. Input Delivery Mode - Input Asset Delivery Mode.
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode
string | Input
Delivery Mode - Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode
String | Input
Delivery Mode - Input Asset Delivery Mode.
- uri string
- [Required] Input Asset URI.
- description string
- Description for the input.
- mode
string | Input
Delivery Mode - Input Asset Delivery Mode.
- uri str
- [Required] Input Asset URI.
- description str
- Description for the input.
- mode
str | Input
Delivery Mode - Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode
String | "Read
Only Mount" | "Read Write Mount" | "Download" | "Direct" | "Eval Mount" | "Eval Download" - Input Asset Delivery Mode.
UriFileJobInputResponse, UriFileJobInputResponseArgs
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode string
- Input Asset Delivery Mode.
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode string
- Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode String
- Input Asset Delivery Mode.
- uri string
- [Required] Input Asset URI.
- description string
- Description for the input.
- mode string
- Input Asset Delivery Mode.
- uri str
- [Required] Input Asset URI.
- description str
- Description for the input.
- mode str
- Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode String
- Input Asset Delivery Mode.
UriFileJobOutput, UriFileJobOutputArgs
- Description string
- Description for the output.
- Mode
string | Pulumi.
Azure Native. Machine Learning Services. Output Delivery Mode - Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- Description string
- Description for the output.
- Mode
string | Output
Delivery Mode - Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- description String
- Description for the output.
- mode
String | Output
Delivery Mode - Output Asset Delivery Mode.
- uri String
- Output Asset URI.
- description string
- Description for the output.
- mode
string | Output
Delivery Mode - Output Asset Delivery Mode.
- uri string
- Output Asset URI.
- description str
- Description for the output.
- mode
str | Output
Delivery Mode - Output Asset Delivery Mode.
- uri str
- Output Asset URI.
- description String
- Description for the output.
- mode
String | "Read
Write Mount" | "Upload" | "Direct" - Output Asset Delivery Mode.
- uri String
- Output Asset URI.
UriFileJobOutputResponse, UriFileJobOutputResponseArgs
- Description string
- Description for the output.
- Mode string
- Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- Description string
- Description for the output.
- Mode string
- Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- description String
- Description for the output.
- mode String
- Output Asset Delivery Mode.
- uri String
- Output Asset URI.
- description string
- Description for the output.
- mode string
- Output Asset Delivery Mode.
- uri string
- Output Asset URI.
- description str
- Description for the output.
- mode str
- Output Asset Delivery Mode.
- uri str
- Output Asset URI.
- description String
- Description for the output.
- mode String
- Output Asset Delivery Mode.
- uri String
- Output Asset URI.
UriFolderJobInput, UriFolderJobInputArgs
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode
string | Pulumi.
Azure Native. Machine Learning Services. Input Delivery Mode - Input Asset Delivery Mode.
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode
string | Input
Delivery Mode - Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode
String | Input
Delivery Mode - Input Asset Delivery Mode.
- uri string
- [Required] Input Asset URI.
- description string
- Description for the input.
- mode
string | Input
Delivery Mode - Input Asset Delivery Mode.
- uri str
- [Required] Input Asset URI.
- description str
- Description for the input.
- mode
str | Input
Delivery Mode - Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode
String | "Read
Only Mount" | "Read Write Mount" | "Download" | "Direct" | "Eval Mount" | "Eval Download" - Input Asset Delivery Mode.
UriFolderJobInputResponse, UriFolderJobInputResponseArgs
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode string
- Input Asset Delivery Mode.
- Uri string
- [Required] Input Asset URI.
- Description string
- Description for the input.
- Mode string
- Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode String
- Input Asset Delivery Mode.
- uri string
- [Required] Input Asset URI.
- description string
- Description for the input.
- mode string
- Input Asset Delivery Mode.
- uri str
- [Required] Input Asset URI.
- description str
- Description for the input.
- mode str
- Input Asset Delivery Mode.
- uri String
- [Required] Input Asset URI.
- description String
- Description for the input.
- mode String
- Input Asset Delivery Mode.
UriFolderJobOutput, UriFolderJobOutputArgs
- Description string
- Description for the output.
- Mode
string | Pulumi.
Azure Native. Machine Learning Services. Output Delivery Mode - Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- Description string
- Description for the output.
- Mode
string | Output
Delivery Mode - Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- description String
- Description for the output.
- mode
String | Output
Delivery Mode - Output Asset Delivery Mode.
- uri String
- Output Asset URI.
- description string
- Description for the output.
- mode
string | Output
Delivery Mode - Output Asset Delivery Mode.
- uri string
- Output Asset URI.
- description str
- Description for the output.
- mode
str | Output
Delivery Mode - Output Asset Delivery Mode.
- uri str
- Output Asset URI.
- description String
- Description for the output.
- mode
String | "Read
Write Mount" | "Upload" | "Direct" - Output Asset Delivery Mode.
- uri String
- Output Asset URI.
UriFolderJobOutputResponse, UriFolderJobOutputResponseArgs
- Description string
- Description for the output.
- Mode string
- Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- Description string
- Description for the output.
- Mode string
- Output Asset Delivery Mode.
- Uri string
- Output Asset URI.
- description String
- Description for the output.
- mode String
- Output Asset Delivery Mode.
- uri String
- Output Asset URI.
- description string
- Description for the output.
- mode string
- Output Asset Delivery Mode.
- uri string
- Output Asset URI.
- description str
- Description for the output.
- mode str
- Output Asset Delivery Mode.
- uri str
- Output Asset URI.
- description String
- Description for the output.
- mode String
- Output Asset Delivery Mode.
- uri String
- Output Asset URI.
UseStl, UseStlArgs
- None
- NoneNo stl decomposition.
- Season
- Season
- Season
Trend - SeasonTrend
- Use
Stl None - NoneNo stl decomposition.
- Use
Stl Season - Season
- Use
Stl Season Trend - SeasonTrend
- None
- NoneNo stl decomposition.
- Season
- Season
- Season
Trend - SeasonTrend
- None
- NoneNo stl decomposition.
- Season
- Season
- Season
Trend - SeasonTrend
- NONE
- NoneNo stl decomposition.
- SEASON
- Season
- SEASON_TREND
- SeasonTrend
- "None"
- NoneNo stl decomposition.
- "Season"
- Season
- "Season
Trend" - SeasonTrend
UserAssignedIdentityResponse, UserAssignedIdentityResponseArgs
- Client
Id string - The client ID of the assigned identity.
- Principal
Id string - The principal ID of the assigned identity.
- Tenant
Id string - The tenant ID of the user assigned identity.
- Client
Id string - The client ID of the assigned identity.
- Principal
Id string - The principal ID of the assigned identity.
- Tenant
Id string - The tenant ID of the user assigned identity.
- client
Id String - The client ID of the assigned identity.
- principal
Id String - The principal ID of the assigned identity.
- tenant
Id String - The tenant ID of the user assigned identity.
- client
Id string - The client ID of the assigned identity.
- principal
Id string - The principal ID of the assigned identity.
- tenant
Id string - The tenant ID of the user assigned identity.
- client_
id str - The client ID of the assigned identity.
- principal_
id str - The principal ID of the assigned identity.
- tenant_
id str - The tenant ID of the user assigned identity.
- client
Id String - The client ID of the assigned identity.
- principal
Id String - The principal ID of the assigned identity.
- tenant
Id String - The tenant ID of the user assigned identity.
UserIdentity, UserIdentityArgs
UserIdentityResponse, UserIdentityResponseArgs
ValidationMetricType, ValidationMetricTypeArgs
- None
- NoneNo metric.
- Coco
- CocoCoco metric.
- Voc
- VocVoc metric.
- Coco
Voc - CocoVocCocoVoc metric.
- Validation
Metric Type None - NoneNo metric.
- Validation
Metric Type Coco - CocoCoco metric.
- Validation
Metric Type Voc - VocVoc metric.
- Validation
Metric Type Coco Voc - CocoVocCocoVoc metric.
- None
- NoneNo metric.
- Coco
- CocoCoco metric.
- Voc
- VocVoc metric.
- Coco
Voc - CocoVocCocoVoc metric.
- None
- NoneNo metric.
- Coco
- CocoCoco metric.
- Voc
- VocVoc metric.
- Coco
Voc - CocoVocCocoVoc metric.
- NONE
- NoneNo metric.
- COCO
- CocoCoco metric.
- VOC
- VocVoc metric.
- COCO_VOC
- CocoVocCocoVoc metric.
- "None"
- NoneNo metric.
- "Coco"
- CocoCoco metric.
- "Voc"
- VocVoc metric.
- "Coco
Voc" - CocoVocCocoVoc metric.
WeekDay, WeekDayArgs
- Monday
- MondayMonday weekday
- Tuesday
- TuesdayTuesday weekday
- Wednesday
- WednesdayWednesday weekday
- Thursday
- ThursdayThursday weekday
- Friday
- FridayFriday weekday
- Saturday
- SaturdaySaturday weekday
- Sunday
- SundaySunday weekday
- Week
Day Monday - MondayMonday weekday
- Week
Day Tuesday - TuesdayTuesday weekday
- Week
Day Wednesday - WednesdayWednesday weekday
- Week
Day Thursday - ThursdayThursday weekday
- Week
Day Friday - FridayFriday weekday
- Week
Day Saturday - SaturdaySaturday weekday
- Week
Day Sunday - SundaySunday weekday
- Monday
- MondayMonday weekday
- Tuesday
- TuesdayTuesday weekday
- Wednesday
- WednesdayWednesday weekday
- Thursday
- ThursdayThursday weekday
- Friday
- FridayFriday weekday
- Saturday
- SaturdaySaturday weekday
- Sunday
- SundaySunday weekday
- Monday
- MondayMonday weekday
- Tuesday
- TuesdayTuesday weekday
- Wednesday
- WednesdayWednesday weekday
- Thursday
- ThursdayThursday weekday
- Friday
- FridayFriday weekday
- Saturday
- SaturdaySaturday weekday
- Sunday
- SundaySunday weekday
- MONDAY
- MondayMonday weekday
- TUESDAY
- TuesdayTuesday weekday
- WEDNESDAY
- WednesdayWednesday weekday
- THURSDAY
- ThursdayThursday weekday
- FRIDAY
- FridayFriday weekday
- SATURDAY
- SaturdaySaturday weekday
- SUNDAY
- SundaySunday weekday
- "Monday"
- MondayMonday weekday
- "Tuesday"
- TuesdayTuesday weekday
- "Wednesday"
- WednesdayWednesday weekday
- "Thursday"
- ThursdayThursday weekday
- "Friday"
- FridayFriday weekday
- "Saturday"
- SaturdaySaturday weekday
- "Sunday"
- SundaySunday weekday
Import
An existing resource can be imported using its type token, name, and identifier, e.g.
$ pulumi import azure-native:machinelearningservices:Schedule string /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}
To learn more about importing existing cloud resources, see Importing resources.
Package Details
- Repository
- Azure Native pulumi/pulumi-azure-native
- License
- Apache-2.0