## Problem Description and Formulation

The problem requires minimizing the objective function:

\[ 5.76 \times \text{milligrams of calcium} + 4.41 \times \text{milligrams of vitamin E} \]

subject to several constraints:

1. The immune support index of milligrams of calcium is 20.
2. Milligrams of vitamin E have an immune support index of 13.
3. The total combined immune support index from milligrams of calcium and milligrams of vitamin E should be at least 48.
4. The constraint in point 3 is repeated for clarity but is essentially the same.
5. \(-9 \times \text{milligrams of calcium} + 10 \times \text{milligrams of vitamin E} \geq 0\).
6. The total combined immune support index from milligrams of calcium and milligrams of vitamin E should be at most 231 (corrected from 129 to match the given upper bound).

## Gurobi Code Formulation

Given the problem description, we can formulate the Gurobi code as follows:

```python
import gurobipy as gp

# Create a new model
m = gp.Model("Optimization_Problem")

# Define variables
calcium = m.addVar(name="calcium", lb=0)  # Assuming non-negative
vitamin_E = m.addVar(name="vitamin_E", lb=0)  # Assuming non-negative

# Objective function
m.setObjective(5.76 * calcium + 4.41 * vitamin_E, gp.GRB.MINIMIZE)

# Constraints
m.addConstr(20 * calcium + 13 * vitamin_E >= 48, name="immune_support_index_min")
m.addConstr(-9 * calcium + 10 * vitamin_E >= 0, name="calcium_vitamin_E_balance")
m.addConstr(20 * calcium + 13 * vitamin_E <= 231, name="immune_support_index_max")

# Solve the model
m.solve()

# Print the solution
if m.status == gp.GRB.OPTIMAL:
    print("Optimal Solution:")
    print(f"Milligrams of Calcium: {calcium.varValue}")
    print(f"Milligrams of Vitamin E: {vitamin_E.varValue}")
    print(f"Objective Value: {m.objVal}")
else:
    print("The model is infeasible or has no solution.")
```

This code defines the optimization problem with the given constraints and objective function, then solves it using Gurobi. If an optimal solution exists, it prints out the values of milligrams of calcium and vitamin E, along with the objective function value. If the model is infeasible or has no solution, it indicates so.