Here's how we can model this problem and translate it into Gurobi code:

**Decision Variables:**

* `x`: Number of fish tacos made and sold.
* `y`: Number of chicken tacos made and sold.

**Objective Function:**

Maximize profit: `6x + 4y`

**Constraints:**

* Minimum fish tacos: `x >= 20`
* Minimum chicken tacos: `y >= 40`
* Maximum fish tacos: `x <= 50`
* Maximum chicken tacos: `y <= 60`
* Total taco shell limit: `x + y <= 80`

```python
import gurobipy as gp

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

# Create decision variables
x = model.addVar(lb=0, vtype=gp.GRB.INTEGER, name="fish_tacos")
y = model.addVar(lb=0, vtype=gp.GRB.INTEGER, name="chicken_tacos")

# Set objective function
model.setObjective(6*x + 4*y, gp.GRB.MAXIMIZE)

# Add constraints
model.addConstr(x >= 20, "min_fish")
model.addConstr(y >= 40, "min_chicken")
model.addConstr(x <= 50, "max_fish")
model.addConstr(y <= 60, "max_chicken")
model.addConstr(x + y <= 80, "total_tacos")

# Optimize the model
model.optimize()

# Print the results
if model.status == gp.GRB.OPTIMAL:
    print(f"Optimal Solution Found:")
    print(f"Fish Tacos: {x.x}")
    print(f"Chicken Tacos: {y.x}")
    print(f"Total Profit: ${model.objVal}")
else:
    print("No solution found.")

```
