To solve Lisa's investment problem, we need to convert the natural language description into a symbolic representation and then translate it into Gurobi code.

The variables in this problem can be represented symbolically as follows:
- Let $x_1$ represent the amount invested in NFTs.
- Let $x_2$ represent the amount invested in crypto-currency.

The objective function, which aims to maximize profit, can be represented algebraically using these symbolic variables. Since each dollar invested in NFTs yields $0.30 profit and each dollar invested in crypto-currency yields $0.40 profit, the total profit $P$ can be expressed as:
\[ P = 0.30x_1 + 0.40x_2 \]

The constraints given in the problem are:
1. The total amount invested cannot exceed $5000: $x_1 + x_2 \leq 5000$
2. A minimum of 25% of all money invested must be in NFTs: $x_1 \geq 0.25(x_1 + x_2)$
3. At least $2300 must be invested in crypto-currency: $x_2 \geq 2300$
4. Non-negativity constraints, since investments cannot be negative: $x_1 \geq 0$ and $x_2 \geq 0$

In symbolic representation with natural language objects substituted for their corresponding symbolic variables, the problem can be described as:
```json
{
  'sym_variables': [('x1', 'amount invested in NFTs'), ('x2', 'amount invested in crypto-currency')],
  'objective_function': '0.30*x1 + 0.40*x2',
  'constraints': [
    'x1 + x2 <= 5000',
    'x1 >= 0.25*(x1 + x2)',
    'x2 >= 2300',
    'x1 >= 0',
    'x2 >= 0'
  ]
}
```

To find the solution, we will use Gurobi in Python:

```python
from gurobipy import *

# Create a new model
m = Model("Lisa_Investment")

# Create variables
x1 = m.addVar(lb=0, name="NFTs")
x2 = m.addVar(lb=0, name="CryptoCurrency")

# Set the objective function
m.setObjective(0.30*x1 + 0.40*x2, GRB.MAXIMIZE)

# Add constraints
m.addConstr(x1 + x2 <= 5000, "Total Investment")
m.addConstr(x1 >= 0.25*(x1 + x2), "Minimum NFTs")
m.addConstr(x2 >= 2300, "Minimum CryptoCurrency")

# Optimize model
m.optimize()

# Print results
if m.status == GRB.OPTIMAL:
    print("Optimal solution found.")
    print(f"Amount invested in NFTs: {x1.x}")
    print(f"Amount invested in crypto-currency: {x2.x}")
    print(f"Total profit: {m.objVal}")
else:
    print("No optimal solution found.")

```