如何在 Rust 中使用多参数字符串函数?

How to use multiparameter String functions in Rust?

我想用 &self 作为参数在 Rust 中创建一个 to_string() fn,并在函数内部调用 &self 的元素的引用:

//! # Messages
//!
//! Module that builds and returns messages with user and time stamps.

use time::{Tm};

/// Represents a simple text message.
pub struct SimpleMessage<'a, 'b> {
    pub moment: Tm,
    pub content: &'b str,
}

impl<'a, 'b> SimpleMessage<'a, 'b> {

    /// Gets the elements of a Message and transforms them into a String.
    pub fn to_str(&self) -> String {
        let mut message_string =
            String::from("{}/{}/{}-{}:{} => {}",
                         &self.moment.tm_mday,
                         &self.moment.tm_mon,
                         &self.moment.tm_year,
                         &self.moment.tm_min,
                         &self.moment.tm_hour,
                         &self.content);
        return message_string;
    }
}

但是$ cargo run returns:

    error[E0061]: this function takes 1 parameter but 8 parameters were supplied
      --> src/messages.rs:70:13
       |
    70 | /             String::from("{}/{}/{}-{}:{}, {}: {}",
    71 | |                          s.moment.tm_mday,
    72 | |                          s.moment.tm_mon,
    73 | |                          s.moment.tm_year,
    ...  |
    76 | |                          s.user.get_nick(),
    77 | |                          s.content);
       | |___________________________________^ expected 1 parameter

我真的不明白这个语法的问题,我错过了什么?

您可能打算使用 format! 宏:

impl<'b> SimpleMessage<'b> {
    /// Gets the elements of a Message and transforms them into a String.
    pub fn to_str(&self) -> String {
        let message_string =
            format!("{}/{}/{}-{}:{} => {}",
                         &self.moment.tm_mday,
                         &self.moment.tm_mon,
                         &self.moment.tm_year,
                         &self.moment.tm_min,
                         &self.moment.tm_hour,
                         &self.content);
        return message_string;
    }
}

String::from 来自 From 特性,它定义了一个采用单个参数的 from 方法(因此在错误消息中出现 "this function takes 1 parameter")。

format! 已经生成 String,因此无需转换。