kjetil b halvorsen
kjetil b halvorsen

Reputation: 1228

Conditional expressions in sagemath, when defining a symbolic expression

In SageMath, (version 4.7), I do this in the notebook:

var("x y")
dens(x, y) = 2 if y <= x else 0

and this gives no error. However, after that,

In fact, I found no way to get the answer 2.

What am I doing wrong?

Upvotes: 2

Views: 1692

Answers (2)

Chr L
Chr L

Reputation: 99

piecewise functions are often helpful: https://doc.sagemath.org/html/en/reference/functions/sage/functions/piecewise.html

Also note the slightly different from sympy import Piecewise which can handle symbolic conditions.

Still, I'd think that sympy (part of sage) would have symbolic "if" expressions - but can't find anything when googling for "sympy symbolic if".

Upvotes: 0

DSM
DSM

Reputation: 352959

You're using the Sage function declaration syntax -- f(x,y) = something-or-other -- but on the right hand side you're not putting a Sage expression but a Python one. This is evaluated when it's declared. By which I mean:

sage: var("x y")
(x, y)
sage: bool(y <= x)
False
sage: dens = 2 if y <= x else 0
sage: dens
0
sage: dens(x,y) = 2 if y <= x else 0
sage: dens
(x, y) |--> 0

If you only care about the values that the function take (say, you're plotting it), you can simply use a Python function. If you want to differentiate it etc. you're in for a harder go of it, I'm afraid.

Upvotes: 4

Related Questions