使用扩展方法而不调用类名
本文关键字:调用 扩展 方法 | 更新日期: 2023-09-27 18:31:00
我正在尝试创建一个静态(全局)函数,我可以使用扩展方法从项目中的任何脚本中调用该函数,但我认为我没有正确实现它。
文件:扩展名.cs
namespace CustomExtensions
{
public static class MathExt
{
public static float Remap (float value, float from1, float to1, float from2, float to2)
{
return (((value - from1) * (to2 - from2) / (to1 - from1)) + from2);
}
}
}
现在从另一个文件中,我希望能够使用此语法:
using CustomExtensions;
public class MySound
{
public void SetPitch(float rpm)
{
pitch = Remap(rpm, minRPM, maxRPM, 0.5f, 1.5f);
}
}
但是,除非我这样做,否则我会收到错误MathExt.Remap(rpm, 720, maxRPM, .75f, 1.75f);
我也尝试了using CustomExtensions.MathExt;
但它仍然抛出了一个错误。
我想调用这个函数,而不必在它之前声明 MathExt。我意识到只添加类名很简单,但我想了解我做错了什么。
如果你使用的是C#6,你可以尝试使用
using static CustomExtensions.MathExt;
链接
这不是扩展方法。您没有定义作为扩展方法基础的对象(您可以使用this
执行此操作):
public static float Remap (this float value, float from1, float to1, float from2, float to2)
{ }
然后你称之为:
pitch = rpm.Remap(minRPM, maxRPM, 0.5f, 1.5f);