Передача файла с устройства Windows Mobile в ... куда угодно - PullRequest
0 голосов
/ 23 июля 2010

Не могу найти решение этой проблемы.Я пытаюсь, чтобы приложение Compact Framework на Windows Mobile 6 имело возможность перемещать файл в своей локальной файловой системе в другую систему.

Вот известные мне решения:

  • FTP - Проблема в том, что большинство API слишком дорогостоящие в использовании.

  • HTTP PUT - Насколько я смог найти, яне может использовать анонимный PUT с IIS7, и это веб-сервер, на котором работает система.(В качестве обходного пути для этого можно использовать другой веб-сервер для PUT-файла и заставить другую систему перенести его в систему IIS).

  • Общий ресурс Windows - мне потребуетсяпроверка подлинности на общих ресурсах, и я не видел, чтобы этот способ проверки подлинности проходил через Windows Mobile.

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

Ответы [ 2 ]

1 голос
/ 11 августа 2010

В итоге я просто передал информацию на веб-сервер с помощью сценария PHP.

Приведенные выше варианты просто не сработали для моей ситуации.

Вот суть.У меня есть некоторый код с индикаторами выполнения и различными проверками и обработчиками, не связанными с простой отправкой файла, но я уверен, что вы можете выбрать его.Я удалил свой код аутентификации как из C #, так и из PHP, но при необходимости не должно быть слишком сложно свернуть свой собственный.

в C #:

/*
 * Here's the short+sweet about how I'm doing this
 * 1) Copy the file from mobile device to web server by querying PHP script with paramaters for each line
 * 2) PHP script checks 1) If we got the whole data file 2) If this is a duplicate data file
 * 3) If it is a duplicate, or we didn't get the whole thing, it goes away. The mobile 
 *    device will hang on to it's data file in the first case (if it's duplicate it deletes it)
 *    to be tried again later
 * 4) The server will then process the data files using a scheduled task/cron job at an appropriate time
 */
private void process_attempts()
{   

    Uri CheckUrl = new Uri("http://path/to/php/script?action=check");
    WebRequest checkReq = WebRequest.Create(CheckUrl);
    try
    {
        WebResponse CheckResp = checkReq.GetResponse();
        CheckResp.Close();
    }
    catch
    {
        MessageBox.Show("Error! Connection not available. Please make sure you are online.");
        this.Invoke(new Close(closeme));
    }
    StreamReader dataReader = File.OpenText(datafile);
    String line = null;
    line = dataReader.ReadLine();
    while (line != null)
    {
        Uri Url = new Uri("http://path/to/php/script?action=process&line=" + line);
        WebRequest WebReq = WebRequest.Create(Url);
        try
        {
          WebResponse Resp = WebReq.GetResponse();
          Resp.Close();
        }
        catch
        {
            MessageBox.Show("Error! Connection not available. Please make sure you are online.");
            this.Invoke(new Close(closeme));
            return;
        }
        try
        {
            process_bar.Invoke(new SetInt(SetBarValue), new object[] { processed });
        }
        catch { }
        process_num.Invoke(new SetString(SetNumValue), new object[] { processed + "/" + attempts });
        processed++;
        line = dataReader.ReadLine();
    }
    dataReader.Close();
    Uri Url2 = new Uri("http://path/to/php/script?action=finalize&lines=" + attempts);
    Boolean finalized = false;
    WebRequest WebReq2 = WebRequest.Create(Url2);
    try
    {
        WebResponse Resp = WebReq2.GetResponse();
        Resp.Close();
        finalized = true;
    }
    catch
    {
        MessageBox.Show("Error! Connection not available. Please make sure you are online.");
        this.Invoke(new Close(closeme));
        finalized = false;
    }
    MessageBox.Show("Done!");
    this.Invoke(new Close(closeme));
}

InPHP (подробно прокомментирован в вашу пользу!):

<?php

//Get the GET'd values from the C#

//The current line being processed
$line = $_GET['line'];
//Which action we are doing
$action = $_GET['action'];
//# of lines in the source file
$totalLines = $_GET['lines'];

//If we are processing the line, open the data file, and append this new line and a newline.
if($action == "process"){
    $dataFile = "tempdata/SOME_KIND_OF_UNIQUE_FILENAME.dat";
    //open the file
    $fh = fopen($dataFile, 'a');
    //Write the line, and a newline to the file
    fwrite($fh, $line."\r\n");
    //Close the file
    fclose($fh);
    //Exit the script
    exit();
}

//If we are done processing the original file from the C# application, make sure the number of lines in the new file matches that in the 
//file we are transferring. An expansion of this could be to compare some kind of hash function value of both files...
if($action == "finalize"){
    $dataFile = "tempdata/SOME_KIND_OF_UNIQUE_FILENAME.dat";
    //Count the number of lines in the new file
    $lines = count(file($dataFile));
    //If the new file and the old file have the same number of lines...
    if($lines == $totalLines){
        //File has the matching number of lines, good enough for me over TCP.
            //We should move or rename this file.
    }else{
        //File does NOT have the same number of lines as the source file.
    }
    exit();
}

if($action == "check"){
    //If a file with this unique file name already exists, delete it.
    $dataFile = "tempdata/SOME_KIND_OF_UNIQUE_FILENAME.dat";
    if(file_exists($dataFile)){
        unlink($dataFile);
    }
}
?>
1 голос
/ 23 июля 2010
...