我需要使用代理从Azure blob存储容器中获取图像并将图像保存到BufferedImage。
System.out.println("********Initiated******");
//Set Proxy Host name and Port
Proxy proxy = new Proxy(Proxy.Type.HTTP, new InetSocketAddress("xx-xx-xxxxx", 8080));
OperationContext op = new OperationContext();
op.setProxy(proxy);
// Retrieve storage account from connection-string.
CloudStorageAccount storageAccount = CloudStorageAccount.parse(storageConnectionString);
// Create the blob client.
CloudBlobClient blobClient = storageAccount.createCloudBlobClient();
// Get a reference to a container.
// The container name must be lower case
CloudBlobContainer container = blobClient.getContainerReference("images");
//call via this overload
Iterable<ListBlobItem> blobs = container.listBlobs(null, false, EnumSet.noneOf(BlobListingDetails.class), new BlobRequestOptions(), op);
URL urlOfImage = null;
//Listing contents of container
for(ListBlobItem blob: blobs) {
/*Process the Image. Sample URL from Azure: **https://someWebsite.blob.core.windows.net/images/00001.png***/
if(((CloudBlockBlob) blob).getName().toLowerCase().contains(".png")) {
urlOfImage = blob.getUri().toURL();
BufferedImage buffimage = ImageIO.read(urlOfImage);
}
}
System.out.println("********Success*********");
通过使用URI,我可以(分别)通过浏览器打开图像。
问题:我想直接或通过URI处理Blob内容。如果我在将图像保存到缓冲图像时运行上述代码, 我收到以下错误消息。
Exception in thread "main" javax.imageio.IIOException: Can't get input stream from URL!
at javax.imageio.ImageIO.read(Unknown Source)
谢谢。
答案 0 :(得分:1)
根据我的经验,您的问题是由无法直接访问的,没有SAS令牌的blob网址引起的。
这是我的示例代码,用于使用SAS令牌生成Blob网址。
String connectionString = "<your storage connection string>"
String containerName = "<your container name>";
String blobName = "<your blob name>";
CloudStorageAccount account = CloudStorageAccount.parse(connectionString);
CloudBlobClient client = account.createCloudBlobClient();
CloudBlobContainer container = client.getContainerReference(containerName);
CloudBlockBlob blob = container.getBlockBlobReference(blobName);
SharedAccessBlobPolicy policy = new SharedAccessBlobPolicy();
policy.setPermissions(EnumSet.allOf(SharedAccessBlobPermissions.class));
policy.setSharedAccessStartTime(Date.valueOf(LocalDate.now().minusYears(2)));
policy.setSharedAccessExpiryTime(Date.valueOf(LocalDate.now().plusYears(2)));
String sas = blob.generateSharedAccessSignature(policy, null);
String urlWithSas = String.format("%s?%s", blob.getUri(), sas);
然后,您可以将urlWithSas
值传递给方法ImageIO.read
,而无需代理即可获取其BufferedImage
对象,如下所示。
URL urlOfImage = new URL(urlWithSas);
BufferedImage buffimage = ImageIO.read(urlOfImage );
System.out.println(buffimage.getHeight());
对我有用。
要使用代理,您只需要遵循JDK官方文档Java Networking and Proxies
即可使用System.setProperty
方法首先为JVM启用与代理的联网。
System.setProperty("http.proxyHost", "<your proxy host>");
System.setProperty("http.proxyPort", "<your proxy port>");
更新:
下面的代码结果与上面的代码相同。
HttpURLConnection conn = (HttpURLConnection) urlOfImage.openConnection();
conn.connect();
InputStream input = conn.getInputStream();
BufferedImage buffimage = ImageIO.read(input);