我正在研究使用ASP.Net和C#将文档上载和下载到sql server 2008数据库中的不同方法和技术,以用于Web应用程序。
我找到了这个excel tutorial,我想知道它是否类似于以类似的方式上传pdf和word文档?
由于
答案 0 :(得分:1)
本教程适用于任何文件,而不仅仅是excel。关键在于这部分:
Stream fs = FileUpload1.PostedFile.InputStream;
BinaryReader br = new BinaryReader(fs); //reads the binary files
Byte[] bytes = br.ReadBytes((Int32)fs.Length); //counting the file length into bytes
query = "insert into Excelfiledemo(Name,type,data)" + " values (@Name, @type, @Data)"; //insert query
com = new SqlCommand(query, con);
com.Parameters.Add("@Name", SqlDbType.VarChar).Value = filename1;
com.Parameters.Add("@type", SqlDbType.VarChar).Value = type;
com.Parameters.Add("@Data", SqlDbType.Binary).Value = bytes;
com.ExecuteNonQuery();
Label2.ForeColor = System.Drawing.Color.Green;
Label2.Text = "File Uploaded Successfully";
这里基本上发生的是文件流被转换为Byte数组,该数组作为数据blob存储在数据库中。这可以用于任何文件类型。请确保保留文件名(或至少扩展名),就像上面的示例一样,这样您就可以知道将文件转回磁盘上的文件时的文件类型。
答案 1 :(得分:1)
考虑您共享的链接中的示例,请使用以下验证:
switch (ext.ToLower())
{
case ".pdf":
type = "application/pdf";
break;
case ".doc":
type = "application/msword";
break;
case ".docx":
type = "application/vnd.openxmlformats-officedocument.wordprocessingml.document";
}
Here是您可以考虑的更多MS Office 2007 MIME类型,在All MIME Types您可能会找到更广泛的列表。
答案 2 :(得分:0)
答案很简单:是的,它很相似。
修改强>
您找到的链接是一个示例,向您展示如何将文件内容存储到数据库中,它可以更改为任何其他不同的文件类型:pdf,doc,jpg,等等,只要您记录mim e类型,当下载最终用户正确使用时
答案 3 :(得分:0)
当您首先使用带有代码的ASP.NET MVC 4或5时,这个答案更合适。
//on your view model
public class MyViewModel
{
[Required]
[DisplayName("Select File to Upload")]
public IEnumerable<HttpPostedFileBase> File { get; set; }
}
// on your object class, make sure you have a data type byte[] that will store a file in a form of bytes, a byte[] data type store both Images and documents of any content type.
public class FileUploadDBModel
{
[Key]
public int Id { get; set; }
public string FileName { get; set; }
public byte[] File { get; set; }
}
// on your view
<div class="jumbotron">
@using (Html.BeginForm(null, null, FormMethod.Post, new { enctype = "multipart/form-data" }))
{
<div>
@Html.LabelFor(x => x.File)
@Html.TextBoxFor(x => x.File, new { type = "file" })
@Html.ValidationMessageFor(x => x.File)
</div>
<button type="submit">Upload File</button>
}
</div>
//on your controller
public ActionResult Index(MyViewModel model)
{
FileUploadDBModel fileUploadModel = new FileUploadDBModel();
//uploading multiple files in the database
foreach (var item in model.File)
{
byte[] uploadFile = new byte[item.InputStream.Length];
item.InputStream.Read(uploadFile, 0, uploadFile.Length);
fileUploadModel.FileName = item.FileName;
fileUploadModel.File = uploadFile;
db.FileUploadDBModels.Add(fileUploadModel);
db.SaveChanges();
}
}