มีบางกรณี (ค่อนข้างหายาก) ที่มีความเสี่ยง:
- การนำตัวแปรที่ไม่ต้องการนำมาใช้ซ้ำ (ดูตัวอย่างที่ 1) 
- หรือใช้ตัวแปรแทนตัวแปรอื่นปิดความหมาย (ดูตัวอย่างที่ 2) 
ตัวอย่างที่ 1:
var data = this.InitializeData();
if (this.IsConsistent(data, this.state))
{
    this.ETL.Process(data); // Alters original data in a way it couldn't be used any longer.
}
// ...
foreach (var flow in data.Flows)
{
    // This shouldn't happen: given that ETL possibly altered the contents of `data`, it is
    // not longer reliable to use `data.Flows`.
}
ตัวอย่างที่ 2:
var userSettingsFile = SettingsFiles.LoadForUser();
var appSettingsFile = SettingsFiles.LoadForApp();
if (someCondition)
{
    userSettingsFile.Destroy();
}
userSettingsFile.ParseAndApply(); // There is a mistake here: `userSettingsFile` was maybe
                                  // destroyed. It's `appSettingsFile` which should have
                                  // been used instead.
ความเสี่ยงนี้สามารถบรรเทาได้ด้วยการแนะนำขอบเขต:
ตัวอย่างที่ 1:
// There is no `foreach`, `if` or anything like this before `{`.
{
    var data = this.InitializeData();
    if (this.IsConsistent(data, this.state))
    {
        this.ETL.Process(data);
    }
}
// ...
// A few lines later, we can't use `data.Flows`, because it doesn't exist in this scope.ตัวอย่างที่ 2:
{
    var userSettingsFile = SettingsFiles.LoadForUser();
    if (someCondition)
    {
        userSettingsFile.Destroy();
    }
}
{
    var appSettingsFile = SettingsFiles.LoadForApp();
    // `userSettingsFile` is out of scope. There is no risk to use it instead of
    // `appSettingsFile`.
}มันดูผิดหรือเปล่า? คุณจะหลีกเลี่ยงไวยากรณ์ดังกล่าวหรือไม่ เป็นการยากที่จะเข้าใจโดยผู้เริ่มต้น?