Files
ComfyUI-CFG-CTRL/nodes.py
Ethanfel 8c88b3213c Add spatial smoothing to remove latent grid artifacts
The per-element correction creates a visible mesh pattern at the VAE's
8x8 patch boundaries. A 3x3 box blur in latent space (24x24 pixels)
smooths adjacent corrections while preserving the large-scale
correction structure.

Co-Authored-By: Claude Opus 4.6 <noreply@anthropic.com>
2026-03-04 18:36:07 +01:00

133 lines
5.7 KiB
Python

import torch
import torch.nn.functional as F
class SMCCFGCtrl:
"""
Implements SMC-CFG (Sliding Mode Control CFG) from the paper:
"CFG-Ctrl: A Control-Theoretic Perspective on Classifier-Free Guidance" (CVPR 2026)
https://github.com/hanyang-21/CFG-Ctrl
Replaces standard linear CFG with a nonlinear sliding mode controller
that prevents instability, overshooting, and artifacts at high guidance scales.
"""
@classmethod
def INPUT_TYPES(s):
return {
"required": {
"model": ("MODEL",),
"smc_cfg_lambda": ("FLOAT", {
"default": 5.0, "min": 0.0, "max": 50.0, "step": 0.01,
"tooltip": "Sliding surface coefficient. Controls how much the controller weights previous error magnitude vs error derivative. Paper recommended: 5.0",
}),
"smc_cfg_K": ("FLOAT", {
"default": 0.2, "min": 0.0, "max": 5.0, "step": 0.01,
"tooltip": "Switching gain. Bounds the correction to [-K, +K] per element. Higher = stronger correction but may introduce chattering. Paper recommended: 0.2",
}),
"warmup_steps": ("INT", {
"default": 0, "min": 0, "max": 100,
"tooltip": "Number of initial steps with no guidance (pure conditional prediction). Lets the model establish structure before guidance kicks in.",
}),
}
}
RETURN_TYPES = ("MODEL",)
FUNCTION = "patch"
CATEGORY = "sampling/custom_sampling"
def patch(self, model, smc_cfg_lambda, smc_cfg_K, warmup_steps):
# Mutable state persisted across denoising steps via closure
state = {
"prev_eps": None,
"step": 0,
"prev_sigma": None,
}
lam = smc_cfg_lambda
K = smc_cfg_K
def smc_cfg_function(args):
cond = args["cond"] # x - cond_denoised (sigma-scaled noise)
uncond = args["uncond"] # x - uncond_denoised (sigma-scaled noise)
cond_scale = args["cond_scale"]
sigma = args["sigma"]
# Detect new generation: sigma should decrease monotonically during
# denoising. If it jumps up, a new sampling run has started.
curr_sigma = sigma.max().item() if torch.is_tensor(sigma) else float(sigma)
if state["prev_sigma"] is not None and curr_sigma > state["prev_sigma"] * 1.1:
state["prev_eps"] = None
state["step"] = 0
state["prev_sigma"] = curr_sigma
step = state["step"]
state["step"] = step + 1
# Warmup: pure conditional prediction (no guidance)
if warmup_steps > 0 and step < warmup_steps:
return cond
# Normalize to noise-prediction space by dividing out sigma.
# The paper's K is calibrated for unit-variance noise predictions.
# ComfyUI's cond/uncond are (x - denoised) ≈ sigma * epsilon,
# so dividing by sigma recovers epsilon-space where K=0.2 is correct.
# Crucially, when converting back, the sigma factor naturally dampens
# the correction at late steps (small sigma), preventing noise injection.
sigma_val = max(curr_sigma, 1e-8)
guidance_eps = (cond - uncond) / sigma_val
# Initialize prev_eps on first SMC step (matches original paper
# where SMC correction is applied from the very first step)
if state["prev_eps"] is None:
state["prev_eps"] = guidance_eps.detach().clone()
prev_eps = state["prev_eps"]
# Sliding surface: s_t = (e_t - e_{t-1}) + lambda * e_{t-1}
s = (guidance_eps - prev_eps) + lam * prev_eps
# Compensate for CFG amplification: the return value multiplies
# u_sw by cond_scale, so the effective noise-space correction is
# cond_scale * K_eff. We want this to equal K (independent of cfg),
# so K_eff = K / cond_scale. Without this, cfg=12 with K=0.2 gives
# a correction of 2.4 per element — far too large.
K_eff = K / max(cond_scale, 1.0)
# Smooth switching via tanh(s/phi) instead of hard sign(s).
# sign() quantizes every element to ±1, creating a salt-and-pepper
# pattern that's visible as high-frequency noise. tanh provides
# a smooth transition: proportional near zero, saturating at ±1.
# phi normalizes s so the transition happens at the right scale.
phi = s.std().clamp(min=1e-6)
u_sw = -K_eff * torch.tanh(s / phi)
# Spatial smoothing: the per-element correction creates a grid
# pattern at latent boundaries (each latent = 8x8 pixels). A mild
# 3x3 box blur in latent space removes these artifacts while
# preserving the large-scale correction structure.
if u_sw.ndim == 4:
u_sw = F.avg_pool2d(u_sw, kernel_size=3, stride=1, padding=1)
# Corrected guidance error (in normalized noise space)
guidance_eps = guidance_eps + u_sw
# Store corrected guidance for next step's sliding surface
state["prev_eps"] = guidance_eps.detach().clone()
# Convert back to sigma-scaled space and apply CFG
return uncond + cond_scale * guidance_eps * sigma_val
m = model.clone()
m.set_model_sampler_cfg_function(smc_cfg_function, disable_cfg1_optimization=True)
return (m,)
NODE_CLASS_MAPPINGS = {
"SMCCFGCtrl": SMCCFGCtrl,
}
NODE_DISPLAY_NAME_MAPPINGS = {
"SMCCFGCtrl": "SMC-CFG Ctrl",
}