Как скачать / открыть файл, который я получаю по пути к серверу? - PullRequest
1 голос
/ 01 июля 2011

Я делаю модуль, который показывает древовидную структуру документов, которые хранятся на моем диске в папке.Это восстанавливается хорошо.Но проблема в том, что документы имеют другой формат, например (.pdf, .docx и т. Д.).То, что не открывается в браузере при клике.Там это показывает ошибку 404.4.Так скажите мне, как я могу загрузить / открыть файлы различного формата нажатием кнопки?Вот мой код:

   protected void Page_Load(System.Object sender, System.EventArgs e)
    {
        try
        {
            if (!Page.IsPostBack)
            {
                if (Settings["DirectoryPath"] != null)
                {
                    BindDirectory(Settings["DirectoryPath"].ToString());
                }
                else
                {
                    BindDirectory(Server.MapPath("~/"));
                }
            }
        }
        catch (DirectoryNotFoundException DNEx)
        {
            try
            {
                System.IO.Directory.CreateDirectory("XIBDir");
                BindDirectory(Server.MapPath("XIBDir"));
            }
            catch (AccessViolationException AVEx)
            {
                Response.Write("<!--" + AVEx.Message + "-->");
            }

        }
        catch (Exception exc) //Module failed to load
        {
            Exceptions.ProcessModuleLoadException(this, exc);
        }

    }

    #endregion

    #region Optional Interfaces

    /// -----------------------------------------------------------------------------
    /// <summary>
    /// Registers the module actions required for interfacing with the portal framework
    /// </summary>
    /// <value></value>
    /// <returns></returns>
    /// <remarks></remarks>
    /// <history>
    /// </history>
    /// -----------------------------------------------------------------------------
    public ModuleActionCollection ModuleActions
    {
        get
        {
            ModuleActionCollection Actions = new ModuleActionCollection();
            Actions.Add(this.GetNextActionID(), Localization.GetString(ModuleActionType.AddContent, this.LocalResourceFile), ModuleActionType.AddContent, "", "", this.EditUrl(), false, SecurityAccessLevel.Edit, true, false);
            return Actions;
        }
    }

    #endregion

    private void BindDirectory(string Path)
    {
        try
        {
            System.IO.DirectoryInfo dirRoot = new System.IO.DirectoryInfo(Path);

            TreeNode tnRoot = new TreeNode(Path);
            tvDirectory.Nodes.Add(tnRoot);

            BindSubDirectory(dirRoot, tnRoot);
            tvDirectory.CollapseAll();
        }
        catch (UnauthorizedAccessException Ex)
        {
            TreeNode tnRoot = new TreeNode("Access Denied");
            tvDirectory.Nodes.Add(tnRoot);
        }
    }

    private void BindSubDirectory(System.IO.DirectoryInfo dirParent, TreeNode tnParent)
    {
        try
        {
            foreach (System.IO.DirectoryInfo dirChild in dirParent.GetDirectories())
            {
                //TreeNode tnChild = new TreeNode(dirChild.Name);
                TreeNode tnChild = new TreeNode(dirChild.Name, dirChild.FullName);

                tnParent.ChildNodes.Add(tnChild);

                BindSubDirectory(dirChild, tnChild);
            }
        }
        catch (UnauthorizedAccessException Ex)
        {
            TreeNode tnChild = new TreeNode("Access Denied");
            tnParent.ChildNodes.Add(tnChild);
        }
    }


    private void BindFiles(string Path)
    {
        try
        {
            tvFile.Nodes.Clear();
            System.IO.DirectoryInfo dirFile = new System.IO.DirectoryInfo(Path);

            foreach (System.IO.FileInfo fiFile in dirFile.GetFiles("*.*"))
            {
                string strFilePath = Server.MapPath(fiFile.Name);
                string strFilePaths = "~/" + fiFile.FullName.Substring(15);

                TreeNode tnFile = new TreeNode(fiFile.Name, fiFile.FullName, "", strFilePaths, "_blank");
                tvFile.Nodes.Add(tnFile);
            }
        }
        catch (Exception Ex)
        {
            Response.Write("<!--" + Ex.Message + "-->");
        }
    }
    protected void tvDirectory_SelectedNodeChanged(object sender, EventArgs e)
    {
        try
        {
            string strFilePath = tvDirectory.SelectedNode.Value;
            BindFiles(tvDirectory.SelectedNode.Value);
        }
        catch (Exception Ex)
        {
            Response.Write("<!--" + Ex.Message + "-->");
        }
    }
}

}

Ответы [ 2 ]

0 голосов
/ 01 июля 2011

404.4 означает, что веб-сервер (предположительно IIS) теперь не знает, как обслуживать файл (в зависимости от расширения). Если ваш код правильно обслуживает другие файлы, это проблема конфигурации веб-сервера. Обратитесь к документации по серверам для добавления соответствующих обработчиков для расширений файлов, которые не работают.

0 голосов
/ 01 июля 2011

Я бы использовал гиперссылку в вашем дереве, которая открывает ссылку: openfile.ashx? Path = [insertpathhere] (убедитесь, что ваша ссылка открывается в target = "_ blank")

в вашем универсальном обработчике (ASHX) у вас есть доступ для загрузки файла с диска и передачи его байтов в responseStream.и это приведет к загрузке файла в браузере.Вы также должны установить тип содержимого, где это применимо.

Требуемый пример кода ...

Предисловие: Здесь происходят некоторые "дополнительные" вещи ... Я base64 Кодировал путь вмой пример, потому что я не хотел, чтобы путь был «читабельным».Кроме того, когда я передаю его в браузер, я ожидаю 'экспорт-' и отметку времени ... но вы понимаете ...

public class getfile : IHttpHandler
{
    public void ProcessRequest(HttpContext context)
    {
        var targetId = context.Request.QueryString["target"];
        if (string.IsNullOrWhiteSpace(targetId))
        {
            context.Response.ContentType = "text/plain";
            context.Response.Write("Fail: Target was expected in querystring.");
            return;
        }
        try
        {
            var url = new String(Encoding.UTF8.GetChars(Convert.FromBase64String(targetId)));
            var filename = url.Substring(url.LastIndexOf('\\') + 1);
            filename = "export-" + DateTime.Now.ToString("yyyy-MM-dd-HHmm") + filename.Substring(filename.Length - 4);
            context.Response.ContentType = "application/octet-stream";
            context.Response.AppendHeader("Content-Disposition", String.Format("attachment;filename={0}", filename));
            var data = File.ReadAllBytes(url);
            File.Delete(url);
            context.Response.BinaryWrite(data);
        }
        catch (Exception ex)
        {
            context.Response.Clear();
            context.Response.Write("Error occurred: " + ex.Message);
            context.Response.ContentType = "text/plain";
            context.Response.End();
        }
    }
    public bool IsReusable { get { return false; } }
}
...