FOSMVVM Fields Generator

v2.0.6

Generate FOSMVVM Fields protocols defining form fields, input types, validation rules, and localized messages for consistent, reusable form specifications.

2· 587·0 current·0 all-time
byDavid Hunt@foscomputerservices
Security Scan
VirusTotalVirusTotal
Benign
View report →
OpenClawOpenClaw
Benign
high confidence
Purpose & Capability
Name and description match the observed behavior: SKILL.md and reference templates produce Swift protocols, localized message structs, and YAML files for form specifications. The skill does not request unrelated credentials, binaries, or config paths.
Instruction Scope
Instructions rely on conversation context to infer form fields and generate code templates. This is expected for a generator, but the phrasing ('references conversation context automatically—no file paths or Q&A needed') is broad and gives the agent discretion; to avoid accidental guesses, provide explicit field requirements in the conversation or supply spec files into the agent context before invoking.
Install Mechanism
No install spec and no code files are included (instruction-only). Nothing is downloaded or written by the skill itself — generation happens as textual output, which is low-risk.
Credentials
The skill declares no required environment variables, no credentials, and no config paths. The templates reference project placeholders (targets, resource paths) which are expected for code generation.
Persistence & Privilege
Flags show default behavior (always:false, model invocation allowed). The skill does not request permanent presence or system-level changes and does not modify other skills or system settings.
Assessment
This skill is an instruction-only code/template generator for Swift (FOSMVVM) form specifications and is internally consistent. Before use: (1) Provide explicit form field requirements in the conversation so the generator doesn't guess; (2) review all generated Swift/YAML output before committing to your repository (ensure imports like FOSFoundation/FOSMVVM match your project and licensing); (3) place the localization YAML and Swift files in the project locations you control; (4) be aware the agent uses conversation context to produce output — limit prompts to the minimum required data to avoid accidental inclusion of unrelated sensitive information. No credentials or installs are required, so there are no hidden exfiltration vectors in the skill itself.

Like a lobster shell, security has layers — review code before you run it.

Runtime requirements

📋 Clawdis
OSmacOS · Linux
latestvk973msz3pbk34d9prcjq9nat65815fxe
587downloads
2stars
1versions
Updated 1mo ago
v2.0.6
MIT-0
macOS, Linux

FOSMVVM Fields Generator

Generate Form Specifications following FOSMVVM patterns.

Conceptual Foundation

For full architecture context, see FOSMVVMArchitecture.md | OpenClaw reference

A Form Specification (implemented as a {Name}Fields protocol) is the single source of truth for user input. It answers:

  1. What data can the user provide? (properties)
  2. How should it be presented? (FormField with type, keyboard, autofill semantics)
  3. What constraints apply? (validation rules)
  4. What messages should be shown? (localized titles, placeholders, errors)

Why This Matters

The Form Specification is defined once, used everywhere:

// Same protocol adopted by different consumers:
struct CreateIdeaRequestBody: ServerRequestBody, IdeaFields { ... }  // HTTP transmission
@ViewModel struct IdeaFormViewModel: IdeaFields { ... }              // Form rendering
final class Idea: Model, IdeaFields { ... }                          // Persistence validation

This ensures:

  • Consistent validation - Same rules on client and server
  • Shared localization - One YAML file, used everywhere
  • Single source of truth - Change once, applies everywhere

Connection to FOSMVVM

Form Specifications integrate with:

  • Localization System - FormField titles/placeholders and validation messages use LocalizableString
  • Validation System - Implements ValidatableModel protocol
  • Request System - RequestBody types adopt Fields for validated transmission
  • ViewModel System - ViewModels adopt Fields for form rendering

When to Use This Skill

  • Defining a new form (create, edit, filter, search)
  • Adding validation to a request body
  • Any type that needs to conform to ValidatableModel
  • When fosmvvm-fluent-datamodel-generator needs form fields for a DataModel

What This Skill Generates

A complete Form Specification consists of 3 files:

FilePurpose
{Name}Fields.swiftProtocol + FormField definitions + validation methods
{Name}FieldsMessages.swift@FieldValidationModel struct with @LocalizedString properties
{Name}FieldsMessages.ymlYAML localization (titles, placeholders, error messages)

Project Structure Configuration

Replace placeholders with your project's actual paths:

PlaceholderDescriptionExample
{ViewModelsTarget}Shared ViewModels SPM targetViewModels, SharedViewModels
{ResourcesPath}Localization resources pathSources/Resources

Expected Structure:

Sources/
  {ViewModelsTarget}/
    FieldModels/
      {Name}Fields.swift
      {Name}FieldsMessages.swift
  {ResourcesPath}/
    FieldModels/
      {Name}FieldsMessages.yml

How to Use This Skill

Invocation: /fosmvvm-fields-generator

Prerequisites:

  • Form purpose understood from conversation context
  • Field requirements discussed (names, types, constraints)
  • Entity relationship identified (what is this form creating/editing)

Workflow integration: This skill is used when defining form validation and user input contracts. The skill references conversation context automatically—no file paths or Q&A needed. Often precedes fosmvvm-fluent-datamodel-generator for form-backed models.

Pattern Implementation

This skill references conversation context to determine Fields protocol structure:

Form Analysis

From conversation context, the skill identifies:

  • Form purpose (create, edit, filter, login, settings)
  • Entity relation (User, Idea, Document - what's being created/edited)
  • Protocol naming (CreateIdeaFields, UpdateProfile, LoginCredentials)

Field Design

For each field from requirements:

  • Property specification (name, type, optional vs required)
  • Presentation type (FormFieldType: text, textArea, select, checkbox)
  • Input semantics (FormInputType: email, password, tel, date)
  • Constraints (required, length range, value range, date range)
  • Localization (title, placeholder, validation error messages)

File Generation Order

  1. Fields protocol with FormField definitions and validation
  2. FieldsMessages struct with @LocalizedString properties
  3. FieldsMessages YAML with localized strings

Context Sources

Skill references information from:

  • Prior conversation: Form requirements, field specifications discussed
  • Specification files: If Claude has read form specs into context
  • Existing patterns: From codebase analysis of similar Fields protocols

Key Patterns

Protocol Structure

public protocol {Name}Fields: ValidatableModel, Codable, Sendable {
    var fieldName: FieldType { get set }
    var {name}ValidationMessages: {Name}FieldsMessages { get }
}

FormField Definition

static var contentField: FormField<String?> { .init(
    fieldId: .init(id: "content"),
    title: .localized(for: {Name}FieldsMessages.self, propertyName: "content", messageKey: "title"),
    placeholder: .localized(for: {Name}FieldsMessages.self, propertyName: "content", messageKey: "placeholder"),
    type: .textArea(inputType: .text),
    options: [
        .required(value: true)
    ] + FormInputOption.rangeLength(contentRange)
) }

FormField Types Reference

FormFieldTypeUse Case
.text(inputType:)Single-line input
.textArea(inputType:)Multi-line input
.checkboxBoolean toggle
.selectDropdown selection
.colorPickerColor selection

FormInputType Reference (common ones)

FormInputTypeKeyboard/Autofill
.textDefault keyboard
.emailAddressEmail keyboard, email autofill
.passwordSecure entry
.telPhone keyboard
.urlURL keyboard
.date, .datetimeLocalDate picker
.givenName, .familyNameName autofill

Validation Method Pattern

internal func validateContent(_ fields: [FormFieldBase]?) -> [ValidationResult]? {
    guard fields == nil || (fields?.contains(Self.contentField) == true) else {
        return nil
    }

    var result = [ValidationResult]()

    if content.isEmpty {
        result.append(.init(
            status: .error,
            field: Self.contentField,
            message: {name}ValidationMessages.contentRequiredMessage
        ))
    } else if !Self.contentRange.contains(NSString(string: content).length) {
        result.append(.init(
            status: .error,
            field: Self.contentField,
            message: {name}ValidationMessages.contentOutOfRangeMessage
        ))
    }

    return result.isEmpty ? nil : result
}

Messages Struct Pattern

@FieldValidationModel public struct {Name}FieldsMessages {
    @LocalizedString("content", messageGroup: "validationMessages", messageKey: "required")
    public var contentRequiredMessage

    @LocalizedString("content", messageGroup: "validationMessages", messageKey: "outOfRange")
    public var contentOutOfRangeMessage
}

YAML Structure

en:
  {Name}FieldsMessages:
    content:
      title: "Content"
      placeholder: "Enter your content..."
      validationMessages:
        required: "Content is required"
        outOfRange: "Content must be between 1 and 10,000 characters"

Naming Conventions

ConceptConventionExample
Protocol{Name}FieldsIdeaFields, CreateIdeaFields
Messages struct{Name}FieldsMessagesIdeaFieldsMessages
Messages property{name}ValidationMessagesideaValidationMessages
Field definition{fieldName}FieldcontentField
Range constant{fieldName}RangecontentRange
Validate methodvalidate{FieldName}validateContent
Required message{fieldName}RequiredMessagecontentRequiredMessage
OutOfRange message{fieldName}OutOfRangeMessagecontentOutOfRangeMessage

See Also

Version History

VersionDateChanges
1.02024-12-24Initial skill
2.02024-12-26Rewritten with conceptual foundation; generalized from Kairos-specific
2.12026-01-24Update to context-aware approach (remove file-parsing/Q&A). Skill references conversation context instead of asking questions or accepting file paths.

Comments

Loading comments...