52

我正在尝试使用 MVC4 捆绑对我的一些较少文件进行分组,但看起来我正在使用的导入路径已关闭。我的目录结构是:

static/
    less/
        mixins.less
        admin/
            user.less

在 user.less 中,我尝试使用以下命令导入 mixins.less:

@import "../mixins.less";

以前在使用 dotless 的 chirpy 时这对我有用,但现在我注意到 ELMAH 对我很生气,说:

System.IO.FileNotFoundException: 
    You are importing a file ending in .less that cannot be found.
File name: '../mixins.less'

我应该使用不同@import的 MVC4 吗?

一些附加信息

这是我用来尝试这个的 less 类和 global.asax.cs 代码:

LessMinify.cs

...
public class LessMinify : CssMinify
{
    public LessMinify() {}

    public override void Process(BundleContext context, BundleResponse response)
    {
        response.Content = Less.Parse(response.Content);
        base.Process(context, response);
    }
}
...

Global.asax.cs

...
DynamicFolderBundle lessFB = 
    new DynamicFolderBundle("less", new LessMinify(), "*.less");
    
BundleTable.Bundles.Add(lessFB);

Bundle AdminLess = new Bundle("~/AdminLessBundle", new LessMinify());
...
AdminLess.AddFile("~/static/less/admin/user.less");
BundleTable.Bundles.Add(AdminLess);
...
4

10 回答 10

41

我写了一篇关于Using LESS CSS With MVC4 Web Optimization的快速博客文章。

它基本上归结为使用BundleTransformer.Less Nuget 包并更改您的 BundleConfig.cs。

用引导程序测试。

编辑:应该提到我这么说的原因,我也遇到了@import 目录结构问题,并且这个库正确处理了它。

于 2012-10-02T01:02:10.590 回答
26

GitHub Gist 上发布了与 @import 和 dotLess 配合使用的代码:https ://gist.github.com/2002958

我用Twitter Bootstrap对其进行了测试,效果很好。

ImportedFilePathResolver.cs

public class ImportedFilePathResolver : IPathResolver
{
    private string currentFileDirectory;
    private string currentFilePath;

    /// <summary>
    /// Initializes a new instance of the <see cref="ImportedFilePathResolver"/> class.
    /// </summary>
    /// <param name="currentFilePath">The path to the currently processed file.</param>
    public ImportedFilePathResolver(string currentFilePath)
    {
        CurrentFilePath = currentFilePath;
    }

    /// <summary>
    /// Gets or sets the path to the currently processed file.
    /// </summary>
    public string CurrentFilePath
    {
        get { return currentFilePath; }
        set
        {
            currentFilePath = value;
            currentFileDirectory = Path.GetDirectoryName(value);
        }
    }

    /// <summary>
    /// Returns the absolute path for the specified improted file path.
    /// </summary>
    /// <param name="filePath">The imported file path.</param>
    public string GetFullPath(string filePath)
    {
        filePath = filePath.Replace('\\', '/').Trim();

        if(filePath.StartsWith("~"))
        {
            filePath = VirtualPathUtility.ToAbsolute(filePath);
        }

        if(filePath.StartsWith("/"))
        {
            filePath = HostingEnvironment.MapPath(filePath);
        }
        else if(!Path.IsPathRooted(filePath))
        {
            filePath = Path.Combine(currentFileDirectory, filePath);
        }

        return filePath;
    }
}

LessMinify.cs

public class LessMinify : IBundleTransform
{
    /// <summary>
    /// Processes the specified bundle of LESS files.
    /// </summary>
    /// <param name="bundle">The LESS bundle.</param>
    public void Process(BundleContext context, BundleResponse bundle)
    {
        if(bundle == null)
        {
            throw new ArgumentNullException("bundle");
        }

        context.HttpContext.Response.Cache.SetLastModifiedFromFileDependencies();

        var lessParser = new Parser();
        ILessEngine lessEngine = CreateLessEngine(lessParser);

        var content = new StringBuilder(bundle.Content.Length);

        foreach(FileInfo file in bundle.Files)
        {
            SetCurrentFilePath(lessParser, file.FullName);
            string source = File.ReadAllText(file.FullName);
            content.Append(lessEngine.TransformToCss(source, file.FullName));
            content.AppendLine();

            AddFileDependencies(lessParser);
        }

        bundle.Content = content.ToString();
        bundle.ContentType = "text/css";
        //base.Process(context, bundle);
    }

    /// <summary>
    /// Creates an instance of LESS engine.
    /// </summary>
    /// <param name="lessParser">The LESS parser.</param>
    private ILessEngine CreateLessEngine(Parser lessParser)
    {
        var logger = new AspNetTraceLogger(LogLevel.Debug, new Http());
        return new LessEngine(lessParser, logger, false);
    }

    /// <summary>
    /// Adds imported files to the collection of files on which the current response is dependent.
    /// </summary>
    /// <param name="lessParser">The LESS parser.</param>
    private void AddFileDependencies(Parser lessParser)
    {
        IPathResolver pathResolver = GetPathResolver(lessParser);

        foreach(string importedFilePath in lessParser.Importer.Imports)
        {
            string fullPath = pathResolver.GetFullPath(importedFilePath);
            HttpContext.Current.Response.AddFileDependency(fullPath);
        }

        lessParser.Importer.Imports.Clear();
    }

    /// <summary>
    /// Returns an <see cref="IPathResolver"/> instance used by the specified LESS lessParser.
    /// </summary>
    /// <param name="lessParser">The LESS prser.</param>
    private IPathResolver GetPathResolver(Parser lessParser)
    {
        var importer = lessParser.Importer as Importer;
        if(importer != null)
        {
            var fileReader = importer.FileReader as FileReader;
            if(fileReader != null)
            {
                return fileReader.PathResolver;
            }
        }

        return null;
    }

    /// <summary>
    /// Informs the LESS parser about the path to the currently processed file. 
    /// This is done by using custom <see cref="IPathResolver"/> implementation.
    /// </summary>
    /// <param name="lessParser">The LESS parser.</param>
    /// <param name="currentFilePath">The path to the currently processed file.</param>
    private void SetCurrentFilePath(Parser lessParser, string currentFilePath)
    {
        var importer = lessParser.Importer as Importer;
        if(importer != null)
        {
            var fileReader = importer.FileReader as FileReader;

            if(fileReader == null)
            {
                importer.FileReader = fileReader = new FileReader();
            }

            var pathResolver = fileReader.PathResolver as ImportedFilePathResolver;

            if(pathResolver != null)
            {
                pathResolver.CurrentFilePath = currentFilePath;
            }
            else
            {
               fileReader.PathResolver = new ImportedFilePathResolver(currentFilePath);
            }
        }
        else
        {
            throw new InvalidOperationException("Unexpected importer type on dotless parser");
        }


    }
}
于 2012-08-06T19:02:43.763 回答
21

Ben Cull 回答的附录:

我知道这“应该是对 Ben Cull 帖子的评论”,但它增加了一些额外的东西,这是不可能在评论中添加的。因此,如果必须,请投票给我。或者关闭我。

Ben 的博客文章做到了这一切,除了它没有指定缩小。

因此,按照 Ben 的建议安装 BundleTransformer.Less 包,然后,如果您想缩小 css,请执行以下操作(在 ~/App_Start/BundleConfig.cs 中):

var cssTransformer = new CssTransformer();
var jsTransformer = new JsTransformer();
var nullOrderer = new NullOrderer();

var css = new Bundle("~/bundles/css")
    .Include("~/Content/site.less");
css.Transforms.Add(cssTransformer);
css.Transforms.Add(new CssMinify());
css.Orderer = nullOrderer;

bundles.Add(css);

添加的行是:

css.Transforms.Add(new CssMinify());

CssMinify在哪里System.Web.Optimizations

我很欣慰地解决了@import 问题,并且没有找到扩展名为 .less 的结果文件,我不在乎谁投了我的票。

相反,如果您有为这个答案投票的冲动,请投票给 Ben。

所以在那里。

于 2012-10-31T17:38:21.090 回答
17

我发现一个非常有用的解决方法是在 LessMinify.Process() 中运行 Less.Parse 之前设置目录。这是我的做法:

public class LessTransform : IBundleTransform
    {
        private string _path;

        public LessTransform(string path)
        {
            _path = path;
        }

        public void Process(BundleContext context, BundleResponse response)
        {
            Directory.SetCurrentDirectory(_path);

            response.Content = Less.Parse(response.Content);
            response.ContentType = "text/css";
        }
    }

然后在创建较少的变换对象时传入路径,如下所示:

lessBundle.Transforms.Add(
    new LessTransform(HttpRuntime.AppDomainAppPath + "/Content/Less")
);

希望这可以帮助。

于 2013-10-02T22:55:44.823 回答
4

问题是 DynamicFolderBundle 读取文件的所有内容并将组合内容传递给 LessMinify。

因此,任何@imports 都没有引用文件来自的位置。

为了解决这个问题,我必须将所有“较少”文件放在一个位置。

然后您必须了解文件的顺序变得很重要。因此,我开始用数字重命名文件(例如:“0 CONSTANTS.less”、“1 MIXIN.less”,这意味着它们在进入 LessMinify 之前被加载到组合输出的顶部。

如果您调试您的 LessMinify 并查看 response.Content,您将看到组合的 less 输出!

希望这可以帮助

于 2012-03-15T09:56:52.013 回答
3

这是我能想到的最简单的代码版本:

public class LessTransform : IBundleTransform
{
    public void Process(BundleContext context, BundleResponse bundle)
    {
        var pathResolver = new ImportedFilePathResolver(context.HttpContext.Server);
        var lessParser = new Parser();
        var lessEngine = new LessEngine(lessParser);
        (lessParser.Importer as Importer).FileReader = new FileReader(pathResolver);

        var content = new StringBuilder(bundle.Content.Length);
        foreach (var bundleFile in bundle.Files)
        {
            pathResolver.SetCurrentDirectory(bundleFile.IncludedVirtualPath);
            content.Append(lessEngine.TransformToCss((new StreamReader(bundleFile.VirtualFile.Open())).ReadToEnd(), bundleFile.IncludedVirtualPath));
            content.AppendLine();
        }

        bundle.ContentType = "text/css";
        bundle.Content = content.ToString();
    }
}

public class ImportedFilePathResolver : IPathResolver
{
    private HttpServerUtilityBase server { get; set; }
    private string currentDirectory { get; set; }

    public ImportedFilePathResolver(HttpServerUtilityBase server)
    {
        this.server = server;
    }

    public void SetCurrentDirectory(string fileLocation)
    {
        currentDirectory = Path.GetDirectoryName(fileLocation);
    }

    public string GetFullPath(string filePath)
    {
        var baseDirectory = server.MapPath(currentDirectory);
        return Path.GetFullPath(Path.Combine(baseDirectory, filePath));
    }
}
于 2014-06-19T15:03:33.053 回答
2

这是我所做的:

添加了 Twitter Bootstrap Nuget 模块。

将此添加到我的 _Layout.cshtml 文件中:

<link href="@System.Web.Optimization.BundleTable.Bundles.ResolveBundleUrl("~/Content/twitterbootstrap/less")" rel="stylesheet" type="text/css" />

请注意,我将“less”文件夹重命名为 twitterbootstrap 只是为了证明我可以

将所有较少的文件移动到一个名为“imports”的子文件夹中,除了 bootstrap.less和(用于响应式设计)responsive.less

~/Content/twitterbootstrap/imports

在 web.config 中添加了一个配置:

<add key="TwitterBootstrapLessImportsFolder" value="imports" />

创建了两个类(对上面的类稍作修改):

using System.Configuration;
using System.IO;
using System.Web.Optimization;
using dotless.Core;
using dotless.Core.configuration;
using dotless.Core.Input;

namespace TwitterBootstrapLessMinify
{
    public class TwitterBootstrapLessMinify : CssMinify
    {
        public static string BundlePath { get; private set; }

        public override void Process(BundleContext context, BundleResponse response)
        {
            setBasePath(context);

            var config = new DotlessConfiguration(dotless.Core.configuration.DotlessConfiguration.GetDefault());
            config.LessSource = typeof(TwitterBootstrapLessMinifyBundleFileReader);

            response.Content = Less.Parse(response.Content, config);
            base.Process(context, response);
        }

        private void setBasePath(BundleContext context)
        {
            var importsFolder = ConfigurationManager.AppSettings["TwitterBootstrapLessImportsFolder"] ?? "imports";
            var path = context.BundleVirtualPath;

            path = path.Remove(path.LastIndexOf("/") + 1);

            BundlePath = context.HttpContext.Server.MapPath(path + importsFolder + "/");
        }
    }

    public class TwitterBootstrapLessMinifyBundleFileReader : IFileReader
    {
        public IPathResolver PathResolver { get; set; }
        private string basePath;

        public TwitterBootstrapLessMinifyBundleFileReader() : this(new RelativePathResolver())
        {
        }

        public TwitterBootstrapLessMinifyBundleFileReader(IPathResolver pathResolver)
        {
            PathResolver = pathResolver;
            basePath = TwitterBootstrapLessMinify.BundlePath;
        }

        public bool DoesFileExist(string fileName)
        {
            fileName = PathResolver.GetFullPath(basePath + fileName);

            return File.Exists(fileName);
        }

        public string GetFileContents(string fileName)
        {
            fileName = PathResolver.GetFullPath(basePath + fileName);

            return File.ReadAllText(fileName);
        }
    }
}

我的 IFileReader 实现着眼于 TwitterBootstrapLessMinify 类的静态成员 BundlePath。这允许我们注入一个基本路径供导入使用。我本来希望采取不同的方法(通过提供我的班级的一个实例,但我不能)。

最后,我在 Global.asax 中添加了以下几行:

BundleTable.Bundles.EnableDefaultBundles();

var lessFB = new DynamicFolderBundle("less", new TwitterBootstrapLessMinify(), "*.less", false);
BundleTable.Bundles.Add(lessFB);

这有效地解决了进口不知道从哪里进口的问题。

于 2012-05-25T04:48:10.440 回答
1

从下面的 RockResolve 开始,要使用 MicrosoftAjax 缩小器,请将其引用为 web.config 中的默认 CSS 缩小器,而不是将其作为参数传入。

来自https://bundletransformer.codeplex.com/wikipage/?title=Bundle%20Transformer%201.7.0%20Beta%201#BundleTransformerMicrosoftAjax_Chapter

要将 MicrosoftAjaxCssMinifier 设为默认 CSS-minifier 并将 MicrosoftAjaxJsMinifier 设为默认 JS-minifier,您需要更改 Web.config 文件。在\configuration\ bundleTransformer \core\css 元素的 defaultMinifier 属性中,必须将值设置为等于MicrosoftAjaxCssMinifier,并且在 \configuration\bundleTransformer\core\js 元素的相同属性中 - MicrosoftAjaxJsMinifier。

于 2013-04-16T20:05:17.940 回答
1

截至 2013 年 2 月:Michael Baird 的出色解决方案被 Ben Cull 的帖子中提到的“BundleTransformer.Less Nuget Package”答案所取代。类似的答案在: http: //blog.cdeutsch.com/2012/08/using-less-and-twitter-bootstrap-in.html

Cdeutsch 的博客和 awrigley 的帖子添加缩小效果很好,但现在显然不是正确的方法。

具有相同解决方案的其他人从 BundleTransformer 作者那里得到了一些答案:http: //geekswithblogs.net/ToStringTheory/archive/2012/11/30/who-could-ask-for-more-with-less-css-part- 2.aspx。请参阅底部的评论。

总之,使用 BundleTransformer.MicrosoftAjax 而不是内置的内置压缩器。例如 css.Transforms.Add(new CssMinify()); 替换为 css.Transforms.Add(new BundleTransformer.MicrosoftAjax());

于 2013-02-08T00:20:05.673 回答
-1

我遇到了同样的问题,看到同样的错误信息。在互联网上寻找解决方案把我带到了这里。我的问题如下:

在一个较小的文件中,我在某些时候有一个不正确的样式,这给了我一个警告。无法解析 less 文件。我通过删除不正确的行来消除错误消息。

我希望这可以帮助别人。

于 2013-12-09T13:26:29.197 回答