16

私はjavascriptを初めて使用し、ビデオオーバーIPをデコードする組み込みシステムに取り組んでいます。

javascript を使用してチャンネルを設定および変更するための小さなアプリを作成し、リモコン用のキー ハンドラーとイベント ハンドラーを含めて、ビデオが停止したりネットワークがダウンした場合に何らかのアクションを実行したり、メッセージを表示したりできるようにしましたが、今はチャンネルを変更したときに送信される自動HTTP POSTを設定して、現在再生中のデバイスとURLに関するデータを含めます。

これは、busybox を実行する小さな組み込みハードウェア デバイスであるため、Ajax を使用したり、他の通常の Web テクノロジを追加したりすることはできません。Javascript を使用して、監視しているイベントによってトリガーされた HTTP POST を送信するだけでよいため、最初の目標はボタンを押してその POST メッセージを送信し、後でいつトリガーするかを決めることができます。

既知のリッスン デバイス/場所に投稿を送信し、それにデータを含める方法の概要を簡単に説明できるようなことを行うことに精通している人はいますか?

どうもありがとう

4

1 に答える 1

41

これは、Javascript エンジンが Web 上で広く普及している XMLHttpRequest (XHR) をサポートしている場合は簡単です。詳細については、 Google で検索するか、このページを参照してください。以下にコード スニペットを示します。特に「async」が真であり、応答ハンドラーのクロージャーに関するコメントを注意深く読んでください。また、このコードは Javascript に関する限り非常に軽量であり、現在のほぼすべてのハードウェア フットプリントで問題なく動作すると予想されます。

var url = "http://www.google.com/";
var method = "POST";
var postData = "Some data";

// You REALLY want shouldBeAsync = true.
// Otherwise, it'll block ALL execution waiting for server response.
var shouldBeAsync = true;

var request = new XMLHttpRequest();

// Before we send anything, we first have to say what we will do when the
// server responds. This seems backwards (say how we'll respond before we send
// the request? huh?), but that's how Javascript works.
// This function attached to the XMLHttpRequest "onload" property specifies how
// the HTTP response will be handled. 
request.onload = function () {

   // Because of javascript's fabulous closure concept, the XMLHttpRequest "request"
   // object declared above is available in this function even though this function
   // executes long after the request is sent and long after this function is
   // instantiated. This fact is CRUCIAL to the workings of XHR in ordinary
   // applications.

   // You can get all kinds of information about the HTTP response.
   var status = request.status; // HTTP response status, e.g., 200 for "200 OK"
   var data = request.responseText; // Returned data, e.g., an HTML document.
}

request.open(method, url, shouldBeAsync);

request.setRequestHeader("Content-Type", "application/json;charset=UTF-8");
// Or... request.setRequestHeader("Content-Type", "text/plain;charset=UTF-8");
// Or... whatever

// Actually sends the request to the server.
request.send(postData);
于 2013-02-14T19:44:35.580 に答える