CG
SkillsPerforming Access Recertification with Saviynt
Start Free
Back to Skills Library
Identity & Access Management๐ŸŸก Intermediate

Performing Access Recertification with Saviynt

Configure and execute access recertification campaigns in Saviynt Enterprise Identity Cloud to validate user entitlements, revoke excessive access, and maintain compliance with SOX, SOC2, and HIPAA.

5 min read2 code examples

Prerequisites

  • Saviynt Enterprise Identity Cloud (EIC) tenant with admin access
  • Identity data synchronized from authoritative sources (HR, AD, cloud)
  • Entitlement data imported from target applications
  • Certifier roles assigned (managers, application owners, data owners)
  • Campaign templates defined for each certification type

Performing Access Recertification with Saviynt

Overview

Access recertification (also called access certification or access review) is a periodic process where designated reviewers validate that users have appropriate access to systems and data. Saviynt Enterprise Identity Cloud (EIC) automates this process through certification campaigns that present reviewers with current access assignments and collect approve/revoke/conditionally-certify decisions. Campaigns can be triggered on schedule (quarterly, semi-annually), event-driven (department transfer, role change), or on-demand. Saviynt provides intelligence features including risk scoring, usage analytics, and peer-group analysis to help reviewers make informed decisions.

Prerequisites

  • Saviynt Enterprise Identity Cloud (EIC) tenant with admin access
  • Identity data synchronized from authoritative sources (HR, AD, cloud)
  • Entitlement data imported from target applications
  • Certifier roles assigned (managers, application owners, data owners)
  • Campaign templates defined for each certification type

Core Concepts

Campaign Types

TypeScopeTriggerCertifier
User ManagerAll access for users under a managerScheduled (quarterly)Direct manager
Entitlement OwnerAll users with a specific entitlementScheduled (semi-annually)Entitlement/app owner
ApplicationAll access to a specific applicationScheduledApplication owner
Role-BasedAll users assigned to a specific roleScheduledRole owner
Event-BasedUsers whose attributes changedAttribute change triggerNew manager
Micro-CertificationSingle user, single entitlementOn-demandManager or owner

Certification Decisions

DecisionEffectUse Case
Certify (Approve)Access maintainedAccess is still required
RevokeAccess removal ticket createdAccess no longer needed
Conditionally CertifyAccess maintained with conditionsAccess needed temporarily, review again
DelegateReassign to another certifierCertifier lacks knowledge to decide
AbstainNo decision recordedConflict of interest

Campaign Lifecycle

CONFIGURATION โ†’ PREVIEW โ†’ ACTIVE โ†’ IN PROGRESS โ†’ COMPLETED โ†’ REMEDIATION
       โ”‚            โ”‚         โ”‚          โ”‚             โ”‚            โ”‚
       โ”‚            โ”‚         โ”‚          โ”‚             โ”‚            โ””โ”€โ”€ Revoke tickets
       โ”‚            โ”‚         โ”‚          โ”‚             โ”‚                executed
       โ”‚            โ”‚         โ”‚          โ”‚             โ”‚
       โ”‚            โ”‚         โ”‚          โ”‚             โ””โ”€โ”€ All decisions
       โ”‚            โ”‚         โ”‚          โ”‚                 collected
       โ”‚            โ”‚         โ”‚          โ”‚
       โ”‚            โ”‚         โ”‚          โ””โ”€โ”€ Certifiers reviewing
       โ”‚            โ”‚         โ”‚              and making decisions
       โ”‚            โ”‚         โ”‚
       โ”‚            โ”‚         โ””โ”€โ”€ Campaign launched,
       โ”‚            โ”‚             notifications sent
       โ”‚            โ”‚
       โ”‚            โ””โ”€โ”€ Read-only preview for validation
       โ”‚
       โ””โ”€โ”€ Campaign parameters defined

Implementation Steps

Step 1: Configure Campaign Template

In Saviynt Admin Console:

  1. Navigate to Certifications > Campaign > Create New Campaign
  2. Define campaign parameters:
ParameterValue
Campaign NameQ1 2025 Manager Access Review
Campaign TypeUser Manager
DescriptionQuarterly review of all user access
Certifier TypeManager (dynamic - user's direct manager)
Secondary CertifierApplication Owner (fallback if manager unavailable)
Due Date14 days from launch
Reminder ScheduleDay 7, Day 10, Day 13
EscalationAuto-revoke on Day 15 if no decision
  1. Configure scope filters:
  • Include: All active users
  • Exclude: Service accounts, break-glass accounts
  • Application filter: All connected applications
  1. Configure intelligence features:
  • Enable risk scoring (high-risk entitlements highlighted)
  • Enable usage data (last access date shown)
  • Enable peer analysis (compare access to peer group)
  • Enable SoD violation flagging

Step 2: Configure Certifier Experience

Customize what certifiers see during the review:

Columns Displayed:

  • User name and title
  • Application name
  • Entitlement/role name
  • Risk score (1-10)
  • Last access date
  • Peer group comparison (% of peers with same access)
  • SoD violation flag

Decision Options:

  • Certify with justification (free text)
  • Revoke with reason (dropdown: no longer needed, SoD conflict, role change)
  • Conditionally certify with expiry date

Bulk Actions:

  • Certify all low-risk items
  • Revoke all items not accessed in 90+ days
  • Filter by application, risk level, or SoD status

Step 3: Launch Campaign via API

import requests

SAVIYNT_URL = "https://tenant.saviyntcloud.com"
SAVIYNT_TOKEN = "your-api-token"

def create_certification_campaign(campaign_config):
    """Create and launch a Saviynt certification campaign."""
    headers = {
        "Authorization": f"Bearer {SAVIYNT_TOKEN}",
        "Content-Type": "application/json"
    }

    # Create campaign
    response = requests.post(
        f"{SAVIYNT_URL}/ECM/api/v5/createCampaign",
        headers=headers,
        json={
            "campaignname": campaign_config["name"],
            "campaigntype": campaign_config["type"],
            "description": campaign_config["description"],
            "certifier": campaign_config["certifier_type"],
            "duedate": campaign_config["due_date"],
            "reminderdays": campaign_config["reminder_days"],
            "autorevoke": campaign_config.get("auto_revoke", True),
            "autorevokedays": campaign_config.get("auto_revoke_days", 15),
            "scope": campaign_config.get("scope", {}),
        }
    )
    response.raise_for_status()
    campaign_id = response.json().get("campaignId")

    # Launch campaign
    launch_response = requests.post(
        f"{SAVIYNT_URL}/ECM/api/v5/launchCampaign",
        headers=headers,
        json={"campaignId": campaign_id}
    )
    launch_response.raise_for_status()

    return {
        "campaign_id": campaign_id,
        "status": "launched",
        "certifications_created": launch_response.json().get("certificationCount", 0)
    }

def get_campaign_status(campaign_id):
    """Get current status and progress of a campaign."""
    headers = {"Authorization": f"Bearer {SAVIYNT_TOKEN}"}
    response = requests.get(
        f"{SAVIYNT_URL}/ECM/api/v5/getCampaignDetails",
        headers=headers,
        params={"campaignId": campaign_id}
    )
    response.raise_for_status()
    data = response.json()

    return {
        "campaign_id": campaign_id,
        "status": data.get("status"),
        "total_items": data.get("totalLineItems", 0),
        "certified": data.get("certifiedCount", 0),
        "revoked": data.get("revokedCount", 0),
        "pending": data.get("pendingCount", 0),
        "completion_rate": data.get("completionPercentage", 0),
    }

Step 4: Monitor Campaign Progress

Track certification progress and send escalations:

  • Dashboard: Saviynt provides real-time campaign dashboard with completion rates
  • Reminders: Automatic email reminders at configured intervals
  • Escalation: If certifier does not respond by due date, escalate to manager's manager or auto-revoke
  • Delegation: Allow certifiers to delegate specific items to application owners

Step 5: Execute Remediation

After campaign closes:

  1. Auto-Remediation: Saviynt automatically creates provisioning tasks to revoke denied access
  2. Ticket Integration: Revocation tasks create tickets in ServiceNow/Jira for tracking
  3. Grace Period: Configure a grace period (e.g., 5 business days) before access is actually removed
  4. Verification: After revocation, verify access is removed from target systems
  5. Audit Trail: All decisions, revocations, and remediations logged for compliance evidence

Validation Checklist

  • [ ] Campaign templates configured for each certification type
  • [ ] Certifier roles assigned (managers, app owners, data owners)
  • [ ] Risk scoring and usage analytics enabled
  • [ ] SoD violation detection configured
  • [ ] Reminder and escalation schedules defined
  • [ ] Auto-revoke policy for non-responsive certifiers configured
  • [ ] Campaign launched and certifiers notified
  • [ ] Campaign completion rate > 95% before close
  • [ ] Revocation tasks created for all denied entitlements
  • [ ] Remediation completed within SLA
  • [ ] Campaign report generated for compliance audit
  • [ ] Evidence archived for regulatory retention period

Compliance Framework Mapping

This skill supports compliance evidence collection across multiple frameworks:

  • SOC 2: CC6.1 (Logical Access), CC6.2 (Credentials), CC6.3 (Provisioning)
  • ISO 27001: A.9.1 (Access Control), A.9.2 (User Access Management), A.9.4 (System Access Control)
  • NIST 800-53: AC-2 (Account Management), IA-2 (Identification), AC-6 (Least Privilege)
  • NIST CSF: PR.AC (Access Control)

Claw GRC Tip: When this skill is executed by a registered agent, compliance evidence is automatically captured and mapped to the relevant controls in your active frameworks.

Deploying This Skill with Claw GRC

Agent Execution

Register this skill with your Claw GRC agent for automated execution:

# Install via CLI
npx claw-grc skills add performing-access-recertification-with-saviynt

# Or load dynamically via MCP
grc.load_skill("performing-access-recertification-with-saviynt")

Audit Trail Integration

When executed through Claw GRC, every step of this skill generates tamper-evident audit records:

  • SHA-256 chain hashing ensures no step can be modified after execution
  • Evidence artifacts (configs, scan results, logs) are automatically attached to relevant controls
  • Trust score impact โ€” successful execution increases your agent's trust score

Continuous Compliance

Schedule this skill for recurring execution to maintain continuous compliance posture. Claw GRC monitors for drift and alerts when re-execution is needed.

References

  • Saviynt Campaigns and Certifications Documentation
  • Saviynt Simplifying Certifications with Intelligence
  • Saviynt Advanced Access Reviews
  • ISACA Access Recertification Best Practices

Use with Claw GRC Agents

This skill is fully compatible with Claw GRC's autonomous agent system. Deploy it to any registered agent via MCP, and every execution will be logged in the tamper-evident audit trail.

// Load this skill in your agent
npx claw-grc skills add performing-access-recertification-with-saviynt
// Or via MCP
grc.load_skill("performing-access-recertification-with-saviynt")

Tags

saviyntaccess-recertificationidentity-governancecompliancecertification-campaigniga

Related Skills

Identity & Access Management

Performing Privileged Account Access Review

4mยทintermediate
Identity & Access Management

Building Identity Governance Lifecycle Process

11mยทintermediate
Identity & Access Management

Building Role Mining for RBAC Optimization

4mยทintermediate
Identity & Access Management

Implementing Azure AD Privileged Identity Management

5mยทintermediate
Identity & Access Management

Implementing Identity Governance with Sailpoint

3mยทintermediate
Identity & Access Management

Performing Access Review and Certification

3mยทintermediate

Skill Details

Domain
Identity & Access Management
Difficulty
intermediate
Read Time
5 min
Code Examples
2

On This Page

OverviewPrerequisitesCore ConceptsImplementation StepsValidation ChecklistReferencesCompliance Framework MappingDeploying This Skill with Claw GRC

Deploy This Skill

Add this skill to your Claw GRC agent and start automating.

Get Started Free โ†’