- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我有一个用于执行二进制数据编码/解码的 C 库的 python 包装器。其中一个包装函数将 python 列表作为参数并返回经过处理的 python 列表。
目前我是这样做的:
list pycf_cobs_decode(list data) {
list decoded;
uint32_t data_len = 0, worst_data_len = 0;
uint8_t *cdata = NULL;
uint8_t *cdata_dec = NULL;
data_len = len( data );
worst_data_len = COBS_WORST_LEN( data_len );
// Clone the python list
cdata = new uint8_t[ data_len ];
for (int i=0; i<data_len; i++)
cdata[ i ] = extract< uint8_t >( data[ i ] );
// Decode it
cdata_dec = new uint8_t[ worst_data_len ];
cobs_decode( cdata, data_len, cdata_dec );
for (int i=0; i<worst_data_len; i++)
decoded.append( cdata_dec[ i ] );
delete[] cdata_dec;
delete[] cdata;
return decoded;
}
但是,通过创建一个空列表然后将所有字节一个一个地追加是远远不够高效的(导致大量的 realloc 调用)。
我一直试图从这些页面中找到有用的东西,但我真的不知道该找什么:
http://www.boost.org/doc/libs/1_57_0/libs/python/doc/v2/reference.html
http://www.boost.org/doc/libs/1_57_0/libs/python/doc/v2/list.html
谢谢
编辑: 意识到 std::string 也支持二进制数组并且 boost::python 自动将其转换为 python 字符串。使用 std::string,代码现在更短并且有望产生更好的性能。但是,这并不能回答问题,因为它仅适用于字符数组。
std::string pycf_cobs_decode(const std::string &data) {
uint32_t worst_len = COBS_WORST_LEN( data.size() );
char *cdec = new char[ worst_len ];
// Decode it
cobs_decode( ( const uint8_t * ) data.c_str(), data.size(),
( uint8_t * ) cdec );
std::string decoded( cdec, worst_len );
delete[] cdec;
return decoded;
}
最佳答案
一次添加一个项目时,内部分配的数量可能没有预期的那么多。是documented对于 list.append()
,平均和摊销的最坏情况复杂度是恒定的。
Boost.Python 在允许用 C++ 编写类似 Python 的代码方面做得相当好。因此,可以使用 Python 惯用语 [None] * n
将列表分配给给定大小:
/// @brief Construct list with `n` elements. each element is a copy
/// of `value`.
/// @param n Iniitail container size.
/// @param item Item with which to fill the container.
boost::python::list make_list(
const std::size_t n,
boost::python::object item = boost::python::object() /* none */)
{
namespace python = boost::python;
// >>> [None] * n;
python::list result;
result.append(item);
result *= n;
return result;
}
我找不到明确说明此类操作的实现行为的文档,但该惯用语的表现通常优于追加。尽管如此,虽然 Boost.Python 没有公开所有 Python/C API 功能,但可以通过使用 PyList_New(len)
来保证一次分配。创建列表,然后通过 Boost.Python 管理和操作它。如文档中所述,当 len
大于零时,必须在将列表对象暴露给 Python 代码之前通过 PyList_SetItem()
将所有项目设置为真实对象,或者在在这种情况下,一个 boost::python::list
对象:
If
len
is greater than zero, the returned list object’s items are set toNULL
. Thus you cannot use abstract API functions such asPySequence_SetItem()
or expose the object to Python code before setting all items to a real object withPyList_SetItem()
.
辅助功能可能有助于隐藏这些细节。例如,可以使用具有类似填充行为的工厂函数:
/// @brief Construct list with `n` elements. each element is a copy
/// of `value`.
/// @param n Iniitail container size.
/// @param item Item with which to fill the container.
boost::python::list make_list(
const std::size_t n,
boost::python::object item = boost::python::object() /* none */)
{
namespace python = boost::python;
python::handle<> list_handle(PyList_New(n));
for (std::size_t i=0; i < n; ++i)
{
// PyList_SetItem will steal the item reference. As Boost.Python is
// managing the item, explicitly increment the item's reference count
// so that the stolen reference remains alive when this Boost.Python
// object's scope ends.
Py_XINCREF(item.ptr());
PyList_SetItem(list_handle.get(), i, item.ptr());
}
return python::list{list_handle};
}
或者在范围内工作的工厂函数:
/// @brief Construct a list from a given range of [first,last). The
/// copied range includes all elements between `first` to `last`,
/// including `first`.
/// @param first Input iterator to the initial item to copy.
/// @param last Input iterator to one after the final item to be copied.
template <typename Iterator>
boost::python::list make_list(Iterator first, Iterator last)
{
namespace python = boost::python;
const auto size = std::distance(first, last);
python::handle<> list_handle{PyList_New(size)};
for (auto i=0; i < size; ++i, ++first)
{
python::object item{*first};
// PyList_SetItem will steal the item reference. As Boost.Python is
// managing the item, explicitly increment the item's reference count
// so that the stolen reference remains alive when this Boost.Python
// object's scope ends.
Py_XINCREF(item.ptr());
PyList_SetItem(list_handle.get(), i, item.ptr());
}
return boost::python::list{list_handle};
}
这是一个完整的例子demonstrating通过模拟 COBS_WORST_LEN()
和 cobs_decode()
函数,通过累积对进行解码。由于在构造返回的列表时解码值是已知的,因此我选择使用范围工厂函数来防止必须遍历列表并设置值两次:
#include <boost/python.hpp>
#include <iostream>
#include <vector>
#include <boost/python/stl_iterator.hpp>
/// Mockup that halves the list, rounding up.
std::size_t COBS_WORST_LEN(const std::size_t len)
{
return (len / 2) + (len % 2);
}
/// Mockup that just adds adjacent elements together.
void cobs_decode(
const boost::uint8_t* input,
const std::size_t size,
boost::uint8_t* output)
{
for (std::size_t i=0; i < size; ++i, ++input)
{
if (i % 2 == 0)
{
*output = *input;
}
else
{
*output += *input;
++output;
}
}
}
/// @brief Construct a list from a given range of [first,last). The
/// copied range includes all elements between `first` to `last`,
/// including `first`.
/// @param first Input iterator to the initial value to copy.
/// @param last Input iterator to one after the final element to be copied.
template <typename Iterator>
boost::python::list make_list(Iterator first, Iterator last)
{
namespace python = boost::python;
const auto size = std::distance(first, last);
python::handle<> list_handle{PyList_New(size)};
for (auto i=0; i < size; ++i, ++first)
{
python::object item{*first};
// PyList_SetItem will steal the item reference. As Boost.Python is
// managing the item, explicitly increment the item's reference count
// so that the stolen reference remains alive when this Boost.Python
// object's scope ends.
Py_XINCREF(item.ptr());
PyList_SetItem(list_handle.get(), i, item.ptr());
}
return boost::python::list{list_handle};
}
/// @brief Decode a list, returning the aggregation of paired items.
boost::python::list decode(boost::python::list py_data)
{
namespace python = boost::python;
// Clone the list.
std::vector<boost::uint8_t> data(len(py_data));
std::copy(
python::stl_input_iterator<boost::uint8_t>{py_data},
python::stl_input_iterator<boost::uint8_t>{},
begin(data));
// Decode the list.
std::vector<boost::uint8_t> decoded(COBS_WORST_LEN(data.size()));
cobs_decode(&data[0], data.size(), &decoded[0]);
return make_list(begin(decoded), end(decoded));
}
BOOST_PYTHON_MODULE(example)
{
namespace python = boost::python;
python::def("decode", &decode);
}
交互使用:
>>> import example
>>> assert(example.decode([1,2,3,4]) == [3,7])
此外,由于 Boost.Python 可以抛出异常,因此可能值得考虑使用内存管理容器,例如 std::vector
或智能指针,而不是原始动态数组。
关于c++ - 如何用给定数量的元素初始化 boost::python::list?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/28383182/
在下面的代码中,我得到一个 uninitialized value警告,但仅限于第二个 given/when例子。为什么是这样? #!/usr/bin/env perl use warnings; u
整个“开关”功能是否已成为实验性的?在没有 Perl 的 future 版本破坏我的代码的情况下,我可以依赖其中的某些部分吗?一般来说,将稳定功能更改为实验性的政策是什么? 背景use feature
有没有办法在一个条件语句中写出如下语句? a和b不能同时等于5。 (a可以是5,b可以是5,但是a AND b不能是5) 最佳答案 正如克里斯指出的那样,您要查找的是逻辑异或,相当于逻辑不等于 !=:
我正在寻找一种算法来找到给定 n 条线段的所有交点。以下是来自 http://jeffe.cs.illinois.edu/teaching/373/notes/x06-sweepline.pdf 的伪
数组中有 N 个元素。我可以选择第一项最多 N 次,第二项最多选择 N-1 次,依此类推。 我有 K 个 token 要使用并且需要使用它们以便我可以拥有最大数量的项目。 arr = [3, 4, 8
我正在尝试修复法语文本中的语法性别,想知道是否有办法从某个词条中获取所有单词的列表,以及是否可以在此类列表中进行查找? 最佳答案 尝试: import spacy lemma_lookup = spa
我正在为 Win32 编写一个简单的自动化测试应用程序。它作为一个单独的进程运行,并通过 Windows API 访问目标应用程序。我可以阅读窗口层次结构,查找标签和文本框,并通过发送/发布消息等来单
在 nodeJs 中使用 Sequelize 时,我从 Sequelize 收到此错误,如下所示: { [SequelizeUniqueConstraintError: Validation erro
本文https://arxiv.org/pdf/1703.10757.pdf使用回归激活映射 (RAM) - 而不是类激活映射 (CAM) 来解决问题。有几篇文章描述了如何实现 CAM。但是我找不到
我正在研究 Mach 动态链接器 dyld。这个问题适用于所有 Apple 平台,但很高兴得到特定于平台的答案;我正在使用 ObjC,但如果对你有用的话,我也很乐意翻译 Swift。 The rele
我有一个包含数千个 Instagram 用户 ID 的列表。我如何获得他们的 Instagram 用户名/句柄? 最佳答案 你必须使用这个 Instagram API: https://api.ins
我在下面的代码: def main(args: Array[String]) { val sparkConf = new SparkConf().setAppName("Spark-Hbase").s
我有一个表格,其中包含从 1 到 10 的数字。(从 D2 到 M2) 假设A1中有03/09/2019 并且在B1中有06/09/2019 并且在C1中有Hello 在A 列中,我有多个系列的单词,
我想在给定服务对应的 URI 的情况下检索服务的注释(特别是 @RolesAllowed )。这是一个例子: 服务: @GET @Path("/example") @RolesAllowed({ "B
我看到 OraclePreparedStatementexecuteQuery() 表现出序列化。也就是说,我想使用相同的连接对 Oracle 数据库同时运行两个查询。然而,OraclePrepare
import java.util.Scanner; public class GeometricSumFromK { public static int geometricSum(int k,
我创建了一个抽象基类Page,它说明了如何构建动态网页。我正在尝试想出一种基于作为 HttpServletRequest 传入的 GET 请求生成 Page 的好方法。例如... public cla
我的字符串是一条短信,采用以下两种格式之一: 潜在客户短信: 您已收到 1 条线索 标题:我的领导 潜在客户 ID:12345-2365 警报设置 ID:890 短信回复: 您已收到 1 条回复 标题
我在 python 中有以下代码: class CreateMap: def changeme(listOne, lisrTwo, listThree, listFour, listfive):
这是在 Hibernate 上运行的 JPA2。 我想检索相同实体类型的多个实例,给定它们的 ID。其中许多已经在持久性上下文和/或二级缓存中。 我尝试了几种方法,但似乎都有其缺点: 当我使用 ent
我是一名优秀的程序员,十分优秀!