Stoic News

By Dave Kelly

Saturday, April 05, 2025

"Core Stoicism" translated into executable python code


"Core Stoicism" translated into executable python code: 


Claude:

Here's an executable Python implementation of the expanded Stoic philosophy: 


```python

class CoreStoicism:

    def __init__(self):

        # Initial beliefs and state

        self.beliefs = {

            "happiness_is_desired": True,

            "complete_happiness_possible": None,  # To be proven

            "virtue_is_good": True,

            "vice_is_evil": True,

            "universe_is_as_it_should_be": True

        }

        

        # Categories of things

        self.things = {

            "in_our_control": ["beliefs", "will", "judgments", "virtue", "vice"],

            "out_of_our_control": ["external_outcomes", "others_actions", "wealth", "fame", "health"]

        }

        

        # Appropriate aims vs objects of desire

        self.appropriate_aims = ["life", "health", "knowledge", "justice", "truth"]

        self.current_desires = []

        self.current_aims = []

        

    def theorem_1(self):

        """Everyone wants happiness."""

        return True

    

    def theorem_2(self, wants_happiness, complete_happiness_possible):

        """It's irrational to accept incomplete happiness if complete happiness is possible."""

        if wants_happiness and complete_happiness_possible:

            return "irrational to accept incomplete happiness"

        return "not irrational to accept incomplete happiness"

    

    def theorem_3(self, desires, outcomes):

        """Unhappiness is caused by unmet desires."""

        unhappiness = 0

        for desire in desires:

            if desire not in outcomes:

                unhappiness += 1

        return unhappiness

    

    def theorem_4(self, desires):

        """Calculate probability of happiness based on control over desired things."""

        uncontrollable_desires = [d for d in desires if d in self.things["out_of_our_control"]]

        if not desires:

            return 1.0  # No desires means no chance of unhappiness

        if uncontrollable_desires:

            # Probability decreases exponentially with number of uncontrollable desires

            return max(0, 1 - 0.5**len(uncontrollable_desires))

        return 1.0  # All desires are controllable

    

    def theorem_5(self, desires_out_of_control):

        """Desiring things out of control is irrational if complete happiness is possible."""

        if desires_out_of_control and self.beliefs["complete_happiness_possible"]:

            return "irrational"

        return "not necessarily irrational"

    

    def theorem_6(self):

        """Only beliefs, will, and their entailments are in our control."""

        return self.things["in_our_control"]

    

    def theorem_7(self, belief_good, belief_evil):

        """Desires are caused by judgments about good and evil."""

        desires = []

        if belief_good:

            desires.append(belief_good)

        if belief_evil:

            desires.append(f"avoid_{belief_evil}")

        return desires

    

    def theorem_8(self):

        """Desires are in our control (because they follow from judgments)."""

        return "judgments" in self.theorem_6()

    

    def theorem_9(self):

        """Desiring externals is irrational."""

        desires_controllable = self.theorem_8()

        if desires_controllable and self.beliefs["complete_happiness_possible"]:

            return "desiring externals is irrational"

        return "premise failure"

    

    def theorem_10(self):

        """Only virtue is good, only vice is evil."""

        return {"good": ["virtue"], "evil": ["vice"]}

    

    def theorem_11(self):

        """Virtue and vice are in our control."""

        values = self.theorem_10()

        for category in values.values():

            for value in category:

                if value not in self.things["in_our_control"]:

                    return False

        return True

    

    def theorem_12(self):

        """Things not in our control (externals) are never good or evil."""

        externals = self.things["out_of_our_control"]

        values = self.theorem_10()

        

        for external in externals:

            if external in values["good"] or external in values["evil"]:

                return False

        return True

    

    def theorem_13(self):

        """Desiring externals is irrational as it involves false judgment."""

        if self.theorem_12():

            return "desiring externals involves false judgment"

        return "premise failure"

    

    def theorem_14(self):

        """Valuing only virtue leads to true judgment and immunity to unhappiness."""

        if self.theorem_10()["good"] == ["virtue"] and self.theorem_11():

            return "immunity to unhappiness"

        return "premise failure"

    

    def theorem_15(self):

        """True judgment that virtue is good creates desire for virtue."""

        if self.beliefs["virtue_is_good"]:

            return "desire for virtue"

        return "no desire for virtue"

    

    def theorem_16(self, desire, outcome):

        """Fulfilled desires yield positive feelings."""

        if desire and desire == outcome:

            return "positive feeling"

        return "no positive feeling"

    

    def theorem_17(self):

        """Correct judgment and will lead to appropriate positive feelings."""

        if self.theorem_15() == "desire for virtue" and "virtue" in self.things["in_our_control"]:

            return "appropriate positive feelings"

        return "no appropriate positive feelings"

    

    def theorem_18(self):

        """Some positive feelings don't result from judgments about value."""

        return ["taste of good food", "beautiful sunset", "pleasant sound"]

    

    def theorem_19(self):

        """Non-judgment positive feelings are not irrational."""

        natural_positives = self.theorem_18()

        return f"These are not irrational: {natural_positives}"

    

    def theorem_20(self):

        """The universe is governed by Nature/Providence/God."""

        return "universe is governed by providence"

    

    def theorem_21(self):

        """That which is governed by Providence is as it should be."""

        if self.theorem_20():

            return "world is as it should be"

        return "world may not be as it should be"

    

    def theorem_22(self):

        """Regarding the world as it should be creates positive feelings."""

        if self.theorem_21() == "world is as it should be":

            return "positive feelings from world-acceptance"

        return "no positive feelings from world-acceptance"

    

    def theorem_23(self):

        """The Stoic has three sources of positive feelings."""

        positive_sources = []

        

        if self.theorem_17() == "appropriate positive feelings":

            positive_sources.append("appreciation of virtue")

        

        positive_sources.append("physical pleasures")

        

        if self.theorem_22() == "positive feelings from world-acceptance":

            positive_sources.append("appreciation of world as it is")

            

        return positive_sources

    

    def theorem_24(self):

        """Acts of will must have content/aims."""

        return "acts of will require content"

    

    def theorem_25(self):

        """Some things are appropriate objects to aim at though not good."""

        return "appropriate aims exist"

    

    def theorem_26(self):

        """Appropriate aims include life, health, knowledge, etc."""

        return self.appropriate_aims

    

    def theorem_27(self):

        """Virtue is rational will, vice is irrational will."""

        return {"virtue": "rational will", "vice": "irrational will"}

    

    def theorem_28(self):

        """Acts aimed at external objects of desire are not virtuous."""

        externals = self.things["out_of_our_control"]

        return f"Pursuing these is not virtuous: {externals}"

    

    def theorem_29(self):

        """Virtue pursues appropriate aims, not objects of desire."""

        return {

            "virtuous_pursuit": self.appropriate_aims,

            "results_in": "positive feelings without unhappiness risk"

        }

    

    def complete_argument(self):

        """Tie all threads together to prove complete happiness is possible."""

        # First, establish that complete happiness is possible

        correct_judgment = {

            "virtue_is_only_good": True,

            "externals_neither_good_nor_evil": True

        }

        

        if self.theorem_8() and self.theorem_11() and self.theorem_12():

            self.beliefs["complete_happiness_possible"] = True

        

        positive_feelings = []

        if self.beliefs["complete_happiness_possible"]:

            positive_feelings = self.theorem_23()

        

        return {

            "complete_happiness_possible": self.beliefs["complete_happiness_possible"],

            "requires": "correct judgment",

            "leads_to": "virtuous action",

            "results_in": positive_feelings,

            "conclusion": "Complete happiness is in our control through correct judgment"

        }

    

    def apply_to_life(self, situation):

        """Apply Stoic principles to a real-life situation."""

        # Analyze the situation

        externals = [x for x in situation if x in self.things["out_of_our_control"]]

        controllables = [x for x in situation if x in self.things["in_our_control"]]

        appropriate_aims = [x for x in situation if x in self.appropriate_aims]

        

        response = {

            "focus_on": controllables + appropriate_aims,

            "be_indifferent_to": externals,

            "recognize_as_it_should_be": externals,

            "expected_outcome": "tranquility and appropriate positive feelings"

        }

        

        return response 


# Demonstration

stoic = CoreStoicism() 


# Test the complete argument

result = stoic.complete_argument()

print("Complete Stoic Argument:")

for key, value in result.items():

    print(f"{key}: {value}") 


# Apply to a life situation

print("\nApplying Stoicism to life situation:")

situation = ["wealth", "health", "beliefs", "will", "knowledge"]

application = stoic.apply_to_life(situation)

for key, value in application.items():

    print(f"{key}: {value}")

``` 


## Possible Uses for This Code: 


1. **Personal Development Application**: 

   - Build a Stoic mindset training app that helps users identify what's in their control vs. what isn't

   - Create daily exercises to practice Stoic principles in real-life situations

   - Develop a journaling system that applies Stoic analysis to personal experiences 


2. **Decision-Making Framework**:

   - Use as a structured approach to evaluate decisions based on Stoic principles

   - Implement as part of a larger decision support system that helps identify "appropriate aims" vs. externals

   - Create a tool for ethical reasoning that distinguishes between virtue and non-virtue based decisions 


3. **Educational Tool**:

   - Serve as an interactive lesson for philosophy students to understand Stoic reasoning

   - Build a simulator that shows consequences of different judgments and desires

   - Create visualizations of the logical structure of Stoic philosophy 


4. **Therapeutic Application**:

   - Support cognitive behavioral therapy approaches that align with Stoic principles

   - Help people reframe anxieties and frustrations by identifying what's in/out of their control

   - Provide structured exercises for developing emotional resilience 


5. **Research Platform**:

   - Allow formal testing of Stoic philosophical claims

   - Extend to compare with othe philosophical systems (Epicureanism, Buddhism, etc.)

   - Create simulated agents that follow Stoic principles to observe emergent behaviors 


6. **Daily Practice Guide**:

   - Generate Stoic meditations and reflections tailored to specific situations

   - Create a system for tracking progress in aligning desires with Stoic principles

   - Build a recommendation engine for Stoic practices based on personal challenges 


This code could be expanded with a user interface, more robust situation analysis, and practical exercises to make it a truly useful tool for applying Stoic philosophy to modern life.

Philosophical argument into executable logic:

 Translate this to executable python code: 


"Section One: Preliminaries

Th 1) Everyone wants happiness.

Th 2) If you want happiness, it would be irrational

to accept incomplete or imperfect happiness

if you could get complete [continual, uninterrupted]

happiness.

2*) Complete happiness is possible. [To be proven

below [see "Core Stoicism"].] 


Section Two: Negative Happiness

Th 3) All human unhappiness is caused by having

a desire or emotional commitment [I will henceforth

say "desire" for simplicity] to some outcome,

and then that outcome does not result. 


4) Ergo, if you desire something which is out

of your control, you will be subject to possible

unhappiness. If you desire many things out

of your control, the possibility of complete happiness

approaches zero.

5) By 4, 2*, and Th2, desiring things out of your

control is irrational [if it is possible to control your

desires]. 


Th 6) The only things in our control are our

beliefs and will, and anything entailed by our

beliefs and will.

Th 7) Desire[s] are caused by beliefs (judgments)

about good and evil. [You desire what you judge

to be good, and desire to avoid what you judge to

be evil.]

8) Ergo, Desires are in our control.

9) By 5 and 8, desiring things out of our control

is irrational" (Grant C. Sterling).


Claude:

Here's the Python code that translates this philosophical argument into executable logic: 


```python

class StoicArgument:

    def __init__(self):

        # Initial state of beliefs

        self.beliefs = {

            "happiness_is_desired": True,

            "complete_happiness_possible": True,

            "desires_in_our_control": True

        }

        

        # Things that might be desired

        self.possible_desires = {

            "external_things": {"in_our_control": False},

            "beliefs_and_will": {"in_our_control": True}

        }

        

    def theorem_1(self):

        """Everyone wants happiness."""

        return True

    

    def theorem_2(self, wants_happiness, complete_happiness_possible):

        """If you want happiness, it would be irrational to accept incomplete happiness

        if complete happiness is possible."""

        return wants_happiness and complete_happiness_possible

    

    def theorem_3(self, desire, outcome_achieved):

        """Unhappiness is caused by having a desire for an outcome that doesn't result."""

        if desire and not outcome_achieved:

            return "unhappy"

        return "not unhappy"

    

    def theorem_4(self, desires_out_of_control):

        """If you desire things out of your control, complete happiness becomes impossible."""

        if desires_out_of_control:

            probability_of_happiness = 0

            return probability_of_happiness

        else:

            probability_of_happiness = 1

            return probability_of_happiness

    

    def theorem_5(self, desires_out_of_control, complete_happiness_possible, wants_happiness):

        """Desiring things out of control is irrational if happiness is possible & desired."""

        if desires_out_of_control and complete_happiness_possible and wants_happiness:

            return "irrational"

        return "not necessarily irrational"

    

    def theorem_6(self):

        """Only beliefs and will are in our control."""

        things_in_control = ["beliefs", "will"]

        return things_in_control

    

    def theorem_7(self, beliefs_about_good):

        """Desires are caused by beliefs/judgments about good and evil."""

        if beliefs_about_good:

            return "desire formed"

        else:

            return "no desire"

    

    def theorem_8(self):

        """Desires are in our control (because they're caused by beliefs, which are in our control)."""

        if self.theorem_7("belief_present") == "desire formed" and "beliefs" in self.theorem_6():

            return True

        return False

    

    def theorem_9(self):

        """Desiring things out of our control is irrational."""

        desires_in_control = self.theorem_8()

        complete_happiness_possible = self.beliefs["complete_happiness_possible"]

        wants_happiness = self.theorem_1()

        

        if desires_in_control:

            return self.theorem_5(True, complete_happiness_possible, wants_happiness)

        else:

            return "premise failure"

    

    def core_stoicism(self):

        """Complete happiness is possible by controlling desires."""

        # Step 1: Verify that desires are in our control

        if not self.theorem_8():

            return "Stoic happiness impossible: desires not in our control"

        

        # Step 2: Focus only on desires within our control

        rational_desires = {}

        for desire_type, properties in self.possible_desires.items():

            if properties["in_our_control"]:

                rational_desires[desire_type] = properties

        

        # Step 3: Calculate happiness probability with only rational desires

        if rational_desires:

            happiness_probability = 1  # 100% if only desiring things in our control

        else:

            happiness_probability = 0

            

        # Prove theorem 2*

        self.beliefs["complete_happiness_possible"] = (happiness_probability == 1)

        

        return {

            "rational_desires": list(rational_desires.keys()),

            "happiness_probability": happiness_probability,

            "complete_happiness_possible": self.beliefs["complete_happiness_possible"]

        } 


# Test the Stoic argument

stoic = StoicArgument() 


# Test core stoicism (which proves theorem 2*)

core_result = stoic.core_stoicism()

print("Core Stoic Result:", core_result) 


# Test the complete chain of reasoning

print("\nComplete Stoic Argument:")

print(f"Theorem 1: Everyone wants happiness - {stoic.theorem_1()}")

print(f"Theorem 2*: Complete happiness is possible - {stoic.beliefs['complete_happiness_possible']}")

print(f"Theorem 3 example: Having unfulfilled desire leads to - {stoic.theorem_3(True, False)}")

print(f"Theorem 4: Probability of happiness with external desires - {stoic.theorem_4(True)}")

print(f"Theorem 5: Desiring external things is - {stoic.theorem_5(True, True, True)}")

print(f"Theorem 6: Things in our control - {stoic.theorem_6()}")

print(f"Theorem 7: With beliefs about good, result is - {stoic.theorem_7(True)}")

print(f"Theorem 8: Desires are in our control - {stoic.theorem_8()}")

print(f"Theorem 9: Desiring externals is - {stoic.theorem_9()}") 


# Final conclusion

if stoic.theorem_9() == "irrational" and stoic.beliefs["complete_happiness_possible"]:

    print("\nConclusion: The Stoic position is logically coherent.")

    print("For complete happiness: desire only what is in your control (beliefs and will).")

else:

    print("\nConclusion: The argument has logical gaps.")

``` 


This code implements the Stoic argument as a class with methods representing each theorem. It allows you to trace through the logical flow described in the original text, testing each step and evaluating the conclusion.


Explain the conclusion?


Claude:

The conclusion of the code evaluates the final Stoic argument and checks whether two key conditions are met: 


1. `stoic.theorem_9() == "irrational"` - This checks whether desiring things outside our control is truly irrational according to the chain of reasoning. 


2. `stoic.beliefs["complete_happiness_possible"]` - This checks whether complete happiness has been proven possible. 


If both conditions are true, the code prints the conclusion: "The Stoic position is logically coherent" along with the practical advice that "For complete happiness: desire only what is in your control (beliefs and will)." 


This represents the core Stoic philosophical position:

- Complete happiness is attainable

- This happiness comes from aligning our desires with what we can actually control

- Since we only control our own beliefs and will (internal states), we should limit our desires to these domains

- Desiring external outcomes (which we cannot control) leads to unhappiness 


The conclusion essentially validates the Stoic ethical framework by showing it follows logically from the premises. If you desire happiness (which all humans do), and you want complete rather than partial happiness (which is rational), then you should only desire what you can control - your own judgments, beliefs, and will. 


This aligns with the famous Stoic principle attributed to Epictetus: "Make the best use of what is in your power, and take the rest as it happens."

ection One: Preliminaries

Th 1) Everyone wants happiness.

Th 2) If you want happiness, it would be irrational

to accept incomplete or imperfect happiness

if you could get complete [continual, uninterrupted]

happiness.

2*) Complete happiness is possible. [To be proven

below [see "Core Stoicism"].] 


Section Two: Negative Happiness

Th 3) All human unhappiness is caused by having

a desire or emotional commitment [I will henceforth

say "desire" for simplicity] to some outcome,

and then that outcome does not result. 


4) Ergo, if you desire something which is out

of your control, you will be subject to possible

unhappiness. If you desire many things out

of your control, the possibility of complete happiness

approaches zero.

5) By 4, 2*, and Th2, desiring things out of your

control is irrational [if it is possible to control your

desires]. 


Th 6) The only things in our control are our

beliefs and will, and anything entailed by our

beliefs and will.

Th 7) Desire[s] are caused by beliefs (judgments)

about good and evil. [You desire what you judge

to be good, and desire to avoid what you judge to

be evil.]

8) Ergo, Desires are in our control.

9) By 5 and 8, desiring things out of our control

is irrational.


Claude:

Here's the Python code that translates this philosophical argument into executable logic: 


```python

class StoicArgument:

    def __init__(self):

        # Initial state of beliefs

        self.beliefs = {

            "happiness_is_desired": True,

            "complete_happiness_possible": True,

            "desires_in_our_control": True

        }

        

        # Things that might be desired

        self.possible_desires = {

            "external_things": {"in_our_control": False},

            "beliefs_and_will": {"in_our_control": True}

        }

        

    def theorem_1(self):

        """Everyone wants happiness."""

        return True

    

    def theorem_2(self, wants_happiness, complete_happiness_possible):

        """If you want happiness, it would be irrational to accept incomplete happiness

        if complete happiness is possible."""

        return wants_happiness and complete_happiness_possible

    

    def theorem_3(self, desire, outcome_achieved):

        """Unhappiness is caused by having a desire for an outcome that doesn't result."""

        if desire and not outcome_achieved:

            return "unhappy"

        return "not unhappy"

    

    def theorem_4(self, desires_out_of_control):

        """If you desire things out of your control, complete happiness becomes impossible."""

        if desires_out_of_control:

            probability_of_happiness = 0

            return probability_of_happiness

        else:

            probability_of_happiness = 1

            return probability_of_happiness

    

    def theorem_5(self, desires_out_of_control, complete_happiness_possible, wants_happiness):

        """Desiring things out of control is irrational if happiness is possible & desired."""

        if desires_out_of_control and complete_happiness_possible and wants_happiness:

            return "irrational"

        return "not necessarily irrational"

    

    def theorem_6(self):

        """Only beliefs and will are in our control."""

        things_in_control = ["beliefs", "will"]

        return things_in_control

    

    def theorem_7(self, beliefs_about_good):

        """Desires are caused by beliefs/judgments about good and evil."""

        if beliefs_about_good:

            return "desire formed"

        else:

            return "no desire"

    

    def theorem_8(self):

        """Desires are in our control (because they're caused by beliefs, which are in our control)."""

        if self.theorem_7("belief_present") == "desire formed" and "beliefs" in self.theorem_6():

            return True

        return False

    

    def theorem_9(self):

        """Desiring things out of our control is irrational."""

        desires_in_control = self.theorem_8()

        complete_happiness_possible = self.beliefs["complete_happiness_possible"]

        wants_happiness = self.theorem_1()

        

        if desires_in_control:

            return self.theorem_5(True, complete_happiness_possible, wants_happiness)

        else:

            return "premise failure"

    

    def core_stoicism(self):

        """Complete happiness is possible by controlling desires."""

        # Step 1: Verify that desires are in our control

        if not self.theorem_8():

            return "Stoic happiness impossible: desires not in our control"

        

        # Step 2: Focus only on desires within our control

        rational_desires = {}

        for desire_type, properties in self.possible_desires.items():

            if properties["in_our_control"]:

                rational_desires[desire_type] = properties

        

        # Step 3: Calculate happiness probability with only rational desires

        if rational_desires:

            happiness_probability = 1  # 100% if only desiring things in our control

        else:

            happiness_probability = 0

            

        # Prove theorem 2*

        self.beliefs["complete_happiness_possible"] = (happiness_probability == 1)

        

        return {

            "rational_desires": list(rational_desires.keys()),

            "happiness_probability": happiness_probability,

            "complete_happiness_possible": self.beliefs["complete_happiness_possible"]

        } 


# Test the Stoic argument

stoic = StoicArgument() 


# Test core stoicism (which proves theorem 2*)

core_result = stoic.core_stoicism()

print("Core Stoic Result:", core_result) 


# Test the complete chain of reasoning

print("\nComplete Stoic Argument:")

print(f"Theorem 1: Everyone wants happiness - {stoic.theorem_1()}")

print(f"Theorem 2*: Complete happiness is possible - {stoic.beliefs['complete_happiness_possible']}")

print(f"Theorem 3 example: Having unfulfilled desire leads to - {stoic.theorem_3(True, False)}")

print(f"Theorem 4: Probability of happiness with external desires - {stoic.theorem_4(True)}")

print(f"Theorem 5: Desiring external things is - {stoic.theorem_5(True, True, True)}")

print(f"Theorem 6: Things in our control - {stoic.theorem_6()}")

print(f"Theorem 7: With beliefs about good, result is - {stoic.theorem_7(True)}")

print(f"Theorem 8: Desires are in our control - {stoic.theorem_8()}")

print(f"Theorem 9: Desiring externals is - {stoic.theorem_9()}") 


# Final conclusion

if stoic.theorem_9() == "irrational" and stoic.beliefs["complete_happiness_possible"]:

    print("\nConclusion: The Stoic position is logically coherent.")

    print("For complete happiness: desire only what is in your control (beliefs and will).")

else:

    print("\nConclusion: The argument has logical gaps.")

``` 


This code implements the Stoic argument as a class with methods representing each theorem. It allows you to trace through the logical flow described in the original text, testing each step and evaluating the conclusion.


Explain the conclusion?


Claude:

The conclusion of the code evaluates the final Stoic argument and checks whether two key conditions are met: 


1. `stoic.theorem_9() == "irrational"` - This checks whether desiring things outside our control is truly irrational according to the chain of reasoning. 


2. `stoic.beliefs["complete_happiness_possible"]` - This checks whether complete happiness has been proven possible. 


If both conditions are true, the code prints the conclusion: "The Stoic position is logically coherent" along with the practical advice that "For complete happiness: desire only what is in your control (beliefs and will)." 


This represents the core Stoic philosophical position:

- Complete happiness is attainable

- This happiness comes from aligning our desires with what we can actually control

- Since we only control our own beliefs and will (internal states), we should limit our desires to these domains

- Desiring external outcomes (which we cannot control) leads to unhappiness 


The conclusion essentially validates the Stoic ethical framework by showing it follows logically from the premises. If you desire happiness (which all humans do), and you want complete rather than partial happiness (which is rational), then you should only desire what you can control - your own judgments, beliefs, and will. 


This aligns with the famous Stoic principle attributed to Epictetus: "Make the best use of what is in your power, and take the rest as it happens."

Saturday, March 08, 2025

7-Step Model of Stoic Practice

 

A revised 7-Step model of Stoic practice. Numbers headed by "Th" are from Sections 1, 2 and 4 of "Core Stoicism." The other numbers are principles of the "Logical Structure of Stoic ." Update: referrences to relevant Enchiridion sections within the first five look like this: [1].


Claude:

I'll synthesize the provided text, "Discipline of Assent," with Step 4 of the revised 7-Step model and update the model accordingly. 


# Revised 7-Step Model of Stoic Practice 


## Step 1: Recognize the Nature of Impressions

* **Logical Basis**: Externals are not in our control (4), and emotions arise from beliefs about external values (9). [1] [5]

* **Practice**: Become aware that your mind constantly receives impressions from the world. Notice when an impression contains an automatic value judgment that triggers an emotional response. Recognize that these impressions are not objective truths but merely appearances. [5]


## Step 2: Apply the Dichotomy of Control

* **Logical Basis**: We control virtue (2) and we control our joy (3); everything else is beyond our control (4). [1]

* **Practice**: Clearly distinguish between what is within your control (your judgments and voluntary actions) and what is not (external events, others' behavior, physical circumstances). Direct your attention solely to what you can control. [5] [4] [1]


## Step 3: Apply the Discipline of Desire (Conscious Evaluation)

* **Logical Basis**: All unhappiness comes from desiring things outside our control (Th 3, 4); only virtue is good, only vice is evil (Th 10, 12). [2] 

* **Practice**: Examine your desires carefully. Ask: "Am I desiring something outside my control?" "Am I judging externals as good or evil?" Remember that desiring externals is irrational (Th 9, 13) since they're neither good nor evil (7, 8). Challenge the judgment that triggered your desire or aversion by recognizing that externals have no inherent value. [1-5]


## Step 4: Apply the Discipline of Assent (The Critical Moment of Assent)

* **Logical Basis**: Emotions follow from our beliefs about external values (9); choosing whether to assent to impressions is the fundamental act within our control; we control our beliefs (TH 6, 7, 8). [5] [1]

* **Practice**: Recognize the critical moment of assent—the point where you either accept or reject an impression. Remember that if you assent to an impression with a value component, a desire or emotion will follow; if you withhold assent, nothing happens. Practice consciously withholding assent from impressions that attribute goodness or badness to externals. This is not merely passive rejection, but an active cognitive choice. Be aware that while assent often happens automatically, you always have the power to question impressions before accepting them as true. 


## Step 5: Apply the  Discipline of Action (Formulate Alternative Impressions)

* **Logical Basis**: Virtue consists in rational acts of will aimed at appropriate objects (Th 24-27, 29); external results are not the measure of virtuous action (28). [4] [5]

* **Practice**: Reframe the situation to focus on appropriate objects at which to aim (Th 25, 26)—like health, knowledge, justice, truth-telling—while remaining indifferent to outcomes. Replace desire-based thinking with duty-based thinking Ask: "What virtuous action does this situation call for?" Focus on the appropriate aim rather than the external outcome. [2]


## Step 6: Focus on Virtuous Action

* **Logical Basis**: Human flourishing comes from virtue and joy (1); virtue consists of rational acts of will (Th 27).

* **Practice**: Act according to virtue, focusing on the quality of your intentions and actions rather than their results. Perform your duty with excellence regardless of outcome. This will produce good feelings (Th 15-17, 29) without attachment to results. [1] [5]


## Step 7: Character Development Through Consistent Practice

* **Logical Basis**: Practicing virtue removes belief in external values (12, 13); complete happiness comes from valuing only virtue (14). [3] [2]

* **Practice**: Undetrstand that through consistent practice of proper assent, your character gradually transforms. When you correctly withhold assent from false value impressions, those impressions become less frequent and weaker over time. When you assent to true impressions about virtue and indifferents, these become stronger and more automatic. Through this process, you progress toward the Stoic ideal where false value impressions no longer arise spontaneously, and virtuous judgment becomes second nature. 

This revised model now incorporates the crucial understanding that assent is the fundamental act within our control, and that character development happens through the consistent practice of proper assent. Step 4 has been expanded to emphasize the criticality of the assent decision, while Step 7 has been updated to reflect how this practice transforms character over time. [5]


Discipline of Desire

 

Discipline of Desire


Section One: Preliminaries
Th 1) Everyone wants happiness.

Th 2) If you want happiness, it would be irrational
to accept incomplete or imperfect happiness
if you could get complete [continual, uninterrupted]
happiness.
2*) Complete happiness is possible. [To be proven
below.]

Section Two: Negative Happiness
Th 3) All human unhappiness is caused by having
a desire or emotional commitment [I will henceforth
say "desire" for simplicity] to some outcome,
and then that outcome does not result.

4) Ergo, if you desire something which is out
of your control, you will be subject to possible
unhappiness. If you desire many things out
of your control, the possibility of complete happiness
approaches zero.
5) By 4, 2*, and Th2, desiring things out of your
control is irrational [if it is possible to control your
desires].

Th 6) The only things in our control are our
beliefs and will, and anything entailed by our
beliefs and will.
Th 7) Desires are caused by beliefs (judgments)
about good and evil. [You desire what you judge
to be good, and desire to avoid what you judge to
be evil.]
8) Ergo, Desires are in our control.
9) By 5 and 8, desiring things out of our control
is irrational.

Th 10) The only thing actually good is virtue, the
only thing actually evil is vice.
11) Ergo, since virtue and vice are types of acts
of will, they are in our control.
12) Ergo, things that are not in our control [externals] are
never good or evil.
13) [cf 9, above] Desiring things out of our control is
irrational, since it involves false judgment.

14) Ergo, if we value only virtue, we will both judge truly and be immune to all unhappiness.

Core Stoicism

The Logical Structure of Stoic Ethics:

 

The Logical Structure of Stoic Ethics: 


1. Human flourishing consists in virtue and joy

2. Virtue is in our control

3. Joy is in our control

4. External things are not in our control

5. Virtue is good

6. Vice is evil

7. External things are not good

8. External things are not evil

9. Emotions occur if and only if we believe external things have value

10. External things have no value

11. Without believing external things have value, there are no emotions

12. Virtue leads to not believing external things have value

13. Joy leads to not believing external things have value

14. Therefore, human flourishing consists in not believing external things have value and virtue

Derived from:

Nine excerpts and full texts about Stoicism from Grant C. Sterling

Tuesday, March 04, 2025

Implementing the Logical Structure of Stoic Ethics in the First Five Chapters of Epictetus' Enchiridion

 

Implementing the Logical Structure of Stoic Ethics Found in the First Five Chapters of Epictetus' Enchiridion


The Logical Structure of Stoic Ethics 


1. Human flourishing consists in virtue and joy

2. Virtue is in our control

3. Joy is in our control

4. External things are not in our control

5. Virtue is good

6. Vice is evil

7. External things are not good

8. External things are not evil

9. Emotions occur if and only if we believe external things have value

10. External things have no value

11. Without believing external things have value, there are no emotions

12. Virtue leads to not believing external things have value

13. Joy leads to not believing external things have value

14. Therefore, human flourishing consists in not believing external things have value and virtue


Claude:

# The Integrated Stoic Practice of Making Correct Use of Impressions 


Here's the integrated practice with explicit connections to the logical ethical principles: 


## Preparatory Understanding

- Recognize that human flourishing consists in virtue and joy *(Principle 1)*⁸ 


1. Human flourishing consists in virtue and joy 


- Understand that virtue and joy are within your control *(Principles 2 & 3)* 


2. Virtue is in our control

3. Joy is in our controlĺ 


- Accept that external things are neither good nor evil in themselves *(Principles 7 & 8)* 


7. External things are not good

8. External things are not evil


## The Integrated Practice 


1. **Encounter an Impression**

   - When faced with any situation, person, or object, pause and recognize: "This is an impression"

   - *This connects to Principle 9: emotions occur if and only if we believe external things have value* 


9. Emotions occur if and only if we believe external things have value


2. **Apply the Dichotomy of Control** [E.1]

   - Ask: "Is this within my control or outside my control?" *(Addresses Principles 2, 3, & 4)* 


2. Virtue is in our control

3. Joy is in our control

4. External things are not in our control 


   - Classify clearly: opinions, judgments, and choices (internal) vs. events, others' actions, and material things (external)

   - *This reinforces Principle 4: external things are not in our control* 


4. External things are not in our control 


Enchiridion 1 and the Logical Structure of Stoic Ethics



3. **Examine Your Judgments** [E.5]

   - Recognize that your disturbance comes not from the thing itself but from your judgment about it

   - Say to yourself: "It is my judgment about this that disturbs me, not the thing itself"

   - *This applies Principle 10 external things have no value* 


10. External things have no value 


   - Question: "Am I assigning value to an external thing that has no intrinsic value?" *(Directly addresses Principle 9)* 


9. Emotions occur if and only if we believe external things have value 


Enchiridion 5 and the Logical Structure of Stoic Ethics


4. **Visualize and Prepare** [E4]

   - Before engaging, remind yourself of the true nature of what you're about to encounter

   - Mentally rehearse potential challenges and your equanimous response

   - *This strengthens Principle 11: without believing external things have value, there are no emotions* 


11. Without believing external things have value, there are no emotions 


https://www.facebook.com/share/p/16DYn3nbKD/


5. **Suspend and Redirect** [E.2]

   - Suspend immediate desire or aversion toward externals

   - Direct desire only toward virtue and proper judgment *(Applying Principle 5: virtue is good)* 


5. Virtue is good 


   - Apply aversion only to false judgments *(Applying Principle 6: vice is evil)* 


6. Vice is evil 


https://www.facebook.com/share/p/15uEPHEUrQ/


6. **Reaffirm True Value** [E.3]

   - Remind yourself: "Virtue alone is good, vice alone is evil, all else is indifferent" *(Directly stating Principles 5, 6, 7, & 8)* 


5. Virtue is good

6. Vice is evil

7. External things are not good

8. External things are not evil 


   - For valued possessions, rehearse their potential loss with equanimity 


   - *This practice embodies Principles 12 & 13: virtue and joy lead to not believing external things have value* 


12. Virtue leads to not believing external things have value

13. Joy leads to not believing external things have value 


Through consistent application of this practice, you align yourself with the ultimate Stoic conclusion *(Principle 14)*: human flourishing consists in not believing external things have value and in pursuing virtue. 


14. Therefore, human flourishing consists in not believing external things have value and virtue 


https://www.facebook.com/share/p/1DfbwQ4812/

Tuesday, February 25, 2025

The Integrated Stoic Practice of Making Correct Use of Impressions

 

**The Logical Structure of Stoic Ethics**

The Stoic View: Changing False Judgments to Eliminate Emotions 

1. Human flourishing consists in virtue and joy

2. Virtue is in our control

3. Joy is in our control

4. External things are not in our control

5. Virtue is good

6. Vice is evil

7. External things are not good

8. External things are not evil

9. Emotions occur if and only if we believe external things have value

10. External things have no value

11. Without believing external things have value, there are no emotions

12. Virtue leads to not believing external things have value

13. Joy leads to not believing external things have value

14. Therefore, human flourishing consists in not believing external things have value and virtue



# The Integrated Stoic Practice of Making Correct Use of Impressions


## Preparatory Understanding

- Recognize that human flourishing consists in virtue and joy *(Principle 1)*

- Understand that virtue and joy are within your control *(Principles 2 & 3)*

- Accept that external things are neither good nor evil in themselves *(Principles 7 & 8)*


## The Integrated Practice


1. **Encounter an Impression**

   - When faced with any situation, person, or object, pause and recognize: "This is an impression"

   - *This connects to Principle 9: emotions occur if and only if we believe external things have value*


2. **Apply the Dichotomy of Control** [E.1]

   - Ask: "Is this within my control or outside my control?" *(Addresses Principles 2, 3, & 4)*

   - Classify clearly: opinions, judgments, and choices (internal) vs. events, others' actions, and material things (external)

   - *This reinforces Principle 4: external things are not in our control*


3. **Examine Your Judgments** [E.5]

   - Recognize that your disturbance comes not from the thing itself but from your judgment about it

   - Say to yourself: "It is my judgment about this that disturbs me, not the thing itself"

   - *This applies Principle 10: external things have no value*

   - Question: "Am I assigning value to an external thing that has no intrinsic value?" *(Directly addresses Principle 9)*


4. **Visualize and Prepare** [E.4]

   - Before engaging, remind yourself of the true nature of what you're about to encounter

   - Mentally rehearse potential challenges and your equanimous response

   - *This strengthens Principle 11: without believing external things have value, there are no emotions*


5. **Suspend and Redirect** [E.2]

   - Suspend immediate desire or aversion toward externals

   - Direct desire only toward virtue and proper judgment *(Applying Principle 5: virtue is good)*

   - Apply aversion only to false judgments *(Applying Principle 6: vice is evil)*


6. **Reaffirm True Value** [E.3]

   - Remind yourself: "Virtue alone is good, vice alone is evil, all else is indifferent" *(Directly stating Principles 5, 6, 7, & 8)*

   - For valued possessions, rehearse their potential loss with equanimity

   - *This practice embodies Principles 12 & 13: virtue and joy lead to not believing external things have value*


Through consistent application of this practice, you align yourself with the ultimate Stoic conclusion *(Principle 14)*: human flourishing consists in not believing external things have value and in pursuing virtue.


Stoicism for Monotheists: Integrated Stoic Practice of Making Correct Use of Impressions



Saturday, February 15, 2025

 


Below is a list of the basic Stoic principles, derived from select texts of Grant C. Sterling. I used Claude to generate a new "Logical Progression of Stoic Principles" from these principles. 


Here is a link to the texts from which the principles were derived: 


https://stoicnews.blogspot.com/2024/02/nine-excerpts-and-full-texts-about.html?m=1



Nine excerpts and full texts about Stoicism by Grant C. Sterling




"The Stoic View: Changing False Judgments to 

Eliminate Emotions" 


1. Human flourishing consists in virtue and joy

2. Virtue is in our control

3. Joy is in our control

4. External things are not in our control

5. Virtue is good

6. Vice is evil

7. External things are not good

8. External things are not evil

9. Emotions occur if and only if we believe external things have value

10. External things have no value

11. Without believing external things have value, there are no emotions

12. Virtue leads to not believing external things have value

13. Joy leads to not believing external things have value

14. Therefore, human flourishing consists in not believing external things have value and virtue



Claude:

I'll reconstruct the logical progression using the specific propositions from Text 2. 


# Logical Progression of Stoic Principles (Based on Text 2) 


## Foundation Layer: Control and Value

1. **The Division of Control**

   - Virtue is in our control

   - Joy is in our control

   - External things are not in our control

   - This creates the fundamental framework for all Stoic reasoning 


2. **Theory of Value**

   - Virtue is good

   - Vice is evil

   - External things are not good

   - External things are not evil

   - This establishes a complete value framework aligned with what's in our control 


## The Nature of Emotions

3. **Emotional Causation**

   - Emotions occur if and only if we believe external things have value

   - External things have no value

   - Therefore, emotions arise from false beliefs about value 


4. **Elimination of Emotions**

   - Without believing external things have value, there are no emotions

   - Both virtue and joy lead to not believing external things have value

   - This creates a path to emotional freedom 


## The Path to Human Flourishing (Eudaimonia)

5. **Components of Eudaimonia**

   - Human flourishing consists in virtue and joy

   - Both components must be present for eudaimonia

   - Both components are within our control 


6. **Final Integration**

   - Human flourishing consists in:

     - Not believing external things have value

     - Practicing virtue

   - This represents the complete achievement of the Stoic goal 


## Key Dependencies:

- The theory of control establishes what we can and cannot influence

- The theory of value builds on what we can control

- Emotional theory depends on our understanding of value

- Eudaimonia depends on correctly implementing all previous elements 


This framework differs from the original logical progression by:

- Treating joy as a co-equal component with virtue

- Placing stronger emphasis on the elimination of emotions

- Focusing more explicitly on belief about externals

- Having a more linear progression toward eudaimonia



http://stoicnews.blogspot.com/2024/02/a-representation-of-stoicism-in.html





A Representation of Stoicism in a Propositional Logic Form


Monday, February 10, 2025

Core Stoicism: Section Four: Virtue


Section Four: Virtue -- Grant C. Sterling


Th 24) In order to perform an act of will, the act of will 

must have some content.  The content is composed

of the result at which one aims.

Th 25) Some things are appropriate objects at which to

aim, although they are not genuinely good.

Th 26) Some such objects are things like life [our own,

or others'], health, pleasure, knowledge, justice, truth-

telling, etc.

Th 27) Virtue consists of rational acts of will, vice of

irrational acts of will.

28) Ergo, any act that aims at an [external] object of desire is

not virtuous, since all desires [for externals] are irrational.

29) Ergo, virtue consists of the pursuit of appropriate

objects of aim, not the pursuit of the [external] objects of our

desires . Such virtuous acts will give us good feelings

[by 17] , and since we have no desires regarding

the actual outcome, they will never produce unhappiness

for us. 


Core Stoicism

Monday, February 03, 2025

7-Step Model of Impression Management


7-Step Model of Impression Management


 The Stoic View: Changing False Judgments to Eliminate Emotions 

1. Human flourishing consists in virtue and joy

2. Virtue is in our control

3. Joy is in our control

4. External things are not in our control

5. Virtue is good

6. Vice is evil

7. External things are not good

8. External things are not evil

9. Emotions occur if and only if we believe external things have value

10. External things have no value

11. Without believing external things have value, there are no emotions

12. Virtue leads to not believing external things have value

13. Joy leads to not believing external things have value

14. Therefore, human flourishing consists in not believing external things have value and virtue 


A Representation of Stoicism in a Propositional Logic Form


### Step 1: Recognize the Nature of Impressions 

**Logical Basis**: 'externals are not in our control' and 'emotions arise from beliefs about external values' 

- Initial impressions are cognitive propositions, not raw sensory data 

- They often contain implicit value judgments about externals 

- These align with premise 9: 'emotions arise from beliefs about external values' 

- Recognition phase implements 'externals are not in our control' by acknowledging our limited control 

Core philosophical insight: Our immediate reactions are thoughts laden with hidden value judgments, not objective facts. 


### Step 2: Apply Dichotomy of Control 

**Logical Basis**: 'we control virtue' and 'we control our joy' 

- Differentiates between what we can and cannot control 

- Recognizes that while impressions arise automatically, our response is controllable 

- Distinguishes between external events and our internal responses 

- Sets foundation for choosing virtuous responses 

Core philosophical insight: We cannot control events, but we can always control our interpretation and response to them. 



### Step 3: Conscious Evaluation 

**Logical Basis**: 'externals are neither inherently good nor evil' 

- Evaluates impressions against core Stoic principles 

- Tests for false value attributions to externals 

- Critically examines the underlying assumptions of our initial impression 

- Seeks to understand the true nature of the situation 

Core philosophical insight: Most of our suffering comes from incorrectly assigning value to things that are fundamentally neutral. 



### Step 4: Assent Decision 

**Logical Basis**: 'emotions follow from our beliefs about external values' 

- Recognizes how our agreement with an impression leads to emotions 

- Consciously choose whether to accept, reject, or modify the impression 

- Understand that emotional responses are not automatic but chosen 

- Take responsibility for our internal reactions 

Core philosophical insight: We have the power to decide whether an impression will disturb us emotionally. 



### Step 5: Formulate Alternative Impressions 

**Logical Basis**: 'virtue is good' and 'vice is evil' 

- Creates new propositions aligned with Stoic values 

- Reframe the situation in terms of virtue and personal growth 

- Develop a perspective that focuses on what we can learn or how we can improve 

- Shift from external judgment to internal development 

Core philosophical insight: We can always reframe a situation to focus on our potential for virtue and personal improvement. 



### Step 6: Focus on Virtuous Action 

**Logical Basis**: 'human flourishing comes from virtue and joy' 

- Translates theoretical understanding into practical action 

- Choose actions that reflect virtue and wisdom 

- Move beyond contemplation to concrete implementation 

- Align behavior with philosophical principles 

Core philosophical insight: True philosophy is not just understanding, but living out those principles in our daily actions. 



### Step 7: Reinforce Correct Judgments 

**Logical Basis**: 'practicing virtue removes belief in external values' 

- Strengthen virtuous patterns through repeated practice 

- Create a positive feedback loop for character development 

- Reflect on and learn from each application of the process 

- Build a consistent approach to handling impressions 

Core philosophical insight: Character is built through consistent, intentional practice of wise judgment.


Friday, January 31, 2025

Integrated Analysis of Stoic Framework and 7-Step Model

 

# Integrated Analysis of  Stoic Framework and 7-Step Model


## Core Logical Foundation

The fundamental Stoic proposition can be summarized as: Eudaimonia (human flourishing) is achieved through the combination of virtue and joy, both of which are within our control. This contrasts with externals, which are neither good nor evil and outside our control.

A Representation of Stoicism in Propositional Logic Form


## Integration with 7-Step Model


### Step 1: Recognize the Nature of Impressions

**Logical Basis**: ¬Control(Externals) and Emotion ↔ Belief(Value(Externals))

- Initial impressions are cognitive propositions, not raw sensory data

- They often contain implicit value judgments about externals

- These align with premise 9: emotions arise from beliefs about external values

- Recognition phase implements ¬Control(Externals) by acknowledging our limited control


### Step 2: Apply Dichotomy of Control

**Logical Basis**: Control(Virtue) and Control(Joy)

- Differentiates between what we can and cannot control

- Implements premises 2 and 3: Control(Virtue) and Control(Joy)

- Recognizes that while impressions arise automatically, our response is controllable

- Sets foundation for premise 12: Virtue → ¬Belief(Value(Externals))


### Step 3: Conscious Evaluation

**Logical Basis**: ¬Good(Externals) and ¬Evil(Externals)

- Directly applies premises 7 and 8

- Evaluates impressions against core Stoic principles

- Tests for false value attributions to externals

- Implements premise 10: ¬Value(Externals)


### Step 4: Assent Decision

**Logical Basis**: Emotion ↔ Belief(Value(Externals))

- Implements premise 9 by recognizing how assent leads to emotions

- Connects to premise 11: ¬Emotion ↔ ¬Belief(Value(Externals))

- Creates practical application of premise 13: Joy → ¬Belief(Value(Externals))

- Decision point reflects Control(Virtue) in practice


### Step 5: Formulate Alternative Impressions

**Logical Basis**: Good(Virtue) and Evil(Vice)

- Builds on premises 5 and 6

- Creates new propositions aligned with Stoic values

- Implements premise 14: Eudaimonia ↔ (¬Belief(Value(Externals)) ∧ Virtue)

- Focuses on virtue rather than externals


### Step 6: Focus on Virtuous Action

**Logical Basis**: Eudaimonia ↔ (Virtue ∧ Joy)

- Direct application of premise 1

- Translates theoretical understanding into practical action

- Implements Good(Virtue) through concrete choices

- Avoids Evil(Vice) through conscious action selection


### Step 7: Reinforce Correct Judgments

**Logical Basis**: Virtue → ¬Belief(Value(Externals))

- Completes the cycle by strengthening virtuous patterns

- Reinforces premise 12

- Creates positive feedback loop for character development

- Builds foundation for future impression management


## Character Development Integration


The framework shows how repeated application of the 7-step model leads to character development through:


1. **Progressive Refinement**

   - Each cycle strengthens correct judgments

   - Builds habitual recognition of false value attributions

   - Develops automatic virtue-focused responses


2. **Practical Implementation**

   - Moves from theoretical understanding to practical application

   - Creates concrete decision-making framework

   - Builds consistent pattern of virtuous action


3. **Emotional Management**

   - Systematically reduces emotional reactivity to externals

   - Cultivates joy through virtuous action

   - Develops sustainable emotional equilibrium


4. **Long-term Development**

   - Each cycle reinforces proper understanding

   - Strengthens capacity for correct judgment

   - Builds foundation for continued growth


This integration demonstrates how the logical framework provides the theoretical foundation for practical character development through the 7-step model, while the model offers concrete methods for implementing the philosophical principles in daily life.

7-Step Model of Impression Management

 

This seems to be something that could be useful: 


Claude:

Based on the main source text (see link below), I'll modify and elaborate on this process to more precisely reflect the Stoic understanding of impression management: 


```

Initial Impression Arrives

STEP 1: RECOGNIZE THE NATURE OF IMPRESSIONS

• Understand these are cognitive, propositional claims

• Note they are not raw sensory data but interpreted

• Notice if they contain value judgments

• Acknowledge they are initially outside our control

STEP 2: APPLY DICHOTOMY OF CONTROL

• Recognize impressions initially arise outside our control

• Understand assent is within our control

• Note that formulating new thoughts is in our control

• Remember character development is indirectly in our control

STEP 3: CONSCIOUS EVALUATION

• Hold the impression in mind without immediate assent

• Check if it assigns good/bad values to externals

• Compare against Stoic principles

• Consider duties related to your roles

STEP 4: ASSENT DECISION

• Choose to accept or reject the impression

• If rejected, nothing happens - no emotion/action follows

• If accepted and contains value judgment, desire/emotion follows

• If accepted, may lead to action impressions

STEP 5: FORMULATE ALTERNATIVE IMPRESSIONS

• Create new proposition removing value judgments about externals

• Frame external things as neither good nor evil

• Focus on what is truly in our control

• Consider opportunities for virtue

STEP 6: FOCUS ON VIRTUOUS ACTION

• Formulate action propositions based on:

  - Duties connected to life roles

  - Preferred/dispreferred indifferents

  - Opportunities for virtuous conduct

• Consider what would be truly correct in this situation

STEP 7: REINFORCE CORRECT JUDGMENTS

• When acting correctly, assent to having done good

• Experience appropriate joy from virtuous action

• Allow this to strengthen character over time

• Let this shape future impressions

``` 


Key differences from original:

- More emphasis on cognitive nature of impressions

- Clearer connection between assent and resulting emotions/actions

- Explicit focus on character development through repeated practice

- Recognition that initial impressions are outside direct control

- Greater emphasis on role of duty and virtue in action choices

- More precise understanding of how assent/rejection affects outcomes

- Clear link between current actions and future impression patterns 


This revised version more accurately reflects the text's explanation of how impressions work, the role of assent, and the long-term effects on character development. It captures the Stoic understanding that while initial impressions are not in our control, we can shape them indirectly through consistent practice of proper assent and rejection.

Making correct use of impressions

Tuesday, January 28, 2025

7-STEP PROCESS OF MAKING CORRECT USE OF IMPRESSIONS

 

Making Correct Use of Imptressions 

50 Common Impressions

7-Step Process of Making Correct Use of Impressions


This is the main source. 

Making correct use of impressions, training and character development 

By Grant C. Sterling


"I receive impressions. For the moment, let [us] take

these as being out of our control. Those impressions are

cognitive, propositional--they are not uninterpreted raw data,

but rather ideas that claim that the world is a certain way.

I do not see a collection of colors and patterns--I "see"

my backpack sitting on the chair in front of my desk. Some

of these impressions are value-neutral (as that one is--there

is nothing good or bad about my backpack being on my chair).

But other impressions have a value component. Suppose that I

remember having left my backpack on the floor when I left--

I might now have the impression "my backpack is on my chair,

which means someone has intruded on my office, which is a very

bad thing!"

As I said, for the time being we are assuming that

these impressions are not in our control. But what _is_ in our

control is how we react to them. We can assent, or not assent.

That is, we can accept that a given impression is _true_, or

reject it as unproven or false. (Rejecting it as false involves

both refusing to assent to the impression AND formulating a

new idea (the opposite of the impression) and assenting to

that.) A few minutes ago, I assented to the impression that

my backpack was on the chair. I didn't have to, but I did.

The process of assenting is cognitive (it's something

that happens in the conscious mind), but is very seldom

explicit. By that I mean that, for example, although I assented

to the impression that my backpack was on the chair, at no time

did I formulate the explicit mental thought "It seems to me that

my backpack is on the chair. Should I assent to that impression?

yes, I think I will." My acceptance of the impression was so

simple and momentary that it seems as though things just passed

directly from impression to belief. But that isn't the way it works.

(Imagine a scenario where my backpack being there would be very

unexpected, and you can see how it would be possible for me to

question what my senses seem to be saying. I _could_ question them

even now (and really committed skeptics about the senses might be

able to do this in ordinary cases), I just don't.)

If I refuse to assent to an impression, nothing happens.

No emotion, no action, nothing.

If I assent to an impression with a value component, then

a desire will result. I will desire that the "good" thing happen,

or desire that the "bad" thing not happen. If the impression says

that this outcome has _already_ occurred, then a emotion will result

(in the example above, the likely emotions are anger or fear):

positive feelings of mental enjoyment if the impression was that

something good had happened, negative feelings if it was "bad".

Further, this may lead to another impression, assenting to

which will lead me to some course of action. For example, I might have

the further thought "It would be good for me to go find out who

has been in my office", and if I assent to this further idea then

I will stalk angrily down the hall to demand an explanation. 


All of this sounds complicated, but it boils down to this:

_everything_ on the Stoic view comes down to assent to impressions.

Choosing whether or not to assent to impressions is the only thing

in our control...and yet, everything critical to leading the best

possible life is contained in that one act. All our desires, all

our emotions, all our actions are tied to assenting to impressions.

If I get my assents right, then I have guaranteed eudaimonia. If

I get one wrong, I cannot have eudaimonia. 


One final thing. I said above that we would assume that

the original impressions are not in our control. Directly, that's

true. But indirectly, it isn't, for two reasons: 


a) Our impressions are closely connected to our character.

If you reject an impression, then it makes that same type of

impression less common and weaker. If you assent to it, it becomes

more common and stronger. If it seems to me that it would be good to

punch someone in the nose for insulting me, and I assent, then it

becomes more likely that the next time something annoys me it will

seem to me that I should lash out at someone, and that 'seeming' will

be more compelling. If I refuse to assent, if I tell myself "hitting

them won't solve my problems", then I will have fewer "I should punch

someone" impressions, and they will be weaker (more easily resisted).

So, in this way, by being careful with our acts of assent (which are

in our control), the impressions that we receive will be altered over

time. This is a long process, but is critical for the Stoics--this

is building a virtuous character. The Sage is simply someone who has

controlled their assents so carefully for such a long period of time

that they no longer receive the false value impressions (that externals

are good or bad) in the first place. 


b) While our impressions are not in our control, we do have

the ability (suggested in above examples) to formulate new ideas.

I receive the impression "Someone has been in my office--that's a

very bad thing." If I manage to refuse assent to this impression,

I can choose to formulate an alternative impression--"it seems

that someone has been in my office, but that is neither good nor

bad." This proposition I can correctly assent to. I receive the

impression "I should punch this guy in the nose". If I reject

it, I can formulate some alternative idea. One of my favorite passages

in Epictetus is where he says that if you hear that someone has been

criticizing you, don't try to defend yourself, but instead say

"Obviously he doesn't know my other faults, or he wouldn't have

mentioned these." I wonder how much gossip and how many feuds would

have been prevented if people reacted like that. 


So what we should be striving for is:

a) Don't assent to impressions that depict externals as

either good or evil.

b) If we fail 'a', don't assent to subsequent impressions

that depict immoral responses to the good or bad thing as being

appropriate.

c) Consciously formulate true propositions regarding the

lack of value of external things. As far as possible, do this in

advance. Remind yourself that your own life and health are neither

good nor evil, as are the lives and health of those around you.

The same for your job, etc. Whether or not you have done so in advance,

try to do so at the time. "I have pictures here of your wife having

sex with another man." Remind yourself: 'my wife's actions are not

in my control. They are neither good nor evil. My happiness is in

my control, not enslaved to the actions of others.'

d) Consciously formulate true action propositions. "I

should report truthfully to my boss regarding the sales numbers

from the last quarter: truth telling is virtuous, and I have a

duty to act faithfully at work. If my boss fires me, I should

remember that my job is an external, neither good not evil."

By paying attention to preferred and dispreferred indifferents,

and to the duties connected with my various roles in life, I can

recognize what it would actually be correct for me to do in

each situation. Bring this consciously to mind, and assent to

it.

e) When you do act correctly, assent to the proposition

that you have done a good thing--then you will experience Joy

(or at least proto-Joy.)

f) Over time, my character will change such that I

no longer have the false value impressions in 'a' and 'b',

and 'c' and 'd' and 'e' become routine. This is eudaimonia--

good feelings combined with virtuous actions.



50 COMMON IMPRESSIONS 


1. "This person has wronged me and they must be punished."

   *Initial reaction to perceived injustice, before considering the role of understanding and forgiveness.* 


2. "I need this promotion to be happy."

   *Attaching happiness to external outcomes rather than internal virtue.* 


3. "I can't bear this physical pain."

   *Automatic resistance to discomfort, before accepting it as natural and temporary.* 


4. "Everyone must like and approve of me."

   *Seeking external validation instead of self-approval.* 


5. "I've lost everything that matters."

   *Reaction to loss before recognizing what truly lies within our control.* 


6. "This traffic is ruining my entire day."

   *Allowing external circumstances to dictate our emotional state.* 


7. "My reputation has been damaged forever."

   *Overvaluing others' opinions and external markers of status.* 


8. "I must have certainty about the future."

   *Resisting the natural uncertainty of life.* 


9. "They shouldn't have spoken to me that way."

   *Expecting others to behave according to our preferences.* 


10. "I deserve better than this."

    *Feeling entitled to specific outcomes rather than accepting what is.* 


11. "My past mistakes define who I am."

    *Conflating past actions with present character.* 


12. "This illness is unfair."

    *Resisting natural bodily processes and mortality.* 


13. "I need more possessions to be complete."

    *Attaching happiness to material acquisitions.* 


14. "I can't function without their love."

    *Believing external relationships determine our well-being.* 


15. "This setback means I'm a failure."

    *Conflating temporary circumstances with personal worth.* 


16. "My anger is justified and righteous."

    *Believing emotional reactions must be acted upon.* 


17. "I must control how others perceive me."

    *Attempting to manage the unmanageable.* 


18. "This fear means I shouldn't proceed."

    *Mistaking emotional responses for rational judgments.* 


19. "My success depends on others' actions."

    *Placing responsibility for outcomes on external factors.* 


20. "Life should be easier than this."

    *Resisting the natural challenges of existence.* 


21. "I'm too old/young to start over."

    *Limiting beliefs about time and opportunity.* 


22. "My happiness depends on this relationship."

    *Tying contentment to specific external bonds.* 


23. "This criticism destroys my self-worth."

    *Allowing others' opinions to determine internal value.* 


24. "I can't survive this loss."

    *Overestimating the impact of external changes.* 


25. "My anxiety means something is wrong."

    *Misinterpreting natural emotional responses.* 


26. "I must know everything before acting."

    *Seeking impossible levels of certainty.* 


27. "This person must change for me to be at peace."

    *Placing happiness in others' behavior.* 


28. "My worth is tied to my achievements."

    *Conflating external success with internal value.* 


29. "This physical discomfort is unbearable."

    *Resisting natural bodily experiences.* 


30. "I should have done better in the past."

    *Dwelling on unchangeable previous events.* 


31. "Others have it easier than me."

    *Comparing our struggles to imagined lives of others.* 


32. "This embarrassment will last forever."

    *Overestimating the duration of social discomfort.* 


33. "I need everyone to understand my perspective."

    *Seeking universal agreement or validation.* 


34. "My life should follow my exact plan."

    *Resisting the natural flow of events.* 


35. "This mistake proves I'm incompetent."

    *Generalizing specific events to overall character.* 


36. "I can't handle being alone."

    *Fearing natural states of solitude.* 


37. "My negative thoughts must be true."

    *Believing all mental impressions reflect reality.* 


38. "This change will ruin everything."

    *Resisting natural transitions and evolution.* 


39. "I must maintain perfect control."

    *Seeking impossible levels of influence.* 


40. "Others' success diminishes mine."

    *Viewing life as a zero-sum competition.* 


41. "This grief should be over by now."

    *Imposing timelines on natural emotional processes.* 


42. "I'm too weak to face this challenge."

    *Underestimating internal resilience.* 


43. "My comfort zone is my safety."

    *Avoiding growth opportunities through fear.* 


44. "This rejection defines my worth."

    *Allowing single events to determine self-value.* 


45. "I must never appear vulnerable."

    *Resisting natural human experiences.* 


46. "My emotions must be controlled perfectly."

    *Seeking impossible emotional regulation.* 


47. "This obstacle means I should quit."

    *Interpreting challenges as stop signs.* 


48. "I need constant excitement to be fulfilled."

    *Seeking external stimulation for contentment.* 


49. "My differences make me unworthy."

    *Viewing unique traits as flaws.* 


50. "This moment must be different than it is."

    *Resisting the present reality.*



7-STEP PROCESS OF MAKING CORRECT USE OF IMPRESSIONS 


Initial Impression Arrives

STEP 1: RECOGNIZE THE NATURE OF IMPRESSIONS

• Understand these are cognitive, propositional claims

• Note they are not raw sensory data but interpreted

• Notice if they contain value judgments

• Acknowledge they are initially outside our control

STEP 2: APPLY DICHOTOMY OF CONTROL

• Recognize impressions initially arise outside our control

• Understand assent is within our control

• Note that formulating new thoughts is in our control

• Remember character development is indirectly in our control

STEP 3: CONSCIOUS EVALUATION

• Hold the impression in mind without immediate assent

• Check if it assigns good/bad values to externals

• Compare against Stoic principles

• Consider duties related to your roles

STEP 4: ASSENT DECISION

• Choose to accept or reject the impression

• If rejected, nothing happens - no emotion/action follows

• If accepted and contains value judgment, desire/emotion follows

• If accepted, may lead to action impressions

STEP 5: FORMULATE ALTERNATIVE IMPRESSIONS

• Create new proposition removing value judgments about externals

• Frame external things as neither good nor evil

• Focus on what is truly in our control

• Consider opportunities for virtue

STEP 6: FOCUS ON VIRTUOUS ACTION

• Formulate action propositions based on:

  - Duties connected to life roles

  - Preferred/dispreferred indifferents

  - Opportunities for virtuous conduct

• Consider what would be truly correct in this situation

STEP 7: REINFORCE CORRECT JUDGMENTS

• When acting correctly, assent to having done good

• Experience appropriate joy from virtuous action

• Allow this to strengthen character over time

• Let this shape future impressions

``` 


Key differences from original:

- More emphasis on cognitive nature of impressions

- Clearer connection between assent and resulting emotions/actions

- Explicit focus on character development through repeated practice

- Recognition that initial impressions are outside direct control

- Greater emphasis on role of duty and virtue in action choices

- More precise understanding of how assent/rejection affects outcomes

- Clear link between current actions and future impression patterns 


This revised version more accurately reflects the text's explanation of how impressions work, the role of assent, and the long-term effects on character development. It captures the Stoic understanding that while initial impressions are not in our control, we can shape them indirectly through consistent practice of proper assent and rejection.