Совместное использование файлов cookie из веб-просмотра с помощью BasicHttpRequest на Android

У меня проблемы с отправкой файлов cookie как часть HTTP-запроса. Сначала я перехожу на страницу входа в веб-просмотр, которая дает мне файл cookie. Я проверил, и файл cookie сохраняется в CookieManager. Затем я использую BasicHttpRequest, чтобы получить конкретный URL-адрес из того же домена. Я ожидал, что файл cookie, который я получил от входа в систему, будет прикреплен к моим заголовкам для получения, но, глядя на него в Wireshark, его там нет. Я погуглил и прочитал много похожих вопросов и убедился, что:

  • Я использую CookieSyncManager, поэтому я надеюсь, что мои файлы cookie из сеанса сохранятся. Я не думаю, что проблема в том, что CookieSyncManager является асинхронным, потому что я продолжаю нажимать URL-адрес каждые 5 секунд, а cookie никогда не добавляется.
  • Я подозреваю, что мне нужно сообщить моему HTTP-запросу о моем хранилище файлов cookie, но решения, которые я нашел в Google, не компилируются для меня. Похоже, я хочу сделать что-то вроде context.setAttribute (ClientContext.COOKIE_STORE, this.cookieStore), но я не могу понять, как получить CookieStore по умолчанию из CookieManager. Кажется, что какой-то код вызывает cookieManager.getCookieStore (), но он не компилируется для меня на Android.Просматривая документы, я не вижу способа получить CookieStore, что кажется безумным - я упускаю что-то очевидное?

Мой код для запуска страницы входа в моем веб-просмотре выглядит так:

 public void onCreate(Bundle savedInstanceState) {
    super.onCreate(savedInstanceState);

    // use cookies to remember a logged in status 
    CookieSyncManager.createInstance(this);
    CookieSyncManager.getInstance().startSync();

    //not sure if I need to do this
    CookieManager cookie_manager = CookieManager.getInstance();
    cookie_manager.setAcceptCookie(true);

    webview = new WebView(this);
    webview.getSettings().setJavaScriptEnabled(true);
    webview.setWebViewClient(new HelloWebViewClient()); // if user clicks on a url we need to steal that click, also steal the back button
    webview.loadUrl("http://"+my_server+"/api/v1/login");
    setContentView(webview);

Тогда мой код для проверки наличия cookie выглядит следующим образом:

public static boolean CheckAuthorised() {
    CookieSyncManager.getInstance().sync();
    CookieManager cookie_manager = CookieManager.getInstance();

    String cookie_string = cookie_manager.getCookie("http://"+my_server+"/api/v1/login");
    System.out.println("lbp.me cookie_string: " + cookie_string);

    if(cookie_string != null)
    {
        String[] cookies = cookie_string.split(";");
        for (String cookie : cookies)
        {
            if(cookie.matches("API_AUTH=.*"))
            {
                // maybe we need to store the cookie for the root of the domain?
                cookie_manager.setCookie("http://"+my_server, cookie_string);
                // maybe we need to store the cookie for the url we're actually going to access?
                cookie_manager.setCookie("http://"+my_server+"/api/v1/activity", cookie_string);    

                CookieSyncManager.getInstance().sync();
                return true;
            }
        }
    }

    return false;
}

И чтобы действительно сделать http-запрос, я делаю

public static HttpResponse getMeAWebpage(String host_string, int port, String url)
        throws Exception {
    HttpParams params = new BasicHttpParams();
    HttpProtocolParams.setVersion(params, HttpVersion.HTTP_1_1);
    HttpProtocolParams.setContentCharset(params, "UTF-8");
    HttpProtocolParams.setUserAgent(params, "HttpComponents/1.1");
    HttpProtocolParams.setUseExpectContinue(params, true);

    BasicHttpProcessor httpproc = new BasicHttpProcessor();
    // Required protocol interceptors
    httpproc.addInterceptor(new RequestContent());
    httpproc.addInterceptor(new RequestTargetHost());
    // Recommended protocol interceptors
    httpproc.addInterceptor(new RequestConnControl());
    httpproc.addInterceptor(new RequestUserAgent());
    httpproc.addInterceptor(new RequestExpectContinue());

    HttpRequestExecutor httpexecutor = new HttpRequestExecutor();

    HttpContext context = new BasicHttpContext(null);
    // HttpHost host = new HttpHost("www.svd.se", 80);
    HttpHost host = new HttpHost(host_string, port);

    DefaultHttpClientConnection conn = new DefaultHttpClientConnection();
    ConnectionReuseStrategy connStrategy = new DefaultConnectionReuseStrategy();

    context.setAttribute(ExecutionContext.HTTP_CONNECTION, conn);
    context.setAttribute(ExecutionContext.HTTP_TARGET_HOST, host);
    //CookieManager cookie_manager = CookieManager.getInstance();
    //CookieStore cookie_store = cookie_manager.getCookieStore(); //The method getCookieStore() is undefined for the type CookieManager
    //context.setAttribute(ClientContext.COOKIE_STORE, cookie_store);

    HttpResponse response = null;

    try {
        if (!conn.isOpen()) {
            Socket socket = new Socket(host.getHostName(), host.getPort());
            conn.bind(socket, params);
        }

        BasicHttpRequest request = new BasicHttpRequest("GET", url);
        System.out.println(">> Request URI: "
                + request.getRequestLine().getUri());
        System.out.println(">> Request: "
                + request.getRequestLine());

        request.setParams(params);
        httpexecutor.preProcess(request, httpproc, context);
        response = httpexecutor.execute(request, conn, context);
        response.setParams(params);
        httpexecutor.postProcess(response, httpproc, context);

        String ret = EntityUtils.toString(response.getEntity());
        System.out.println("<< Response: " + response.getStatusLine());
        System.out.println(ret);
        System.out.println("==============");
        if (!connStrategy.keepAlive(response, context)) {
            conn.close();
        } else {
            System.out.println("Connection kept alive...");
        }
    } catch(UnknownHostException e) {
        System.out.println("UnknownHostException"); 
    } catch (HttpException e) {
        System.out.println("HttpException"); 
    } finally {
        conn.close();
    }

    return response;
}

Спасибо за читал это далеко! Любые предложения с благодарностью получены,

Эми

10
задан Amy Phillips 10 November 2011 в 14:08
поделиться