嗨,我正在尝试从asmx Web服务读取2个txt文件,原因是在文件1中我有随机字母,必须从文件2中找到匹配的单词。但是我不知道该怎么做。读取文件。
这是webService。这就是我的操作方式。想法是读取第一个文件并获取到其他人的路由,您将其阅读并将其添加到列表中,但是如果您有其他想法,我将非常感谢共享
namespace NewShoreApp
{
[WebService(Namespace = "http://tempuri.org/")]
[WebServiceBinding(ConformsTo = WsiProfiles.BasicProfile1_1)]
[System.ComponentModel.ToolboxItem(false)]
public class WebService : System.Web.Services.WebService
{
[WebMethod]
public string ReadData()
{
string[] lines = File.ReadAllLines(@"C:\Users\thoma\source\repos\NewShoreApp\NewShoreApp\Data\CONTENIDO.txt");
List<string> list = new List<string>();
foreach (var line in lines)
{
string data= File.ReadAllLines(line); //'Cannot implicitly convert type string[] to string'
list.AddRange(data); //Cannot convert from string to system.collections.generic IEnumerable<string>
}
return ".";
}
}
}
这是我上传文件并将其添加到数组中的控制器。
namespace NewShoreApp.Controllers
{
public class HomeController : Controller
{
public ActionResult Index()
{
return View();
}
[HttpPost]
public ActionResult Index(HttpPostedFileBase[] files)
{
if (ModelState.IsValid)
{
try
{
foreach (HttpPostedFileBase file in files)
{
if (file != null)
{
var ServerPath = Path.Combine(Server.MapPath("~/Data"), Path.GetFileName(file.FileName));
file.SaveAs(ServerPath);
}
}
ViewBag.FileStatus = "File uploaded successfully.";
}
catch (Exception)
{
ViewBag.FileStatus = "Error while file uploading.";
}
}
return View("Index");
}
}
}
这是模型
namespace NewShoreApp.Models
{
public class Data
{
//
[DataType(DataType.Upload)]
[Display(Name = "Upload File")]
[Required(ErrorMessage = "Please choose file to upload.")]
public HttpPostedFileBase[] files { get; set; }
}
}
答案 0 :(得分:3)
发生问题是因为File.ReadAllLines()
返回字符串数组(string[]
),您可以使用List<string>
方法将其转换为ToList()
:
string[] lines = File.ReadAllLines(@"C:\Users\thoma\source\repos\NewShoreApp\NewShoreApp\Data\CONTENIDO.txt");
List<string> list = lines.ToList();
如果要读取同一文件夹中的多个文件并将所有内容添加到字符串列表,请在使用ReadAllLines()
之前使用Directory.GetFiles()
或Directory.EnumerateFiles()
并迭代每个文件路径:< / p>
List<string> paths = Directory.EnumerateFiles(@"C:\Users\thoma\source\repos\NewShoreApp\NewShoreApp\Data\", "*.txt").ToList();
foreach (string filePath in paths)
{
string[] lines = File.ReadAllLines(filePath);
list.AddRange(lines.ToList());
}
在多线程环境中,您应该考虑将Parallel.ForEach
与上述类似的设置用于foreach
循环中:
List<string> paths = Directory.EnumerateFiles(@"C:\Users\thoma\source\repos\NewShoreApp\NewShoreApp\Data\", "*.txt").ToList();
Parallel.ForEach(paths, current =>
{
string[] lines = File.ReadAllLines(current);
list.AddRange(lines.ToList());
});
答案 1 :(得分:2)
并行读取多个txt文件的最佳方法是使用ThreadPool。
ThreadPool.QueueUserWorkItem(ReadFile, path);
和ReadFile方法在这里
public static void ReadFile(Object path)
{
string content = File.ReadAllLines(@path)
// do what you need
}
答案 2 :(得分:2)
如果问题是此行:
string data= File.ReadAllLines(line); //'Cannot implicitly convert type string[] to string'
可变行是每行的数组,是一个字符串,您已经在上面调用了。
如果要行列表,只需将行数组转换为列表:
var list = new List<string>(data);