0

为了跟进我已经问过的一个问题就我得到问题的答案而言,我已经解决了一个问题,尽管事实上一个新问题是从已解决的问题中产生的:

使用Complex API的问题是它无法识别NMatrix API 中的 shape 方法:

因此,当我在编译的 C 扩展上运行以下规范代码时:

  it "Creates a new FFTW.r2c object and takes an a 1D NMatrix as its argument" do
    n = NMatrix.new([4], [3.10, 1.73, 1.04, 2.83])

    r = FFTW.Z(n)
    i = FFTW.Z(FFTW.r2c_one(r))
    #expect(fftw).to eq(fftw)
  end

由于 shape 属于 nmatrix 类,因此存在错误。

 FFTW Creates a new FFTW.r2c object and takes an a 1D NMatrix as its argument
     Failure/Error: i = FFTW.Z(FFTW.r2c_one(r))
     NoMethodError:
       undefined method `shape' for NMatrix:Class
     # ./spec/fftw_spec.rb:26:in `r2c_one'
     # ./spec/fftw_spec.rb:26:in `block (2 levels) in <top (required)>'

Shape 是从 nmatrix 类中调用的,所以我可以理解为什么会发生这种情况,但不知道如何绕过它。

的结果

  it "Creates a new FFTW.r2c object and takes an a 1D NMatrix as its argument" do
    n = NMatrix.new([4], [3.10, 1.73, 1.04, 2.83])

    fftw = FFTW.Z(n)
    expect(fftw).to eq(fftw)
  end

/home/magpie/.rvm/rubies/ruby-2.1.2/bin/ruby -I/home/magpie/.rvm/gems/ruby-2.1.2/gems/rspec-core-3.0.4/lib:/home/magpie/.rvm/gems/ruby-2.1.2/gems/rspec-support-3.0.4/lib -S /home/magpie/.rvm/gems/ruby-2.1.2/gems/rspec-core-3.0.4/exe/rspec ./spec/fftw_spec.rb
./lib/fftw/fftw.so found!

FFTW
  creates an NMatrix object
  Fills dense with individual assignments
  Creates a new FFTW.r2c object and takes an a 1D NMatrix as its argument

Finished in 0.00091 seconds (files took 0.07199 seconds to load)
3 examples, 0 failures
4

1 回答 1

2

我认为问题在于 fftw.cpp 中的这段代码

第 51-56 行:

static VALUE
fftw_shape(VALUE self)
{
  // shape is a ruby array, e.g. [2, 2] for a 2x2 matrix
  return rb_funcall(cNMatrix, rb_intern("shape"), 0);
}

您正在尝试在此处调用 NMatrix 类的形状。rb_funcall像这样工作:

rb_funcall(object_to_invoke_method, method_to_invoke, number_of_args, ...)

问题是你cNMatrix在第一个参数位置,所以它试图将shape方法发送到NMatrix 而不是对象。所以你真的想在 nmatrix 对象上调用它,比如:

static VALUE
fftw_shape(VALUE self, VALUE nmatrix)
{
  // shape is a ruby array, e.g. [2, 2] for a 2x2 matrix
  return rb_funcall(nmatrix, rb_intern("shape"), 0);
}

在第 82 行:

VALUE shape = fftw_shape(self, nmatrix);

这有帮助吗?我认为唯一的问题是您正在shape上课,但可能会出现其他问题。

于 2014-08-25T19:01:22.387 回答