在Piston2d中渲染文本的函数中什么是GlyphCache类型

问题描述 投票:0回答:1

我正在尝试编写一个单独的函数来使用piston2d渲染文本。以hello_world.rs为例,我试图扩展它以允许我从函数内渲染文本。

这是我写的代码:

extern crate piston_window;
extern crate find_folder;

use piston_window::*;

fn main() {
    let mut window: PistonWindow = WindowSettings::new(
            "piston: try to render text",
            [200, 200]
        )
        .exit_on_esc(true)
        .build()
        .unwrap();

    let assets = find_folder::Search::ParentsThenKids(3, 3)
        .for_folder("assets").unwrap();
    println!("{:?}", assets);
    let ref font = assets.join("FiraSans-Regular.ttf");
    let factory = window.factory.clone();
    let mut glyphs = Glyphs::new(font, factory, TextureSettings::new()).unwrap();

    window.set_lazy(true);
    while let Some(e) = window.next() {
        window.draw_2d(&e, |c, mut g| {
            clear([0.0, 0.0, 0.0, 1.0], g);
            render_text(10.0, 100.0, "Hello World", 32, c, &mut g, &mut glyphs);
        });
    }
}

fn render_text(x: f64, y: f64,
               text: &str, size: u32,
               c: Context, g: &mut G2d, 
               glyphs: &mut glyph_cache::rusttype::GlyphCache<GfxFactory, G2dTexture>) {
    text::Text::new(size).draw(
           text,
           &mut glyphs,
           &c.draw_state,
           c.transform.trans(x, y),
           g
        ).unwrap();
} 

当我尝试运行此代码时,出现以下错误:

error[E0277]: the trait bound `&mut piston_window::glyph_cache::rusttype::GlyphCache<'_, gfx_device_gl::factory::Factory, piston_window::Texture<gfx_device_gl::Resources>>: piston_window::character::CharacterCache` is not satisfied

the trait `piston_window::character::CharacterCache` is not implemented for `&mut piston_window::glyph_cache::rusttype::GlyphCache<'_, gfx_device_gl::factory::Factory, piston_window::Texture<gfx_device_gl::Resources>>`

我为glyphs尝试了很多不同的类型,这是我能得到的最远的。

该类型应该是什么?任何指导表示赞赏。

rust rust-piston
1个回答
2
投票

问题是你将一个可变引用传递给GlyphCache的可变引用到draw()render_text接收一个可变引用,然后你创建一个可变引用)。在调用&mut glyphs时,只需将glyphs更改为draw()

draw()期望对实现Graphics<Texture = <C as CharacterCache>::Texture>的类型进行可变引用,而GlyphCache<GfxFactory, G2dTexture>确实实现了该特性,但&mut GlyphCache<GfxFactory, G2dTexture>没有。

当函数参数的类型是具体类型时,编译器将自动取消引用引用以匹配期望的类型(Clippy具有lint以标识创建不必要引用的位置)。但是,当函数参数的类型是泛型类型时(这里就是这种情况),编译器不会尝试这样做。

© www.soinside.com 2019 - 2024. All rights reserved.