当前位置: 首页>>代码示例>>Java>>正文


Java ResponseProcessingException类代码示例

本文整理汇总了Java中javax.ws.rs.client.ResponseProcessingException的典型用法代码示例。如果您正苦于以下问题:Java ResponseProcessingException类的具体用法?Java ResponseProcessingException怎么用?Java ResponseProcessingException使用的例子?那么, 这里精选的类代码示例或许可以为您提供帮助。


ResponseProcessingException类属于javax.ws.rs.client包,在下文中一共展示了ResponseProcessingException类的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Java代码示例。

示例1: handleException

import javax.ws.rs.client.ResponseProcessingException; //导入依赖的package包/类
private static UserException handleException(Exception e, ElasticAction2<?> action, ContextListenerImpl listener) {
  if (e instanceof ResponseProcessingException) {
    throw addResponseInfo(
        listener.addContext(UserException.dataReadError(e)
            .message("Failure consuming response from Elastic cluster during %s.", action.getAction())),
        ((ResponseProcessingException) e).getResponse()).build(logger);
  }
  if (e instanceof WebApplicationException) {
    throw addResponseInfo(
        listener.addContext(
            UserException.dataReadError(e).message("Failure executing Elastic request %s.", action.getAction())),
        ((WebApplicationException) e).getResponse()).build(logger);
  } else {
    return listener
        .addContext(
            UserException.dataReadError(e).message("Failure executing Elastic request %s.", action.getAction()))
        .build(logger);
  }
}
 
开发者ID:dremio,项目名称:dremio-oss,代码行数:20,代码来源:ElasticConnectionPool.java

示例2: checkResponse

import javax.ws.rs.client.ResponseProcessingException; //导入依赖的package包/类
public static <T> T checkResponse( Response response, Class<T> clazz ) throws PeerException
{

    checkResponse( response, false );

    try
    {
        return response.readEntity( clazz );
    }
    catch ( ResponseProcessingException e )
    {
        throw new PeerException( "Error parsing response", e );
    }
    finally
    {
        close( response );
    }
}
 
开发者ID:subutai-io,项目名称:base,代码行数:19,代码来源:WebClientBuilder.java

示例3: changeStatus

import javax.ws.rs.client.ResponseProcessingException; //导入依赖的package包/类
/**
 * Change the status of a user's response
 * 
 * @param userResponse the new response
 * @param person the attendee
 * @param event the event
 * @return the navigation case
 */
public String changeStatus(ResponseEnum userResponse, Person person, Event event) {
    String navigation;
    try {
        logger.log(Level.INFO, "changing status to {0} for {1} {2} for event ID {3}.",
                new Object[]{userResponse,
            person.getFirstName(),
            person.getLastName(),
            event.getId().toString()});
         client.target(baseUri)
                .path(event.getId().toString())
                .path(person.getId().toString())
                .request(MediaType.APPLICATION_XML)
                .post(Entity.xml(userResponse.getLabel()));
        navigation = "changedStatus";
    } catch (ResponseProcessingException ex) {
        logger.log(Level.WARNING, "couldn''t change status for {0} {1}",
                new Object[]{person.getFirstName(),
            person.getLastName()});
        logger.log(Level.WARNING, ex.getMessage());
        navigation = "error";
    }
    return navigation;
}
 
开发者ID:osmanpub,项目名称:oracle-samples,代码行数:32,代码来源:StatusManager.java

示例4: getInstitution

import javax.ws.rs.client.ResponseProcessingException; //导入依赖的package包/类
@Override
public InstitutionBean getInstitution(long uniqueId)
{
	Institution institution = institutionService.getInstitution(uniqueId);
	if( institution == null )
	{
		Response response = Response.status(Status.NOT_FOUND).entity(uniqueId).build();
		throw new ResponseProcessingException(response, uniqueId + " not found");
	}
	InstitutionBean bean = serialize(institution);
	return bean;
}
 
开发者ID:equella,项目名称:Equella,代码行数:13,代码来源:InstitutionResourceImpl.java

示例5: shouldHandleError

import javax.ws.rs.client.ResponseProcessingException; //导入依赖的package包/类
@Test(expected = ResponseProcessingException.class)
public void shouldHandleError() {
    CompletableResource resource = resource(CompletableResource.class);
    boolean completed = resource.error().await(5, TimeUnit.SECONDS);

    assertEquals(completed, true);
}
 
开发者ID:alex-shpak,项目名称:rx-jersey,代码行数:8,代码来源:CompletableResourceTest.java

示例6: shouldHandleError

import javax.ws.rs.client.ResponseProcessingException; //导入依赖的package包/类
@Test(expected = ResponseProcessingException.class)
public void shouldHandleError() {
    ObservableResource resource = resource(ObservableResource.class);
    String message = resource.error().toBlocking().first();

    assertEquals("", message);
}
 
开发者ID:alex-shpak,项目名称:rx-jersey,代码行数:8,代码来源:ObservableResourceTest.java

示例7: shouldHandleError

import javax.ws.rs.client.ResponseProcessingException; //导入依赖的package包/类
@Test(expected = ResponseProcessingException.class)
public void shouldHandleError() {
    SingleResource resource = resource(SingleResource.class);
    String message = resource.error().toBlocking().value();

    assertEquals("", message);
}
 
开发者ID:alex-shpak,项目名称:rx-jersey,代码行数:8,代码来源:SingleResourceTest.java

示例8: should_return_works_when_clear_applications_caches

import javax.ws.rs.client.ResponseProcessingException; //导入依赖的package包/类
@Test
public void should_return_works_when_clear_applications_caches() {
    try {
        withoutAuth("/cache/applications")
                .delete();
    } catch (ResponseProcessingException e) {
        fail("Le service devrait fonctionner");
    }
}
 
开发者ID:voyages-sncf-technologies,项目名称:hesperides,代码行数:10,代码来源:HesperidesCacheResourceTest.java

示例9: should_return_works_when_clear_modules_caches

import javax.ws.rs.client.ResponseProcessingException; //导入依赖的package包/类
@Test
public void should_return_works_when_clear_modules_caches() {
    try {
        withAuth("/cache/modules")
                .delete();
    } catch (ResponseProcessingException e) {
        fail("Le service devrait fonctionner");
    }
}
 
开发者ID:voyages-sncf-technologies,项目名称:hesperides,代码行数:10,代码来源:HesperidesCacheResourceTest.java

示例10: should_return_works_when_clear_templates_packages_caches

import javax.ws.rs.client.ResponseProcessingException; //导入依赖的package包/类
@Test
public void should_return_works_when_clear_templates_packages_caches() {
    try {
        withAuth("/cache/templates/packages")
                .delete();
    } catch (ResponseProcessingException e) {
        fail("Le service devrait fonctionner");
    }
}
 
开发者ID:voyages-sncf-technologies,项目名称:hesperides,代码行数:10,代码来源:HesperidesCacheResourceTest.java

示例11: should_return_works_when_clear_applications_caches

import javax.ws.rs.client.ResponseProcessingException; //导入依赖的package包/类
@Test
public void should_return_works_when_clear_applications_caches() {
    try {
        withoutAuth("/indexation/perform_reindex")
                .post(Entity.json(null));
    } catch (ResponseProcessingException e) {
        fail("Le service devrait fonctionner");
    }
}
 
开发者ID:voyages-sncf-technologies,项目名称:hesperides,代码行数:10,代码来源:HesperidesFullIndexationResourceTest.java

示例12: postToOData

import javax.ws.rs.client.ResponseProcessingException; //导入依赖的package包/类
/**
 * This method encapsulates a basic way of making most POST calls to the Jam OData API under the JSON format.
 * 
 * @param oDataPath API end point to call
 * @param payload a JSON request body
 */
private void postToOData(final String oDataPath, final String payload) {
    System.out.printf("Making Jam OData POST call to %s with payload: %n%s", oDataPath, payload);

    httpClient
        .target(JAM_BASE_URL)
        .path("/api/v1/OData/" + oDataPath)
        .queryParam("$format", "json")
        .request(MediaType.APPLICATION_JSON)
        .header("Authorization", "Bearer " + JAM_OAUTH_TOKEN)
        .header("Content-Type", MediaType.APPLICATION_JSON)
        .header("Accept", MediaType.APPLICATION_JSON)
        .async()
        .post(Entity.json(payload), new InvocationCallback<String>() {

            @Override
            public void completed(final String response) {
                System.out.println("Received response: " + response);
            }

            @Override
            public void failed(final Throwable throwable) {
                final ResponseProcessingException exception = (ResponseProcessingException)throwable;
                final String responseString = exception.getResponse().readEntity(String.class);
                System.out.println("Received error response: " + responseString);
                throwable.printStackTrace();
            }
        });
}
 
开发者ID:SAP,项目名称:SAPJamSampleCode,代码行数:35,代码来源:WebhooksServlet.java

示例13: updatePlayerLocation

import javax.ws.rs.client.ResponseProcessingException; //导入依赖的package包/类
/**
 * Update the player's location. The new location will always be returned
 * from the service, in the face of a conflict between updates for the
 * player across devices, we'll get back the one that won.
 *
 * @param playerId
 *            The player id
 * @param jwt
 *            The server jwt for this player id.
 * @param oldRoomId
 *            The old room's id
 * @param newRoomId
 *            The new room's id
 * @return The id of the selected new room, taking contention into account.
 * @throws IOException
 * @throws JsonProcessingException
 */
public String updatePlayerLocation(String playerId, String jwt, String oldRoomId, String newRoomId) {
    WebTarget target = this.root.path("{playerId}/location").resolveTemplate("playerId", playerId).queryParam("jwt",
            jwt);

    JsonObject parameter = Json.createObjectBuilder().add("oldLocation", oldRoomId).add("newLocation", newRoomId).build();

    Log.log(Level.INFO, this, "updating location using {0} with putdata {1}", target.getUri().toString(), parameter.toString());

    try {
        // Make PUT request using the specified target, get result as a
        // string containing JSON
        String resultString = target.request(MediaType.APPLICATION_JSON).accept(MediaType.APPLICATION_JSON)
                .header("Content-type", "application/json").put(Entity.json(parameter), String.class);

        Log.log(Level.INFO, this, "response was {0}", resultString);

        JsonReader r = Json.createReader(new StringReader(resultString));
        JsonObject result = r.readObject();
        String location = result.getString("location");

        Log.log(Level.INFO, this, "response location {0}", location);
        //location should match the 'newRoomId' unless we didn't win the race to change the location.
        return location;
    } catch (ResponseProcessingException rpe) {
        Response response = rpe.getResponse();
        Log.log(Level.WARNING, this, "Exception changing player location,  uri: {0} resp code: {1}",
                target.getUri().toString(),
                response.getStatusInfo().getStatusCode() + " " + response.getStatusInfo().getReasonPhrase()
                );
        Log.log(Level.WARNING, this, "Exception changing player location", rpe);
    } catch (ProcessingException | WebApplicationException ex) {
        Log.log(Level.WARNING, this, "Exception changing player location (" + target.getUri().toString() + ")", ex);
    }

    // Sadly, badness happened while trying to set the new room location
    // return to old room
    return oldRoomId;
}
 
开发者ID:gameontext,项目名称:gameon-mediator,代码行数:56,代码来源:PlayerClient.java

示例14: getSharedSecret

import javax.ws.rs.client.ResponseProcessingException; //导入依赖的package包/类
/**
 * Get shared secret for player
 * @param playerId
 * @param jwt
 * @param oldRoomId
 * @param newRoomId
 * @return
 */
public String getSharedSecret(String playerId, String jwt) {
    WebTarget target = this.root.path("{playerId}").resolveTemplate("playerId", playerId);

    Log.log(Level.FINER, this, "requesting shared secret using {0}", target.getUri().toString());

    try {
        // Make PUT request using the specified target, get result as a
        // string containing JSON
        Invocation.Builder builder = target.request(MediaType.APPLICATION_JSON);
        builder.header("Content-type", "application/json");
        builder.header("gameon-jwt", jwt);
        String result = builder.get(String.class);

        JsonReader p = Json.createReader(new StringReader(result));
        JsonObject j = p.readObject();
        JsonObject creds = j.getJsonObject("credentials");
        return creds.getString("sharedSecret");
    } catch (ResponseProcessingException rpe) {
        Response response = rpe.getResponse();
        Log.log(Level.FINER, this, "Exception obtaining shared secret for player,  uri: {0} resp code: {1} data: {2}",
                target.getUri().toString(),
                response.getStatusInfo().getStatusCode() + " " + response.getStatusInfo().getReasonPhrase(),
                response.readEntity(String.class));

        Log.log(Level.FINEST, this, "Exception obtaining shared secret for player", rpe);
    } catch (ProcessingException | WebApplicationException ex) {
        Log.log(Level.FINEST, this, "Exception obtaining shared secret for player (" + target.getUri().toString() + ")", ex);
    }

    // Sadly, badness happened while trying to get the shared secret
    return null;
}
 
开发者ID:gameontext,项目名称:gameon-mediator,代码行数:41,代码来源:PlayerClient.java

示例15: deleteSite

import javax.ws.rs.client.ResponseProcessingException; //导入依赖的package包/类
/**
 * Construct an outbound {@code WebTarget} that builds on the root
 * {@code WebTarget#path(String)} to add the path segment required to
 * request the deletion of a given room (<code>{roomId}</code>
 * ).
 *
 * @param roomId
 *            The specific room to delete
 * @param secret
 * @param userid
 *
 * @return The list of available endpoints returned from the concierge. This
 *         may be null if the list could not be retrieved.
 *
 * @see #getRoomList(WebTarget)
 * @see WebTarget#resolveTemplate(String, Object)
 */
public boolean deleteSite(String roomId, String userid, String secret) {
    Log.log(Level.FINER, this, "Asked to delete room id {0} for user {1} with secret(first2chars) {2}",roomId,userid,secret.substring(0,2));

    Client client = ClientBuilder.newClient().register(JsonProvider.class);

    // use the player's shared secret for this operation, not ours
    SignedClientRequestFilter apikey = new SignedClientRequestFilter(userid, secret);
    client.register(apikey);

    WebTarget target = client.target(mapLocation).path(roomId);

    Log.log(Level.FINER, this, "making request to {0} for room", target.getUri().toString());
    Response r = null;
    try {
        r = target.request().delete(); //
        if (r.getStatus() == 204) {
            Log.log(Level.FINER, this, "delete reported success (204)", target.getUri().toString());
            return true;
        }
        Log.log(Level.FINER, this, "delete failed reason:{0} entity:{1}", r.getStatusInfo().getReasonPhrase(),r.readEntity(String.class));

        //delete failed.
        return false;
    } catch (ResponseProcessingException rpe) {
        Response response = rpe.getResponse();
        Log.log(Level.SEVERE, this, "Exception deleting room uri: {0} resp code: {1} ",
                target.getUri().toString(),
                response.getStatusInfo().getStatusCode() + " " + response.getStatusInfo().getReasonPhrase());
        Log.log(Level.SEVERE, this, "Exception deleting room ", rpe);
    } catch (ProcessingException e) {
        Log.log(Level.SEVERE, this, "Exception deleting room ", e);
    } catch (WebApplicationException ex) {
        Log.log(Level.SEVERE, this, "Exception deleting room ", ex);
    }
    // Sadly, badness happened while trying to do the delete
    return false;
}
 
开发者ID:gameontext,项目名称:gameon-mediator,代码行数:55,代码来源:MapClient.java


注:本文中的javax.ws.rs.client.ResponseProcessingException类示例由纯净天空整理自Github/MSDocs等开源代码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。