我是Rust的初学者,我想制作一个简单的应用来渲染像Mandelbrot这样的分形。分形渲染成X11窗口。 X11窗口使用xcb crate(版本0.7.4)。
我想在结构中封装窗口所需的所有内容。
extern crate xcb;
use xcb::base::*;
struct FbWindow {
conn: Connection,
window: u32,
gc: u32,
width: u16,
height: u16,
fb: Vec<u8>
}
在我的new
结构函数中,我需要一个来自连接的设置对象,它以某种方式与连接对象具有相同的生命周期。
impl FbWindow {
fn new(width: u16, height: u16) -> FbWindow
{
let (conn, screen_nr) = Connection::connect(None).unwrap();
let setup = conn.get_setup();
let screen = setup.roots().nth(screen_nr as usize).unwrap();
let root = screen.root();
/* Create GC - graphics context */
let gc = conn.generate_id();
let gc_values = [
(xcb::GC_FOREGROUND, screen.black_pixel()),
(xcb::GC_GRAPHICS_EXPOSURES, 0)
];
xcb::create_gc(&conn, gc, root, &gc_values);
/* Create window */
let window = conn.generate_id();
let window_values = [
(xcb::CW_BACK_PIXEL, screen.black_pixel()),
(xcb::CW_EVENT_MASK, xcb::EVENT_MASK_EXPOSURE | xcb::EVENT_MASK_KEY_PRESS)
];
xcb::create_window(&conn, xcb::COPY_FROM_PARENT as u8, window, root,
0, 0, width, height, 1, xcb::WINDOW_CLASS_INPUT_OUTPUT as u16,
screen.root_visual(), &window_values
);
xcb::map_window(&conn, window);
/* Create the framebuffer */
let mut fb : Vec<u8> = vec![0; (width as usize) * (height as usize) * 4];
FbWindow {
conn: conn,
window: window,
gc: gc,
width: width,
height: height,
fb: fb
}
}
}
编译器不允许我将连接对象移动到应由new
返回的结构对象中。我也尝试将setup
添加到结构中,但它没有帮助。编译器使用上面的代码给出以下错误:
src/main.rs:46:19: 46:23 error: cannot move out of `conn` because it is borrowed [E0505]
src/main.rs:46 conn: conn,
^~~~
src/main.rs:18:21: 18:25 note: borrow of `conn` occurs here
src/main.rs:18 let setup = conn.get_setup();
^~~~
查看有关设置类型的文档,显示
type Setup<'a> = StructPtr<'a, xcb_setup_t>;
我真的很生锈和生命的概念,它仍然让我感到困惑,但据我所知,setup
与conn
具有相同的生命周期,编译器拒绝移动,因为借用setup
。
如何让代码按预期运行?
编辑:代码基于crate repository中的示例
Edit2:new
的完整源代码。
答案 0 :(得分:2)
我们都为此烦恼不已。在大多数情况下,编译器会告诉您出了什么问题。
在第18行,您正在借用conn
:
let setup = conn.get_setup();
大多数方法都将&self
或&mut self
作为第一个参数,从而借用它们被调用的对象。如果该方法没有返回任何内容,则借入将在其范围的末尾结束。这不是这里的情况,因为setup
正在使用生命周期('a
中的Setup<'a>
),这将延长借用期限。这通常不会妨碍您,因为您可以拥有任意数量的不可变借用,但只要您拥有至少一个,就无法移动所拥有的变量。
原来如此!只要setup
存在,编译器就不允许您移动conn
。要解决这个问题,你需要确保设置&#34;死亡&#34;在创建结构之前。一个简单的方法是将它包装在一个块中,如下所示:
fn new(width: u16, height: u16) -> FbWindow
{
let (conn, screen_nr) = Connection::connect(None).unwrap();
// because of block scoping, you might want to declare variables here
let gc: u32;
...
{
// Borrowing `conn` here...
let setup = conn.get_setup();
let screen = setup.roots().nth(screen_nr as usize).unwrap();
...
// Assign to the on the outer scope
gc = ...;
// All variables declared within this block will drop here,
}
// `conn` is not borrowed anymore!
FbWindow {
conn: conn,
window: window,
gc: gc,
width: width,
height: height,
fb: fb
}
}
或者,您可以利用块是Rust中的表达式并解析为其中的最后一行,而不是声明未初始化的变量。您可以将元素打包并使用模式匹配对其进行解构:
let (window, gc, fb) = {
...
// no semicolon here
(0, 0, Vec::new())
}