0

別のサブドメインのサブドメイン、サブ1のファイル、およびサブ2のこのファイルをチェックしたい。

sub1のアドレスファイル:sub1.mysite.com/img/10.jpgおよび

 Server.MapPath(@"~/img/10.jpg");

私はsub2でこのファイルをチェックしたので、このコードを使用します:ここにいくつかのコードがあります

if (System.IO.File.Exists(Server.MapPath(@"~/img/10.jpg")))
{
   ...             
}

if (System.IO.File.Exists("http://sub1.mysite.com/img/10.jpg"))
{
   ...             
}

しかし、それは機能していません。私を助けてください。

4

2 に答える 2

1

HttpWebRequestを使用して、リソースの要求を送信し、応答を検査します。

何かのようなもの:

bool fileExists = false;
try
 {
      HttpWebRequest request = (HttpWebRequest)System.Net.WebRequest.Create("http://sub1.mysite.com/img/10.jpg");
      using (HttpWebResponse response = (HttpWebResponse)request.GetResponse())
      {
           fileExists = (response.StatusCode == HttpStatusCode.OK);
      }
 }
 catch
 {
 }
于 2013-03-12T21:43:10.070 に答える
1

HttpWebRequestを使用してHTTP経由でアクセスする必要があります。これを行うためのユーティリティメソッドを次のように作成できます。

public static bool CheckExists(string url)
{
   Uri uri = new Uri(url);
   if (uri.IsFile) // File is local
      return System.IO.File.Exists(uri.LocalPath);

   try
   {
      HttpWebRequest request = WebRequest.Create(uri) as HttpWebRequest;
      request.Method = "HEAD"; // No need to download the whole thing
      HttpWebResponse response = request.GetResponse() as HttpWebResponse;
      return (response.StatusCode == HttpStatusCode.OK); // Return true if the file exists
   }
   catch
   {
      return false; // URL does not exist
   }
}

そしてそれを次のように呼びます:

if(CheckExists("http://sub1.mysite.com/img/10.jpg"))
{
   ...
}
于 2013-03-12T21:44:29.013 に答える