Example usage for com.google.gwt.http.client RequestBuilder GET

List of usage examples for com.google.gwt.http.client RequestBuilder GET

Introduction

In this page you can find the example usage for com.google.gwt.http.client RequestBuilder GET.

Prototype

Method GET

To view the source code for com.google.gwt.http.client RequestBuilder GET.

Click Source Link

Document

Specifies that the HTTP GET method should be used.

Usage

From source file:com.seanchenxi.resteasy.autobean.test.client.GreetingServiceAsyncM.java

License:Apache License

void greetServerObject(String name, boolean ok, AsyncCallback<Greeting> callback) {
    RequestBuilder builder = new RequestBuilder(RequestBuilder.GET,
            "/rest/greetM/serverInfoObject/" + name + "-" + ok);
    builder.setHeader("Content-Type", "application/json; charset=utf-8");
    builder.setHeader("Accept", "application/json");
    builder.setCallback(new ResponseHandler(Greeting.class, callback));
    try {//from  w w w  . j a  v  a 2 s. c  om
        builder.send();
    } catch (RequestException ex) {
        InvocationException iex = new InvocationException(
                "Unable to initiate the asynchronous service invocation ( greetServerObject ) -- check the network connection",
                ex);
        callback.onFailure(iex);
    }
}

From source file:com.sensia.gwt.relaxNG.RNGParser.java

License:Open Source License

public void parse(final String url, final RNGParserCallback callback) {
    this.callback = callback;

    // if grammar has already been parsed
    grammar = grammarCache.get(url);//from w w w .  j a  v  a 2  s .c o  m
    if (grammar != null) {
        callback.onParseDone(grammar);
        return;
    }

    // otherwise load included grammar and parse it asynchronously
    RequestBuilder builder = new RequestBuilder(RequestBuilder.GET, URL.encode(url));
    try {

        builder.sendRequest(null, new RequestCallback() {
            public void onError(Request request, Throwable exception) {
                // Couldn't connect to server (could be timeout, SOP violation, etc.)
            }

            public void onResponseReceived(Request request, Response resp) {
                if (200 == resp.getStatusCode()) {
                    String text = resp.getText();
                    parse(url, text);
                } else {
                    // Handle the error.  Can get the status text from response.getStatusText()
                }
            }
        });
    } catch (RequestException e) {
        e.printStackTrace();
    }
}

From source file:com.sensia.gwt.relaxNG.XMLSensorMLParser.java

License:Open Source License

/**
 * Gets the content of the remote file and callback the result.
 * The request is asynchronous/* w  ww  . jav a2 s  . c  om*/
 *
 * @param url the url
 * @param callback the callback
 */
public void parse(final String url, final RNGParserCallback callback) {
    this.callback = callback;

    // if grammar has already been parsed
    grammar = grammarCache.get(url);
    if (grammar != null) {
        callback.onParseDone(grammar);
        return;
    } else {
        RequestBuilder builder = new RequestBuilder(RequestBuilder.GET, URL.encode(url));
        try {

            builder.sendRequest(null, new RequestCallback() {
                public void onError(Request request, Throwable exception) {
                    // Couldn't connect to server (could be timeout, SOP
                    // violation, etc.)

                }

                public void onResponseReceived(Request request, Response resp) {
                    if (200 == resp.getStatusCode()) {
                        String text = resp.getText();
                        try {
                            parse(url, text);
                        } catch (Exception ex) {
                            Window.alert(
                                    "An error occured while parsing the file. Check that it is a valid XML file");
                        }
                    } else {
                        // Handle the error. Can get the status text from
                        // response.getStatusText()
                        Window.alert(
                                "Cannot get the file from server, it does not exist or you do not have sufficient security credentials to access it.");
                    }
                }
            });
        } catch (RequestException e) {
            e.printStackTrace();
        }
    }
}

From source file:com.smartgwt.extensions.htmleditor.client.HTMLEditor.java

License:Open Source License

public void readFile(String filePath) {
    try {/*w  ww .  j ava  2s . co  m*/
        String url = "/thinkspace/download" + filePath;
        RequestBuilder rb = new RequestBuilder(RequestBuilder.GET, url);
        final HTMLEditor editor = this;
        rb.setCallback(new RequestCallback() {
            public void onResponseReceived(Request request, Response response) {
                editor.setHTML(response.getText());
            }

            public void onError(Request request, Throwable t) {
            }
        });
        rb.send();
    } catch (RequestException re) {

    }
}

From source file:com.smartgwt.mobile.client.data.DataSource.java

License:Open Source License

private static RequestBuilder.Method getHttpMethod(String methodName) {
    if (methodName == null)
        return null;
    if ("DELETE".equals(methodName))
        return RequestBuilder.DELETE;
    else if ("GET".equals(methodName))
        return RequestBuilder.GET;
    else if ("HEAD".equals(methodName))
        return RequestBuilder.HEAD;
    else if ("POST".equals(methodName))
        return RequestBuilder.POST;
    else if ("PUT".equals(methodName))
        return RequestBuilder.PUT;
    return null;/*from   ww  w.  j av  a2  s. co  m*/
}

From source file:com.smartgwt.mobile.client.data.DataSource.java

License:Open Source License

@SGWTInternal
protected void _sendGWTRequest(DSRequest dsRequest) {
    final int transactionNum = com.smartgwt.mobile.client.rpc.RPCManager._getNextTransactionNum();
    dsRequest._setTransactionNum(transactionNum);
    // For the time being, the request ID and transactionNum are the same.
    dsRequest.setRequestId(Integer.toString(transactionNum));

    final boolean strictJSON = Canvas._booleanValue(getStrictJSON(), false);
    final DSOperationType opType = dsRequest.getOperationType();
    final OperationBinding opBinding = getOperationBinding(dsRequest);

    final DSDataFormat dataFormat;
    if (opBinding == null)
        dataFormat = DSDataFormat.JSON;//from   www.j  a v a  2s .  c o  m
    else if (opBinding.getDataFormat() != null)
        dataFormat = opBinding.getDataFormat();
    else
        dataFormat = DSDataFormat.JSON;
    assert dataFormat != null;

    DSProtocol protocol;
    if (opBinding != null && opBinding.getDataProtocol() != null) {
        protocol = opBinding.getDataProtocol();
    } else {
        protocol = getDataProtocol();
        if (protocol == null) {
            protocol = (opType == null || opType == DSOperationType.FETCH) ? null : DSProtocol.POSTMESSAGE;
        }
    }

    final Object originalData = dsRequest.getData();
    Object transformedData;
    switch (protocol == null ? DSProtocol.GETPARAMS : protocol) {
    case GETPARAMS:
    case POSTPARAMS:
        transformedData = transformRequest(dsRequest);
        if (transformedData == null)
            transformedData = Collections.EMPTY_MAP;
        else if (!(transformedData instanceof Map)) {
            // TODO Issue a warning.
            transformedData = Collections.EMPTY_MAP;
        }
        break;
    case POSTMESSAGE:
        transformedData = transformRequest(dsRequest);
        if (!(transformedData instanceof String)) {
            if (dataFormat != DSDataFormat.JSON) {
                throw new UnsupportedOperationException(
                        "Only serialization of DSRequests in JSON format is supported.");
            }
            transformedData = dsRequest._serialize(strictJSON);
            if (dsRequest.getContentType() == null) {
                // For best interoperability with ASP.NET AJAX services, send Content-Type:application/json.
                // http://weblogs.asp.net/scottgu/archive/2007/04/04/json-hijacking-and-how-asp-net-ajax-1-0-mitigates-these-attacks.aspx
                dsRequest.setContentType("application/json;charset=UTF-8");
            }
        }
        break;
    default:
        assert protocol != null;
        throw new UnsupportedOperationException(
                "In transforming the DSRequest, failed to handle case:  protocol:" + protocol.getValue());
    }
    if (transformedData != dsRequest) {
        dsRequest.setData(transformedData);
    }
    dsRequest.setOriginalData(originalData);
    if (dsRequest.getDataSource() == null)
        dsRequest.setDataSource(getID());
    final DSRequest finalDSRequest = dsRequest;
    assert finalDSRequest.getOperationType() == opType;

    if (protocol == null) {
        assert opType == DSOperationType.FETCH;
        if (transformedData == null
                || (transformedData instanceof Map && ((Map<?, ?>) transformedData).isEmpty())) {
            protocol = DSProtocol.GETPARAMS;
        } else {
            protocol = DSProtocol.POSTMESSAGE;
            transformedData = dsRequest._serialize(strictJSON);
            if (dsRequest.getContentType() == null) {
                dsRequest.setContentType("application/json;charset=UTF-8");
            }
        }
    }

    URIBuilder workBuilder;

    {
        String work = finalDSRequest.getDataURL();

        if (work == null) {
            if (opType != null) {
                switch (opType) {
                case FETCH:
                    work = getFetchDataURL();
                    break;
                case ADD:
                    work = getAddDataURL();
                    break;
                case UPDATE:
                    work = getUpdateDataURL();
                    break;
                case REMOVE:
                    work = getRemoveDataURL();
                    break;
                case VALIDATE:
                    work = getValidateDataURL();
                    break;
                case CUSTOM:
                    work = getCustomDataURL();
                    break;
                }
            }

            // common url
            if (work == null) {
                work = getDataURL();

                // construct default url
                if (work == null) {
                    work = RPCManager.getActionURL();
                    if (work.endsWith("/")) {
                        work = work.substring(0, work.length() - 1);
                    }
                }
            }
        }

        workBuilder = new URIBuilder(work);
    }

    // build up the query string
    final DateTimeFormat datetimeFormat = finalDSRequest._getDatetimeFormat();

    {
        Map<String, Object> params = finalDSRequest.getParams();

        if (protocol == DSProtocol.GETPARAMS || protocol == DSProtocol.POSTPARAMS) {
            if (params == null)
                params = new LinkedHashMap<String, Object>();

            if (protocol == DSProtocol.GETPARAMS) {
                assert transformedData instanceof Map;
                @SuppressWarnings("unchecked")
                final Map<String, Object> m = (Map<String, Object>) transformedData;
                params.putAll(m);
            }

            if (getSendMetaData()) {
                String metaDataPrefix = getMetaDataPrefix();
                if (metaDataPrefix == null)
                    metaDataPrefix = "_";

                params.put(metaDataPrefix + "operationType", opType);
                params.put(metaDataPrefix + "operationId", finalDSRequest.getOperationId());
                params.put(metaDataPrefix + "startRow", finalDSRequest.getStartRow());
                params.put(metaDataPrefix + "endRow", finalDSRequest.getEndRow());
                params.put(metaDataPrefix + "sortBy", finalDSRequest._getSortByString());
                params.put(metaDataPrefix + "useStrictJSON", Boolean.TRUE);
                params.put(metaDataPrefix + "textMatchStyle", finalDSRequest.getTextMatchStyle());
                params.put(metaDataPrefix + "oldValues", finalDSRequest.getOldValues());
                params.put(metaDataPrefix + "componentId", finalDSRequest.getComponentId());

                params.put(metaDataPrefix + "dataSource", dsRequest.getDataSource());
                params.put("isc_metaDataPrefix", metaDataPrefix);
            }

            params.put("isc_dataFormat", dataFormat.getValue());
        }

        if (params != null) {
            for (final Map.Entry<String, Object> e : params.entrySet()) {
                workBuilder.setQueryParam(e.getKey(), e.getValue(), strictJSON, false, datetimeFormat);
            }
        }
    }

    // automatically add the data format even to user-provided dataURLs unless they contain the param already
    if (!workBuilder.containsQueryParam("isc_dataFormat")) {
        workBuilder.appendQueryParam("isc_dataFormat", dataFormat.getValue());
    }

    if (protocol == DSProtocol.POSTPARAMS) {
        assert transformedData instanceof Map;
        @SuppressWarnings("unchecked")
        final Map<String, Object> m = (Map<String, Object>) transformedData;

        String requestContentType = finalDSRequest.getContentType();
        if (requestContentType != null)
            requestContentType = requestContentType.trim();

        if (requestContentType == null || requestContentType.startsWith("application/x-www-form-urlencoded")) {
            URIBuilder postBodyBuilder = new URIBuilder("");
            for (final Map.Entry<String, Object> e : m.entrySet()) {
                postBodyBuilder.setQueryParam(e.getKey(), e.getValue(), strictJSON, false, datetimeFormat);
            }
            // Exclude the '?'.
            transformedData = postBodyBuilder.toString().substring(1);
        } //else if (requestContentType.startsWith("multipart/form-data")) {} // TODO
        else {
            throw new IllegalArgumentException(
                    "Request content type '" + requestContentType + "' is not supported.");
        }
    }

    RequestBuilder.Method httpMethod = getHttpMethod(finalDSRequest.getHttpMethod());
    if (httpMethod == null) {
        if (protocol == DSProtocol.GETPARAMS)
            httpMethod = RequestBuilder.GET;
        else if (protocol == DSProtocol.POSTPARAMS || protocol == DSProtocol.POSTMESSAGE) {
            httpMethod = RequestBuilder.POST;
        } else {
            if (opType == null || opType == DSOperationType.FETCH) {
                httpMethod = RequestBuilder.GET;
            } else {
                httpMethod = RequestBuilder.POST;
            }
        }
    } else if (httpMethod == RequestBuilder.GET) {
        if (protocol == DSProtocol.POSTPARAMS ||
        //protocol == DSProtocol.POSTXML
                protocol == DSProtocol.POSTMESSAGE) {
            // TODO Warn that GET requests do not support bodies.
            httpMethod = RequestBuilder.POST;
        }
    }

    String requestContentType = finalDSRequest.getContentType();
    if (requestContentType != null) {
        if (httpMethod == RequestBuilder.GET) {
            // TODO Warn that GET requests do not support bodies.
            requestContentType = null;
        }
    } else {
        if (protocol == DSProtocol.POSTPARAMS)
            requestContentType = "application/x-www-form-urlencoded";
        //else if (protocol == DSProtocol.POSTXML) requestContentType = "text/xml";
    }

    final RequestBuilder rb = new RequestBuilder(httpMethod, workBuilder.toString());
    final Integer timeoutMillis = finalDSRequest.getTimeout();
    rb.setTimeoutMillis(timeoutMillis == null ? RPCManager._getDefaultTimeoutMillis()
            : Math.max(1, timeoutMillis.intValue()));

    final String authorization = finalDSRequest.getAuthorization();
    if (authorization != null)
        rb.setHeader("Authorization", authorization);

    final Map<String, String> httpHeaders = finalDSRequest.getHttpHeaders();
    if (httpHeaders != null) {
        for (Map.Entry<String, String> entry : httpHeaders.entrySet()) {
            rb.setHeader(entry.getKey(), entry.getValue());
        }
    }

    if (dataFormat == DSDataFormat.XML) {
        rb.setHeader("Accept", "application/xml,text/xml,*/*");
    } else if (dataFormat == DSDataFormat.JSON) {
        rb.setHeader("Accept", "application/json,*/*");
    }

    if (requestContentType != null) {
        rb.setHeader("Content-Type", requestContentType);
    }

    if (httpMethod != RequestBuilder.GET) {
        switch (protocol) {
        case POSTPARAMS: // `transformedData` has already been created and is now a String.
        case POSTMESSAGE:
            rb.setRequestData((String) transformedData);
            break;
        case GETPARAMS:
            // Already handled earlier when the query params were appended to `workBuilder'.
            break;
        default:
            throw new UnsupportedOperationException(
                    "In setting the request data, failed to handle case protocol:" + protocol);
        }
    }

    rb.setCallback(new RequestCallback() {
        @Override
        public void onError(Request request, Throwable exception) {
            final DSResponse dsResponse = new DSResponse(finalDSRequest);
            final int status;
            if (exception instanceof RequestTimeoutException)
                status = RPCResponse.STATUS_SERVER_TIMEOUT;
            else
                status = RPCResponse.STATUS_FAILURE;
            dsResponse.setStatus(status);
            onError(dsResponse);
        }

        private void onError(DSResponse dsResponse) {
            final DSRequest dsRequest = finalDSRequest;
            final boolean errorEventCancelled = ErrorEvent._fire(DataSource.this, dsRequest, dsResponse);
            if (!errorEventCancelled)
                RPCManager._handleError(dsResponse, dsRequest);
        }

        @Override
        public void onResponseReceived(Request request, Response response) {
            assert response != null;

            String responseText = response.getText();
            if (responseText == null)
                responseText = "";
            assert responseText != null;

            int httpResponseCode = response.getStatusCode();

            final HTTPHeadersMap responseHTTPHeaders = new HTTPHeadersMap();
            for (final Header h : response.getHeaders()) {
                if (h != null) {
                    responseHTTPHeaders.put(h.getName(), h.getValue());
                }
            }

            int status = 0;
            if (0 == httpResponseCode || // file:// requests (e.g. if Showcase is packaged with PhoneGap.)
            (200 <= httpResponseCode && httpResponseCode < 300) || httpResponseCode == 304) // 304 Not Modified
            {
                status = RPCResponse.STATUS_SUCCESS;
            } else {
                status = RPCResponse.STATUS_FAILURE;
                final DSResponse errorResponse = new DSResponse(finalDSRequest);
                errorResponse.setStatus(RPCResponse.STATUS_FAILURE);
                errorResponse.setHttpResponseCode(httpResponseCode);
                errorResponse._setHttpHeaders(responseHTTPHeaders);
                onError(errorResponse);
                return;
            }

            Object rawResponse;
            final DSResponse dsResponse;

            String origResponseContentType = responseHTTPHeaders.get("Content-Type");
            if (origResponseContentType == null
                    || (origResponseContentType = origResponseContentType.trim()).length() == 0) {
                origResponseContentType = "application/octet-stream";
            }

            String responseContentType = origResponseContentType;
            // remove the media type parameter if present
            // http://www.w3.org/Protocols/rfc2616/rfc2616-sec3.html#sec3.7
            final int semicolonPos = responseContentType.indexOf(';');
            if (semicolonPos != -1) {
                responseContentType = responseContentType.substring(0, semicolonPos).trim();
                if (responseContentType.length() == 0)
                    responseContentType = "application/octet-stream";
            }

            if (dataFormat == DSDataFormat.CUSTOM) {
                rawResponse = responseText;

                dsResponse = new DSResponse(finalDSRequest, status);
                dsResponse.setHttpResponseCode(httpResponseCode);
                dsResponse._setHttpHeaders(responseHTTPHeaders);
                dsResponse.setContentType(origResponseContentType);

                transformResponse(dsResponse, finalDSRequest, responseText);
            } else {
                if (dataFormat == DSDataFormat.XML) {
                    final Element rootEl;
                    if (responseText.isEmpty()) {
                        rawResponse = rootEl = null;
                        dsResponse = new DSResponse(finalDSRequest, status);
                    } else {
                        final Document document;
                        try {
                            document = XMLParser.parse(responseText);
                        } catch (DOMParseException ex) {
                            onError(request, ex);
                            return;
                        }

                        rootEl = document.getDocumentElement();
                        rawResponse = rootEl;

                        dsResponse = new DSResponse(finalDSRequest, status, rootEl);

                        String dataTagName, recordName;
                        if (opBinding == null) {
                            dataTagName = _getDataTagName();
                            recordName = null;
                        } else {
                            dataTagName = opBinding._getDataTagName(_getDataTagName());
                            recordName = opBinding.getRecordName();
                        }
                        if (recordName == null)
                            recordName = _getRecordName();

                        final Element dataEl = extractDataElement(rootEl, dataTagName);
                        final List<Element> recordNodes = extractRecordElements(dataEl, recordName);

                        if (recordNodes != null && !recordNodes.isEmpty()) {
                            final RecordList records = extractRecordList(recordNodes);
                            dsResponse.setData(records);
                        } else if (rootEl.equals(dataEl)) {
                            dsResponse._setData(XMLUtil.getTextContent(dataEl));
                        }
                    }
                    dsResponse.setHttpResponseCode(httpResponseCode);
                    dsResponse._setHttpHeaders(responseHTTPHeaders);

                    transformResponse(dsResponse, finalDSRequest, rootEl);
                } else {
                    String jsonPrefix = getJsonPrefix();
                    if (jsonPrefix == null)
                        jsonPrefix = "";
                    String jsonSuffix = getJsonSuffix();
                    if (jsonSuffix == null)
                        jsonSuffix = "";

                    // auto-detect default wrapper text returned by RestHandler
                    if (responseText.startsWith(jsonPrefix) && responseText.endsWith(jsonSuffix)) {
                        responseText = responseText.substring(jsonPrefix.length(),
                                responseText.length() - jsonSuffix.length());
                        responseContentType = "application/json";
                    }

                    if (dataFormat == DSDataFormat.JSON) {
                        if (responseText.isEmpty()) {
                            rawResponse = null;
                            dsResponse = new DSResponse(finalDSRequest, status);
                        } else {
                            JSONObject responseObj;
                            try {
                                responseObj = JSONParser.parseLenient(responseText).isObject();
                            } catch (JSONException ex) {
                                onError(request, ex);
                                return;
                            }
                            if (responseObj != null && responseObj.containsKey("response")) {
                                JSONValue val = responseObj.get("response");
                                responseObj = (val == null ? null : val.isObject());
                            }
                            rawResponse = responseObj;

                            dsResponse = new DSResponse(finalDSRequest, status, responseObj);

                            if (responseObj != null && responseObj.containsKey("data")) {
                                final JSONValue dataVal = responseObj.get("data");
                                assert dataVal != null;

                                final JSONString dataStr = dataVal.isString();
                                if (dataStr != null) {
                                    dsResponse._setData(dataStr.stringValue());
                                } else {
                                    JSONArray dataArr = dataVal.isArray();
                                    if (dataArr == null) {
                                        JSONObject datumObj = dataVal.isObject();
                                        if (datumObj != null) {
                                            dataArr = new JSONArray();
                                            dataArr.set(0, datumObj);
                                        }
                                    }
                                    if (dataArr != null) {
                                        final RecordList records = extractRecordList(dataArr);
                                        dsResponse.setData(records);
                                    }
                                }
                            }
                        }
                        dsResponse.setHttpResponseCode(httpResponseCode);
                        dsResponse._setHttpHeaders(responseHTTPHeaders);

                        transformResponse(dsResponse, finalDSRequest, rawResponse);
                    } else {
                        throw new UnsupportedOperationException("Unhandled dataFormat:" + dataFormat);
                    }
                }
            }

            if (dsResponse.getInvalidateCache()) {
                //invalidateDataSourceDataChangedHandlers(finalDSRequest, dsResponse);
            }

            status = dsResponse.getStatus();
            if (status >= 0) {
                DSDataChangedEvent.fire(DataSource.this, dsResponse, finalDSRequest);
            } else {
                // Unless it was a validation error, or the request specified willHandleError,
                // go through centralized error handling (if alerting the failure string
                // can be dignified with such a name!)
                if (status != -4 && !finalDSRequest._getWillHandleError()) {
                    onError(dsResponse);
                    return;
                }
            }

            // fireResponseCallbacks
            final DSCallback callback = finalDSRequest.getCallback(),
                    afterFlowCallback = finalDSRequest._getAfterFlowCallback();
            if (callback != null) {
                callback.execute(dsResponse, rawResponse, finalDSRequest);
            }
            if (afterFlowCallback != null && afterFlowCallback != callback) {
                afterFlowCallback.execute(dsResponse, rawResponse, finalDSRequest);
            }
        }
    });

    try {
        rb.send();
    } catch (RequestException re) {
        re.printStackTrace();
    }
    ++_numDSRequestsSent;
}

From source file:com.smartgwt.mobile.client.data.DataSource.java

License:Open Source License

private static void loadDataSource(String ID, LoadDSCallback callback, boolean loadParents) {
    String work = dsLoaderUrl;/*from  ww w.  j  a  v a 2  s . c o m*/
    if (work.endsWith("/")) {
        work = work.substring(0, work.length() - 1);
    }
    work += "?dataSource=" + ID;
    if (loadParents) {
        work += "&loadParents=true";
    }
    RequestBuilder rb = new RequestBuilder(RequestBuilder.GET, work);
    rb.setRequestData("");

    final LoadDSCallback finalCallback = callback;

    rb.setCallback(new RequestCallback() {

        public void onResponseReceived(Request request, Response response) {
            String creationText = null;

            if (response != null) {
                creationText = response.getText();
            }
            if (creationText == null || creationText.trim().length() == 0) {
                //Log.error("ERROR!  Null or empty response in DataSource loadDataSource");
                if (finalCallback != null)
                    finalCallback.execute(null);
                return;
            }

            assert response != null;
            int status = response.getStatusCode();
            if (status < 200 || status > 299) {
                //Log.error("DataSource loadDataSource returned HTTP status " + status);
                if (finalCallback != null)
                    finalCallback.execute(null);
                return;
            }

            ArrayList<DataSource> dataSources = createDataSourcesFromJSON(creationText, false);
            if (finalCallback != null) {
                DataSource[] dsList = dataSources.toArray(new DataSource[dataSources.size()]);
                finalCallback.execute(dsList);
            }
        }

        public void onError(Request request, Throwable exception) {
            //Log.error("loadDataSource error: ", exception);
            if (finalCallback != null)
                finalCallback.execute(null);
        }
    });

    try {
        rb.send();
    } catch (Exception e) {
        e.printStackTrace();
    }
}

From source file:com.square.client.gwt.client.presenter.personne.PersonneRelationsModePresenter.java

License:Open Source License

@Override
public void onBind() {
    view.getBtAjouterRelationGenerale().addClickHandler(new ClickHandler() {
        @Override/*from w ww  . j ava  2s .  co  m*/
        public void onClick(ClickEvent event) {
            if (idNaturePersonne != null && (constantes.getIdNaturePersonneVivier().equals(idNaturePersonne)
                    || constantes.getIdNaturePersonneBeneficiaireVivier().equals(idNaturePersonne))) {
                view.afficherPopupErreur(
                        new ErrorPopupConfiguration(presenterConstants.ajoutRelationVivierImpossible()));
            } else {
                if (filtreGroupements != null) {
                    if (personneRelationsFamillePopupPresenter == null) {
                        personneRelationsFamillePopupPresenter = addChildPresenter(
                                new PersonneRelationsPopupPresenter(eventBus, personneRpcService,
                                        personnePhysiqueRpcService, personneMoraleRpcService,
                                        dimensionRpcService,
                                        new PersonneRelationPopupViewImpl(constantes.isHasRoleAdmin()),
                                        constantes, idPersonne, nomPersonne, filtreGroupements,
                                        filtrePasDansGroupements, typePersonneSource, deskBar, aideService));

                        personneRelationsFamillePopupPresenter.addEventHandlerToLocalBus(
                                SimpleValueChangeEvent.TYPE, new SimpleValueChangeEventHandler<String>() {
                                    @Override
                                    public void onValueChange(SimpleValueChangeEvent<String> event) {
                                        switchModeEdition(modeCourant);
                                    }
                                });
                        personneRelationsFamillePopupPresenter.showPresenter(null);
                    } else {
                        personneRelationsFamillePopupPresenter.afficherPopupAjoutRelation();
                    }
                }
                if (filtrePasDansGroupements != null) {
                    if (personneRelationsPopupPresenter == null) {
                        personneRelationsPopupPresenter = addChildPresenter(new PersonneRelationsPopupPresenter(
                                eventBus, personneRpcService, personnePhysiqueRpcService,
                                personneMoraleRpcService, dimensionRpcService,
                                new PersonneRelationPopupViewImpl(constantes.isHasRoleAdmin()), constantes,
                                idPersonne, nomPersonne, filtreGroupements, filtrePasDansGroupements,
                                typePersonneSource, deskBar, aideService));
                        personneRelationsPopupPresenter.addEventHandlerToLocalBus(SimpleValueChangeEvent.TYPE,
                                new SimpleValueChangeEventHandler<String>() {
                                    @Override
                                    public void onValueChange(SimpleValueChangeEvent<String> event) {
                                        switchModeEdition(modeCourant);
                                    }
                                });
                        personneRelationsPopupPresenter.showPresenter(null);
                    } else {
                        personneRelationsPopupPresenter.afficherPopupAjoutRelation();
                    }
                }
            }
        }
    });
    view.getBtEnregistrerRelationGenerale().addClickHandler(new ClickHandler() {
        @Override
        public void onClick(ClickEvent event) {
            if (personneRelationsPresenter.isDatesValides()) {
                personneRelationsPresenter.modifierRelations();
            }
        }
    });
    view.btChangementDeMode().addClickHandler(new ClickHandler() {
        @Override
        public void onClick(ClickEvent event) {
            if (modeCourant == AppControllerConstants.MODE_RELATION_EDITION) {
                switchModeEdition(AppControllerConstants.MODE_RELATION_GRAPHIQUE);
            } else {
                switchModeEdition(AppControllerConstants.MODE_RELATION_EDITION);
            }
        }
    });
    // Tentative de connexion a internet pour dterminer si la visualisation est disponible.
    view.afficherChangementMode(false);
    final RequestBuilder rb = new RequestBuilder(RequestBuilder.GET, "http://www.google.fr");
    rb.setHeader("Access-Control-Allow-Origin", "http://www.google.fr");
    final int timeout = 15000;
    rb.setTimeoutMillis(timeout);
    rb.setCallback(new RequestCallback() {

        @Override
        public void onResponseReceived(Request request, Response response) {
            if (response != null) {
                final Runnable onLoadCallback = new Runnable() {
                    public void run() {
                        view.afficherChangementMode(true);
                    }
                };
                VisualizationUtils.loadVisualizationApi(onLoadCallback, OrgChart.PACKAGE);
            }
        }

        @Override
        public void onError(Request request, Throwable exception) {
        }
    });
    try {
        rb.send();
    } catch (RequestException e) {
        GWT.log("", e);
    }
}

From source file:com.square.composant.contrat.personne.morale.square.client.presenter.ContratsPersonneMoralePresenter.java

License:Open Source License

/** Charge les infos des contrats. */
private void chargerInfosContrat() {
    // Chargement des contrats de la personne
    view.afficherLoadingPopup(new LoadingPopupConfiguration(presenterConstants.chargementListeContrats()));
    // Cration du callback
    final AsyncCallback<InfosContratsPersonneMoraleModel> asyncCallback = new AsyncCallback<InfosContratsPersonneMoraleModel>() {
        @Override/*from   w w w  . j  a v  a2s.  c o m*/
        public void onSuccess(final InfosContratsPersonneMoraleModel result) {
            view.onRpcServiceSuccess();
            // Tentative de connexion a internet pour dterminer si la visualisation est disponible.
            final RequestBuilder rb = new RequestBuilder(RequestBuilder.GET, "http://www.google.fr");
            rb.setHeader("Access-Control-Allow-Origin", "http://www.google.fr");
            final int timeout = 15000;
            rb.setTimeoutMillis(timeout);
            rb.setCallback(new RequestCallback() {
                @Override
                public void onResponseReceived(Request request, Response response) {
                    GWT.log("response : " + response);
                    if (response != null) {
                        final Runnable onLoadCallback = new Runnable() {
                            public void run() {
                                // Construction du camembert reprsentant les populations
                                construireDonneesPopulation(result.getSyntheseContrat().getPopulation());
                            }
                        };
                        VisualizationUtils.loadVisualizationApi(onLoadCallback, "corechart");
                    }
                }

                @Override
                public void onError(Request request, Throwable exception) {
                }
            });
            try {
                rb.send();
            } catch (RequestException e) {
                GWT.log("", e);
            }

            // Chargement des infos
            initInfosContrats(result);

            final int nbContratsCharges = result.getListeContrats().size();
            fireEventLocalBus(new ContratsPersonneMoraleChargesEvent(nbContratsCharges));
        }

        @Override
        public void onFailure(Throwable caught) {
            view.onRpcServiceFailure(new ErrorPopupConfiguration(caught));
        }
    };
    contratServiceRpc.getInfosContratPersonneMorale(idPersonneMorale, asyncCallback);
}

From source file:com.square.composant.contrat.square.client.presenter.ContratsPresenter.java

License:Open Source License

/**
 * Charge l'API graphique puis les graphiques si la connexion  Internet existe.
 * @param infosContrats les infos de contrat
 *///from w ww. jav a2  s  .  c  om
private void chargerApiVisualisation(final InfosContratsModel infosContrats) {
    currentInfosContrats = infosContrats;
    // Tentative de connexion a internet pour dterminer si la visualisation est disponible.
    final RequestBuilder rb = new RequestBuilder(RequestBuilder.GET, "http://www.google.fr");
    rb.setHeader("Access-Control-Allow-Origin", "http://www.google.fr");
    final int timeout = 15000;
    rb.setTimeoutMillis(timeout);
    rb.setCallback(new RequestCallback() {
        @Override
        public void onResponseReceived(Request request, Response response) {
            if (response != null) {
                final Runnable onLoadCallback = new Runnable() {
                    public void run() {
                        // Chargement des graphiques
                        chargerGraphiques();
                    }
                };
                VisualizationUtils.loadVisualizationApi(onLoadCallback, OrgChart.PACKAGE);
            }
        }

        @Override
        public void onError(Request request, Throwable exception) {
        }
    });
    try {
        rb.send();
    } catch (RequestException e) {
        GWT.log("", e);
    }
}