web-dev-qa-db-ja.com

Tensorflow Lite C ++の入力を設定する方法

TensorflowLiteモデルを使用して単純なtensorflowlite c ++コードをテストしようとしています。 2つのフロートを取得し、xorを実行します。ただし、入力を変更しても出力は変わりません。 interpreter->typed_tensor<float>(0)[0] = xの行が間違っているため、入力が適切に適用されていないと思います。コードを機能するように変更するにはどうすればよいですか?

これは私のコードです

#include <stdio.h>
#include <stdlib.h>
#include <string>
#include <vector>
#include "tensorflow/contrib/lite/kernels/register.h"
#include "tensorflow/contrib/lite/model.h"
#include "tensorflow/contrib/lite/string_util.h"
#include "tensorflow/contrib/lite/tools/mutable_op_resolver.h"

int main(){
        const char graph_path[14] = "xorGate.lite";
        const int num_threads = 1;
        std::string input_layer_type = "float";
        std::vector<int> sizes = {2};
        float x,y;

        std::unique_ptr<tflite::FlatBufferModel> model(
                tflite::FlatBufferModel::BuildFromFile(graph_path));

        if(!model){
                printf("Failed to mmap model\n")
                exit(0);
        }

        tflite::ops::builtin::BuiltinOpResolver resolver;
        std::unique_ptr<tflite::Interpreter> interpreter;
        tflite::InterpreterBuilder(*model, resolver)(&interpreter);

        if(!interpreter){
                printf("Failed to construct interpreter\n");
                exit(0);
        }
        interpreter->UseNNAPI(false);

        if(num_threads != 1){
                interpreter->SetNumThreads(num_threads);
        }

        int input = interpreter->inputs()[0];
        interpreter->ResizeInputTensor(0, sizes);

        if(interpreter->AllocateTensors() != kTfLiteOk){
                printf("Failed to allocate tensors\n");
                exit(0);
        }

        //read two numbers

        std::printf("Type two float numbers : ");
        std::scanf("%f %f", &x, &y);
        interpreter->typed_tensor<float>(0)[0] = x;
        interpreter->typed_tensor<float>(0)[1] = y;

        printf("hello\n");
        fflush(stdout);
        if(interpreter->Invoke() != kTfLiteOk){
                std::printf("Failed to invoke!\n");
                exit(0);
        }
        float* output;
        output = interpreter->typed_output_tensor<float>(0);
        printf("output = %f\n", output[0]);
        return 0;
}

これは、コードを実行すると表示されるメッセージです。

root@localhost:/home# ./a.out 
nnapi error: unable to open library libneuralnetworks.so
Type two float numbers : 1 1
hello
output = 0.112958
root@localhost:/home# ./a.out 
nnapi error: unable to open library libneuralnetworks.so
Type two float numbers : 0 1
hello
output = 0.112958
6
Jiyeon Park

変更により解決

interpreter->typed_tensor<float>(0)[0] = x;

interpreter->typed_input_tensor<float>(0)[0] = x;
6
Jiyeon Park

inputvarには入力テンソルIDが必要です。あなたは試すことができます:

interpreter->typed_tensor<float>(input)[0] = x;
0
x4444