gnu radio学习(一)多态类型PMT详解_pmt::pmt_t结构-程序员宅基地

技术标签: python  物联网  GNU Radio  

Introduction(介绍)

Polymorphic Types are used as the carrier of data from one block/thread to another such as stream tags and message passing interfaces. PMT data types can represent a variety of data ranging from the Booleans to dictionaries. They are heavily used in the stream tags and message passing interfaces. In a sense, PMTs are a way to extend C++’ strict typing with something more flexible. The most complete list of PMT function is, of course, the source code, specifically the header file pmt.h. This page summarizes the most important features and points of PMTs.

多态数据类型通常用作从一个块/线程到另一个块/线程传输数据的载体,例如流标签和消息传递接口。PMT的数据类型可以表示各种各样的数据。它们被大量的使用在流标签和消息传递接口中。从某种意义上来说,PMT用一种更灵活的方法去扩展了c++严格类型。最完整的PMT函数列表当然是源代码,特别是头文件pmt.h。本页总结了PMT最重要的特点以及要点。
Let’s dive straight into some Python code and see how we can use PMTs:
接下来让我们直接通过python代码来了解如何使用PMT。

 >>> import pmt
 >>> P = pmt.from_long(23)
 >>> type(P)
 <class 'pmt.pmt_swig.swig_int_ptr'>
 >>> print P
 23
 >>> P2 = pmt.from_complex(1j)
 >>> type(P2)
 <class 'pmt.pmt_swig.swig_int_ptr'>
 >>> print P2
 0+1i
 >>> pmt.is_complex(P2)
 True

First, the pmt module is imported. We assign two values (P and P2) with PMTs using the from_long() and from_complex() calls, respectively. As we can see, they are both of the same type! This means we can pass these variables to C++ through SWIG, and C++ can handle this type accordingly.

首先,我们要导入pmt模块。我们使用form_long()函数和from_complex()函数来为PMTS(P 和 P2)来进行赋值。正如我们看到的,它们都是同样的类型!这意味着我们可以通过swig将这些变量传递给c++语言。同时c++语言可以相应的处理这些类型的变更了。

The same code as above in C++ would look like this:

同样的c++代码如下所示:

 #include <pmt/pmt.h>
 // [...]
 pmt::pmt_t P = pmt::from_long(23);
 std::cout << P << std::endl;
 pmt::pmt_t P2 = pmt::from_complex(gr_complex(0, 1)); 
 // Alternatively: pmt::from_complex(0, 1)
 std::cout << P2 << std::endl;
 std::cout << pmt::is_complex(P2) << std::endl;

Two things stand out in both Python and C++: First, we can simply print the contents of a PMT. How is this possible? Well, the PMTs have in-built capability to cast their value to a string (this is not possible with all types, though). Second, PMTs must obviously know their type, so we can query that, e.g. by calling the is_complex() method.

PMT在python和c++的使用中有两点突出:第一点,我们都能简单的打印一个pmt类型的内容。为什么可以这样操作呢?这是因为PMT又有一个可以将它们的值转换为字符串的内置功能(虽然这对于其他所有类型来说是不可能的)第二,PMT在使用的过程中必须清楚的知道它们自己的类型,所以我们可以进行查询,例如通过is_complex()方法。

Note: When running the above as a standalone, the compiler command will look something like g++ pmt_tutorial.cpp -I$(gnuradio-config-info --prefix)/include -lgnuradio-pmt -o pmt_tutorial

注意:当我们独立运行上述的代码时,编译器的指令看起来像:g++ pmt_tutorial.cpp -I$(gnuradio-config-info --prefix)/include -lgnuradio-pmt -o pmt_tutorial

When assigning a non-PMT value to a PMT, we can use the from_* methods, and use the to_* methods to convert back:

当我们将一个非PMT类型的值转化为PMT类型时我们可以使用from_*方法,同时相反的我们可以使用to_*方法将PMT类型的值转化为非PMT类型。

 pmt::pmt_t P_int = pmt::from_long(42);
 int i = pmt::to_long(P_int);
 pmt::pmt_t P_double = pmt::from_double(0.2);
 double d = pmt::to_double(P_double);
 pmt::pmt_t P_double = pmt::mp(0.2);

The last row shows the pmt::mp() shorthand function. It basically saves some typing, as it infers the correct from_ function from the given type.

代码的最后一行展示了pmt::mp()速记函数的使用。它基本的节省了一些输入,因为它可以通过给出的变量类型推测出正确的from_*()函数。

String types play a bit of a special role in PMTs, as we will see later, and have their own converter:

字符串类型在PMT类型中扮演了一个非常重要的角色,在稍后我们会看到,并且它们有自己的转换器。

 pmt::pmt_t P_str = pmt::string_to_symbol("spam");
 pmt::pmt_t P_str2 = pmt::intern("spam");
 std::string str = pmt::symbol_to_string(P_str);

The pmt::intern is another way of saying pmt::string_to_symbol.

pmt::intern()是实现pmt::string_to_symbol()函数的另一种方法。

See the PMT docs and the header file pmt.h for a full list of conversion functions.

有关转换函数的完整列表可以查看PMT的文档以及头文件pmt.h

In Python, we can make use of the dynamic typing, and there’s actually a helper function to do these conversions (C++ also has a helper function for converting to PMTs called pmt::mp(), but it’s less powerful, and not quite as useful, because types are always strictly known in C++):

在python语言中我们可以使用动态数据类型,同时那里事实上还有一个辅助函数来实现类型转换(c++同样也有一个辅助函数用于PMT类型的转换叫做pmt::mp(),但是它的功能不是那么的强大,也不是特别的实用,因为在c++中数据类型一帮都是严格已知的):

 P_int = pmt.to_pmt(42)
 i = pmt.to_python(P_int)
 P_double = pmt.to_pmt(0.2)
 d = pmt.to_double(P_double)

On a side note, there are three useful PMT constants, which can be used in both Python and C++ domains. In C++, these can be used as such:

附带说明一下,这里有三个非常有用的PMT常量,它们都可以在python和c++域中使用。例如在c++中是这样使用的:

 pmt::pmt_t P_true = pmt::PMT_T;
 pmt::pmt_t P_false = pmt::PMT_F;
 pmt::pmt_t P_nil = pmt::PMT_NIL;

在python中是这样使用的:

 pmt::pmt_t P_true = pmt::PMT_T;
 pmt::pmt_t P_false = pmt::PMT_F;
 pmt::pmt_t P_nil = pmt::PMT_NIL;

pmt.PMT_T and pmt.PMT_F are boolean PMT types representing True and False, respectively. The PMT_NIL is like a NULL or None and can be used for default arguments or return values, often indicating an error has occurred.

pmt.PMT_Tpmt.PMT_F是布尔类型的变量分别表示true和false。PMT_NIL就类似于NULL或者None类型的变量并且常用于默认参数和返回值,通常表示发生了某个错误。

To be able to go back to C++ data types, we need to be able to find out the type from a PMT. The family of is_* methods helps us do that:

为了能够回到c++数据类型,我们需要找出PMT的数据类型,一系列的is_*()方法可以帮我们实现。

 double d;
 if (pmt::is_integer(P)) {
    
     d = (double) pmt::to_long(P);
 } else if (pmt::is_real(P)) {
    
     d = pmt::to_double(P);
 } else {
    
     // We really expected an integer or a double here, so we don't know what to do
     throw std::runtime_error("expected an integer!");
 }

It is important to do type checking since we cannot unpack a PMT of the wrong data type.
进行数据类型的检查是非常重要的,因为我们不能解压一个错误数据类型的PMT。

We can compare PMTs without knowing their type by using the pmt::equal() function:
我们能可以利用pmt::equal()函数在不知道PMT数据类型的情况下进行比较。

 if (pmt::eq(P_int, P_double)) {
    
     std::cout << "Equal!" << std::endl; // This line will never be reached

There are more equality functions, which compare different things: pmt::eq() and pmt::eqv(). We won’t need these for this tutorial.
这里有更多的相同作用的函数用来比较不同的数据类型,例如pmt::eq()以及pmt::eqv()函数。本次教程不需要这些

The rest of this page provides more depth into how to handle different data types with the PMT library.
本页剩余的部分将更深入的介绍如何使用PMT库处理不同的数据类型。

More Complex Types(更复杂的数据类型)

PMTs can hold a variety of types. Using the Python method pmt.to_pmt(), we can convert most of Pythons standard types out-of-the-box:
PMT能容纳多种的数据类型。利用python方法中的pmt.to_pmt()函数,我们能够转换大多数的python标准类型开箱即用。

P_tuple = pmt.to_pmt((1, 2, 3, 'spam', 'eggs'))
P_dict = pmt.to_pmt({
    'spam': 42, 'eggs': 23})

But what does this mean in the C++ domain? Well, there are PMT types that define tuples and dictionaries, keys and values being PMTs, again.
但是这在c++中意味着什么呢?好的,这里有PMT类型定义的元组和字典,键值和值也都是PMT类型。

So, to create the tuple from the Python example, the C++ code would look like this:
所以,要像python那样创建元组,c++的代码如下所示:

pmt::pmt_t P_tuple = pmt::make_tuple(pmt::from_long(1), pmt::from_long(2), pmt::from_long(3), pmt::string_to_symbol("spam"), pmt::string_to_symbol("eggs"))

For the dictionary, it’s a bit more complex:
对于数据字典,它会稍微有点复杂:

pmt::pmt_t P_dict = pmt::make_dict();
P_dict = pmt::dict_add(P_dict, pmt::string_to_symbol("spam"), pmt::from_long(42));
P_dict = pmt::dict_add(P_dict, pmt::string_to_symbol("eggs"), pmt::from_long(23));

As you can see, we first need to create a dictionary, then assign every key/value pair individually.
正如你所看到的,我们首先需要创建一个数据字典,然后各自为它们赋值键值对的值。

A variant of tuples are vectors. Like Python’s tuples and lists, PMT vectors are mutable, whereas PMT tuples are not. In fact, PMT vectors are the only PMT data types that are mutable. When changing the value or adding an item to a dictionary, we are actually creating a new PMT.
元组的一个变体是向量。就像python中的元组和列表,PMT向量是可变的,但是PMT元组是不可变的。事实上,PMT向量是PMT数据类型中唯一可变的类型。当我们改变字典中的值或者向字典中添加元素时,我们实际上创造了一个新的PMT。

To create a vector, we can initialize it to a certain lengths, and fill all elements with an initial value. We can then change items or reference them:
创建一个向量,我们可以初始化给它一个确定的长度,并且用一个值来初始化所有的元素。然后我们可以改变元素或者引用它们。

pmt::pmt_t P_vector = pmt::make_vector(5, pmt::from_long(23)); // Creates a vector with 5 23's as PMTs
pmt::vector_set(P_vector, 0, pmt::from_long(42)); // Change the first element to a 42
std::cout << pmt::vector_ref(P_vector, 0); // Will print 42

In Python, we can do all these steps (using pmt.make_vector() etc.), or convert a list:
在python中,我们可以执行所有的步骤(使用pmt.make_vector()方法等等),或者转换一个列表:

P_vector = pmt.to_pmt([42, 23, 23, 23, 23])

Vectors are also different from tuples in a sense that we can directly load data types into the elements, which don’t have to be PMTs.
从某种意义来讲向量不同于元组,例如我们可以直接向元组中加入不是PMT数据类型的元素。

Say we want to pass a series of 8 float values to another block (these might be characteristics of a filter, for example). It would be cumbersome to convert every single element to and from PMTs, since all elements of the vector are the same type.
假设我们想传输大量的8位浮点数的值到另一个块(例如,这可能是一个过滤器的特点)。将每一个元素都与PMT类型进行转换会变得很麻烦,因为向量中的所有元素都是同一个类型。

We can use special vector types for this case:
对于这种情况,我们可以使用特殊的向量类型:

pmt::pmt_t P_f32vector = pmt::make_f32vector(8, 5.0); // Creates a vector with 8 5.0s's as floats
pmt::f32vector_set(P_f32vector, 0, 2.0); // Change the first element to a 2.0
float f = f32vector_ref(P_f32vector, 0);
std::cout << f << std::endl; // Prints 2.0
size_t len;
float *fp = pmt::f32vector_elements(P_f32vector, len);
for (size_t i = 0; i < len; i++)
    std::cout << fp[i] << std::endl; // Prints all elements from P_f32vector, one after another

Python has a similar concept: Numpy arrays. As usual, the PMT library understands this and converts as expected:
python中也有类似的概念:Numpy arrays。像往常一样,PMT库明白这一点并按预期进行转换:

P_f32vector = pmt.to_pmt(numpy.array([2.0, 5.0, 5.0, 5.0, 5.0], dtype=numpy.float32))
print pmt.is_f32vector(P_f32vector) # Prints 'True'

Here, ‘f32’ stands for ‘float, 32 bits’. PMTs know about most typical fixed-width data types, such as ‘u8’ (unsigned 8-bit character) or ‘c32’ (complex with 32-bit floats for each I and Q). Consult the manual for a full list of types.
这里,‘f32’代表32位的浮点数。PMT知道大多数典型固定宽度的数据类型,例如‘u8’(8位无符号字符)或者‘c32’(对于每个I和Q都具有32位浮点数)。有关类型的详细列表,请看参考手册。

The most generic PMT type is probably the blob (binary large object). Use this with care - it allows us to pass around anything that can be represented in memory.
最通用的PMT类型大概是blob类型(binary large object二进制大对象)。注意小心使用:它可以传递任何可以在内存中表示的数据。

PMT Data Type(PMT数据类型)

All PMTs are of the type pmt::pmt_t. This is an opaque container and PMT functions must be used to manipulate and even do things like compare PMTs. PMTs are also immutable (except PMT vectors). We never change the data in a PMT; instead, we create a new PMT with the new data. The main reason for this is thread safety. We can pass PMTs as tags and messages between blocks and each receives its own copy that we can read from. However, we can never write to this object, and so if multiple blocks have a reference to the same PMT, there is no possibility of thread-safety issues of one reading the PMT data while another is writing the data. If a block is trying to write new data to a PMT, it actually creates a new PMT to put the data into. Thus we allow easy access to data in the PMT format without worrying about mutex locking and unlocking while manipulating them.
所有的PMT都用pmt::pmt_t来表示。这是一个不透明的容器并且必须使用PMT类型函数来进行操作和比较。PMT同样是不可变的(除了PMT向量)。我们从来补改变PMT中的数据;相反的我们根据新的数据创建新的PMT。主要的原因是我们要保证线程安全。我们可以像标签和信息一样在块与块之间传递PMT数据,并且每个接收块我们可以从接收器中读取接收的信息。但是我们永远无法写入此对象,因此,如果多个块引用同一个PMT,由于线程安全,我们不可能从同时在一个对一个PMT读取和写入数据。如果一个块尝试写入新的数据到PMT,事实上它创建了一个新的PMT来写入数据我们可以轻松的访问PMT中的数据而不用在操作时担心互斥锁和解锁问题。

PMTs can represent the following:
PMT可以表示如下的数据类型

Boolean values of true/false

Strings (as symbols)

Integers (long and uint64)

Floats (as doubles)

Complex (as two doubles)

Pairs

Tuples

Vectors (of PMTs)

Uniform vectors (of any standard data type)

Dictionaries (list of key:value pairs)

Any (contains a boost::any pointer to hold anything)

The PMT library also defines a set of functions that operate directly on PMTs such as:
PMT同时还定义了一系列可以直接操作PMT的函数,如下:

Equal/equivalence between PMTs
Length (of a tuple or vector)
Map (apply a function to all elements in the PMT)
Reverse
Get a PMT at a
position in a list
Serialize and deserialize
Printing

The constants in the PMT library are:
PMT库中的常量如下:

pmt::PMT_T - a PMT True
pmt::PMT_F - a PMT False
pmt::PMT_NIL - an empty PMT (think Python’s ‘None’)

Inserting and Extracting Data(插入和提取数据)

Use pmt.h for a complete guide to the list of functions used to create PMTs and get the data from a PMT. When using these functions, remember that while PMTs are opaque and designed to hold any data, the data underneath is still a C++ typed object, and so the right type of set/get function must be used for the data type.
通过使用头文件pmt.h来得到用于创建PMT的函数列表以及从pmt得到数据。当我们使用这些函数的时候要注意,尽管PMT是不透明的并且用于储存各种数据,但是下面的数据类型依旧是c++对象,所以对于不同的数据类型必须选用合适类型的set/get函数。

Typically, a PMT object can be made from a scalar item using a call like pmt::from_<type>. Similarly, when getting data out of a PMT, we use a call like “pmt::to_”. For example:
通常,可以使用一个一个类似形如pmt::from_<type>的方法来创建PMT对象。类似的,当我们从PMT对象中获取数据时,我们可以使用一个形如pmt::to_<type>的方法来实现。例如:

 double a = 1.2345;
 pmt::pmt_t pmt_a = pmt::from_double(a);
 double b = pmt::to_double(pmt_a);
 
 int c = 12345;
 pmt::pmt_t pmt_c = pmt::from_long(c);
 int d = pmt::to_long(pmt_c);

As a side-note, making a PMT from a complex number is not obvious:
需要注意的是,从一个使用复数来创建PMT是不明显的。

 std::complex<double> a(1.2, 3.4);
 pmt::pmt_t pmt_a = pmt::make_rectangular(a.real(), a.imag());
 std::complex<double> b = pmt::to_complex(pmt_a);

Pairs, dictionaries, and vectors have different constructors and ways to manipulate them, and these are explained in their own sections.
对,字典以及向量都有着不同的构造函数和方法去使用它们,这些都在它们自己的库中有着解释。

Strings(字符串)

PMTs have a way of representing short strings. These strings are actually stored as interned symbols in a hash table, so in other words, only one PMT object for a given string exists. If creating a new symbol from a string, if that string already exists in the hash table, the constructor will return a reference to the existing PMT.
PMT有一种方法来表示短的字符串。这些字符串实际上作为内部符号储存在哈希表中,所以换句话说对于一个字符串只有一个包含该字符串的PMT对象存在。如果为一个字符串创建一个对象,如果发现该字符串已经存在在哈希表中了,构造函数会返回一个指向存在

We create strings with the following functions, where the second function, pmt::intern, is simply an alias of the first.
我们通过下面的函数来创建字符串,这里的第二个函数pmt::intern只是第一个函数的别名。

 pmt::pmt_t str0 = pmt::string_to_symbol(std::string("some string"));
 pmt::pmt_t str1 = pmt::intern(std::string("some string"));

The string can be retrieved using the inverse function:
我们同样可以使用相反类型的函数来得到字符串。

  std::string s = pmt::symbol_to_string(str0);

Tests and Comparisons(测试和比较)

The PMT library comes with a number of functions to test and compare PMT objects. In general, for any PMT data type, there is an equivalent pmt::is_<type>. We can use these to test the PMT before trying to access the data inside. Expanding our examples above, we have:
PMT库包含了大量的函数来测试和比较PMT对象。一般来说,对于任意的PMT数据类型,都有一个与之对应的函数pmt::_is<type>。我们可以在我们获取PMT里面存放的数据之前来检测数据类型。扩展上面的例子我们可以得到:

 pmt::pmt_t str0 = pmt::string_to_symbol(std::string("some string"));
 if(pmt::is_symbol(str0))
     std::string s = pmt::symbol_to_string(str0);
 
 double a = 1.2345;
 pmt::pmt_t pmt_a = pmt::from_double(a);
 if(pmt::is_double(pmt_a))
     double b = pmt::to_double(pmt_a);
 
 int c = 12345;
 pmt::pmt_t pmt_c = pmt::from_long(c);
 if(pmt::is_long(pmt_a))
     int d = pmt::to_long(pmt_c);
 
 \\ This will fail the test. Otherwise, trying to coerce \b pmt_c as a
 \\ double when internally it is a long will result in an exception.
 if(pmt::is_double(pmt_a))
     double d = pmt::to_double(pmt_c);

Dictionaries(数据字典)

PMT dictionaries are lists of key:value pairs. They have a well-defined interface for creating, adding, removing, and accessing items in the dictionary. Note that every operation that changes the dictionary both takes a PMT dictionary as an argument and returns a PMT dictionary. The dictionary used as an input is not changed and the returned dictionary is a new PMT with the changes made there.
PMT字典是键值对的列表。它们都有一个定义好的接口用来创建,增加,删除以及获取字典中的项目。注意,每个改变数据字典的操作都需要用PMT作为参数并且返回值也是一个PMT数据字典。被用作输入的数据字典并没有改变,同时返回的数据字典也是一个新的修改的PMT对象。

The following is a list of PMT dictionary functions. View each function in the GNU Radio C++ Manual to get more information on what each does.
下面列出了一系列的字典函数。查看GNU Radio C++手册中的每个函数可以得到它们的功能的更详细介绍。

bool pmt::is_dict(const pmt_t &obj)
pmt_t pmt::make_dict()
pmt_t pmt::dict_add(const pmt_t &dict, const pmt_t &key, const pmt_t &value)
pmt_t pmt::dict_delete(const pmt_t &dict, const pmt_t &key)
bool pmt::dict_has_key(const pmt_t &dict, const pmt_t &key)
pmt_t pmt::dict_ref(const pmt_t &dict, const pmt_t &key, const pmt_t &not_found)
pmt_t pmt::dict_items(pmt_t dict)
pmt_t pmt::dict_keys(pmt_t dict)
pmt_t pmt::dict_values(pmt_t dict)

This example does some basic manipulations of PMT dictionaries in Python. Notice that we pass the dictionary a and return the results to a. This still creates a new dictionary and removes the local reference to the old dictionary. This just keeps our number of variables small.
此示例在python语言中对PMT字典做了一些基本的操作。注意我们传递了字典a同时返回了结果到字典a。这同样创建了一个新的字典同时对旧字典的本地引用。这只是保持我们的变量数比较小。

 import pmt
 
 key0 = pmt.intern("int")
 val0 = pmt.from_long(123)
 val1 = pmt.from_long(234)
 
 key1 = pmt.intern("double")
 val2 = pmt.from_double(5.4321)
 
 # Make an empty dictionary
 a = pmt.make_dict()
 
 # Add a key:value pair to the dictionary
 a = pmt.dict_add(a, key0, val0)
 print a
 
 # Add a new value to the same key;
 # new dict will still have one item with new value
 a = pmt.dict_add(a, key0, val1)
 print a
 
 # Add a new key:value pair
 a = pmt.dict_add(a, key1, val2)
 print a
 
 # Test if we have a key, then delete it
 print pmt.dict_has_key(a, key1)
 a = pmt.dict_delete(a, key1)
 print pmt.dict_has_key(a, key1)
 
 ref = pmt.dict_ref(a, key0, pmt.PMT_NIL)
 print ref
 
 # The following should never print
 if(pmt.dict_has_key(a, key0) and pmt.eq(ref, pmt.PMT_NIL)):
     print "Trouble! We have key0, but it returned PMT_NIL"

Vectors(向量类型)

PMT vectors come in two forms: vectors of PMTs and vectors of uniform data. The standard PMT vector is a vector of PMTs, and each PMT can be of any internal type. On the other hand, uniform PMTs are of a specific data type which come in the form:
PMT向量有两种形式组成:PMT向量和统一数据类型向量。标准PMT向量是一个由多个PMT对象组成的向量,每个PMT可以是任何内部类型。另一方面,统一类型的PMT具有特定的数据类型,主要有一下几种类型:

(u)int8
(u)int16
(u)int32
(u)int64
float32
float64
complex 32 (std::complex<float>)
complex 64 (std::complex<double>)

That is, the standard sizes of integers, floats, and complex types of both signed and unsigned.
也就是说,标准大小的整数、浮点数以及复数类型都包括有符号和无符号的。

Vectors have a well-defined interface that allows us to make, set, get, and fill them. We can also get the length of a vector with pmt::length, or in Python:
向量组有一个定义好的接口允许我们去创建、设置、获取和填充它们。在c++中我们同样可以通过方法pmt::length来得到向量组的长度,或者在python中像下面一样得到:

pmt_t p1 = pmt_integer(1);
pmt_t p2 = pmt_integer(2);
pmt_t p3 = pmt_integer(3);

pmt_t p_list = pmt_list3(p1, p2, p3);

pmt_length(p_list);  // Returns 3

For standard vectors, these functions look like:
对于标准向量组,它们的函数如下所示:

bool pmt::is_vector(pmt_t x)
pmt_t pmt::make_vector(size_t k, pmt_t fill)
pmt_t pmt::vector_ref(pmt_t vector, size_t k)
void pmt::vector_set(pmt_t vector, size_t k, pmt_t obj)
void pmt::vector_fill(pmt_t vector, pmt_t fill)

Uniform vectors have the same types of functions, but they are data type-dependent. The following list tries to explain them where you substitute the specific data type prefix for \a dtype (prefixes being: u8, u16, u32, u64, s8, s16, s32, s64, f32, f64, c32, c64).
同一类型向量的函数具有相同格式,取决于给函数的参数数据类型。下面的列表尝试来解释它们在哪个位置替换合适的数据类型前缀(前缀可以是:u8, u16, u32, u64, s8, s16, s32, s64, f32, f64, c32, c64)

bool pmt::is_(dtype)vector(pmt_t x)
pmt_t pmt::make_(dtype)vector(size_t k, (dtype) fill)
pmt_t pmt::init_(dtype)vector(size_t k, const (dtype*) data)
pmt_t pmt::init_(dtype)vector(size_t k, const std::vector<dtype> data)
pmt_t pmt::(dtype)vector_ref(pmt_t vector, size_t k)
void pmt::(dtype)vector_set(pmt_t vector, size_t k, (dtype) x)
const dtype* pmt::(dtype)vector_elements(pmt_t vector, size_t &len)
dtype* pmt::(dtype)vector_writable_elements(pmt_t vector, size_t &len)

List of available pmt::is_(dtype)vector(pmt_t x) methods from pmt.h:
一系列的有效方法pmt::is(dtype)vector(pmt_x)都在pmt.h头文件中:

bool pmt::is_uniform_vector()
bool pmt::is_u8vector()
bool pmt::is_s8vector()
bool pmt::is_u16vector()
bool pmt::is_s16vector()
bool pmt::is_u32vector()
bool pmt::is_s32vector()
bool pmt::is_u64vector()
bool pmt::is_s64vector()
bool pmt::is_f32vector()
bool pmt::is_f64vector()
bool pmt::is_c32vector()
bool pmt::is_c64vector()

Note: We break the contract with vectors. The ‘set’ functions actually change the data underneath. It is important to keep track of the implications of setting a new value as well as accessing the ‘vector_writable_elements’ data. Since these are mostly standard data types, sets and gets are atomic, so it is unlikely to cause a great deal of harm. But it’s only unlikely, not impossible. Best to use mutexes whenever manipulating data in a vector.
注意:我们违反了向量的规定。‘set’函数实际上改变了下面的数据。跟踪设置新值的影响和获得’vector_writable_elements’的数据都很重要。因为这些大多数是标准的数据类型,set和get函数也是在内核中,所以也不太可能导致比较大的危害性。但是只是可能性比较低,并不是不可能的。最好在操作向量中的数据时使用数据锁。

BLOB(BLOB类型对象)

A BLOB is a ‘binary large object’ type. In PMT’s, this is actually just a thin wrapper around a u8vector.
BLOB数据类型是‘二进制大小对象’类型。在PMT中,它实际上只是一个围绕u8vector的一个薄包装。

Pairs(对)

A concept that originates in Lisp dialects are pairs and cons. The simplest explanation is just that: If you combine two PMTs, they form a new PMT, which is a pair (or cons) of those two PMTs (don’t worry about the weird name, a lot of things originating in Lisp have weird names. Think of a ‘construct’).
一个来自Lisp编程语言的概念是pairs和cons。最通俗易懂的解释就是:如果你要组合两个PMT对象成一个新的PMT对象,它们就是一个pairs或者cons(不要在意奇怪的名字,很多起源于Lisp语言的名字都很奇怪)

Similarly to vectors or tuples, pairs are a useful way of packing several components of a message into a single PMT. Using the PMTs generated in the previous section, we can combine two of these to form a pair, here in Python:
类似于vectors和tuples,pairs也是一个很有效的方法来实现把几个信息的部分打包到一个PMT对象中。使用上一节生成的PMT对象,我们可以把它们两两组成一个对象,下面用python实现:

P_pair = pmt.cons(pmt.string_to_symbol("taps"), P_f32vector)
print pmt.is_pair(P_pair) # Prints 'true'

You can combine PMTs as tuples, dictionaries, vectors, or pairs, it’s just a matter of taste. This construct is well-established though, and as such used in GNU Radio quite often.
你可以将PMT组成一个tuple、字典、vector或者pairs,看你自己想怎么做了。目前这种结构已经很成熟了,因此在GNU Radio经常被使用。

So how do we deconstruct a pair? That’s what the car and cdr functions do. Let’s deconstruct that previous pair in C++:
但是我们如何拆散一个pairs呢?这就是car和cdr函数所要做的。让我们先来用c++实现拆散之前的pairs:

pmt::pmt_t P_key = pmt::car(P_pair);
pmt::pmt_t P_f32vector2 = pmt::cdr(P_pair);
std::cout << P_key << std::endl; // Will print 'taps' using the PMT automatic conversion to strings

Here is a summary of the pairs-related functions in C++ and Python:
这里是一些有关pairs函数的总结,有c++和python语言:

bool pmt::is_pair(const pmt_t &obj): Return true if obj is a pair, else false
pmt_t pmt::cons(const pmt_t &x, const pmt_t &y): construct new pair
pmt_t pmt::car(const pmt_t &pair): get the car of the pair (first object)
pmt_t pmt::cdr(const pmt_t &pair): get the cdr of the pair (second object)
void pmt::set_car(pmt_t pair, pmt_t value): Stores value in the car field
void pmt::set_cdr(pmt_t pair, pmt_t value): Stores value in the cdr field

And in Python we have:
python实现方法:

pmt.is_pair(pair_obj) # Return True if is a pair, else False (warning: also returns True for a dict)
pmt.cons(x, y) # Return a newly allocated pair whose car is x and whose cdr is y
pmt.car(pair_obj) # If is a pair, return the car, otherwise raise wrong_type
pmt.cdr(pair_obj) # If is a pair, return the cdr, otherwise raise wrong_type
pmt.set_car(pair_obj, value) # Store value in car field
pmt.set_cdr(pair_obj, value) # Store value in cdr field

For more advanced pair manipulation, refer to the documentation and the Wikipedia page for car and cdr.
对于更详细的pair操作方法,参考car 和 cdr的文档和维基百科页面。

Serializing and Deserializing(序列化和反序列化)

It is often important to hide the fact that we are working with PMTs to make them easier to transmit, store, write to file, etc. The PMT library has methods to serialize data into a string buffer or a string and then methods to deserialize the string buffer or string back into a PMT. We use this extensively in the metadata files (see Metadata Information).
隐藏我们正在使用的PMT使得它们更容易传输、存储以及写入文件等操作这很重要。PMT库具有将数据序列化到字符串缓冲区和字符串的方法,同样的也有将字符串缓冲区或字符串转发回到PMT的方法。我们在元数据文件上广泛使用它(详情请看元数据信息

bool pmt::serialize(pmt_t obj, std::streambuf &sink)
std::string pmt::serialize_str(pmt_t obj)
pmt_t pmt::deserialize(std::streambuf &source)
pmt_t pmt::deserialize_str(std::string str)

For example, we will serialize the data above to make it into a string ready to be written to a file and then deserialize it back to its original PMT.
例如,我们将序列化上面的数据成一个字符准备写入文件然后在通过反序列化将文件转化为原始的PMT。

 import pmt
 
 key0 = pmt.intern("int")
 val0 = pmt.from_long(123)
 
 key1 = pmt.intern("double")
 val1 = pmt.from_double(5.4321)
 
 # Make an empty dictionary
 a = pmt.make_dict()
 
 # Add a key:value pair to the dictionary
 a = pmt.dict_add(a, key0, val0)
 a = pmt.dict_add(a, key1, val1)
 
 print a
 
 ser_str = pmt.serialize_str(a)
 print ser_str
 
 b = pmt.deserialize_str(ser_str)
 print b

The line where we ‘print ser_str’ will print and parts will be readable, but the point of serializing is not to make a human-readable string. This is only done here as a test.
在‘print ser_str’这一行字符串ser_str将被打印并且是可读的,但是序列化的重点不是得到一个人们可读的字符串。这只是作为一个测试。

Printing(打印)

In Python, the __repr__ function of a PMT object is overloaded to call pmt::write_string. This means that any time we call a formatted printing operation on a PMT object, the PMT library will properly format the object for display.
在python语言中,PMT对象中的__repr__函数被重载用来调用pmt::write_string函数。这意味着在任何时候我们对一个PMT对象调用格式化打印操作时,PMT库都会正确格式化该对象并显示。

In C++, we can use the ‘pmt::print(object)’ function or print the contents is using the overloaded “<<” operator with a stream buffer object. In C++, we can inline print the contents of a PMT like:
在c++中,我们可以使用pmt::print(object)函数来打印或者用重载的‘<<’操作符和流缓冲区对象来打印内容。在c++中,我们可以像下面这样来进行试试打印PMT中的内容:

 pmt::pmt_t a = pmt::from_double(1.0);
 std::cout << "The PMT a contains " << a << std::endl;

Collection Notation(集合符号)

PMTs use a different bracket notation from what one might be use to in Python.
PMT使用一种与在python中不同的集合表示符。

>>> my_dict
((meaning . 42))
>>> my_vector
#[1 2 3 4]
>>> pmt.make_tuple(pmt.from_long(321), pmt.from_float(3.14))
{
    321 3.14}
>>> pmt.cons(pmt.from_long(1), pmt.from_long(2))
(1 . 2)
>>> my_pdu
(() . #[1 2 3 4])

Conversion between Python Objects and PMTs(python对象与PMT对象的转换)

Although PMTs can be manipulated in Python using the Python versions of the C++ interfaces, there are some additional goodies that make it easier to work with PMTs in python. There are functions to automate the conversion between PMTs and Python types for booleans, strings, integers, longs, floats, complex numbers, dictionaries, lists, tuples and combinations thereof.
虽然可以使用python版本中的c++接口在python来操作PMT对象,但是还有一些额外的好处使得在python中更简单的使用PMT对象。这里有一些自动转换PMT对象和python基本类型的函数包括:用于布尔值、字符串、整数、长整数、浮点数、复数、字典、列表、元组及其组合。

Two functions capture most of this functionality:
下面两个函数包含了大部分功能:

 pmt.to_pmt    # Converts a python object to a PMT.
 pmt.to_python # Converts a PMT into a python object.
版权声明:本文为博主原创文章,遵循 CC 4.0 BY-SA 版权协议,转载请附上原文出处链接和本声明。
本文链接:https://blog.csdn.net/I_believe_CWJ/article/details/118489025

智能推荐

获取大于等于一个整数的最小2次幂算法(HashMap#tableSizeFor)_整数 最小的2的几次方-程序员宅基地

文章浏览阅读2w次,点赞51次,收藏33次。一、需求给定一个整数,返回大于等于该整数的最小2次幂(2的乘方)。例: 输入 输出 -1 1 1 1 3 4 9 16 15 16二、分析当遇到这个需求的时候,我们可能会很容易想到一个"笨"办法:..._整数 最小的2的几次方

Linux 中 ss 命令的使用实例_ss@,,x,, 0-程序员宅基地

文章浏览阅读865次。选项,以防止命令将 IP 地址解析为主机名。如果只想在命令的输出中显示 unix套接字 连接,可以使用。不带任何选项,用来显示已建立连接的所有套接字的列表。如果只想在命令的输出中显示 tcp 连接,可以使用。如果只想在命令的输出中显示 udp 连接,可以使用。如果不想将ip地址解析为主机名称,可以使用。如果要取消命令输出中的标题行,可以使用。如果只想显示被侦听的套接字,可以使用。如果只想显示ipv4侦听的,可以使用。如果只想显示ipv6侦听的,可以使用。_ss@,,x,, 0

conda activate qiuqiu出现不存在activate_commandnotfounderror: 'activate-程序员宅基地

文章浏览阅读568次。CommandNotFoundError: 'activate'_commandnotfounderror: 'activate

Kafka 实战 - Windows10安装Kafka_win10安装部署kafka-程序员宅基地

文章浏览阅读426次,点赞10次,收藏19次。完成以上步骤后,您已在 Windows 10 上成功安装并验证了 Apache Kafka。在生产环境中,通常会将 Kafka 与外部 ZooKeeper 集群配合使用,并考虑配置安全、监控、持久化存储等高级特性。在生产者窗口中输入一些文本消息,然后按 Enter 发送。ZooKeeper 会在新窗口中运行。在另一个命令提示符窗口中,同样切换到 Kafka 的。Kafka 服务器将在新窗口中运行。在新的命令提示符窗口中,切换到 Kafka 的。,应显示已安装的 Java 版本信息。_win10安装部署kafka

【愚公系列】2023年12月 WEBGL专题-缓冲区对象_js 缓冲数据 new float32array-程序员宅基地

文章浏览阅读1.4w次。缓冲区对象(Buffer Object)是在OpenGL中用于存储和管理数据的一种机制。缓冲区对象可以存储各种类型的数据,例如顶点、纹理坐标、颜色等。在渲染过程中,缓冲区对象中存储的数据可以被复制到渲染管线的不同阶段中,例如顶点着色器、几何着色器和片段着色器等,以完成渲染操作。相比传统的CPU访问内存,缓冲区对象的数据存储和管理更加高效,能够提高OpenGL应用的性能表现。_js 缓冲数据 new float32array

四、数学建模之图与网络模型_图论与网络优化数学建模-程序员宅基地

文章浏览阅读912次。(1)图(Graph):图是数学和计算机科学中的一个抽象概念,它由一组节点(顶点)和连接这些节点的边组成。图可以是有向的(有方向的,边有箭头表示方向)或无向的(没有方向的,边没有箭头表示方向)。图用于表示各种关系,如社交网络、电路、地图、组织结构等。(2)网络(Network):网络是一个更广泛的概念,可以包括各种不同类型的连接元素,不仅仅是图中的节点和边。网络可以包括节点、边、连接线、路由器、服务器、通信协议等多种组成部分。网络的概念在各个领域都有应用,包括计算机网络、社交网络、电力网络、交通网络等。_图论与网络优化数学建模

随便推点

android 加载布局状态封装_adnroid加载数据转圈封装全屏转圈封装-程序员宅基地

文章浏览阅读1.5k次。我们经常会碰见 正在加载中,加载出错, “暂无商品”等一系列的相似的布局,因为我们有很多请求网络数据的页面,我们不可能每一个页面都写几个“正在加载中”等布局吧,这时候将这些状态的布局封装在一起就很有必要了。我们可以将这些封装为一个自定布局,然后每次操作该自定义类的方法就行了。 首先一般来说,从服务器拉去数据之前都是“正在加载”页面, 加载成功之后“正在加载”页面消失,展示数据;如果加载失败,就展示_adnroid加载数据转圈封装全屏转圈封装

阿里云服务器(Alibaba Cloud Linux 3)安装部署Mysql8-程序员宅基地

文章浏览阅读1.6k次,点赞23次,收藏29次。PS: 如果执行sudo grep 'temporary password' /var/log/mysqld.log 后没有报错,也没有任何结果显示,说明默认密码为空,可以直接进行下一步(后面设置密码时直接填写新密码就行)。3.(可选)当操作系统为Alibaba Cloud Linux 3时,执行如下命令,安装MySQL所需的库文件。下面示例中,将创建新的MySQL账号,用于远程访问MySQL。2.依次运行以下命令,创建远程登录MySQL的账号,并允许远程主机使用该账号访问MySQL。_alibaba cloud linux 3

excel离散度图表怎么算_excel离散数据表格-Excel 离散程度分析图表如何做-程序员宅基地

文章浏览阅读7.8k次。EXCEL中数据如何做离散性分析纠错。离散不是均值抄AVEDEV……=AVEDEV(A1:A100)算出来的是A1:A100的平均数。离散是指各项目间指标袭的离散均值(各数值的波动情况),数值较低表明项目间各指标波动幅百度小,数值高表明波动幅度较大。可以用excel中的离散公式为STDEV.P(即各指标平均离散)算出最终度离散度。excel表格函数求一组离散型数据,例如,几组C25的...用exc..._excel数据分析离散

学生时期学习资源同步-JavaSE理论知识-程序员宅基地

文章浏览阅读406次,点赞7次,收藏8次。i < 5){ //第3行。int count;System.out.println ("危险!System.out.println(”真”);System.out.println(”假”);System.out.print(“姓名:”);System.out.println("无匹配");System.out.println ("安全");

linux 性能测试磁盘状态监测:iostat监控学习,包含/proc/diskstats、/proc/stat简单了解-程序员宅基地

文章浏览阅读3.6k次。背景测试到性能、压力时,经常需要查看磁盘、网络、内存、cpu的性能值这里简单介绍下各个指标的含义一般磁盘比较关注的就是磁盘的iops,读写速度以及%util(看磁盘是否忙碌)CPU一般比较关注,idle 空闲,有时候也查看wait (如果wait特别大往往是io这边已经达到了瓶颈)iostatiostat uses the files below to create ..._/proc/diskstat

glReadPixels读取保存图片全黑_glreadpixels 全黑-程序员宅基地

文章浏览阅读2.4k次。问题:在Android上使用 glReadPixel 读取当前渲染数据,在若干机型(华为P9以及魅族某魅蓝手机)上读取数据失败,glGetError()没有抓到错误,但是获取到的数据有误,如果将获取到的数据保存成为图片,得到的图片为黑色。解决方法:glReadPixels实际上是从缓冲区中读取数据,如果使用了双缓冲区,则默认是从正在显示的缓冲(即前缓冲)中读取,而绘制工作是默认绘制到后缓..._glreadpixels 全黑