是否可以将内插字符串作为参数传递给方法?

Is it possible to pass interpolated strings as parameter to a method?

我已经开始使用 Interpolated Strings(C# 6 的新特性),它真的很有用而且优雅。但是根据我的需要,我必须将字符串格式作为参数传递给方法。类似下一个:

MyMethod(string format)

以前我是这样用的:

MyMethod("AAA{0:00}")

现在我尝试了这段代码:

MyMethod($"AAA{i:00}")

但这不起作用,因为 i 是在方法内部创建的,超出了此上下文的范围。

是否可以使用任何技巧将内插字符串作为参数传递给方法?

这是不可能的。但另一种方法是

public static string MyMethod(string format, params object[] args)
{
  if (format == null || args == null)
    throw new ArgumentNullException(format == null ? "format" : "args");
  return string.Format((IFormatProvider) null, format, args);
}

编辑:

MyMethod("The number is {0}", 12);

编辑 2:

public static string MyMethod(string format)
{
    var i = 12;
    var result = string.Format(null, format, i);
    return result;
}
MyMethod("{0:000}");

你不能那样做,这也不是一个好主意 - 这意味着你正在使用另一种方法的局部变量。
这将违背此功能的目的 - 让编译器可验证 字符串插值和绑定到局部变量。

C# 有几个不错的选择。例如,使用 Func:

public void MyMethod(Func<int,string> formatNumber)
{
    int i = 3;
    var formatted = formatNumber(i);
}

用作:

MyMethod(number => $"AAA{number:00}");

这比您今天拥有的更好 - 您拥有格式字符串及其在不同地方的用法。

如果您有多个变量,则此方法可以扩展,但请考虑将它们分组到 class(或结构)中 - func 看起来会好得多,您的代码也会更具可读性。 class 也可以覆盖 .ToString(),这可能对您有用。

另一个简单的选择是只传递格式:MyMethod("00")i.ToString(format),但这只适用于您可能简化的示例。

有几种方法可以做到这一点。

第一个是添加另一个方法重载,它采用 FormattableString(字符串插值的一种变体使用的新类型)并调用原始方法:

public void MyMethod(FormattableString fs)
{
    MyMethod(fs.Format);
}

如果需要,您还可以访问参数。

如果你只需要格式,只需创建一个扩展方法来提取它:

public static string AsFormat(FormattableString fs)
{
    return fs.Format;
}

问这个问题已经有好几年了,但是我在寻找答案时通过 Google 遇到了这个问题,我已经想到了这个问题,但无法理解 implementation/syntax。

我的解决方案比@Kobi 提供的更进一步...

public class Person
    {
        public int Id {get; set;}
        public DateTime DoB {get;set;}
        public String Name {get;set;}
    }

public class MyResolver
{
    public Func<Person, string> Resolve {get;set;}
    public string ResolveToString<T>(T r) where T : Person
    {
        return this.Resolve(r);
    }
}

// code to use here...
var employee = new Person();
employee.Id = 1234;
employee.Name = "John";
employee.DoB = new DateTime(1977,1,1);

var resolver = new MyResolver();
resolver.Resolve = x => $"This person is called {x.Name}, DoB is {x.DoB.ToString()} and their Id is {x.Id}";

Console.WriteLine(resolver.ResolveToString(employee));

我还没有测试上面的语法错误,但希望你明白了,你现在可以定义 "how" 你想要的字符串看起来但保留空白在运行时填写,具体取决于Person 对象中的值。

干杯,

韦恩