[http] HTTPS 페이지에서 HTTP 콘텐츠 다루기

전적으로 HTTPS를 통해 액세스되는 사이트가 있지만 때로는 HTTP (주로 RSS 피드의 이미지) 인 외부 콘텐츠 를 표시 합니다. 대다수의 사용자도 IE6에 갇혀 있습니다.

이상적으로는 다음 두 가지를 모두 수행하고 싶습니다.

  • 안전하지 않은 콘텐츠에 대한 IE 경고 메시지를 방지합니다 (예 : 이미지를 아래와 같이 기본 아이콘으로 대체하여 덜 방해가되는 콘텐츠를 표시 할 수 있음).
  • 다른 방법으로는 볼 수없는 이미지 대신 사용자에게 유용한 것을 제시하십시오. JS가 있다면 어떤 이미지가로드되지 않았는지 알아 내고 대신 우리의 이미지로 대체하면 좋을 것입니다.

첫 번째 목표는 불가능하다고 생각하지만 두 번째 목표는 충분할 수 있습니다.

최악의 시나리오는 RSS 피드를 가져올 때 구문 분석하고 이미지를 로컬에 저장하여 사용자가 그런 식으로 액세스 할 수 있도록하는 것입니다.



답변

최악의 시나리오는 생각만큼 나쁘지 않습니다.

이미 RSS 피드를 구문 분석하고 있으므로 이미 이미지 URL이 있습니다. 와 같은 이미지 URL이 있다고 가정 해 보겠습니다 http://otherdomain.com/someimage.jpg. 이 URL을 https://mydomain.com/imageserver?url=http://otherdomain.com/someimage.jpg&hash=abcdeafad. 이렇게하면 브라우저가 항상 https를 통해 요청하므로 문제를 제거 할 수 있습니다.

다음 부분-다음을 수행하는 프록시 페이지 또는 서블릿 만들기-

  1. 쿼리 문자열에서 url 매개 변수를 읽고 해시를 확인합니다.
  2. 서버에서 이미지를 다운로드하고 다시 브라우저로 프록시
  3. 선택적으로 디스크에 이미지 캐시

이 솔루션에는 몇 가지 장점이 있습니다. html을 만들 때 이미지를 다운로드 할 필요가 없습니다. 이미지를 로컬에 저장할 필요가 없습니다. 또한 무국적자입니다. URL에는 이미지를 제공하는 데 필요한 모든 정보가 포함되어 있습니다.

마지막으로 해시 매개 변수는 보안을위한 것입니다. 서블릿이 작성한 URL에 대한 이미지 만 제공하기를 원합니다. 따라서 URL을 만들 때 계산 md5(image_url + secret_key)하고 해시 매개 변수로 추가하십시오. 요청을 처리하기 전에 해시를 다시 계산하고 전달 된 것과 비교하십시오. secret_key는 본인 만 알고 있으므로 다른 사람은 유효한 URL을 구성 할 수 없습니다.

Java로 개발하는 경우 Servlet은 코드 몇 줄에 불과합니다. 다른 백엔드 기술에서 아래 코드를 이식 할 수 있어야합니다.

/*
targetURL is the url you get from RSS feeds
request and response are wrt to the browser
Assumes you have commons-io in your classpath
*/

protected void proxyResponse (String targetURL, HttpServletRequest request,
 HttpServletResponse response) throws IOException {
    GetMethod get = new GetMethod(targetURL);
    get.setFollowRedirects(true);
    /*
     * Proxy the request headers from the browser to the target server
     */
    Enumeration headers = request.getHeaderNames();
    while(headers!=null && headers.hasMoreElements())
    {
        String headerName = (String)headers.nextElement();

        String headerValue = request.getHeader(headerName);

        if(headerValue != null)
        {
            get.addRequestHeader(headerName, headerValue);
        }
    }

    /*Make a request to the target server*/
    m_httpClient.executeMethod(get);
    /*
     * Set the status code
     */
    response.setStatus(get.getStatusCode());

    /*
     * proxy the response headers to the browser
     */
    Header responseHeaders[] = get.getResponseHeaders();
    for(int i=0; i<responseHeaders.length; i++)
    {
        String headerName = responseHeaders[i].getName();
        String headerValue = responseHeaders[i].getValue();

        if(headerValue != null)
        {
            response.addHeader(headerName, headerValue);
        }
    }

    /*
     * Proxy the response body to the browser
     */
    InputStream in = get.getResponseBodyAsStream();
    OutputStream out = response.getOutputStream();

    /*
     * If the server sends a 204 not-modified response, the InputStream will be null.
     */
    if (in !=null) {
        IOUtils.copy(in, out);
    }
}


답변

HTTPS를 통해 이미지를로드하는 빠른 솔루션을 찾고 있다면 https://images.weserv.nl/ 의 무료 역방향 프록시 서비스에 관심이있을 수 있습니다. 내가 찾던 바로 그 것이었다.

유료 솔루션을 찾고 있다면 이전에 Cloudinary.com을 사용해 보았습니다. Cloudinary.com도 잘 작동하지만이 작업에만 너무 비쌉니다.


답변

이것이 당신이하고있는 일에 맞는지는 모르겠지만, 빠른 수정으로 http 컨텐츠를 https 스크립트로 “래핑”할 것입니다. 예를 들어 https를 통해 제공되는 페이지에서 RSS 피드를 대체하는 iframe을 도입하고 iframe의 src 속성에 피드를 캡처하고 html을 출력하는 서버에 스크립트의 URL을 넣습니다. 스크립트는 http를 통해 피드를 읽고 https를 통해 출력합니다 (따라서 “래핑”).

그냥 생각


답변

두 번째 요구 사항과 관련하여 onerror 이벤트를 활용할 수 있습니다. <img onerror="some javascript;"...

최신 정보:

document.images돔에서 반복을 시도 할 수도 있습니다 . complete사용할 수 있는 부울 속성이 있습니다. 이것이 적합한 지 확실하지 않지만 조사 할 가치가있을 수 있습니다.


답변

https에 http 콘텐츠 만있는 것이 가장 좋습니다.


답변

때때로 페이스 북 앱과 마찬가지로 보안 페이지에 비보안 콘텐츠를 포함 할 수 없습니다. 또한 우리는 그 내용을 지역적으로 만들 수 없습니다. 예를 들어 iFrame에로드되는 앱은 단순한 콘텐츠가 아니므로 로컬로 만들 수 없습니다.

https에서 http 콘텐츠를로드해서는 안되며, 오류 대화 상자를 방지하기 위해 https 페이지를 http 버전으로 대체해서는 안됩니다.

사용자의 보안을 보장하는 유일한 방법은 모든 콘텐츠의 https 버전을 사용하는 것입니다. http://developers.facebook.com/blog/post/499/


답변

허용 된 대답은이를 PHP와 CORS 모두로 업데이트하는 데 도움이되었으므로 다른 사람들을위한 솔루션을 포함시킬 것이라고 생각했습니다.

순수 PHP / HTML :

<?php // (the originating page, where you want to show the image)
// set your image location in whatever manner you need
$imageLocation = "http://example.com/exampleImage.png";

// set the location of your 'imageserve' program
$imageserveLocation = "https://example.com/imageserve.php";

// we'll look at the imageLocation and if it is already https, don't do anything, but if it is http, then run it through imageserve.php
$imageURL = (strstr("https://",$imageLocation)?"": $imageserveLocation . "?image=") . $imageLocation;

?>
<!-- this is the HTML image -->
<img src="<?php echo $imageURL ?>" />

javascript / jQuery :

<img id="theImage" src="" />
<script>
    var imageLocation = "http://example.com/exampleImage.png";
    var imageserveLocation = "https://example.com/imageserve.php";
    var imageURL = ((imageLocation.indexOf("https://") !== -1) ? "" : imageserveLocation + "?image=") + imageLocation;
    // I'm using jQuery, but you can use just javascript...
    $("#theImage").prop('src',imageURL);
</script>

imageserve.php CORS에 대한 자세한 내용은 http://stackoverflow.com/questions/8719276/cors-with-php-headers?noredirect=1&lq=1 참조

<?php
// set your secure site URL here (where you are showing the images)
$mySecureSite = "https://example.com";

// here, you can set what kinds of images you will accept
$supported_images = array('png','jpeg','jpg','gif','ico');

// this is an ultra-minimal CORS - sending trusted data to yourself
header("Access-Control-Allow-Origin: $mySecureSite");

$parts = pathinfo($_GET['image']);
$extension = $parts['extension'];
if(in_array($extension,$supported_images)) {
    header("Content-Type: image/$extension");
    $image = file_get_contents($_GET['image']);
    echo $image;
}