如何从符号包中将符号表达式转换为Octave函数?

时间:2016-11-29 21:37:46

标签: matlab octave symbolic-math numerical-computing

如何从符号包中将符号表达式转换为Octave函数?

使用pkg install -forge symbolic在八度音程上安装符号包之后。在octave上使用符号包我可以这样写:

octave> pkg load symbolic;
octave> a = sym( "a" );
octave> int ( a^2 + csc(a) )

将导致:

ans = (sym)

   3
  a    log(cos(a) - 1)   log(cos(a) + 1)
  -- + --------------- - ---------------
  3           2                 2

但是如何在上面做这个积分(int(1))符号结果才能成为如下所示的有价值的函数?

function x = f( x )

    x = x^3/3 + log( cos(x) - 1 )/2 - log( cos(x) + 1 )/2

end

f(3)

# Which evaluates to: 11.6463 +  1.5708i

我想从int ( a^2 + csc(a) )获取符号结果,并调用result(3),在3处计算它,即从符号表达式积分{{1}返回数值11.6463 + 1.5708i }。基本上,如何将符号表达式用作可数值计算的表达式?它是Matlab的this other question

参考文献:

  1. http://octave.sourceforge.net/symbolic/index.html
  2. How do I declare a symbolic matrix in Octave?
  3. Octave symbolic expression
  4. Julia: how do I convert a symbolic expression to a function?
  5. What is symbolic computation?

2 个答案:

答案 0 :(得分:2)

您可以使用pretty

syms x;
x = x^3/3 + log( cos(x) - 1 )/2 - log( cos(x) + 1 )/2;
pretty(x)

给出了这个:

                                     3
log(cos(x) - 1)   log(cos(x) + 1)   x
--------------- - --------------- + --
       2                 2           3

更新(自问题编辑以来):

制作此功能:

function x = f(y)
    syms a;
    f(a) = int ( a^2 + csc(a) );
    x = double(f(y));
end

现在,当您使用f(3)调用它时,它会给出:

ans =
  11.6463 + 1.5708i

答案 1 :(得分:1)

您似乎通过链接到the other question about Matlab来回答您自己的问题。

Octave的实现为matlabFunction,它是符号工具箱中function_handle的包装。

>> pkg load symbolic;
>> syms x;
>> y = x^3/3 + log( cos(x) - 1 )/2 - log( cos(x) + 1 )/2
y = (sym)

   3
  x    log(cos(x) - 1)   log(cos(x) + 1)
  -- + --------------- - ---------------
  3           2                 2

>> testfun = matlabFunction(y)
testfun =

@(x) x .^ 3 / 3 + log (cos (x) - 1) / 2 - log (cos (x) + 1) / 2

testfun(3)

>> testfun(3)
ans =  11.6463 +  1.5708i

>> testfun([3:1:5]')
ans =

   11.646 +  1.571i
   22.115 +  1.571i
   41.375 +  1.571i

>> testfun2 = matlabFunction(int ( x^2 + csc(x) ))
testfun2 =

@(x) x .^ 3 / 3 + log (cos (x) - 1) / 2 - log (cos (x) + 1) / 2

>> testfun2(3)
ans =  11.6463 +  1.5708i
>> testfun2([3:1:5]')
ans =

   11.646 +  1.571i
   22.115 +  1.571i
   41.375 +  1.571i

我确定还有其他方法可以实现这一点,但它可以让您避免在函数中对方程进行硬编码。