0

我一直在尝试通过我的 ASP.NET 网站通过 P/Invoke 写入和读取文件。在网站中执行此操作时,我面临着文件写入/读取位置的问题dlls。我试图用下面的例子来解释这个问题:

.cpp 文件(包含读写函数)

extern "C" TEST_API int fnTest(char* fileDir)
{
ofstream myfile;
myfile.open (strcat(fileDir, "test.txt"));
myfile << "Writing this to a file.\n";
myfile.close();
}

extern "C" TEST_API char* fnTest1(char* fileDir)
{
ifstream myReadFile;
myReadFile.open(strcat(fileDir, "test1.txt"));
char output[100];
if (myReadFile.is_open()) {
while (!myReadFile.eof()) {
    myReadFile >> output;
return output;
}

发布网站的构建事件以将 dll 从上面的 C++ 项目复制到网站的bin文件夹

Default.aspx.cs - C#
Dll 函数

public static class Functions(){
DllImport[("Test1.dll", EntryPoint="fnTest", CharSet=CharSet.Ansi]
public static extern int fnTest(string dir);

DllImport[("Test1.dll", EntryPoint="fnTest1", CharSet=CharSet.Ansi]
public static extern StringBuilder fnTest1(string dir);
}

Page_Load 事件

string direc = AppDomain.CurrentDomain.BaseDirectory + "bin\\";
string txt1 = Functions.fnTest(direc).ToString(); //failing here - keeps on loading the page forever
string txt2 = Functions.fnTest(direc).ToString(); //failing here - keeps on loading the page forever

如果我在桌面应用程序中尝试相同的 Page_Load 代码并将direc其设置为项目输出的当前目录,则一切正常。只是在网站的情况下要写入或读取文件的目录有点混乱,我真的不知道如何纠正这个问题并让它工作。建议将不胜感激。

4

1 回答 1

0

您仍然有许多与上一个问题相同的问题

这一次你最大的问题在这里:

strcat(fileDir, "test.txt")

您无法修改fileDir,因为它归 pinvoke marshaller 所有。不要将目录传递给您的本机代码,而是将完整路径传递给文件。在您的托管代码中使用Path.Combine来创建它,并将其传递给本机代码。

extern "C" TEST_API int fnTest(char* filename)
{
    ofstream myfile;
    myfile.open(filename);
    myfile << "Writing this to a file.\n";
    myfile.close();
}

在托管代码中

string filename = Path.Combine(
    AppDomain.CurrentDomain.BaseDirectory, "bin", "test.txt");
string txt1 = Functions.fnTest(filename).ToString(); 

在评论中,您解释说您需要在本机代码中连接字符串。您将需要创建一个本机字符串来执行此操作,因为您不允许写入fileDir. 像这样的东西:

string fileName = string(fileDir) + "test.txt";
myfile.open(fileName.c_str());

但是您仍然需要修复fnTest1读取文件的内容。我对您其他问题的回答告诉您如何做到这一点。

于 2012-04-27T16:19:32.233 回答