```json
{
  "sym_variables": [
    ("x0", "postage stamps"),
    ("x1", "paper clips"),
    ("x2", "headsets")
  ],
  "objective_function": "7.71 * x0 + 6.19 * x1 + 5.07 * x2",
  "constraints": [
    "4.49 * x0 + 1.38 * x2 >= 50",
    "3.37 * x1 + 1.38 * x2 >= 38",
    "4.49 * x0 + 3.37 * x1 + 1.38 * x2 >= 67",
    "6 * x0 - 6 * x1 >= 0",
    "4 * x0 - 5 * x2 >= 0",
    "x0, x1, x2 are integers",
    "4.49 * x0 + 3.37 * x1 + 1.38 * x2 <= 233" 
  ]
}
```

```python
import gurobipy as gp

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

# Create variables
postage_stamps = model.addVar(vtype=gp.GRB.INTEGER, name="postage_stamps")
paper_clips = model.addVar(vtype=gp.GRB.INTEGER, name="paper_clips")
headsets = model.addVar(vtype=gp.GRB.INTEGER, name="headsets")

# Set objective function
model.setObjective(7.71 * postage_stamps + 6.19 * paper_clips + 5.07 * headsets, gp.GRB.MINIMIZE)

# Add constraints
model.addConstr(4.49 * postage_stamps + 1.38 * headsets >= 50, "c0")
model.addConstr(3.37 * paper_clips + 1.38 * headsets >= 38, "c1")
model.addConstr(4.49 * postage_stamps + 3.37 * paper_clips + 1.38 * headsets >= 67, "c2")
model.addConstr(6 * postage_stamps - 6 * paper_clips >= 0, "c3")
model.addConstr(4 * postage_stamps - 5 * headsets >= 0, "c4")

#Resource constraint
model.addConstr(4.49 * postage_stamps + 3.37 * paper_clips + 1.38 * headsets <= 233, "resource_constraint")


# Optimize model
model.optimize()

# Check for infeasibility
if model.status == gp.GRB.INFEASIBLE:
    print("The model is infeasible.")
else:
    # Print results
    print("Optimal Solution:")
    print(f"Postage Stamps: {postage_stamps.x}")
    print(f"Paper Clips: {paper_clips.x}")
    print(f"Headsets: {headsets.x}")
    print(f"Objective Value: {model.objVal}")

```
