我在本地计算机上部署docker容器。他们通过访问我的浏览器并输入http://192.168.99.105:7474/browser
来检查他们是否已成功部署。我想以编程方式执行此操作,因此我按照此问题Check if a url is reachable - Help in optimizing a Class中的代码进行操作。但是,当我尝试它时,我得到System.Net.WebException {"The remote server returned an error: (504) Gateway Timeout."}
。
虽然工作正常但如果网址为HttpStatusCode.OK
https://en.wikipedia.org/wiki/YouTube
这是我的代码:
private bool UrlIsReachable(string url)
{
//https://en.wikipedia.org/wiki/YouTube
HttpWebRequest request = WebRequest.Create("http://192.168.99.105:7474/browser") as HttpWebRequest;
request.Timeout = 600000;//set to 10 minutes, includes time for downloading the image
request.Method = "HEAD";
try
{
using (HttpWebResponse response = request.GetResponse() as HttpWebResponse)
{
return response.StatusCode == HttpStatusCode.OK;
}
}
catch (WebException)
{
return false;
}
}
编辑:我的docker-compose.yml文件
version: '2'
services:
company1:
image: neo4j
ports:
- "7474:7474"
- "7687:7687"
volumes:
- $HOME/company1/data:/data
- $HOME/company1/plugins:/plugins
company2:
image: neo4j
ports:
- "7475:7474"
- "7688:7687"
volumes:
- $HOME/company2/data:/data
- $HOME/company2/plugins:/plugins

答案 0 :(得分:1)
您的代码很好,尽管最好使用新的Microsoft.Net.Http
NuGet包,它都是异步并支持.NET Core。
您的代码与浏览器的作用之间的唯一区别是请求中的HTTP方法。浏览器会发送GET
,但您明确使用HEAD
。如果您只想测试连接,这是最有效的方式 - 但服务器可能不支持HEAD
请求(我不太了解 neo4j 以确定)。
尝试在代码中使用GET
请求 - 此示例使用新的异步方法:
[TestMethod]
public async Task TestUrls()
{
Assert.IsTrue(await UrlIsReachable("http://stackoverflow.com"));
Assert.IsFalse(await UrlIsReachable("http://111.222.333.444"));
}
private async Task<bool> UrlIsReachable(string url)
{
try
{
using (var client = new HttpClient())
{
var response = await client.GetAsync(url);
return response.StatusCode == HttpStatusCode.OK;
}
}
catch
{
return false;
}
}
自动化测试的最简单方法是使用PowerShell,而不是编写自定义应用程序:
Invoke-WebRequest -Uri http://stackoverflow.com -UseBasicParsing
或者,如果您确定HEAD
受到支持:
Invoke-WebRequest -Uri http://stackoverflow.com -Method Head -UseBasicParsing