instruction string | input string | output string | source_file string | priority int64 |
|---|---|---|---|---|
请完成以下Java代码 | public String getProvince() {
return province;
}
public void setProvince(String province) {
this.province = province;
}
public String getCity() {
return city;
}
public void setCity(String city) {
this.city = city;
}
public String getDesc() { | return desc;
}
public void setDesc(String desc) {
this.desc = desc;
}
@Override
public String toString() {
return "HomeProperties{" +
"province='" + province + '\'' +
", city='" + city + '\'' +
", desc='" + desc + '\'' +
'}';
}
} | repos\springboot-learning-example-master\springboot-properties\src\main\java\org\spring\springboot\property\HomeProperties.java | 1 |
请完成以下Java代码 | public class DubboBannerApplicationListener
implements ApplicationListener<ApplicationEnvironmentPreparedEvent> {
private static final Log logger = LogFactory.getLog(DubboBannerApplicationListener.class);
private static Banner.Mode BANNER_MODE = Banner.Mode.CONSOLE;
public static void setBANNER_MODE(Banner.Mode bANNER_MODE) {
BANNER_MODE = bANNER_MODE;
}
@Override
public void onApplicationEvent(ApplicationEnvironmentPreparedEvent event) {
if (BANNER_MODE == Banner.Mode.OFF) {
return;
} | String bannerText = this.buildBannerText();
if (BANNER_MODE == Mode.CONSOLE) {
System.out.print(bannerText);
} else if (BANNER_MODE == Mode.LOG) {
logger.info(bannerText);
}
}
private String buildBannerText() {
StringBuilder bannerTextBuilder = new StringBuilder();
bannerTextBuilder.append(DubboSpringBootStarterConstants.LINE_SEPARATOR).append(DubboLogo.dubbo)
.append(" :: Dubbo :: (v").append(Version.getVersion()).append(")")
.append(DubboSpringBootStarterConstants.LINE_SEPARATOR);
return bannerTextBuilder.toString();
}
} | repos\dubbo-spring-boot-starter-master\src\main\java\com\alibaba\dubbo\spring\boot\context\event\DubboBannerApplicationListener.java | 1 |
请完成以下Java代码 | public void setUser2_ID (final int User2_ID)
{
if (User2_ID < 1)
set_Value (COLUMNNAME_User2_ID, null);
else
set_Value (COLUMNNAME_User2_ID, User2_ID);
}
@Override
public int getUser2_ID()
{
return get_ValueAsInt(COLUMNNAME_User2_ID);
}
@Override
public void setUserFlag (final @Nullable java.lang.String UserFlag)
{
set_Value (COLUMNNAME_UserFlag, UserFlag);
}
@Override
public java.lang.String getUserFlag()
{
return get_ValueAsString(COLUMNNAME_UserFlag); | }
@Override
public void setExternalSystem_ID (final int ExternalSystem_ID)
{
if (ExternalSystem_ID < 1)
set_Value (COLUMNNAME_ExternalSystem_ID, null);
else
set_Value (COLUMNNAME_ExternalSystem_ID, ExternalSystem_ID);
}
@Override
public int getExternalSystem_ID()
{
return get_ValueAsInt(COLUMNNAME_ExternalSystem_ID);
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.adempiere.adempiere\base\src\main\java-gen\org\compiere\model\X_C_Invoice.java | 1 |
请完成以下Java代码 | public String getLibraryLocation(String libraryName, @Nullable LibraryScope scope) {
return "BOOT-INF/lib/";
}
@Override
public String getClassesLocation() {
return "";
}
@Override
public String getRepackagedClassesLocation() {
return "BOOT-INF/classes/";
}
@Override
public String getClasspathIndexFileLocation() {
return "BOOT-INF/classpath.idx";
}
@Override
public String getLayersIndexFileLocation() {
return "BOOT-INF/layers.idx";
}
@Override
public boolean isExecutable() {
return true;
}
}
/**
* Executable expanded archive layout.
*/
public static class Expanded extends Jar {
@Override
public String getLauncherClassName() {
return "org.springframework.boot.loader.launch.PropertiesLauncher";
}
}
/**
* No layout.
*/
public static class None extends Jar {
@Override
public @Nullable String getLauncherClassName() {
return null;
}
@Override
public boolean isExecutable() {
return false;
}
} | /**
* Executable WAR layout.
*/
public static class War implements Layout {
private static final Map<LibraryScope, String> SCOPE_LOCATION;
static {
Map<LibraryScope, String> locations = new HashMap<>();
locations.put(LibraryScope.COMPILE, "WEB-INF/lib/");
locations.put(LibraryScope.CUSTOM, "WEB-INF/lib/");
locations.put(LibraryScope.RUNTIME, "WEB-INF/lib/");
locations.put(LibraryScope.PROVIDED, "WEB-INF/lib-provided/");
SCOPE_LOCATION = Collections.unmodifiableMap(locations);
}
@Override
public String getLauncherClassName() {
return "org.springframework.boot.loader.launch.WarLauncher";
}
@Override
public @Nullable String getLibraryLocation(String libraryName, @Nullable LibraryScope scope) {
return SCOPE_LOCATION.get(scope);
}
@Override
public String getClassesLocation() {
return "WEB-INF/classes/";
}
@Override
public String getClasspathIndexFileLocation() {
return "WEB-INF/classpath.idx";
}
@Override
public String getLayersIndexFileLocation() {
return "WEB-INF/layers.idx";
}
@Override
public boolean isExecutable() {
return true;
}
}
} | repos\spring-boot-4.0.1\loader\spring-boot-loader-tools\src\main\java\org\springframework\boot\loader\tools\Layouts.java | 1 |
请完成以下Java代码 | public class WebSocketGraphQlRequest extends WebGraphQlRequest {
private final WebSocketSessionInfo sessionInfo;
/**
* Create an instance.
* @param uri the URL for the HTTP request or WebSocket handshake
* @param headers the HTTP request headers
* @param cookies the HTTP request cookies
* @param remoteAddress the client remote address
* @param attributes session attributes
* @param body the deserialized content of the GraphQL request
* @param id the id from the GraphQL over WebSocket {@code "subscribe"} message
* @param locale the locale from the HTTP request, if any
* @param sessionInfo the WebSocket session id
* @since 1.3.0
*/
public WebSocketGraphQlRequest(
URI uri, HttpHeaders headers, @Nullable MultiValueMap<String, HttpCookie> cookies,
@Nullable InetSocketAddress remoteAddress, Map<String, Object> attributes, Map<String, Object> body,
String id, @Nullable Locale locale, WebSocketSessionInfo sessionInfo) {
super(uri, headers, cookies, remoteAddress, attributes, body, id, locale);
Assert.notNull(sessionInfo, "WebSocketSessionInfo is required");
this.sessionInfo = sessionInfo;
}
/**
* Create an instance.
* @param uri the URL for the HTTP request or WebSocket handshake | * @param headers the HTTP request headers
* @param cookies the HTTP request cookies
* @param attributes session attributes
* @param body the deserialized content of the GraphQL request
* @param id the id from the GraphQL over WebSocket {@code "subscribe"} message
* @param locale the locale from the HTTP request, if any
* @param sessionInfo the WebSocket session id
* @since 1.1.3
* @deprecated in favor of {@link #WebSocketGraphQlRequest(URI, HttpHeaders, MultiValueMap, InetSocketAddress, Map, Map, String, Locale, WebSocketSessionInfo)}
*/
@Deprecated(since = "1.3.0", forRemoval = true)
public WebSocketGraphQlRequest(
URI uri, HttpHeaders headers, @Nullable MultiValueMap<String, HttpCookie> cookies,
Map<String, Object> attributes, Map<String, Object> body, String id, @Nullable Locale locale,
WebSocketSessionInfo sessionInfo) {
this(uri, headers, cookies, null, attributes, body, id, locale, sessionInfo);
}
/**
* Return information about the underlying WebSocket session.
*/
public WebSocketSessionInfo getSessionInfo() {
return this.sessionInfo;
}
} | repos\spring-graphql-main\spring-graphql\src\main\java\org\springframework\graphql\server\WebSocketGraphQlRequest.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public Mono<User> createUser(User user) {
return userService.createUser(user);
}
/**
* 存在返回 200,不存在返回 404
*/
@DeleteMapping("/{id}")
public Mono<ResponseEntity<Void>> deleteUser(@PathVariable String id) {
return userService.deleteUser(id)
.then(Mono.just(new ResponseEntity<Void>(HttpStatus.OK)))
.defaultIfEmpty(new ResponseEntity<>(HttpStatus.NOT_FOUND));
}
/**
* 存在返回修改后的 User
* 不存在返回 404
*/
@PutMapping("/{id}")
public Mono<ResponseEntity<User>> updateUser(@PathVariable String id, User user) {
return userService.updateUser(id, user)
.map(u -> new ResponseEntity<>(u, HttpStatus.OK))
.defaultIfEmpty(new ResponseEntity<>(HttpStatus.NOT_FOUND));
}
/**
* 根据用户 id查找
* 存在返回,不存在返回 404
*/
@GetMapping("/{id}")
public Mono<ResponseEntity<User>> getUser(@PathVariable String id) {
return userService.getUser(id)
.map(user -> new ResponseEntity<>(user, HttpStatus.OK))
.defaultIfEmpty(new ResponseEntity<>(HttpStatus.NOT_FOUND));
}
/**
* 根据年龄段来查找
*/
@GetMapping("/age/{from}/{to}")
public Flux<User> getUserByAge(@PathVariable Integer from, @PathVariable Integer to) {
return userService.getUserByAge(from, to);
}
@GetMapping(value = "/stream/age/{from}/{to}", produces = MediaType.TEXT_EVENT_STREAM_VALUE)
public Flux<User> getUserByAgeStream(@PathVariable Integer from, @PathVariable Integer to) {
return userService.getUserByAge(from, to);
}
/**
* 根据用户名查找
*/
@GetMapping("/name/{name}") | public Flux<User> getUserByName(@PathVariable String name) {
return userService.getUserByName(name);
}
@GetMapping(value = "/stream/name/{name}", produces = MediaType.TEXT_EVENT_STREAM_VALUE)
public Flux<User> getUserByNameStream(@PathVariable String name) {
return userService.getUserByName(name);
}
/**
* 根据用户描述模糊查找
*/
@GetMapping("/description/{description}")
public Flux<User> getUserByDescription(@PathVariable String description) {
return userService.getUserByDescription(description);
}
@GetMapping(value = "/stream/description/{description}", produces = MediaType.TEXT_EVENT_STREAM_VALUE)
public Flux<User> getUserByDescriptionStream(@PathVariable String description) {
return userService.getUserByDescription(description);
}
/**
* 根据多个检索条件查询
*/
@GetMapping("/condition")
public Flux<User> getUserByCondition(int size, int page, User user) {
return userService.getUserByCondition(size, page, user);
}
@GetMapping("/condition/count")
public Mono<Long> getUserByConditionCount(User user) {
return userService.getUserByConditionCount(user);
}
} | repos\SpringAll-master\58.Spring-Boot-WebFlux-crud\src\main\java\com\example\webflux\controller\UserController.java | 2 |
请完成以下Java代码 | public void setRecord_ID (final int Record_ID)
{
if (Record_ID < 0)
set_ValueNoCheck (COLUMNNAME_Record_ID, null);
else
set_ValueNoCheck (COLUMNNAME_Record_ID, Record_ID);
}
@Override
public int getRecord_ID()
{
return get_ValueAsInt(COLUMNNAME_Record_ID);
}
@Override
public void setSeqNo (final int SeqNo)
{
set_Value (COLUMNNAME_SeqNo, SeqNo);
}
@Override
public int getSeqNo()
{
return get_ValueAsInt(COLUMNNAME_SeqNo);
}
@Override
public de.metas.ui.web.base.model.I_WEBUI_Board getWEBUI_Board()
{
return get_ValueAsPO(COLUMNNAME_WEBUI_Board_ID, de.metas.ui.web.base.model.I_WEBUI_Board.class);
}
@Override
public void setWEBUI_Board(final de.metas.ui.web.base.model.I_WEBUI_Board WEBUI_Board)
{
set_ValueFromPO(COLUMNNAME_WEBUI_Board_ID, de.metas.ui.web.base.model.I_WEBUI_Board.class, WEBUI_Board);
}
@Override
public void setWEBUI_Board_ID (final int WEBUI_Board_ID)
{
if (WEBUI_Board_ID < 1)
set_ValueNoCheck (COLUMNNAME_WEBUI_Board_ID, null);
else
set_ValueNoCheck (COLUMNNAME_WEBUI_Board_ID, WEBUI_Board_ID);
}
@Override
public int getWEBUI_Board_ID()
{
return get_ValueAsInt(COLUMNNAME_WEBUI_Board_ID); | }
@Override
public de.metas.ui.web.base.model.I_WEBUI_Board_Lane getWEBUI_Board_Lane()
{
return get_ValueAsPO(COLUMNNAME_WEBUI_Board_Lane_ID, de.metas.ui.web.base.model.I_WEBUI_Board_Lane.class);
}
@Override
public void setWEBUI_Board_Lane(final de.metas.ui.web.base.model.I_WEBUI_Board_Lane WEBUI_Board_Lane)
{
set_ValueFromPO(COLUMNNAME_WEBUI_Board_Lane_ID, de.metas.ui.web.base.model.I_WEBUI_Board_Lane.class, WEBUI_Board_Lane);
}
@Override
public void setWEBUI_Board_Lane_ID (final int WEBUI_Board_Lane_ID)
{
if (WEBUI_Board_Lane_ID < 1)
set_ValueNoCheck (COLUMNNAME_WEBUI_Board_Lane_ID, null);
else
set_ValueNoCheck (COLUMNNAME_WEBUI_Board_Lane_ID, WEBUI_Board_Lane_ID);
}
@Override
public int getWEBUI_Board_Lane_ID()
{
return get_ValueAsInt(COLUMNNAME_WEBUI_Board_Lane_ID);
}
@Override
public void setWEBUI_Board_RecordAssignment_ID (final int WEBUI_Board_RecordAssignment_ID)
{
if (WEBUI_Board_RecordAssignment_ID < 1)
set_ValueNoCheck (COLUMNNAME_WEBUI_Board_RecordAssignment_ID, null);
else
set_ValueNoCheck (COLUMNNAME_WEBUI_Board_RecordAssignment_ID, WEBUI_Board_RecordAssignment_ID);
}
@Override
public int getWEBUI_Board_RecordAssignment_ID()
{
return get_ValueAsInt(COLUMNNAME_WEBUI_Board_RecordAssignment_ID);
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.ui.web.base\src\main\java-gen\de\metas\ui\web\base\model\X_WEBUI_Board_RecordAssignment.java | 1 |
请完成以下Java代码 | public class User {
private String id;
private String email;
private String username;
private String password;
private String bio;
private String image;
public User(String email, String username, String password, String bio, String image) {
this.id = UUID.randomUUID().toString();
this.email = email;
this.username = username;
this.password = password;
this.bio = bio;
this.image = image;
}
public void update(String email, String username, String password, String bio, String image) {
if (!Util.isEmpty(email)) {
this.email = email; | }
if (!Util.isEmpty(username)) {
this.username = username;
}
if (!Util.isEmpty(password)) {
this.password = password;
}
if (!Util.isEmpty(bio)) {
this.bio = bio;
}
if (!Util.isEmpty(image)) {
this.image = image;
}
}
} | repos\spring-boot-realworld-example-app-master\src\main\java\io\spring\core\user\User.java | 1 |
请完成以下Java代码 | public void setM_ChangeNotice_ID (final int M_ChangeNotice_ID)
{
if (M_ChangeNotice_ID < 1)
set_Value (COLUMNNAME_M_ChangeNotice_ID, null);
else
set_Value (COLUMNNAME_M_ChangeNotice_ID, M_ChangeNotice_ID);
}
@Override
public int getM_ChangeNotice_ID()
{
return get_ValueAsInt(COLUMNNAME_M_ChangeNotice_ID);
}
@Override
public void setName (final java.lang.String Name)
{
set_Value (COLUMNNAME_Name, Name);
}
@Override
public java.lang.String getName()
{
return get_ValueAsString(COLUMNNAME_Name);
}
@Override
public void setProcessing (final boolean Processing)
{
set_Value (COLUMNNAME_Processing, Processing);
}
@Override
public boolean isProcessing()
{
return get_ValueAsBoolean(COLUMNNAME_Processing);
}
@Override
public void setRevision (final @Nullable java.lang.String Revision)
{
set_Value (COLUMNNAME_Revision, Revision);
}
@Override
public java.lang.String getRevision()
{
return get_ValueAsString(COLUMNNAME_Revision);
}
@Override
public void setValidFrom (final @Nullable java.sql.Timestamp ValidFrom)
{
set_Value (COLUMNNAME_ValidFrom, ValidFrom);
}
@Override
public java.sql.Timestamp getValidFrom()
{
return get_ValueAsTimestamp(COLUMNNAME_ValidFrom); | }
@Override
public void setValidTo (final @Nullable java.sql.Timestamp ValidTo)
{
set_Value (COLUMNNAME_ValidTo, ValidTo);
}
@Override
public java.sql.Timestamp getValidTo()
{
return get_ValueAsTimestamp(COLUMNNAME_ValidTo);
}
@Override
public void setValue (final java.lang.String Value)
{
set_Value (COLUMNNAME_Value, Value);
}
@Override
public java.lang.String getValue()
{
return get_ValueAsString(COLUMNNAME_Value);
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.adempiere.adempiere\base\src\main\java-gen\org\eevolution\model\X_DD_NetworkDistribution.java | 1 |
请完成以下Java代码 | public int getSalesOrderLineNo()
{
return salesOrderLineNo;
}
public ShipmentCandidateRow withChanges(@NonNull final ShipmentCandidateRowUserChangeRequest userChanges)
{
final ShipmentCandidateRowBuilder rowBuilder = toBuilder();
if (userChanges.getQtyToDeliverUserEntered() != null)
{
rowBuilder.qtyToDeliverUserEntered(userChanges.getQtyToDeliverUserEntered());
}
if (userChanges.getQtyToDeliverCatchOverride() != null)
{
rowBuilder.qtyToDeliverCatchOverride(userChanges.getQtyToDeliverCatchOverride());
}
if (userChanges.getAsi() != null)
{
rowBuilder.asi(userChanges.getAsi());
}
return rowBuilder.build();
}
@Override
public WebuiASIEditingInfo getWebuiASIEditingInfo(@NonNull final AttributeSetInstanceId asiId)
{
final ProductId productId = product.getIdAs(ProductId::ofRepoIdOrNull);
final ASIEditingInfo info = ASIEditingInfo.builder()
.type(WindowType.Regular)
.productId(productId)
.attributeSetInstanceId(asiId)
.callerTableName(null)
.callerColumnId(-1)
.soTrx(SOTrx.SALES)
.build();
return WebuiASIEditingInfo.builder(info).build();
}
Optional<ShipmentScheduleUserChangeRequest> createShipmentScheduleUserChangeRequest()
{
final ShipmentScheduleUserChangeRequestBuilder builder = ShipmentScheduleUserChangeRequest.builder()
.shipmentScheduleId(shipmentScheduleId);
boolean changes = false;
if (qtyToDeliverUserEnteredInitial.compareTo(qtyToDeliverUserEntered) != 0)
{
BigDecimal qtyCUsToDeliver = packingInfo.computeQtyCUsByQtyUserEntered(qtyToDeliverUserEntered);
builder.qtyToDeliverStockOverride(qtyCUsToDeliver);
changes = true;
} | if (qtyToDeliverCatchOverrideIsChanged())
{
builder.qtyToDeliverCatchOverride(qtyToDeliverCatchOverride);
changes = true;
}
final AttributeSetInstanceId asiId = asi.getIdAs(AttributeSetInstanceId::ofRepoIdOrNone);
if (!Objects.equals(asiIdInitial, asiId))
{
builder.asiId(asiId);
changes = true;
}
return changes
? Optional.of(builder.build())
: Optional.empty();
}
private boolean qtyToDeliverCatchOverrideIsChanged()
{
final Optional<Boolean> nullValuechanged = isNullValuesChanged(qtyToDeliverCatchOverrideInitial, qtyToDeliverCatchOverride);
return nullValuechanged.orElseGet(() -> qtyToDeliverCatchOverrideInitial.compareTo(qtyToDeliverCatchOverride) != 0);
}
private static Optional<Boolean> isNullValuesChanged(
@Nullable final Object initial,
@Nullable final Object current)
{
final boolean wasNull = initial == null;
final boolean isNull = current == null;
if (wasNull)
{
if (isNull)
{
return Optional.of(false);
}
return Optional.of(true); // was null and is not null anymore
}
if (isNull)
{
return Optional.of(true); // was not null and is now
}
return Optional.empty(); // was not null and still is not null; will need to compare the current values
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.ui.web.base\src\main\java\de\metas\ui\web\shipment_candidates_editor\ShipmentCandidateRow.java | 1 |
请完成以下Java代码 | public final Timestamp getDateLastRun()
{
return p_model.getDateLastRun();
} // getDateLastRun
/**
* Get Description
*
* @return Description
*/
public final String getDescription()
{
return p_model.getDescription();
} // getDescription
/**
* Get Model
*
* @return Model
*/
public final AdempiereProcessor getModel()
{
return p_model;
} // getModel
/**
* Calculate Sleep ms
*
* @return miliseconds
*/
protected final long calculateSleep()
{
String frequencyType = p_model.getFrequencyType();
int frequency = p_model.getFrequency();
if (frequency < 1)
{
frequency = 1;
}
//
final long typeSec;
if (frequencyType == null)
{
typeSec = 300; // 5 minutes (default)
}
else if (X_R_RequestProcessor.FREQUENCYTYPE_Minute.equals(frequencyType))
{
typeSec = 60;
}
else if (X_R_RequestProcessor.FREQUENCYTYPE_Hour.equals(frequencyType))
{
typeSec = 3600;
}
else if (X_R_RequestProcessor.FREQUENCYTYPE_Day.equals(frequencyType))
{
typeSec = 86400;
}
else // Unknown Frequency
{
typeSec = 600; // 10 min
log.warn("Unknown FrequencyType=" + frequencyType + ". Using Frequency=" + typeSec + "seconds.");
}
//
return typeSec * 1000 * frequency; // ms
} // calculateSleep
/**
* Is Sleeping
*
* @return sleeping
*/
public final boolean isSleeping()
{
return sleeping.get();
} // isSleeping
@Override
public final String toString()
{
final boolean sleeping = isSleeping();
final StringBuilder sb = new StringBuilder(getName())
.append(",Prio=").append(getPriority())
.append(",").append(getThreadGroup())
.append(",Alive=").append(isAlive())
.append(",Sleeping=").append(sleeping) | .append(",Last=").append(getDateLastRun());
if (sleeping)
{
sb.append(",Next=").append(getDateNextRun(false));
}
return sb.toString();
}
public final Timestamp getStartTime()
{
final long startTimeMillis = this.serverStartTimeMillis;
return startTimeMillis > 0 ? new Timestamp(startTimeMillis) : null;
}
public final AdempiereProcessorLog[] getLogs()
{
return p_model.getLogs();
}
/**
* Set the initial nap/sleep when server starts.
*
* Mainly this method is used by tests.
*
* @param initialNapSeconds
*/
public final void setInitialNapSeconds(final int initialNapSeconds)
{
Check.assume(initialNapSeconds >= 0, "initialNapSeconds >= 0");
this.m_initialNapSecs = initialNapSeconds;
}
protected final int getRunCount()
{
return p_runCount;
}
protected final Timestamp getStartWork()
{
return new Timestamp(workStartTimeMillis);
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.adempiere.adempiere\serverRoot\de.metas.adempiere.adempiere.serverRoot.base\src\main\java-legacy\org\compiere\server\AdempiereServer.java | 1 |
请完成以下Java代码 | public Mono<String> getDataWithRetry(String stockId) {
return webClient.get()
.uri(PATH_BY_ID, stockId)
.accept(MediaType.APPLICATION_JSON)
.retrieve()
.bodyToMono(String.class)
.retryWhen(Retry.max(3));
}
public Mono<String> getDataWithRetryFixedDelay(String stockId) {
return webClient.get()
.uri(PATH_BY_ID, stockId)
.accept(MediaType.APPLICATION_JSON)
.retrieve()
.bodyToMono(String.class)
.retryWhen(Retry.fixedDelay(3, Duration.ofSeconds(2)));
}
public Mono<String> getDataWithRetryBackoff(String stockId) {
return webClient.get() | .uri(PATH_BY_ID, stockId)
.accept(MediaType.APPLICATION_JSON)
.retrieve()
.bodyToMono(String.class)
.retryWhen(Retry.backoff(3, Duration.ofSeconds(2)));
}
public Mono<String> getDataWithRetryBackoffJitter(String stockId) {
return webClient.get()
.uri(PATH_BY_ID, stockId)
.accept(MediaType.APPLICATION_JSON)
.retrieve()
.bodyToMono(String.class)
.retryWhen(Retry.backoff(3, Duration.ofSeconds(2))
.jitter(1));
}
} | repos\tutorials-master\spring-reactive-modules\spring-webflux\src\main\java\com\baeldung\spring\retry\ExternalConnector.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public AlipayConfig config(AlipayConfig alipayConfig) {
alipayConfig.setId(1L);
return alipayRepository.save(alipayConfig);
}
@Override
public String toPayAsPc(AlipayConfig alipay, TradeVo trade) throws Exception {
if(alipay.getId() == null){
throw new BadRequestException("请先添加相应配置,再操作");
}
AlipayClient alipayClient = new DefaultAlipayClient(alipay.getGatewayUrl(), alipay.getAppId(), alipay.getPrivateKey(), alipay.getFormat(), alipay.getCharset(), alipay.getPublicKey(), alipay.getSignType());
// 创建API对应的request(电脑网页版)
AlipayTradePagePayRequest request = new AlipayTradePagePayRequest();
// 订单完成后返回的页面和异步通知地址
request.setReturnUrl(alipay.getReturnUrl());
request.setNotifyUrl(alipay.getNotifyUrl());
// 填充订单参数
request.setBizContent("{" +
" \"out_trade_no\":\""+trade.getOutTradeNo()+"\"," +
" \"product_code\":\"FAST_INSTANT_TRADE_PAY\"," +
" \"total_amount\":"+trade.getTotalAmount()+"," +
" \"subject\":\""+trade.getSubject()+"\"," +
" \"body\":\""+trade.getBody()+"\"," +
" \"extend_params\":{" +
" \"sys_service_provider_id\":\""+alipay.getSysServiceProviderId()+"\"" +
" }"+
" }");//填充业务参数
// 调用SDK生成表单, 通过GET方式,口可以获取url
return alipayClient.pageExecute(request, "GET").getBody();
}
@Override
public String toPayAsWeb(AlipayConfig alipay, TradeVo trade) throws Exception {
if(alipay.getId() == null){
throw new BadRequestException("请先添加相应配置,再操作");
} | AlipayClient alipayClient = new DefaultAlipayClient(alipay.getGatewayUrl(), alipay.getAppId(), alipay.getPrivateKey(), alipay.getFormat(), alipay.getCharset(), alipay.getPublicKey(), alipay.getSignType());
double money = Double.parseDouble(trade.getTotalAmount());
double maxMoney = 5000;
if(money <= 0 || money >= maxMoney){
throw new BadRequestException("测试金额过大");
}
// 创建API对应的request(手机网页版)
AlipayTradeWapPayRequest request = new AlipayTradeWapPayRequest();
request.setReturnUrl(alipay.getReturnUrl());
request.setNotifyUrl(alipay.getNotifyUrl());
request.setBizContent("{" +
" \"out_trade_no\":\""+trade.getOutTradeNo()+"\"," +
" \"product_code\":\"FAST_INSTANT_TRADE_PAY\"," +
" \"total_amount\":"+trade.getTotalAmount()+"," +
" \"subject\":\""+trade.getSubject()+"\"," +
" \"body\":\""+trade.getBody()+"\"," +
" \"extend_params\":{" +
" \"sys_service_provider_id\":\""+alipay.getSysServiceProviderId()+"\"" +
" }"+
" }");
return alipayClient.pageExecute(request, "GET").getBody();
}
} | repos\eladmin-master\eladmin-tools\src\main\java\me\zhengjie\service\impl\AliPayServiceImpl.java | 2 |
请完成以下Java代码 | public void setBPartnerData(@NonNull final I_C_Invoice_Candidate ic)
{
final IInvoiceCandidateHandler handler = createInvoiceCandidateHandler(ic);
handler.setBPartnerData(ic);
}
@Override
public void setInvoiceScheduleAndDateToInvoice(@NonNull final I_C_Invoice_Candidate icRecord)
{
final IInvoiceCandidateHandler handler = createInvoiceCandidateHandler(icRecord);
handler.setInvoiceScheduleAndDateToInvoice(icRecord);
}
@Override
public void setPickedData(final I_C_Invoice_Candidate ic)
{
final InvoiceCandidateRecordService invoiceCandidateRecordService = SpringContextHolder.instance.getBean(InvoiceCandidateRecordService.class); | final IInvoiceCandidateHandler handler = createInvoiceCandidateHandler(ic);
handler.setShipmentSchedule(ic);
final ShipmentScheduleId shipmentScheduleId = ShipmentScheduleId.ofRepoIdOrNull(ic.getM_ShipmentSchedule_ID());
if (shipmentScheduleId == null)
{
return;
}
final StockQtyAndUOMQty qtysPicked = invoiceCandidateRecordService.ofRecord(ic).computeQtysPicked();
ic.setQtyPicked(qtysPicked.getStockQty().toBigDecimal());
ic.setQtyPickedInUOM(qtysPicked.getUOMQtyNotNull().toBigDecimal());
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.swat\de.metas.swat.base\src\main\java\de\metas\invoicecandidate\api\impl\InvoiceCandidateHandlerBL.java | 1 |
请完成以下Java代码 | public int getType() {
return type;
}
public void setType(int type) {
this.type = type;
}
public String getCode() {
return code;
}
public void setCode(String code) {
this.code = code;
}
/**
* 构造器
*
* @param type 类型
* @param code 编码(请求方式)
*/
OperateTypeEnum(int type, String code) {
this.type = type;
this.code = code;
} | /**
* 根据请求名称匹配
*
* @param methodName 请求名称
* @return Integer 类型
*/
public static Integer getTypeByMethodName(String methodName) {
for (OperateTypeEnum e : OperateTypeEnum.values()) {
if (methodName.startsWith(e.getCode())) {
return e.getType();
}
}
return CommonConstant.OPERATE_TYPE_1;
}
} | repos\JeecgBoot-main\jeecg-boot\jeecg-boot-base-core\src\main\java\org\jeecg\common\constant\enums\OperateTypeEnum.java | 1 |
请在Spring Boot框架中完成以下Java代码 | private JsonCustomerGroup getCustomerGroup(
@NonNull final ShopwareClient shopwareClient,
@NonNull final String customerShopwareId)
{
try
{
// we need the "internal" shopware-ID to navigate to the customer
return shopwareClient.getCustomerGroup(customerShopwareId)
.map(customerGroups -> Check.singleElement(customerGroups.getCustomerGroupList()))
.orElse(null);
}
catch (final RuntimeException e)
{
throw new RuntimeCamelException("Exception getting CustomerGroup for customerId=" + customerShopwareId, e);
}
}
@NonNull | private AddressDetail retrieveOrderBillingAddress(
@NonNull final ImportOrdersRouteContext context,
@NonNull final AddressDetail orderShippingAddress,
@NonNull final String orderBillingAddressId
)
{
if (Objects.equals(orderShippingAddress.getJsonAddress().getId(), orderBillingAddressId))
{
return orderShippingAddress;
}
return context.getShopwareClient()
.getOrderAddressDetails(orderBillingAddressId,
context.getBpLocationCustomJsonPath(),
BPARTNER_LOCATION_METASFRESH_ID_JSON_PATH,
context.getEmailJsonPath())
.orElseThrow(() -> new RuntimeException("Missing address details for addressId: " + orderBillingAddressId));
}
} | repos\metasfresh-new_dawn_uat\misc\services\camel\de-metas-camel-externalsystems\de-metas-camel-shopware6\src\main\java\de\metas\camel\externalsystems\shopware6\order\processor\CreateBPartnerUpsertReqProcessor.java | 2 |
请完成以下Java代码 | public int getRoot_AD_Table_ID()
{
return get_ValueAsInt(COLUMNNAME_Root_AD_Table_ID);
}
@Override
public void setRoot_Record_ID (final int Root_Record_ID)
{
if (Root_Record_ID < 1)
set_Value (COLUMNNAME_Root_Record_ID, null);
else
set_Value (COLUMNNAME_Root_Record_ID, Root_Record_ID);
}
@Override
public int getRoot_Record_ID()
{
return get_ValueAsInt(COLUMNNAME_Root_Record_ID);
}
/**
* Severity AD_Reference_ID=541949
* Reference name: Severity
*/ | public static final int SEVERITY_AD_Reference_ID=541949;
/** Notice = N */
public static final String SEVERITY_Notice = "N";
/** Error = E */
public static final String SEVERITY_Error = "E";
@Override
public void setSeverity (final java.lang.String Severity)
{
set_Value (COLUMNNAME_Severity, Severity);
}
@Override
public java.lang.String getSeverity()
{
return get_ValueAsString(COLUMNNAME_Severity);
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.adempiere.adempiere\base\src\main\java-gen\org\compiere\model\X_AD_Record_Warning.java | 1 |
请完成以下Java代码 | public boolean isSOTrx()
{
return m_doc.isSOTrx();
}
/**
* @return document currency precision
* @see Doc#getStdPrecision()
*/
protected final CurrencyPrecision getStdPrecision()
{
return m_doc.getStdPrecision();
}
/**
* @return document (header)
*/
protected final DT getDoc()
{ | return m_doc;
}
public final PostingException newPostingException()
{
return m_doc.newPostingException()
.setDocument(getDoc())
.setDocLine(this);
}
public final PostingException newPostingException(final Throwable ex)
{
return m_doc.newPostingException(ex)
.setDocument(getDoc())
.setDocLine(this);
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.acct.base\src\main\java-legacy\org\compiere\acct\DocLine.java | 1 |
请完成以下Java代码 | public List<RpTradePaymentRecord> getSuccessPlatformDateByBillDate(Date billDate, String interfaceCode) {
SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd");
String billDateStr = sdf.format(billDate);
Map<String, Object> paramMap = new HashMap<String, Object>();
paramMap.put("billDate", billDateStr);
paramMap.put("interfaceCode", interfaceCode);
paramMap.put("status", TradeStatusEnum.SUCCESS.name());
LOG.info("开始查询平台支付成功的数据:billDate[" + billDateStr + "],支付方式为[" + interfaceCode + "]");
List<RpTradePaymentRecord> recordList = rpTradePaymentQueryService.listPaymentRecord(paramMap);
if (recordList == null) {
recordList = new ArrayList<RpTradePaymentRecord>();
}
LOG.info("查询得到的数据count[" + recordList.size() + "]");
return recordList;
}
/**
* 获取平台指定支付渠道、指定订单日下[所有]的数据
*
* @param billDate
* 账单日 | * @param interfaceCode
* 支付渠道
* @return
*/
public List<RpTradePaymentRecord> getAllPlatformDateByBillDate(Date billDate, String interfaceCode) {
SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd");
String billDateStr = sdf.format(billDate);
Map<String, Object> paramMap = new HashMap<String, Object>();
paramMap.put("billDate", billDateStr);
paramMap.put("interfaceCode", interfaceCode);
LOG.info("开始查询平台支付所有的数据:billDate[" + billDateStr + "],支付方式为[" + interfaceCode + "]");
List<RpTradePaymentRecord> recordList = rpTradePaymentQueryService.listPaymentRecord(paramMap);
if (recordList == null) {
recordList = new ArrayList<RpTradePaymentRecord>();
}
LOG.info("查询得到的数据count[" + recordList.size() + "]");
return recordList;
}
} | repos\roncoo-pay-master\roncoo-pay-app-reconciliation\src\main\java\com\roncoo\pay\app\reconciliation\biz\ReconciliationDataGetBiz.java | 1 |
请完成以下Java代码 | public Task newInstance(ModelTypeInstanceContext instanceContext) {
return new TaskImpl(instanceContext);
}
});
/** camunda extensions */
camundaAsyncAttribute = typeBuilder.booleanAttribute(CAMUNDA_ATTRIBUTE_ASYNC)
.namespace(CAMUNDA_NS)
.defaultValue(false)
.build();
typeBuilder.build();
}
public TaskImpl(ModelTypeInstanceContext context) {
super(context);
}
@SuppressWarnings("rawtypes")
public AbstractTaskBuilder builder() {
throw new ModelTypeException("No builder implemented.");
}
/** camunda extensions */ | /**
* @deprecated use isCamundaAsyncBefore() instead.
*/
@Deprecated
public boolean isCamundaAsync() {
return camundaAsyncAttribute.getValue(this);
}
/**
* @deprecated use setCamundaAsyncBefore(isCamundaAsyncBefore) instead.
*/
@Deprecated
public void setCamundaAsync(boolean isCamundaAsync) {
camundaAsyncAttribute.setValue(this, isCamundaAsync);
}
public BpmnShape getDiagramElement() {
return (BpmnShape) super.getDiagramElement();
}
} | repos\camunda-bpm-platform-master\model-api\bpmn-model\src\main\java\org\camunda\bpm\model\bpmn\impl\instance\TaskImpl.java | 1 |
请完成以下Java代码 | public int iterativeSum(int n){
int sum = 0;
if(n < 0){
return -1;
}
for(int i=0; i<=n; i++){
sum += i;
}
return sum;
}
public int powerOf10(int n){
if (n == 0){
return 1;
}
return powerOf10(n-1)*10;
}
public int fibonacci(int n){
if (n <=1 ){
return n;
}
return fibonacci(n-1) + fibonacci(n-2); | }
public String toBinary(int n){
if (n <= 1 ){
return String.valueOf(n);
}
return toBinary(n / 2) + String.valueOf(n % 2);
}
public int calculateTreeHeight(BinaryNode root){
if (root!= null){
if (root.getLeft() != null || root.getRight() != null){
return 1 + max(calculateTreeHeight(root.left) , calculateTreeHeight(root.right));
}
}
return 0;
}
public int max(int a,int b){
return a>b ? a:b;
}
} | repos\tutorials-master\core-java-modules\core-java-lang-8\src\main\java\com\baeldung\recursion\RecursionExample.java | 1 |
请完成以下Java代码 | public void compute(@NonNull final UnaryOperator<ImmutableRowsIndex<T>> remappingFunction)
{
holder.compute(remappingFunction);
}
public void addRow(@NonNull final T row)
{
compute(rows -> rows.addingRow(row));
}
@SuppressWarnings("unused")
public void removeRowsById(@NonNull final DocumentIdsSelection rowIds)
{
if (rowIds.isEmpty())
{
return;
}
compute(rows -> rows.removingRowIds(rowIds));
}
@SuppressWarnings("unused")
public void removingIf(@NonNull final Predicate<T> predicate)
{
compute(rows -> rows.removingIf(predicate));
}
public void changeRowById(@NonNull DocumentId rowId, @NonNull final UnaryOperator<T> rowMapper)
{
compute(rows -> rows.changingRow(rowId, rowMapper));
} | public void changeRowsByIds(@NonNull DocumentIdsSelection rowIds, @NonNull final UnaryOperator<T> rowMapper)
{
compute(rows -> rows.changingRows(rowIds, rowMapper));
}
public void setRows(@NonNull final List<T> rows)
{
holder.setValue(ImmutableRowsIndex.of(rows));
}
@NonNull
private ImmutableRowsIndex<T> getRowsIndex()
{
final ImmutableRowsIndex<T> rowsIndex = holder.getValue();
// shall not happen
if (rowsIndex == null)
{
throw new AdempiereException("rowsIndex shall be set");
}
return rowsIndex;
}
public Predicate<DocumentId> isRelevantForRefreshingByDocumentId()
{
final ImmutableRowsIndex<T> rows = getRowsIndex();
return rows::isRelevantForRefreshing;
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.ui.web.base\src\main\java\de\metas\ui\web\view\template\SynchronizedRowsIndexHolder.java | 1 |
请完成以下Java代码 | private void logResponse(ClientHttpResponse response) throws IOException {
log.info("HTTP Status Code: " + response.getRawStatusCode());
log.info("Status Text: " + response.getStatusText());
log.info("HTTP Headers: " + headersToString(response.getHeaders()));
log.info("Response Body: " + bodyToString(response.getBody()));
}
private String headersToString(HttpHeaders headers) {
StringBuilder builder = new StringBuilder();
for(Entry<String, List<String>> entry : headers.entrySet()) {
builder.append(entry.getKey()).append("=[");
for(String value : entry.getValue()) {
builder.append(value).append(",");
}
builder.setLength(builder.length() - 1); // Get rid of trailing comma
builder.append("],");
} | builder.setLength(builder.length() - 1); // Get rid of trailing comma
return builder.toString();
}
private String bodyToString(InputStream body) throws IOException {
StringBuilder builder = new StringBuilder();
BufferedReader bufferedReader = new BufferedReader(new InputStreamReader(body, StandardCharsets.UTF_8));
String line = bufferedReader.readLine();
while (line != null) {
builder.append(line).append(System.lineSeparator());
line = bufferedReader.readLine();
}
bufferedReader.close();
return builder.toString();
}
}
} | repos\tutorials-master\spring-swagger-codegen-modules\spring-openapi-generator-api-client\src\main\java\com\baeldung\petstore\client\invoker\ApiClient.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public class ExchangeRatesServiceImpl implements ExchangeRatesService {
private static final Logger log = LoggerFactory.getLogger(ExchangeRatesServiceImpl.class);
private ExchangeRatesContainer container;
@Autowired
private ExchangeRatesClient client;
/**
* {@inheritDoc}
*/
@Override
public Map<Currency, BigDecimal> getCurrentRates() {
if (container == null || !container.getDate().equals(LocalDate.now())) {
container = client.getRates(Currency.getBase());
log.info("exchange rates has been updated: {}", container);
}
return ImmutableMap.of(
Currency.EUR, container.getRates().get(Currency.EUR.name()),
Currency.RUB, container.getRates().get(Currency.RUB.name()),
Currency.USD, BigDecimal.ONE | );
}
/**
* {@inheritDoc}
*/
@Override
public BigDecimal convert(Currency from, Currency to, BigDecimal amount) {
Assert.notNull(amount);
Map<Currency, BigDecimal> rates = getCurrentRates();
BigDecimal ratio = rates.get(to).divide(rates.get(from), 4, RoundingMode.HALF_UP);
return amount.multiply(ratio);
}
} | repos\piggymetrics-master\statistics-service\src\main\java\com\piggymetrics\statistics\service\ExchangeRatesServiceImpl.java | 2 |
请完成以下Java代码 | public class Dijkstra {
public static Graph calculateShortestPathFromSource(Graph graph, Node source) {
source.setDistance(0);
Set<Node> settledNodes = new HashSet<>();
Set<Node> unsettledNodes = new HashSet<>();
unsettledNodes.add(source);
while (unsettledNodes.size() != 0) {
Node currentNode = getLowestDistanceNode(unsettledNodes);
unsettledNodes.remove(currentNode);
for (Entry<Node, Integer> adjacencyPair : currentNode.getAdjacentNodes().entrySet()) {
Node adjacentNode = adjacencyPair.getKey();
Integer edgeWeigh = adjacencyPair.getValue();
if (!settledNodes.contains(adjacentNode)) {
CalculateMinimumDistance(adjacentNode, edgeWeigh, currentNode);
unsettledNodes.add(adjacentNode);
}
}
settledNodes.add(currentNode);
}
return graph; | }
private static void CalculateMinimumDistance(Node evaluationNode, Integer edgeWeigh, Node sourceNode) {
Integer sourceDistance = sourceNode.getDistance();
if (sourceDistance + edgeWeigh < evaluationNode.getDistance()) {
evaluationNode.setDistance(sourceDistance + edgeWeigh);
LinkedList<Node> shortestPath = new LinkedList<>(sourceNode.getShortestPath());
shortestPath.add(sourceNode);
evaluationNode.setShortestPath(shortestPath);
}
}
private static Node getLowestDistanceNode(Set<Node> unsettledNodes) {
Node lowestDistanceNode = null;
int lowestDistance = Integer.MAX_VALUE;
for (Node node : unsettledNodes) {
int nodeDistance = node.getDistance();
if (nodeDistance < lowestDistance) {
lowestDistance = nodeDistance;
lowestDistanceNode = node;
}
}
return lowestDistanceNode;
}
} | repos\tutorials-master\algorithms-modules\algorithms-miscellaneous-1\src\main\java\com\baeldung\algorithms\dijkstra\Dijkstra.java | 1 |
请完成以下Java代码 | public <T extends TypedValue> T getVariableLocalTyped(String variableName, boolean deserializeObjectValue) {
return null;
}
@SuppressWarnings("unchecked")
public Set<String> getVariableNames() {
return Collections.EMPTY_SET;
}
public Set<String> getVariableNamesLocal() {
return null;
}
public void setVariable(String variableName, Object value) {
throw new UnsupportedOperationException("No execution active, no variables can be set");
}
public void setVariableLocal(String variableName, Object value) {
throw new UnsupportedOperationException("No execution active, no variables can be set");
}
public void setVariables(Map<String, ? extends Object> variables) {
throw new UnsupportedOperationException("No execution active, no variables can be set");
}
public void setVariablesLocal(Map<String, ? extends Object> variables) {
throw new UnsupportedOperationException("No execution active, no variables can be set");
}
public boolean hasVariables() {
return false;
}
public boolean hasVariablesLocal() {
return false;
}
public boolean hasVariable(String variableName) {
return false;
}
public boolean hasVariableLocal(String variableName) {
return false;
} | public void removeVariable(String variableName) {
throw new UnsupportedOperationException("No execution active, no variables can be removed");
}
public void removeVariableLocal(String variableName) {
throw new UnsupportedOperationException("No execution active, no variables can be removed");
}
public void removeVariables() {
throw new UnsupportedOperationException("No execution active, no variables can be removed");
}
public void removeVariablesLocal() {
throw new UnsupportedOperationException("No execution active, no variables can be removed");
}
public void removeVariables(Collection<String> variableNames) {
throw new UnsupportedOperationException("No execution active, no variables can be removed");
}
public void removeVariablesLocal(Collection<String> variableNames) {
throw new UnsupportedOperationException("No execution active, no variables can be removed");
}
public Map<String, CoreVariableInstance> getVariableInstances() {
return Collections.emptyMap();
}
public CoreVariableInstance getVariableInstance(String name) {
return null;
}
public Map<String, CoreVariableInstance> getVariableInstancesLocal() {
return Collections.emptyMap();
}
public CoreVariableInstance getVariableInstanceLocal(String name) {
return null;
}
} | repos\camunda-bpm-platform-master\engine\src\main\java\org\camunda\bpm\engine\impl\el\StartProcessVariableScope.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public class ProductController {
private final Product product;
public ProductController(Product product) {
this.product = product;
}
public String getName() {
return product.getName();
}
public void setName(String name) {
product.setName(name);
}
public String getDescription() {
return product.getDescription(); | }
public void setDescription(String description) {
product.setDescription(description);
}
public Double getPrice() {
return product.getPrice();
}
public void setPrice(Double price) {
product.setPrice(price);
}
} | repos\tutorials-master\patterns-modules\design-patterns-architectural\src\main\java\com\baeldung\mvc_mvp\mvc\ProductController.java | 2 |
请完成以下Java代码 | public Workplace getById(@NonNull final WorkplaceId id)
{
return workplaceRepository.getById(id);
}
@NonNull
public Collection<Workplace> getByIds(final Collection<WorkplaceId> ids)
{
return workplaceRepository.getByIds(ids);
}
@NonNull
public Optional<Workplace> getWorkplaceByUserId(@NonNull final UserId userId)
{
return workplaceUserAssignRepository.getWorkplaceIdByUserId(userId)
.map(workplaceRepository::getById);
}
public List<Workplace> getAllActive() {return workplaceRepository.getAllActive();}
public Optional<WarehouseId> getWarehouseIdByUserId(@NonNull final UserId userId)
{
return getWorkplaceByUserId(userId).map(Workplace::getWarehouseId);
}
public void assignWorkplace(@NonNull UserId userId, @NonNull WorkplaceId workplaceId)
{
workplaceUserAssignRepository.create(WorkplaceAssignmentCreateRequest.builder().userId(userId).workplaceId(workplaceId).build());
}
public void assignWorkplace(@NonNull final WorkplaceAssignmentCreateRequest request)
{ | workplaceUserAssignRepository.create(request);
}
public boolean isUserAssigned(@NonNull final UserId userId, @NonNull final WorkplaceId expectedWorkplaceId)
{
final WorkplaceId workplaceId = workplaceUserAssignRepository.getWorkplaceIdByUserId(userId).orElse(null);
return WorkplaceId.equals(workplaceId, expectedWorkplaceId);
}
public boolean isAnyWorkplaceActive()
{
return workplaceRepository.isAnyWorkplaceActive();
}
public Set<LocatorId> getPickFromLocatorIds(final Workplace workplace)
{
if (workplace.getPickFromLocatorId() != null)
{
return ImmutableSet.of(workplace.getPickFromLocatorId());
}
else
{
return warehouseBL.getLocatorIdsByWarehouseId(workplace.getWarehouseId());
}
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.adempiere.adempiere\base\src\main\java\de\metas\workplace\WorkplaceService.java | 1 |
请完成以下Java代码 | public Builder setUIStyle(@Nullable final String uiStyle)
{
this.uiStyle = uiStyle;
return this;
}
public Builder addColumn(final DocumentLayoutColumnDescriptor.Builder columnBuilder)
{
Check.assumeNotNull(columnBuilder, "Parameter columnBuilder is not null");
columnsBuilders.add(columnBuilder);
return this;
}
public Builder addColumn(final List<DocumentLayoutElementDescriptor.Builder> elementsBuilders)
{
if (elementsBuilders == null || elementsBuilders.isEmpty())
{
return this;
}
final DocumentLayoutElementGroupDescriptor.Builder elementsGroupBuilder = DocumentLayoutElementGroupDescriptor.builder();
elementsBuilders.stream()
.map(elementBuilder -> DocumentLayoutElementLineDescriptor.builder().addElement(elementBuilder))
.forEach(elementLineBuilder -> elementsGroupBuilder.addElementLine(elementLineBuilder));
final DocumentLayoutColumnDescriptor.Builder column = DocumentLayoutColumnDescriptor.builder().addElementGroup(elementsGroupBuilder);
addColumn(column);
return this;
}
public Builder setInvalid(final String invalidReason)
{
Check.assumeNotEmpty(invalidReason, "invalidReason is not empty");
this.invalidReason = invalidReason;
logger.trace("Layout section was marked as invalid: {}", this);
return this;
}
public Builder setClosableMode(@NonNull final ClosableMode closableMode)
{
this.closableMode = closableMode;
return this;
}
public Builder setCaptionMode(@NonNull final CaptionMode captionMode)
{
this.captionMode = captionMode;
return this;
} | public boolean isValid()
{
return invalidReason == null;
}
public boolean isInvalid()
{
return invalidReason != null;
}
public boolean isNotEmpty()
{
return streamElementBuilders().findAny().isPresent();
}
private Stream<DocumentLayoutElementDescriptor.Builder> streamElementBuilders()
{
return columnsBuilders.stream().flatMap(DocumentLayoutColumnDescriptor.Builder::streamElementBuilders);
}
public Builder setExcludeSpecialFields()
{
streamElementBuilders().forEach(elementBuilder -> elementBuilder.setExcludeSpecialFields());
return this;
}
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.ui.web.base\src\main\java\de\metas\ui\web\window\descriptor\DocumentLayoutSectionDescriptor.java | 1 |
请完成以下Java代码 | public PointOfInteraction1 getPOI() {
return poi;
}
/**
* Sets the value of the poi property.
*
* @param value
* allowed object is
* {@link PointOfInteraction1 }
*
*/
public void setPOI(PointOfInteraction1 value) {
this.poi = value;
}
/**
* Gets the value of the aggtdNtry property.
*
* @return
* possible object is
* {@link CardAggregated1 }
*
*/
public CardAggregated1 getAggtdNtry() {
return aggtdNtry;
}
/**
* Sets the value of the aggtdNtry property.
*
* @param value
* allowed object is
* {@link CardAggregated1 }
*
*/
public void setAggtdNtry(CardAggregated1 value) {
this.aggtdNtry = value;
}
/** | * Gets the value of the prePdAcct property.
*
* @return
* possible object is
* {@link CashAccount24 }
*
*/
public CashAccount24 getPrePdAcct() {
return prePdAcct;
}
/**
* Sets the value of the prePdAcct property.
*
* @param value
* allowed object is
* {@link CashAccount24 }
*
*/
public void setPrePdAcct(CashAccount24 value) {
this.prePdAcct = value;
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.payment.esr\src\main\java-xjc_camt054_001_06\de\metas\payment\camt054_001_06\CardEntry2.java | 1 |
请完成以下Java代码 | public void setM_CostType_ID (final int M_CostType_ID)
{
if (M_CostType_ID < 1)
set_Value (COLUMNNAME_M_CostType_ID, null);
else
set_Value (COLUMNNAME_M_CostType_ID, M_CostType_ID);
}
@Override
public int getM_CostType_ID()
{
return get_ValueAsInt(COLUMNNAME_M_CostType_ID);
}
@Override
public void setName (final java.lang.String Name)
{
set_Value (COLUMNNAME_Name, Name);
}
@Override
public java.lang.String getName()
{
return get_ValueAsString(COLUMNNAME_Name);
}
@Override
public void setPeriod_OpenFuture (final int Period_OpenFuture)
{
set_Value (COLUMNNAME_Period_OpenFuture, Period_OpenFuture);
}
@Override
public int getPeriod_OpenFuture()
{
return get_ValueAsInt(COLUMNNAME_Period_OpenFuture);
}
@Override
public void setPeriod_OpenHistory (final int Period_OpenHistory)
{
set_Value (COLUMNNAME_Period_OpenHistory, Period_OpenHistory);
}
@Override
public int getPeriod_OpenHistory()
{
return get_ValueAsInt(COLUMNNAME_Period_OpenHistory);
} | @Override
public void setProcessing (final boolean Processing)
{
set_Value (COLUMNNAME_Processing, Processing);
}
@Override
public boolean isProcessing()
{
return get_ValueAsBoolean(COLUMNNAME_Processing);
}
@Override
public void setSeparator (final java.lang.String Separator)
{
set_Value (COLUMNNAME_Separator, Separator);
}
@Override
public java.lang.String getSeparator()
{
return get_ValueAsString(COLUMNNAME_Separator);
}
/**
* TaxCorrectionType AD_Reference_ID=392
* Reference name: C_AcctSchema TaxCorrectionType
*/
public static final int TAXCORRECTIONTYPE_AD_Reference_ID=392;
/** None = N */
public static final String TAXCORRECTIONTYPE_None = "N";
/** Write_OffOnly = W */
public static final String TAXCORRECTIONTYPE_Write_OffOnly = "W";
/** DiscountOnly = D */
public static final String TAXCORRECTIONTYPE_DiscountOnly = "D";
/** Write_OffAndDiscount = B */
public static final String TAXCORRECTIONTYPE_Write_OffAndDiscount = "B";
@Override
public void setTaxCorrectionType (final java.lang.String TaxCorrectionType)
{
set_Value (COLUMNNAME_TaxCorrectionType, TaxCorrectionType);
}
@Override
public java.lang.String getTaxCorrectionType()
{
return get_ValueAsString(COLUMNNAME_TaxCorrectionType);
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.adempiere.adempiere\base\src\main\java-gen\org\compiere\model\X_C_AcctSchema.java | 1 |
请完成以下Java代码 | public boolean isView()
{
return viewId != null;
}
public DocumentPath toSingleDocumentPath()
{
if (windowId != null)
{
return DocumentPath.singleWindowDocumentPath(windowId, documentId, tabId, rowId);
}
else if (processId != null)
{
return DocumentPath.rootDocumentPath(DocumentType.Process, processId.toDocumentId(), documentId);
}
else
{
throw new IllegalStateException("Cannot create single document path from " + this);
}
}
private DocumentPath toDocumentPath()
{
final DocumentPath.Builder builder = DocumentPath.builder();
// Window
if (windowId != null)
{
builder.setDocumentType(windowId); | }
// Process
else if (processId != null)
{
builder.setDocumentType(DocumentType.Process, processId.toDocumentId());
}
else
{
throw new AdempiereException("Cannot identify the document type because it's not window nor process")
.setParameter("documentPath", this);
}
return builder
.setDocumentId(documentId)
.setDetailId(tabId)
.setRowId(rowId)
.build();
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.ui.web.base\src\main\java\de\metas\ui\web\window\datatypes\json\JSONDocumentPath.java | 1 |
请完成以下Java代码 | public void actionPerformed(final ActionEvent e)
{
final Object value = lookupField.getValue();
Env.setContext(ctx, windowNo, columnName, value == null ? "" : value.toString());
}
});
return lookupField;
}
@Override
public final VNumber getVNumber(final String columnName, final boolean mandatory)
{
final Properties ctx = Env.getCtx();
final String title = Services.get(IMsgBL.class).translate(ctx, columnName);
return new VNumber(columnName,
mandatory,
false, // isReadOnly
true, // isUpdateable
DisplayType.Number, // displayType
title);
}
@Override
public final void disposeDialogForColumnData(final int windowNo, final JDialog dialog, final List<String> columnNames)
{
if (columnNames == null || columnNames.isEmpty())
{
return;
}
final StringBuilder missingColumnsBuilder = new StringBuilder();
final Iterator<String> columnNamesIt = columnNames.iterator(); | while (columnNamesIt.hasNext())
{
final String columnName = columnNamesIt.next();
missingColumnsBuilder.append("@").append(columnName).append("@");
if (columnNamesIt.hasNext())
{
missingColumnsBuilder.append(", ");
}
}
final Exception ex = new AdempiereException("@NotFound@ " + missingColumnsBuilder.toString());
ADialog.error(windowNo, dialog.getContentPane(), ex.getLocalizedMessage());
dialog.dispose();
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.adempiere.adempiere\client\src\main\java\org\compiere\grid\ed\api\impl\SwingEditorFactory.java | 1 |
请完成以下Java代码 | public void setC_HierarchyCommissionSettings_ID (final int C_HierarchyCommissionSettings_ID)
{
if (C_HierarchyCommissionSettings_ID < 1)
set_ValueNoCheck (COLUMNNAME_C_HierarchyCommissionSettings_ID, null);
else
set_ValueNoCheck (COLUMNNAME_C_HierarchyCommissionSettings_ID, C_HierarchyCommissionSettings_ID);
}
@Override
public int getC_HierarchyCommissionSettings_ID()
{
return get_ValueAsInt(COLUMNNAME_C_HierarchyCommissionSettings_ID);
}
@Override
public void setCommission_Product_ID (final int Commission_Product_ID)
{
if (Commission_Product_ID < 1)
set_Value (COLUMNNAME_Commission_Product_ID, null);
else
set_Value (COLUMNNAME_Commission_Product_ID, Commission_Product_ID);
}
@Override
public int getCommission_Product_ID()
{
return get_ValueAsInt(COLUMNNAME_Commission_Product_ID);
}
@Override
public void setDescription (final @Nullable java.lang.String Description)
{
set_Value (COLUMNNAME_Description, Description);
}
@Override
public java.lang.String getDescription()
{
return get_ValueAsString(COLUMNNAME_Description);
}
@Override
public void setIsCreateShareForOwnRevenue (final boolean IsCreateShareForOwnRevenue)
{
set_Value (COLUMNNAME_IsCreateShareForOwnRevenue, IsCreateShareForOwnRevenue);
}
@Override | public boolean isCreateShareForOwnRevenue()
{
return get_ValueAsBoolean(COLUMNNAME_IsCreateShareForOwnRevenue);
}
@Override
public void setIsSubtractLowerLevelCommissionFromBase (final boolean IsSubtractLowerLevelCommissionFromBase)
{
set_Value (COLUMNNAME_IsSubtractLowerLevelCommissionFromBase, IsSubtractLowerLevelCommissionFromBase);
}
@Override
public boolean isSubtractLowerLevelCommissionFromBase()
{
return get_ValueAsBoolean(COLUMNNAME_IsSubtractLowerLevelCommissionFromBase);
}
@Override
public void setName (final java.lang.String Name)
{
set_Value (COLUMNNAME_Name, Name);
}
@Override
public java.lang.String getName()
{
return get_ValueAsString(COLUMNNAME_Name);
}
@Override
public void setPointsPrecision (final int PointsPrecision)
{
set_Value (COLUMNNAME_PointsPrecision, PointsPrecision);
}
@Override
public int getPointsPrecision()
{
return get_ValueAsInt(COLUMNNAME_PointsPrecision);
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.contracts\src\main\java-gen\de\metas\contracts\commission\model\X_C_HierarchyCommissionSettings.java | 1 |
请完成以下Java代码 | protected <DT> void exportEDI(final Class<DT> documentType, final String exportFormatName, final String tableName, final String columnName)
{
exportEDI(documentType, exportFormatName, tableName, columnName, null);
}
/**
* Sends given document to ESB/EDI bus
*
* @throws Exception on any error
*/
protected <DT> void exportEDI(
final Class<DT> documentType,
final String exportFormatName,
final String tableName,
final String columnName,
@Nullable final CreateAttachmentRequest attachResultRequest)
{
final String whereClause = columnName + "=?";
final Properties ctx = InterfaceWrapperHelper.getCtx(document);
final String trxName = InterfaceWrapperHelper.getTrxName(document);
final int recordId = InterfaceWrapperHelper.getId(document);
final DT viewToExport = new Query(ctx, tableName, whereClause, trxName)
.setParameters(recordId)
.firstOnly(documentType);
final PO viewToExportPO = InterfaceWrapperHelper.getPO(viewToExport);
Check.errorIf(viewToExportPO == null, "View {} has no record for document {}", tableName, document);
final MEXPFormat exportFormat = fetchExportFormat(ctx, exportFormatName, trxName);
final ExportHelper exportHelper = new ExportHelper(ctx, expClientId);
Check.errorIf(exportHelper.getAD_ReplicationStrategy() == null, "Client {} has no AD_ReplicationStrategy", expClientId);
exportHelper.exportRecord(viewToExportPO,
exportFormat,
MReplicationStrategy.REPLICATION_DOCUMENT,
X_AD_ReplicationTable.REPLICATIONTYPE_Merge,
0, // ReplicationEvent = no event
attachResultRequest
);
}
private MEXPFormat fetchExportFormat(final Properties ctx, final String exportFormatName, final String trxName)
{
MEXPFormat expFormat = MEXPFormat.getFormatByValueAD_Client_IDAndVersion(ctx,
exportFormatName, | expClientId.getRepoId(),
"*", // version
trxName);
if (expFormat == null)
{
expFormat = MEXPFormat.getFormatByValueAD_Client_IDAndVersion(ctx,
exportFormatName,
0, // AD_Client_ID
"*", // version
trxName);
}
if (expFormat == null)
{
throw new AdempiereException("@NotFound@ @EXP_Format_ID@ (@Value@: " + exportFormatName + ")");
}
return expFormat;
}
@Override
public T getDocument()
{
return document;
}
@Override
public final String getTableIdentifier()
{
return tableIdentifier;
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.edi\src\main\java\de\metas\edi\process\export\impl\AbstractExport.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public String selectOneRow(String tableName, String rowKey) throws IOException {
Table table = connection.getTable(TableName.valueOf(tableName));
Get get = new Get(rowKey.getBytes());
Result result = table.get(get);
NavigableMap<byte[], NavigableMap<byte[], NavigableMap<Long, byte[]>>> map = result.getMap();
for (Cell cell : result.rawCells()) {
String row = Bytes.toString(cell.getRowArray());
String columnFamily = Bytes.toString(cell.getFamilyArray());
String column = Bytes.toString(cell.getQualifierArray());
String value = Bytes.toString(cell.getValueArray());
// 可以通过反射封装成对象(列名和Java属性保持一致)
System.out.println(row);
System.out.println(columnFamily);
System.out.println(column);
System.out.println(value);
}
return null;
}
/**
* scan 't1',{FILTER=>"PrefixFilter('2015')"}
* @param tableName
* @param rowKeyFilter
* @return
* @throws IOException
*/
public String scanTable(String tableName, String rowKeyFilter) throws IOException {
Table table = connection.getTable(TableName.valueOf(tableName));
Scan scan = new Scan();
if (!StringUtils.isEmpty(rowKeyFilter)) {
RowFilter rowFilter = new RowFilter(CompareOperator.EQUAL, new SubstringComparator(rowKeyFilter));
scan.setFilter(rowFilter);
}
ResultScanner scanner = table.getScanner(scan);
try {
for (Result result : scanner) {
System.out.println(Bytes.toString(result.getRow()));
for (Cell cell : result.rawCells()) {
System.out.println(cell);
}
}
} finally {
if (scanner != null) {
scanner.close();
} | }
return null;
}
/**
* 判断表是否已经存在,这里使用间接的方式来实现
*
* admin.tableExists() 会报NoSuchColumnFamilyException, 有人说是hbase-client版本问题
* @param tableName
* @return
* @throws IOException
*/
public boolean tableExists(String tableName) throws IOException {
TableName[] tableNames = admin.listTableNames();
if (tableNames != null && tableNames.length > 0) {
for (int i = 0; i < tableNames.length; i++) {
if (tableName.equals(tableNames[i].getNameAsString())) {
return true;
}
}
}
return false;
}
} | repos\spring-boot-quick-master\quick-hbase\src\main\java\com\quick\hbase\config\HBaseClient.java | 2 |
请完成以下Java代码 | protected void onAfterInit()
{
// nothing at this level
}
/**
* Called onInit to setup module table caching
*/
protected void setupCaching(final IModelCacheService cachingService)
{
// nothing on this level
}
/**
* Called onInit to register module interceptors
*/
protected void registerInterceptors(@NonNull final IModelValidationEngine engine)
{
// nothing on this level
}
/**
* Called onInit to setup tab level callouts
*
* @param tabCalloutsRegistry
*/
protected void registerTabCallouts(final ITabCalloutFactory tabCalloutsRegistry)
{
// nothing on this level
}
/**
* Called onInit to setup module table callouts
*
* @param calloutsRegistry
*/
protected void registerCallouts(@NonNull final IProgramaticCalloutProvider calloutsRegistry)
{
// nothing on this level
}
private void setupEventBus()
{
final List<Topic> userNotificationsTopics = getAvailableUserNotificationsTopics();
if (userNotificationsTopics != null && !userNotificationsTopics.isEmpty())
{
final IEventBusFactory eventBusFactory = Services.get(IEventBusFactory.class);
for (final Topic topic : userNotificationsTopics)
{
eventBusFactory.addAvailableUserNotificationsTopic(topic); | }
}
}
/**
* @return available user notifications topics to listen
*/
protected List<Topic> getAvailableUserNotificationsTopics()
{
return ImmutableList.of();
}
private void setupMigrationScriptsLogger()
{
final Set<String> tableNames = getTableNamesToSkipOnMigrationScriptsLogging();
if (tableNames != null && !tableNames.isEmpty())
{
final IMigrationLogger migrationLogger = Services.get(IMigrationLogger.class);
migrationLogger.addTablesToIgnoreList(tableNames);
}
}
protected Set<String> getTableNamesToSkipOnMigrationScriptsLogging() {return ImmutableSet.of();}
@Override
public void onUserLogin(final int AD_Org_ID, final int AD_Role_ID, final int AD_User_ID)
{
// nothing
}
/**
* Does nothing. Module interceptors are not allowed to intercept models or documents
*/
@Override
public final void onModelChange(final Object model, final ModelChangeType changeType)
{
// nothing
}
/**
* Does nothing. Module interceptors are not allowed to intercept models or documents
*/
@Override
public final void onDocValidate(final Object model, final DocTimingType timing)
{
// nothing
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.adempiere.adempiere\base\src\main\java\org\adempiere\ad\modelvalidator\AbstractModuleInterceptor.java | 1 |
请完成以下Java代码 | final class MappingIteratorWrapper<OT, IT> implements Iterator<OT>, IteratorWrapper<IT>
{
private final Iterator<IT> iterator;
private final Function<IT, OT> mapper;
public MappingIteratorWrapper(@NonNull final Iterator<IT> iterator, @NonNull final Function<IT, OT> mapper)
{
this.iterator = iterator;
this.mapper = mapper;
}
@Override
public Iterator<IT> getParentIterator()
{
return iterator;
}
@Override
public boolean hasNext()
{ | return iterator.hasNext();
}
@Override
public OT next()
{
final IT valueIn = iterator.next();
final OT valueOut = mapper.apply(valueIn);
return valueOut;
}
@Override
public void remove()
{
iterator.remove();
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.util\src\main\java\de\metas\util\collections\MappingIteratorWrapper.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public class PaymentCurrencyContext
{
@Nullable CurrencyConversionTypeId currencyConversionTypeId;
@Nullable CurrencyId paymentCurrencyId;
@Nullable CurrencyId sourceCurrencyId;
@Nullable BigDecimal currencyRate;
public static final PaymentCurrencyContext NONE = builder().build();
public static PaymentCurrencyContext ofPaymentRecord(@NonNull final I_C_Payment payment)
{
final PaymentCurrencyContext.PaymentCurrencyContextBuilder resultBuilder = PaymentCurrencyContext.builder()
.paymentCurrencyId(CurrencyId.ofRepoId(payment.getC_Currency_ID()))
.currencyConversionTypeId(CurrencyConversionTypeId.ofRepoIdOrNull(payment.getC_ConversionType_ID()));
final CurrencyId sourceCurrencyId = CurrencyId.ofRepoIdOrNull(payment.getSource_Currency_ID());
final BigDecimal currencyRate = payment.getCurrencyRate();
if (sourceCurrencyId != null
&& currencyRate != null
&& currencyRate.signum() != 0)
{
resultBuilder.sourceCurrencyId(sourceCurrencyId)
.currencyRate(currencyRate);
}
return resultBuilder.build();
}
public boolean isFixedConversionRate()
{
return paymentCurrencyId != null && sourceCurrencyId != null && currencyRate != null;
}
@Nullable | public FixedConversionRate toFixedConversionRateOrNull()
{
if (paymentCurrencyId != null && sourceCurrencyId != null && currencyRate != null)
{
return FixedConversionRate.builder()
.fromCurrencyId(paymentCurrencyId)
.toCurrencyId(sourceCurrencyId)
.multiplyRate(currencyRate)
.build();
}
else
{
return null;
}
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.business\src\main\java\de\metas\payment\PaymentCurrencyContext.java | 2 |
请完成以下Java代码 | private static class ConfigurationPropertiesBeanRegistrationCodeFragments
extends BeanRegistrationCodeFragmentsDecorator {
private static final String REGISTERED_BEAN_PARAMETER_NAME = "registeredBean";
private final RegisteredBean registeredBean;
ConfigurationPropertiesBeanRegistrationCodeFragments(BeanRegistrationCodeFragments codeFragments,
RegisteredBean registeredBean) {
super(codeFragments);
this.registeredBean = registeredBean;
}
@Override
public CodeBlock generateSetBeanDefinitionPropertiesCode(GenerationContext generationContext,
BeanRegistrationCode beanRegistrationCode, RootBeanDefinition beanDefinition,
Predicate<String> attributeFilter) {
return super.generateSetBeanDefinitionPropertiesCode(generationContext, beanRegistrationCode,
beanDefinition, attributeFilter.or(BindMethodAttribute.NAME::equals));
}
@Override
public ClassName getTarget(RegisteredBean registeredBean) {
return ClassName.get(this.registeredBean.getBeanClass());
}
@Override | public CodeBlock generateInstanceSupplierCode(GenerationContext generationContext,
BeanRegistrationCode beanRegistrationCode, boolean allowDirectSupplierShortcut) {
GeneratedMethod generatedMethod = beanRegistrationCode.getMethods().add("getInstance", (method) -> {
Class<?> beanClass = this.registeredBean.getBeanClass();
method.addJavadoc("Get the bean instance for '$L'.", this.registeredBean.getBeanName())
.addModifiers(Modifier.PRIVATE, Modifier.STATIC)
.returns(beanClass)
.addParameter(RegisteredBean.class, REGISTERED_BEAN_PARAMETER_NAME)
.addStatement("$T beanFactory = registeredBean.getBeanFactory()", BeanFactory.class)
.addStatement("$T beanName = registeredBean.getBeanName()", String.class)
.addStatement("$T<?> beanClass = registeredBean.getBeanClass()", Class.class)
.addStatement("return ($T) $T.from(beanFactory, beanName, beanClass)", beanClass,
ConstructorBound.class);
});
return CodeBlock.of("$T.of($T::$L)", InstanceSupplier.class, beanRegistrationCode.getClassName(),
generatedMethod.getName());
}
}
} | repos\spring-boot-4.0.1\core\spring-boot\src\main\java\org\springframework\boot\context\properties\ConfigurationPropertiesBeanRegistrationAotProcessor.java | 1 |
请完成以下Java代码 | public boolean equals(Object obj) {
if (this == obj) {
return true;
}
if (obj == null || this.getClass() != obj.getClass()) {
return false;
}
if (!super.equals(obj)) {
return false;
}
OidcUserAuthority that = (OidcUserAuthority) obj;
if (!this.getIdToken().equals(that.getIdToken())) {
return false;
}
return (this.getUserInfo() != null) ? this.getUserInfo().equals(that.getUserInfo())
: that.getUserInfo() == null;
} | @Override
public int hashCode() {
int result = super.hashCode();
result = 31 * result + this.getIdToken().hashCode();
result = 31 * result + ((this.getUserInfo() != null) ? this.getUserInfo().hashCode() : 0);
return result;
}
static Map<String, Object> collectClaims(OidcIdToken idToken, OidcUserInfo userInfo) {
Assert.notNull(idToken, "idToken cannot be null");
Map<String, Object> claims = new HashMap<>();
if (userInfo != null) {
claims.putAll(userInfo.getClaims());
}
claims.putAll(idToken.getClaims());
return claims;
}
} | repos\spring-security-main\oauth2\oauth2-core\src\main\java\org\springframework\security\oauth2\core\oidc\user\OidcUserAuthority.java | 1 |
请完成以下Java代码 | public CurrencyConversionContext getCurrencyConversionContext(final AcctSchema ignoredAcctSchema)
{
final I_M_InOut inout = getModel(I_M_InOut.class);
return inOutBL.getCurrencyConversionContext(inout);
}
@Nullable
@Override
protected OrderId getSalesOrderId()
{
final Optional<OrderId> optionalSalesOrderId = CollectionUtils.extractSingleElementOrDefault(
getDocLines(),
docLine -> Optional.ofNullable(docLine.getSalesOrderId()),
Optional.empty());
//noinspection DataFlowIssue
return optionalSalesOrderId.orElse(null);
}
//
//
//
//
// | @Value
static class InOutDocBaseType
{
@NonNull DocBaseType docBaseType;
boolean isSOTrx;
public boolean isCustomerShipment() {return isSOTrx && docBaseType.isShipment();}
public boolean isCustomerReturn() {return isSOTrx && docBaseType.isReceipt();}
public boolean isVendorReceipt() {return !isSOTrx && docBaseType.isReceipt();}
public boolean isVendorReturn() {return !isSOTrx && docBaseType.isShipment();}
public boolean isReturn() {return isCustomerReturn() || isVendorReturn();}
}
} // Doc_InOut | repos\metasfresh-new_dawn_uat\backend\de.metas.acct.base\src\main\java-legacy\org\compiere\acct\Doc_InOut.java | 1 |
请完成以下Java代码 | public QuorumLostEvent withFailedMembers(Iterable<? extends DistributedMember> failedMembers) {
this.failedMembers = failedMembers != null
? failedMembers
: Collections.emptySet();
return this;
}
/**
* Null-safe builder method used to configure an array of remaining {@link DistributedMember peer members}
* in the {@link DistributedSystem} on the winning side of a network partition.
*
* @param remainingMembers array of remaining {@link DistributedMember peer members}; may be {@literal null}.
* @return this {@link QuorumLostEvent}.
* @see org.apache.geode.distributed.DistributedMember
* @see #withRemainingMembers(Iterable)
* @see #getRemainingMembers()
*/
public QuorumLostEvent withRemainingMembers(DistributedMember... remainingMembers) {
return withRemainingMembers(remainingMembers != null
? Arrays.asList(remainingMembers)
: Collections.emptyList());
}
/** | * Null-safe builder method used to configure an {@link Iterable} of remaining {@link DistributedMember peer members}
* in the {@link DistributedSystem} on the winning side of a network partition.
*
* @param remainingMembers {@link Iterable} of remaining {@link DistributedMember peer members};
* may be {@literal null}.
* @return this {@link QuorumLostEvent}.
* @see org.apache.geode.distributed.DistributedMember
* @see #getRemainingMembers()
* @see java.lang.Iterable
*/
public QuorumLostEvent withRemainingMembers(Iterable<? extends DistributedMember> remainingMembers) {
this.remainingMembers = remainingMembers != null
? remainingMembers
: Collections.emptyList();
return this;
}
/**
* @inheritDoc
*/
@Override
public final Type getType() {
return Type.QUORUM_LOST;
}
} | repos\spring-boot-data-geode-main\spring-geode-project\apache-geode-extensions\src\main\java\org\springframework\geode\distributed\event\support\QuorumLostEvent.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public String getIkNumber() {
return ikNumber;
}
public void setIkNumber(String ikNumber) {
this.ikNumber = ikNumber;
}
public Payer timestamp(OffsetDateTime timestamp) {
this.timestamp = timestamp;
return this;
}
/**
* Der Zeitstempel der letzten Änderung
* @return timestamp
**/
@Schema(description = "Der Zeitstempel der letzten Änderung")
public OffsetDateTime getTimestamp() {
return timestamp;
}
public void setTimestamp(OffsetDateTime timestamp) {
this.timestamp = timestamp;
}
@Override
public boolean equals(java.lang.Object o) {
if (this == o) {
return true;
}
if (o == null || getClass() != o.getClass()) {
return false;
}
Payer payer = (Payer) o;
return Objects.equals(this._id, payer._id) &&
Objects.equals(this.name, payer.name) &&
Objects.equals(this.type, payer.type) &&
Objects.equals(this.ikNumber, payer.ikNumber) &&
Objects.equals(this.timestamp, payer.timestamp);
} | @Override
public int hashCode() {
return Objects.hash(_id, name, type, ikNumber, timestamp);
}
@Override
public String toString() {
StringBuilder sb = new StringBuilder();
sb.append("class Payer {\n");
sb.append(" _id: ").append(toIndentedString(_id)).append("\n");
sb.append(" name: ").append(toIndentedString(name)).append("\n");
sb.append(" type: ").append(toIndentedString(type)).append("\n");
sb.append(" ikNumber: ").append(toIndentedString(ikNumber)).append("\n");
sb.append(" timestamp: ").append(toIndentedString(timestamp)).append("\n");
sb.append("}");
return sb.toString();
}
/**
* Convert the given object to string with each line indented by 4 spaces
* (except the first line).
*/
private String toIndentedString(java.lang.Object o) {
if (o == null) {
return "null";
}
return o.toString().replace("\n", "\n ");
}
} | repos\metasfresh-new_dawn_uat\misc\services\camel\de-metas-camel-externalsystems\alberta\alberta-patient-api\src\main\java\io\swagger\client\model\Payer.java | 2 |
请完成以下Java代码 | public static MEXPFormat getFormatByValueAD_Client_IDAndVersion(
final Properties ctx, final String value, final int AD_Client_ID, final String version, @Nullable final String trxName)
{
final String key = AD_Client_ID + value + version;
if (trxName == null)
{
final MEXPFormat cachedValue = s_cache.get(key);
if (cachedValue != null && cachedValue.get_TrxName() == null)
{
return cachedValue;
}
}
final String whereClause = X_EXP_Format.COLUMNNAME_Value + "=?"
+ " AND IsActive = 'Y'"
+ " AND AD_Client_ID IN (?, 0)"
+ " AND " + X_EXP_Format.COLUMNNAME_Version + " = ?";
final MEXPFormat retValue =
new Query(ctx, X_EXP_Format.Table_Name, whereClause, trxName)
.setParameters(value, AD_Client_ID, version)
.setOrderBy("AD_Client_ID DESC")
.first();
if(retValue != null)
{
retValue.getFormatLines();
s_cache.put (key, retValue);
exp_format_by_id_cache.put(retValue.getEXP_Format_ID(), retValue);
}
return retValue;
}
// metas: tsa: remove throws SQLException
public static MEXPFormat getFormatByAD_Client_IDAD_Table_IDAndVersion(final Properties ctx, final int AD_Client_ID, final int AD_Table_ID, final String version, final String trxName)
{
final String key = Services.get(IADTableDAO.class).retrieveTableName(AD_Table_ID) + version;
MEXPFormat retValue=null;
if(trxName == null)
{
retValue = s_cache.get(key);
}
if(retValue!=null)
{
return retValue;
}
final List<Object> params = new ArrayList<>();
final StringBuilder whereClause = new StringBuilder(" AD_Client_ID = ? ")
.append(" AND ").append(X_EXP_Format.COLUMNNAME_AD_Table_ID).append(" = ? ");
params.add(AD_Client_ID);
params.add(AD_Table_ID);
// metas: tsa: changed to filter by version only if is provided
if (!Check.isEmpty(version, true))
{
whereClause.append(" AND ").append(X_EXP_Format.COLUMNNAME_Version).append(" = ?");
params.add(version);
}
retValue = new Query(ctx,X_EXP_Format.Table_Name,whereClause.toString(),trxName)
.setParameters(params)
.setOrderBy(X_EXP_Format.COLUMNNAME_Version+" DESC")
.first();
if(retValue!=null) | {
retValue.getFormatLines();
if(trxName == null) // metas: tsa: cache only if trxName==null
{
s_cache.put (key, retValue);
exp_format_by_id_cache.put(retValue.getEXP_Format_ID(), retValue);
}
}
return retValue;
}
@Override
public String toString() {
return "MEXPFormat[ID=" + get_ID() + "; Value = " + getValue() + "]";
}
/**
* Before Delete
* @return true of it can be deleted
*/
@Override
protected boolean beforeDelete ()
{
for (final I_EXP_FormatLine line : getFormatLinesOrderedBy(true, null))
{
InterfaceWrapperHelper.delete(line);
}
return true;
} // beforeDelete
} | repos\metasfresh-new_dawn_uat\backend\de.metas.adempiere.adempiere\base\src\main\java-legacy\org\compiere\model\MEXPFormat.java | 1 |
请完成以下Java代码 | private UserId getSalesRepIdOrNull(@Nullable final UserId salesRepId)
{
if (salesRepId == null)
{
return null;
}
final I_AD_User user = userDAO.getById(salesRepId);
//As per field validation rule, only allow AD_User.IsSystemUser = 'Y' as sales rep
final boolean isValidSalesRep = user.isActive() && user.isSystemUser();
if (!isValidSalesRep)
{
throw new AdempiereException("@NotFound@ @SalesRep_ID@");
}
return salesRepId;
}
@Nullable
private ProductId resolveProductIdOrNull(final @Nullable ExternalIdentifier productIdentifier, @NonNull final OrgId orgId)
{
if (productIdentifier == null)
{
return null;
}
final ProductMasterDataProvider.ProductInfo productInfo = productMasterDataProvider.getProductInfo(productIdentifier, orgId);
if (productInfo == null)
{
throw new AdempiereException("@NotFound@ @M_Product_ID@");
}
return productInfo.getProductId();
} | @Nullable
private UserId resolveUserIdOrNull(final @Nullable ExternalIdentifier userIdentifier, @NonNull final OrgId orgId, @NonNull final String fieldName)
{
if (userIdentifier == null)
{
return null;
}
return bPartnerMasterdataProvider.resolveUserExternalIdentifier(orgId, userIdentifier)
.orElseThrow(() -> new AdempiereException("@NotFound@ @" + fieldName + "@"));
}
@Nullable
private BPartnerId resolveBPartnerIdOrNull(final @Nullable ExternalIdentifier bpartnerIdentifier, @NonNull final OrgId orgId, @NonNull final String fieldName)
{
if (bpartnerIdentifier == null)
{
return null;
}
return bPartnerMasterdataProvider.resolveBPartnerExternalIdentifier(orgId, bpartnerIdentifier)
.orElseThrow(() -> new AdempiereException("@NotFound@ @" + fieldName + "@"));
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.business.rest-api-impl\src\main\java\de\metas\rest_api\request\RequestRestService.java | 1 |
请完成以下Java代码 | private String toStringArray(Object value, String indent) {
Object[] array = (Object[]) value;
StringBuilder buffer = new StringBuilder(ARRAY_BEGIN);
boolean addComma = false;
for (Object element : array) {
buffer.append(addComma ? COMMA_SPACE : EMPTY_STRING);
buffer.append(toStringObject(element, indent));
addComma = true;
}
buffer.append(ARRAY_END);
return buffer.toString();
}
private String toStringObject(Object value, String indent) {
return isPdxInstance(value) ? toString((PdxInstance) value, indent)
: isArray(value) ? toStringArray(value, indent)
: String.valueOf(value);
} | private String formatFieldValue(String fieldName, Object fieldValue) {
return String.format(FIELD_TYPE_VALUE, fieldName, nullSafeType(fieldValue), fieldValue);
}
private boolean hasText(String value) {
return value != null && !value.trim().isEmpty();
}
private boolean isArray(Object value) {
return Objects.nonNull(value) && value.getClass().isArray();
}
private boolean isPdxInstance(Object value) {
return value instanceof PdxInstance;
}
private <T> List<T> nullSafeList(List<T> list) {
return list != null ? list : Collections.emptyList();
}
private Class<?> nullSafeType(Object value) {
return value != null ? value.getClass() : Object.class;
}
} | repos\spring-boot-data-geode-main\spring-geode-project\apache-geode-extensions\src\main\java\org\springframework\geode\pdx\PdxInstanceWrapper.java | 1 |
请完成以下Java代码 | public boolean isNegated() {
return this.negated;
}
}
/**
* A description of a {@link NameValueExpression} in a request mapping condition.
*/
public static class NameValueExpressionDescription {
private final String name;
private final @Nullable Object value;
private final boolean negated;
NameValueExpressionDescription(NameValueExpression<?> expression) {
this.name = expression.getName();
this.value = expression.getValue();
this.negated = expression.isNegated(); | }
public String getName() {
return this.name;
}
public @Nullable Object getValue() {
return this.value;
}
public boolean isNegated() {
return this.negated;
}
}
} | repos\spring-boot-4.0.1\module\spring-boot-webflux\src\main\java\org\springframework\boot\webflux\actuate\web\mappings\RequestMappingConditionsDescription.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public void announcementAutoRelease(
@RequestParam("dataId") String dataId,
@RequestParam(value = "currentUserName", required = false) String currentUserName
) {
sysBaseApi.announcementAutoRelease(dataId, currentUserName);
}
/**
* 根据部门编码查询公司信息
* @param orgCode 部门编码
* @return
* @author chenrui
* @date 2025/8/12 14:45
*/
@GetMapping(value = "/queryCompByOrgCode")
SysDepartModel queryCompByOrgCode(@RequestParam(name = "sysCode") String orgCode) {
return sysBaseApi.queryCompByOrgCode(orgCode);
}
/**
* 根据部门编码和层次查询上级公司
*
* @param orgCode 部门编码
* @param level 可以传空 默认为1级 最小值为1
* @return
*/
@GetMapping(value = "/queryCompByOrgCodeAndLevel")
SysDepartModel queryCompByOrgCodeAndLevel(@RequestParam("orgCode") String orgCode, @RequestParam("level") Integer level){
return sysBaseApi.queryCompByOrgCodeAndLevel(orgCode,level);
}
/**
* 运行AIRag流程
* for [QQYUN-13634]在baseapi里面封装方法,方便其他模块调用
* @param airagFlowDTO
* @return 流程执行结果,可能是String或者Map
* @return
*/
@PostMapping(value = "/runAiragFlow")
Object runAiragFlow(@RequestBody AiragFlowDTO airagFlowDTO) {
return sysBaseApi.runAiragFlow(airagFlowDTO);
}
/**
* 根据部门code或部门id获取部门名称(当前和上级部门)
*
* @param orgCode 部门编码 | * @param depId 部门id
* @return String 部门名称
*/
@GetMapping(value = "/getDepartPathNameByOrgCode")
String getDepartPathNameByOrgCode(@RequestParam(name = "orgCode", required = false) String orgCode, @RequestParam(name = "depId", required = false) String depId) {
return sysBaseApi.getDepartPathNameByOrgCode(orgCode, depId);
}
/**
* 根据部门ID查询用户ID
* @param deptIds
* @return
*/
@GetMapping("/queryUserIdsByCascadeDeptIds")
public List<String> queryUserIdsByCascadeDeptIds(@RequestParam("deptIds") List<String> deptIds){
return sysBaseApi.queryUserIdsByCascadeDeptIds(deptIds);
}
/**
* 推送uniapp 消息
* @param pushMessageDTO
* @return
*/
@PostMapping("/uniPushMsgToUser")
public void uniPushMsgToUser(@RequestBody PushMessageDTO pushMessageDTO){
sysBaseApi.uniPushMsgToUser(pushMessageDTO);
}
} | repos\JeecgBoot-main\jeecg-boot\jeecg-module-system\jeecg-system-biz\src\main\java\org\jeecg\modules\api\controller\SystemApiController.java | 2 |
请完成以下Java代码 | public void delete(Bytes id) {
Assert.notNull(id, "id cannot be null");
SqlParameterValue[] parameters = new SqlParameterValue[] {
new SqlParameterValue(Types.VARCHAR, id.toBase64UrlString()), };
PreparedStatementSetter pss = new ArgumentPreparedStatementSetter(parameters);
this.jdbcOperations.update(DELETE_USER_SQL, pss);
}
private static class UserEntityParametersMapper
implements Function<PublicKeyCredentialUserEntity, List<SqlParameterValue>> {
@Override
public List<SqlParameterValue> apply(PublicKeyCredentialUserEntity userEntity) {
List<SqlParameterValue> parameters = new ArrayList<>();
parameters.add(new SqlParameterValue(Types.VARCHAR, userEntity.getId().toBase64UrlString()));
parameters.add(new SqlParameterValue(Types.VARCHAR, userEntity.getName()));
parameters.add(new SqlParameterValue(Types.VARCHAR, userEntity.getDisplayName()));
return parameters;
}
} | private static class UserEntityRecordRowMapper implements RowMapper<PublicKeyCredentialUserEntity> {
@Override
public PublicKeyCredentialUserEntity mapRow(ResultSet rs, int rowNum) throws SQLException {
Bytes id = Bytes.fromBase64(new String(rs.getString("id").getBytes()));
String name = rs.getString("name");
String displayName = rs.getString("display_name");
return ImmutablePublicKeyCredentialUserEntity.builder().id(id).name(name).displayName(displayName).build();
}
}
} | repos\spring-security-main\webauthn\src\main\java\org\springframework\security\web\webauthn\management\JdbcPublicKeyCredentialUserEntityRepository.java | 1 |
请完成以下Java代码 | public class CustomerSlimShortNames {
@JsonProperty("i")
private long id;
@JsonProperty("n")
private String name;
@JsonProperty("a")
private String address;
public long getId() {
return id;
}
public void setId(long id) {
this.id = id;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public String getAddress() {
return address;
}
public void setAddress(String address) {
this.address = address;
}
@Override
public int hashCode() { | return Objects.hash(address, id, name);
}
@Override
public boolean equals(Object obj) {
if (this == obj) {
return true;
}
if (!(obj instanceof CustomerSlimShortNames)) {
return false;
}
CustomerSlimShortNames other = (CustomerSlimShortNames) obj;
return Objects.equals(address, other.address) && id == other.id && Objects.equals(name, other.name);
}
@Override
public String toString() {
return "CustomerSlim [id=" + id + ", name=" + name + ", address=" + address + "]";
}
public static CustomerSlimShortNames[] fromCustomers(Customer[] customers) {
CustomerSlimShortNames[] feedback = new CustomerSlimShortNames[customers.length];
for (int i = 0; i < customers.length; i++) {
Customer aCustomer = customers[i];
CustomerSlimShortNames newOne = new CustomerSlimShortNames();
newOne.setId(aCustomer.getId());
newOne.setName(aCustomer.getFirstName() + " " + aCustomer.getLastName());
newOne.setAddress(aCustomer.getStreet() + ", " + aCustomer.getCity() + " " + aCustomer.getState() + " " + aCustomer.getPostalCode());
feedback[i] = newOne;
}
return feedback;
}
} | repos\tutorials-master\json-modules\json-2\src\main\java\com\baeldung\jsonoptimization\CustomerSlimShortNames.java | 1 |
请完成以下Java代码 | public void setCommittedAmt (final BigDecimal CommittedAmt)
{
set_Value (COLUMNNAME_CommittedAmt, CommittedAmt);
}
@Override
public BigDecimal getCommittedAmt()
{
final BigDecimal bd = get_ValueAsBigDecimal(COLUMNNAME_CommittedAmt);
return bd != null ? bd : BigDecimal.ZERO;
}
@Override
public void setDescription (final @Nullable java.lang.String Description)
{
set_Value (COLUMNNAME_Description, Description);
}
@Override
public java.lang.String getDescription()
{
return get_ValueAsString(COLUMNNAME_Description);
}
@Override
public void setHelp (final @Nullable java.lang.String Help)
{
set_Value (COLUMNNAME_Help, Help);
}
@Override
public java.lang.String getHelp()
{
return get_ValueAsString(COLUMNNAME_Help);
}
@Override
public void setM_Product_ID (final int M_Product_ID)
{
if (M_Product_ID < 1)
set_Value (COLUMNNAME_M_Product_ID, null);
else
set_Value (COLUMNNAME_M_Product_ID, M_Product_ID);
}
@Override
public int getM_Product_ID()
{
return get_ValueAsInt(COLUMNNAME_M_Product_ID);
}
@Override
public void setName (final java.lang.String Name)
{
set_Value (COLUMNNAME_Name, Name);
}
@Override
public java.lang.String getName()
{
return get_ValueAsString(COLUMNNAME_Name);
}
@Override
public void setPlannedAmt (final BigDecimal PlannedAmt)
{
set_Value (COLUMNNAME_PlannedAmt, PlannedAmt);
}
@Override
public BigDecimal getPlannedAmt()
{
final BigDecimal bd = get_ValueAsBigDecimal(COLUMNNAME_PlannedAmt);
return bd != null ? bd : BigDecimal.ZERO;
}
/**
* ProjInvoiceRule AD_Reference_ID=383
* Reference name: C_Project InvoiceRule
*/
public static final int PROJINVOICERULE_AD_Reference_ID=383;
/** None = - */
public static final String PROJINVOICERULE_None = "-"; | /** Committed Amount = C */
public static final String PROJINVOICERULE_CommittedAmount = "C";
/** Time&Material max Comitted = c */
public static final String PROJINVOICERULE_TimeMaterialMaxComitted = "c";
/** Time&Material = T */
public static final String PROJINVOICERULE_TimeMaterial = "T";
/** Product Quantity = P */
public static final String PROJINVOICERULE_ProductQuantity = "P";
@Override
public void setProjInvoiceRule (final java.lang.String ProjInvoiceRule)
{
set_Value (COLUMNNAME_ProjInvoiceRule, ProjInvoiceRule);
}
@Override
public java.lang.String getProjInvoiceRule()
{
return get_ValueAsString(COLUMNNAME_ProjInvoiceRule);
}
@Override
public void setQty (final @Nullable BigDecimal Qty)
{
set_Value (COLUMNNAME_Qty, Qty);
}
@Override
public BigDecimal getQty()
{
final BigDecimal bd = get_ValueAsBigDecimal(COLUMNNAME_Qty);
return bd != null ? bd : BigDecimal.ZERO;
}
@Override
public void setSeqNo (final int SeqNo)
{
set_Value (COLUMNNAME_SeqNo, SeqNo);
}
@Override
public int getSeqNo()
{
return get_ValueAsInt(COLUMNNAME_SeqNo);
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.adempiere.adempiere\base\src\main\java-gen\org\compiere\model\X_C_ProjectTask.java | 1 |
请在Spring Boot框架中完成以下Java代码 | class KafkaConfig {
@Bean
ConsumerFactory<String, ArticlePublishedEvent> consumerFactory(
@Value("${spring.kafka.bootstrap-servers}") String bootstrapServers
) {
Map<String, Object> props = new HashMap<>();
props.put(ConsumerConfig.BOOTSTRAP_SERVERS_CONFIG, bootstrapServers);
props.put(ConsumerConfig.GROUP_ID_CONFIG, "baeldung-app-1");
props.put(ConsumerConfig.AUTO_OFFSET_RESET_CONFIG, "earliest");
props.put(ConsumerConfig.KEY_DESERIALIZER_CLASS_CONFIG, StringDeserializer.class);
props.put(ConsumerConfig.VALUE_DESERIALIZER_CLASS_CONFIG, JsonDeserializer.class);
return new DefaultKafkaConsumerFactory<>(
props,
new StringDeserializer(),
new JsonDeserializer<>(ArticlePublishedEvent.class)
);
}
@Bean
ConcurrentKafkaListenerContainerFactory<String, ArticlePublishedEvent> kafkaListenerContainerFactory( | ConsumerFactory<String, ArticlePublishedEvent> consumerFactory,
CommonErrorHandler commonErrorHandler
) {
var factory = new ConcurrentKafkaListenerContainerFactory<String, ArticlePublishedEvent>();
factory.setConsumerFactory(consumerFactory);
factory.setCommonErrorHandler(commonErrorHandler);
return factory;
}
@Bean
CommonErrorHandler kafkaErrorHandler() {
return new KafkaErrorHandler();
}
} | repos\tutorials-master\spring-kafka-4\src\main\java\com\baeldung\deserialization\exception\KafkaConfig.java | 2 |
请完成以下Java代码 | public class SecureConnection {
public static void main(String[] args) {
if (args.length != 2) {
System.out.println("Use: SecureConnection host port");
System.exit(1);
}
try {
String host = getHost(args);
Integer port = getPort(args);
SSLSocketFactory sslsocketfactory = (SSLSocketFactory) SSLSocketFactory.getDefault();
SSLSocket sslsocket = (SSLSocket) sslsocketfactory.createSocket(host, port);
InputStream in = sslsocket.getInputStream();
OutputStream out = sslsocket.getOutputStream();
out.write(1);
while (in.available() > 0) {
System.out.print(in.read());
}
System.out.println("Secured connection performed successfully"); | } catch (Exception exception) {
exception.printStackTrace();
}
}
/**
* Get the host from arguments
* @param args the arguments
* @return the host
*/
private static String getHost(String[] args) {
return args[0];
}
/**
* Get the port from arguments
* @param args the arguments
* @return the port
*/
private static Integer getPort(String[] args) {
return Integer.parseInt(args[1]);
}
} | repos\tutorials-master\core-java-modules\core-java-security-4\src\main\java\com\baeldung\ssl\SecureConnection.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public class MultipartGraphQlWebMvcAutoconfiguration {
private final FileUploadDataFetcher fileUploadDataFetcher;
public MultipartGraphQlWebMvcAutoconfiguration(FileUploadDataFetcher fileUploadDataFetcher) {
this.fileUploadDataFetcher = fileUploadDataFetcher;
}
@Bean
public RuntimeWiringConfigurer runtimeWiringConfigurer() {
return (builder) -> builder
.type(newTypeWiring("Mutation").dataFetcher("uploadFile", fileUploadDataFetcher))
.scalar(GraphQLScalarType.newScalar()
.name("Upload")
.coercing(new UploadCoercing())
.build());
} | @Bean
@Order(1)
public RouterFunction<ServerResponse> graphQlMultipartRouterFunction(
GraphQlProperties properties,
WebGraphQlHandler webGraphQlHandler,
ObjectMapper objectMapper
) {
String path = properties.getPath();
RouterFunctions.Builder builder = RouterFunctions.route();
MultipartGraphQlHttpHandler graphqlMultipartHandler = new MultipartGraphQlHttpHandler(webGraphQlHandler, new MappingJackson2HttpMessageConverter(objectMapper));
builder = builder.POST(path, RequestPredicates.contentType(MULTIPART_FORM_DATA)
.and(RequestPredicates.accept(SUPPORTED_MEDIA_TYPES.toArray(new MediaType[]{}))), graphqlMultipartHandler::handleMultipartRequest);
return builder.build();
}
} | repos\tutorials-master\spring-boot-modules\spring-boot-graphql-2\src\main\java\com\baeldung\graphql\fileupload\MultipartGraphQlWebMvcAutoconfiguration.java | 2 |
请在Spring Boot框架中完成以下Java代码 | protected CaseDefinitionEntity loadCaseDefinition(String caseDefinitionId) {
ProcessEngineConfigurationImpl configuration = Context.getProcessEngineConfiguration();
DeploymentCache deploymentCache = configuration.getDeploymentCache();
CaseDefinitionEntity caseDefinition = deploymentCache.findCaseDefinitionFromCache(caseDefinitionId);
if (caseDefinition == null) {
CommandContext commandContext = Context.getCommandContext();
CaseDefinitionManager caseDefinitionManager = commandContext.getCaseDefinitionManager();
caseDefinition = caseDefinitionManager.findCaseDefinitionById(caseDefinitionId);
if (caseDefinition != null) {
caseDefinition = deploymentCache.resolveCaseDefinition(caseDefinition);
}
}
return caseDefinition;
}
protected String getPreviousCaseDefinitionId() {
ensurePreviousCaseDefinitionIdInitialized();
return previousCaseDefinitionId;
}
protected void setPreviousCaseDefinitionId(String previousCaseDefinitionId) {
this.previousCaseDefinitionId = previousCaseDefinitionId;
}
protected void resetPreviousCaseDefinitionId() {
previousCaseDefinitionId = null;
ensurePreviousCaseDefinitionIdInitialized();
}
protected void ensurePreviousCaseDefinitionIdInitialized() {
if (previousCaseDefinitionId == null && !firstVersion) {
previousCaseDefinitionId = Context
.getCommandContext()
.getCaseDefinitionManager()
.findPreviousCaseDefinitionId(key, version, tenantId);
if (previousCaseDefinitionId == null) {
firstVersion = true;
} | }
}
@Override
protected CmmnExecution newCaseInstance() {
CaseExecutionEntity caseInstance = new CaseExecutionEntity();
if (tenantId != null) {
caseInstance.setTenantId(tenantId);
}
Context
.getCommandContext()
.getCaseExecutionManager()
.insertCaseExecution(caseInstance);
return caseInstance;
}
public Object getPersistentState() {
Map<String, Object> persistentState = new HashMap<String, Object>();
persistentState.put("historyTimeToLive", this.historyTimeToLive);
return persistentState;
}
@Override
public String toString() {
return "CaseDefinitionEntity["+id+"]";
}
/**
* Updates all modifiable fields from another case definition entity.
* @param updatingCaseDefinition
*/
@Override
public void updateModifiableFieldsFromEntity(CaseDefinitionEntity updatingCaseDefinition) {
if (this.key.equals(updatingCaseDefinition.key) && this.deploymentId.equals(updatingCaseDefinition.deploymentId)) {
this.revision = updatingCaseDefinition.revision;
this.historyTimeToLive = updatingCaseDefinition.historyTimeToLive;
}
else {
LOG.logUpdateUnrelatedCaseDefinitionEntity(this.key, updatingCaseDefinition.key, this.deploymentId, updatingCaseDefinition.deploymentId);
}
}
} | repos\camunda-bpm-platform-master\engine\src\main\java\org\camunda\bpm\engine\impl\cmmn\entity\repository\CaseDefinitionEntity.java | 2 |
请完成以下Java代码 | public void setProcessed (final boolean Processed)
{
set_Value (COLUMNNAME_Processed, Processed);
}
@Override
public boolean isProcessed()
{
return get_ValueAsBoolean(COLUMNNAME_Processed);
}
@Override
public void setQty (final @Nullable BigDecimal Qty)
{
set_Value (COLUMNNAME_Qty, Qty);
}
@Override
public BigDecimal getQty()
{
final BigDecimal bd = get_ValueAsBigDecimal(COLUMNNAME_Qty);
return bd != null ? bd : BigDecimal.ZERO;
}
@Override
public void setSeqNo (final int SeqNo)
{
set_Value (COLUMNNAME_SeqNo, SeqNo);
}
@Override
public int getSeqNo()
{
return get_ValueAsInt(COLUMNNAME_SeqNo);
}
/**
* Status AD_Reference_ID=540002
* Reference name: C_SubscriptionProgress Status
*/
public static final int STATUS_AD_Reference_ID=540002;
/** Planned = P */
public static final String STATUS_Planned = "P";
/** Open = O */ | public static final String STATUS_Open = "O";
/** Delivered = D */
public static final String STATUS_Delivered = "D";
/** InPicking = C */
public static final String STATUS_InPicking = "C";
/** Done = E */
public static final String STATUS_Done = "E";
/** Delayed = H */
public static final String STATUS_Delayed = "H";
@Override
public void setStatus (final java.lang.String Status)
{
set_Value (COLUMNNAME_Status, Status);
}
@Override
public java.lang.String getStatus()
{
return get_ValueAsString(COLUMNNAME_Status);
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.contracts\src\main\java-gen\de\metas\contracts\model\X_C_SubscriptionProgress.java | 1 |
请完成以下Java代码 | public String getRootProcessInstanceId() {
return rootProcessInstanceId;
}
public static HistoricVariableInstanceDto fromHistoricVariableInstance(HistoricVariableInstance historicVariableInstance) {
HistoricVariableInstanceDto dto = new HistoricVariableInstanceDto();
dto.id = historicVariableInstance.getId();
dto.name = historicVariableInstance.getName();
dto.processDefinitionKey = historicVariableInstance.getProcessDefinitionKey();
dto.processDefinitionId = historicVariableInstance.getProcessDefinitionId();
dto.processInstanceId = historicVariableInstance.getProcessInstanceId();
dto.executionId = historicVariableInstance.getExecutionId();
dto.activityInstanceId = historicVariableInstance.getActivityInstanceId();
dto.caseDefinitionKey = historicVariableInstance.getCaseDefinitionKey();
dto.caseDefinitionId = historicVariableInstance.getCaseDefinitionId();
dto.caseInstanceId = historicVariableInstance.getCaseInstanceId();
dto.caseExecutionId = historicVariableInstance.getCaseExecutionId();
dto.taskId = historicVariableInstance.getTaskId();
dto.tenantId = historicVariableInstance.getTenantId();
dto.state = historicVariableInstance.getState();
dto.createTime = historicVariableInstance.getCreateTime(); | dto.removalTime = historicVariableInstance.getRemovalTime();
dto.rootProcessInstanceId = historicVariableInstance.getRootProcessInstanceId();
if(historicVariableInstance.getErrorMessage() == null) {
VariableValueDto.fromTypedValue(dto, historicVariableInstance.getTypedValue());
}
else {
dto.errorMessage = historicVariableInstance.getErrorMessage();
dto.type = VariableValueDto.toRestApiTypeName(historicVariableInstance.getTypeName());
}
return dto;
}
} | repos\camunda-bpm-platform-master\engine-rest\engine-rest\src\main\java\org\camunda\bpm\engine\rest\dto\history\HistoricVariableInstanceDto.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public class SiteMapJob {
private Logger log = LoggerFactory.getLogger(getClass());
//@Scheduled(cron = "0 0 0 * * ?")
@Scheduled(initialDelay = 1000,fixedRate = 10000)
public void generateSitemap() {
log.info("start generate sitemap");
String tempPath = "D://tmp/";
File file = new File(tempPath);
if (!file.exists()) {
file.mkdirs();
}
String domain = "http://www.liuhaihua.cn";
try {
WebSitemapGenerator g1 = WebSitemapGenerator.builder(domain, file).maxUrls(10000)
.fileNamePrefix("article").build();
Date date = new Date();
for (int i = 1; i < 160000; i++) {
WebSitemapUrl url = new WebSitemapUrl.Options(domain + "/article/" + i).lastMod(date).build();
g1.addUrl(url);
}
WebSitemapGenerator g2 = WebSitemapGenerator.builder(domain, file)
.fileNamePrefix("tag").build();
Date date2 = new Date();
for (int i = 1; i < 21; i++) {
WebSitemapUrl url = new WebSitemapUrl.Options(domain + "/tag/" + i).lastMod(date2).build();
g2.addUrl(url);
}
WebSitemapGenerator g3 = WebSitemapGenerator.builder(domain, file)
.fileNamePrefix("type").build();
Date date3 = new Date();
for (int i = 1; i < 21; i++) {
WebSitemapUrl url = new WebSitemapUrl.Options(domain + "/type/" + i).lastMod(date3).build();
g3.addUrl(url);
}
List<String> fileNames = new ArrayList<>();
// 生成 sitemap 文件
List<File> articleFiles = g1.write();
articleFiles.forEach(e -> fileNames.add(e.getName())); | List<File> tagFiles = g2.write();
tagFiles.forEach(e -> fileNames.add(e.getName()));
List<File> typeFiles = g3.write();
typeFiles.forEach(e -> fileNames.add(e.getName()));
// 构造 sitemap_index 生成器
W3CDateFormat dateFormat = new W3CDateFormat(W3CDateFormat.Pattern.DAY);
SitemapIndexGenerator sitemapIndexGenerator = new SitemapIndexGenerator
.Options(domain, new File(tempPath + "sitemap_index.xml"))
.dateFormat(dateFormat)
.autoValidate(true)
.build();
fileNames.forEach(e -> {
try {
// 组装 sitemap 文件 URL 地址
sitemapIndexGenerator.addUrl(domain + "/" + e);
} catch (MalformedURLException e1) {
e1.printStackTrace();
}
});
// 生成 sitemap_index 文件
sitemapIndexGenerator.write();
log.info("end generate sitemap");
} catch (MalformedURLException e) {
e.printStackTrace();
}
}
} | repos\springboot-demo-master\sitemap\src\main\java\com\et\sitemap\job\SiteMapJob.java | 2 |
请完成以下Java代码 | public void actionPerformed(ActionEvent e) {
cancelB_actionPerformed(e);
}
});
// cancelB.setFocusable(false);
yesAllB.setText(Local.getString("Yes to all"));
yesAllB.addActionListener(new java.awt.event.ActionListener() {
public void actionPerformed(ActionEvent e) {
yesAllB_actionPerformed(e);
}
});
//yesAllB.setFocusable(false);
buttonsPanel.setLayout(flowLayout1);
panel1.setBorder(border1);
areaPanel.setLayout(borderLayout3);
areaPanel.setBorder(border2);
borderLayout3.setHgap(5);
borderLayout3.setVgap(5);
textLabel.setHorizontalAlignment(SwingConstants.CENTER);
yesB.addActionListener(new java.awt.event.ActionListener() {
public void actionPerformed(ActionEvent e) {
yesB_actionPerformed(e);
}
});
yesB.setText(Local.getString("Yes"));
//yesB.setFocusable(false);
this.getRootPane().setDefaultButton(yesB);
noB.setText(Local.getString("No"));
noB.addActionListener(new java.awt.event.ActionListener() {
public void actionPerformed(ActionEvent e) {
noB_actionPerformed(e);
}
});
// noB.setFocusable(false);
buttonsPanel.add(yesB, null);
getContentPane().add(panel1);
panel1.add(areaPanel, BorderLayout.CENTER);
areaPanel.add(textLabel, BorderLayout.WEST);
panel1.add(buttonsPanel, BorderLayout.SOUTH); | buttonsPanel.add(yesAllB, null);
buttonsPanel.add(noB, null);
buttonsPanel.add(cancelB, null);
}
void yesAllB_actionPerformed(ActionEvent e) {
option = YES_TO_ALL_OPTION;
this.dispose();
}
void cancelB_actionPerformed(ActionEvent e) {
option = CANCEL_OPTION;
this.dispose();
}
void yesB_actionPerformed(ActionEvent e) {
option = YES_OPTION;
this.dispose();
}
void noB_actionPerformed(ActionEvent e) {
option = NO_OPTION;
this.dispose();
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.adempiere.adempiere\client\src\main\java-legacy\net\sf\memoranda\ui\htmleditor\ReplaceOptionsDialog.java | 1 |
请完成以下Java代码 | public class Video {
private String title;
private InputStream stream;
public Video() {
super();
}
public Video(String title) {
super();
this.title = title;
}
public String getTitle() {
return title;
} | public void setTitle(String title) {
this.title = title;
}
public InputStream getStream() {
return stream;
}
public void setStream(InputStream stream) {
this.stream = stream;
}
@Override
public String toString() {
return "Video [title=" + title + "]";
}
} | repos\tutorials-master\persistence-modules\spring-boot-persistence-mongodb-2\src\main\java\com\baeldung\boot\file\models\Video.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public class AD_Printer_Config
{
private final IPrintClientsBL printClientsBL = Services.get(IPrintClientsBL.class);
/**
* If our own hostkey's printer config uses a shared config () i.e. another/external printing client, then we stop our embedded printing client. Otherwise we start it.
*/
@ModelChange(
timings = { ModelValidator.TYPE_AFTER_NEW, ModelValidator.TYPE_AFTER_CHANGE },
ifColumnsChanged = I_AD_Printer_Config.COLUMNNAME_AD_Printer_Config_Shared_ID)
public void startOrStopEmbeddedClient(@NonNull final I_AD_Printer_Config printerConfig)
{
final Properties ctx = InterfaceWrapperHelper.getCtx(printerConfig);
final String hostKey = printClientsBL.getHostKeyOrNull(ctx);
if (Check.isBlank(hostKey) || !Objects.equals(hostKey, printerConfig.getConfigHostKey()))
{
return; // 'printerConfig' does not belong the host which we run on
}
if (!Ini.isSwingClient())
{
return; // task 08569: we only start the embedded client is we are inside the swing client (and *not* when running in the server)
}
final IPrintingClientDelegate printingClientDelegate = Services.get(IPrintingClientDelegate.class); | if (printerConfig.getAD_Printer_Config_Shared_ID() > 0
&& printingClientDelegate.isStarted())
{
printingClientDelegate.stop();
}
else if (!printingClientDelegate.isStarted())
{
printingClientDelegate.start();
}
}
/**
* Needed because we want to order by ConfigHostKey and "unspecified" shall always be last.
*/
@ModelChange(
timings = { ModelValidator.TYPE_BEFORE_NEW, ModelValidator.TYPE_BEFORE_CHANGE },
ifColumnsChanged = I_AD_Printer_Config.COLUMNNAME_ConfigHostKey)
public void trimBlankHostKeyToNull(@NonNull final I_AD_Printer_Config printerConfig)
{
try (final MDC.MDCCloseable ignored = TableRecordMDC.putTableRecordReference(printerConfig))
{
final String normalizedString = StringUtils.trimBlankToNull(printerConfig.getConfigHostKey());
printerConfig.setConfigHostKey(normalizedString);
}
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.printing\de.metas.printing.base\src\main\java\de\metas\printing\model\validator\AD_Printer_Config.java | 2 |
请完成以下Java代码 | public void run(final String localTrxName)
{
wfProcess.changeWFStateTo(WFState.Aborted);
}
@Override
public void doFinally()
{
context.save(wfProcess);
}
});
}
private List<WFProcess> getActiveProcesses()
{
final List<WFProcessId> wfProcessIds = wfProcessRepository.getActiveProcessIds(context.getDocumentRef());
return getWFProcesses(wfProcessIds);
}
private List<WFProcess> getWFProcesses(final List<WFProcessId> wfProcessIds)
{
if (wfProcessIds.isEmpty()) | {
return ImmutableList.of();
}
final ImmutableMap<WFProcessId, WFProcessState> wfProcessStates = wfProcessRepository.getWFProcessStateByIds(wfProcessIds);
final ImmutableListMultimap<WFProcessId, WFActivityState> wfActivityStates = wfProcessRepository.getWFActivityStates(wfProcessIds);
return wfProcessIds
.stream()
.map(wfProcessId -> new WFProcess(
context,
wfProcessStates.get(wfProcessId),
wfActivityStates.get(wfProcessId)))
.collect(ImmutableList.toImmutableList());
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.adempiere.adempiere\base\src\main\java\de\metas\workflow\execution\WorkflowExecutor.java | 1 |
请完成以下Java代码 | public final boolean isSleeping()
{
return sleeping.get();
} // isSleeping
@Override
public final String toString()
{
final boolean sleeping = isSleeping();
final StringBuilder sb = new StringBuilder(getName())
.append(",Prio=").append(getPriority())
.append(",").append(getThreadGroup())
.append(",Alive=").append(isAlive())
.append(",Sleeping=").append(sleeping)
.append(",Last=").append(getDateLastRun());
if (sleeping)
{
sb.append(",Next=").append(getDateNextRun(false));
}
return sb.toString();
}
public final Timestamp getStartTime()
{
final long startTimeMillis = this.serverStartTimeMillis;
return startTimeMillis > 0 ? new Timestamp(startTimeMillis) : null;
}
public final AdempiereProcessorLog[] getLogs()
{ | return p_model.getLogs();
}
/**
* Set the initial nap/sleep when server starts.
*
* Mainly this method is used by tests.
*
* @param initialNapSeconds
*/
public final void setInitialNapSeconds(final int initialNapSeconds)
{
Check.assume(initialNapSeconds >= 0, "initialNapSeconds >= 0");
this.m_initialNapSecs = initialNapSeconds;
}
protected final int getRunCount()
{
return p_runCount;
}
protected final Timestamp getStartWork()
{
return new Timestamp(workStartTimeMillis);
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.adempiere.adempiere\serverRoot\de.metas.adempiere.adempiere.serverRoot.base\src\main\java-legacy\org\compiere\server\AdempiereServer.java | 1 |
请完成以下Java代码 | public void recreateADElementLinkForTabId(@NonNull final AdTabId adTabId)
{
deleteExistingADElementLinkForTabId(adTabId);
createADElementLinkForTabId(adTabId);
}
@Override
public void createADElementLinkForTabId(@NonNull final AdTabId adTabId)
{
// NOTE: no params because we want to log migration scripts
DB.executeFunctionCallEx(ITrx.TRXNAME_ThreadInherited,
MigrationScriptFileLoggerHolder.DDL_PREFIX + "select AD_Element_Link_Create_Missing_Tab(" + adTabId.getRepoId() + ")",
new Object[] {});
}
@Override
public void deleteExistingADElementLinkForTabId(final AdTabId adTabId)
{
// IMPORTANT: we have to call delete directly because we don't want to have the AD_Element_Link_ID is the migration scripts
DB.executeUpdateAndThrowExceptionOnFail(
"DELETE FROM " + I_AD_Element_Link.Table_Name + " WHERE AD_Tab_ID=" + adTabId.getRepoId(),
ITrx.TRXNAME_ThreadInherited);
}
@Override
public void recreateADElementLinkForWindowId(final AdWindowId adWindowId)
{
deleteExistingADElementLinkForWindowId(adWindowId);
createADElementLinkForWindowId(adWindowId);
}
@Override
public void createADElementLinkForWindowId(final AdWindowId adWindowId)
{ | // NOTE: no params because we want to log migration scripts
DB.executeFunctionCallEx(ITrx.TRXNAME_ThreadInherited,
MigrationScriptFileLoggerHolder.DDL_PREFIX + "select AD_Element_Link_Create_Missing_Window(" + adWindowId.getRepoId() + ")",
new Object[] {});
}
@Override
public void deleteExistingADElementLinkForWindowId(final AdWindowId adWindowId)
{
// IMPORTANT: we have to call delete directly because we don't want to have the AD_Element_Link_ID is the migration scripts
DB.executeUpdateAndThrowExceptionOnFail(
"DELETE FROM " + I_AD_Element_Link.Table_Name + " WHERE AD_Window_ID=" + adWindowId.getRepoId(),
ITrx.TRXNAME_ThreadInherited);
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.adempiere.adempiere\base\src\main\java\org\adempiere\ad\element\api\impl\ElementLinkBL.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public class BookstoreService {
private final AuthorRepository authorRepository;
public BookstoreService(AuthorRepository authorRepository) {
this.authorRepository = authorRepository;
}
public Page<Author> fetchNextPage(int page, int size) {
return authorRepository.findAll(PageRequest.of(page, size,
Sort.by(Sort.Direction.ASC, "age")));
}
public Page<Author> fetchNextPageByGenre(int page, int size) {
return authorRepository.fetchByGenre("History",
PageRequest.of(page, size, Sort.by(Sort.Direction.ASC, "age")));
}
public Page<Author> fetchNextPageByGenreExplicitCount(int page, int size) { | return authorRepository.fetchByGenreExplicitCount("History",
PageRequest.of(page, size, Sort.by(Sort.Direction.ASC, "age")));
}
public Page<Author> fetchNextPageByGenreNative(int page, int size) {
return authorRepository.fetchByGenreNative("History",
PageRequest.of(page, size, Sort.by(Sort.Direction.ASC, "age")));
}
public Page<Author> fetchNextPageByGenreNativeExplicitCount(int page, int size) {
return authorRepository.fetchByGenreNativeExplicitCount("History",
PageRequest.of(page, size, Sort.by(Sort.Direction.ASC, "age")));
}
public Page<Author> fetchNextPagePageable(Pageable pageable) {
return authorRepository.findAll(pageable);
}
} | repos\Hibernate-SpringBoot-master\HibernateSpringBootOffsetPagination\src\main\java\com\bookstore\service\BookstoreService.java | 2 |
请在Spring Boot框架中完成以下Java代码 | public Void execute(CommandContext commandContext) {
if (StringUtils.isEmpty(workerId)) {
throw new FlowableIllegalArgumentException("worker id must not be empty");
}
ExternalWorkerJobEntityManager externalWorkerJobEntityManager = jobServiceConfiguration.getExternalWorkerJobEntityManager();
List<ExternalWorkerJobEntity> jobEntities = externalWorkerJobEntityManager.findJobsByWorkerId(workerId);
if (!jobEntities.isEmpty()) {
if (StringUtils.isNotEmpty(tenantId)) {
for (ExternalWorkerJobEntity externalWorkerJob : jobEntities) {
if (!tenantId.equals(externalWorkerJob.getTenantId())) {
throw new FlowableIllegalArgumentException("provided worker id has external worker jobs from different tenant.");
} | }
}
for (ExternalWorkerJobEntity externalWorkerJob : jobEntities) {
if (externalWorkerJob.isExclusive()) {
new UnlockExclusiveJobCmd(externalWorkerJob, jobServiceConfiguration).execute(commandContext);
}
}
externalWorkerJobEntityManager.bulkUpdateJobLockWithoutRevisionCheck(jobEntities, null, null);
}
return null;
}
} | repos\flowable-engine-main\modules\flowable-job-service\src\main\java\org\flowable\job\service\impl\cmd\UnacquireAllExternalWorkerJobsForWorkerCmd.java | 2 |
请完成以下Java代码 | public List<PaymentToReconcileRow> getPaymentToReconcileRowsByIds(final Set<PaymentId> paymentIds)
{
final ImmutableSetMultimap<PaymentId, String> invoiceDocumentNosByPaymentId = getInvoiceDocumentNosByPaymentId(paymentIds);
return paymentDAO.getByIds(paymentIds)
.stream()
.map(record -> toPaymentToReconcileRow(record, invoiceDocumentNosByPaymentId))
.collect(ImmutableList.toImmutableList());
}
private ImmutableSetMultimap<PaymentId, String> getInvoiceDocumentNosByPaymentId(final Set<PaymentId> paymentIds)
{
final SetMultimap<PaymentId, InvoiceId> invoiceIdsByPaymentId = allocationDAO.retrieveInvoiceIdsByPaymentIds(paymentIds);
final ImmutableMap<InvoiceId, String> invoiceDocumentNos = invoiceDAO.getDocumentNosByInvoiceIds(invoiceIdsByPaymentId.values());
return invoiceIdsByPaymentId.entries()
.stream()
.map(GuavaCollectors.mapValue(invoiceDocumentNos::get))
.filter(ImmutableMapEntry::isValueNotNull)
.collect(GuavaCollectors.toImmutableSetMultimap());
}
private PaymentToReconcileRow toPaymentToReconcileRow(
@NonNull final I_C_Payment record,
@NonNull final ImmutableSetMultimap<PaymentId, String> invoiceDocumentNosByPaymentId)
{
final CurrencyId currencyId = CurrencyId.ofRepoId(record.getC_Currency_ID());
final CurrencyCode currencyCode = currencyRepository.getCurrencyCodeById(currencyId);
final Amount payAmt = Amount.of(record.getPayAmt(), currencyCode);
final PaymentId paymentId = PaymentId.ofRepoId(record.getC_Payment_ID());
String invoiceDocumentNos = joinInvoiceDocumentNos(invoiceDocumentNosByPaymentId.get(paymentId));
return PaymentToReconcileRow.builder()
.paymentId(paymentId)
.inboundPayment(record.isReceipt())
.documentNo(record.getDocumentNo())
.dateTrx(TimeUtil.asLocalDate(record.getDateTrx()))
.bpartner(bpartnerLookup.findById(record.getC_BPartner_ID()))
.invoiceDocumentNos(invoiceDocumentNos) | .payAmt(payAmt)
.reconciled(record.isReconciled())
.build();
}
private static String joinInvoiceDocumentNos(final Collection<String> documentNos)
{
if (documentNos == null || documentNos.isEmpty())
{
return "";
}
return documentNos.stream()
.map(StringUtils::trimBlankToNull)
.filter(Objects::nonNull)
.collect(Collectors.joining(", "));
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.ui.web.base\src\main\java\de\metas\ui\web\bankstatement_reconciliation\BankStatementLineAndPaymentsToReconcileRepository.java | 1 |
请完成以下Java代码 | public class ChatRedirectToUserRequest implements Message {
public static final String TYPE = "CHAT_REDIRECT_TO_USER_REQUEST";
/**
* 消息编号
*/
private String msgId;
/**
* 内容
*/
private String content;
public String getMsgId() {
return msgId;
}
public ChatRedirectToUserRequest setMsgId(String msgId) {
this.msgId = msgId;
return this;
} | public String getContent() {
return content;
}
public ChatRedirectToUserRequest setContent(String content) {
this.content = content;
return this;
}
@Override
public String toString() {
return "ChatRedirectToUserRequest{" +
"msgId='" + msgId + '\'' +
", content='" + content + '\'' +
'}';
}
} | repos\SpringBoot-Labs-master\lab-67\lab-67-netty-demo\lab-67-netty-demo-client\src\main\java\cn\iocoder\springboot\lab67\nettyclientdemo\message\chat\ChatRedirectToUserRequest.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public Mono<Void> configure(ReactiveRedisConnection connection) {
return getNotifyOptions(connection).map((notifyOptions) -> {
String customizedNotifyOptions = notifyOptions;
if (!customizedNotifyOptions.contains("E")) {
customizedNotifyOptions += "E";
}
boolean A = customizedNotifyOptions.contains("A");
if (!(A || customizedNotifyOptions.contains("g"))) {
customizedNotifyOptions += "g";
}
if (!(A || customizedNotifyOptions.contains("x"))) {
customizedNotifyOptions += "x";
}
return Tuples.of(notifyOptions, customizedNotifyOptions);
})
.filter((optionsTuple) -> !optionsTuple.getT1().equals(optionsTuple.getT2()))
.flatMap((optionsTuple) -> connection.serverCommands() | .setConfig(CONFIG_NOTIFY_KEYSPACE_EVENTS, optionsTuple.getT2()))
.filter("OK"::equals)
.doFinally((unused) -> connection.close())
.then();
}
private Mono<String> getNotifyOptions(ReactiveRedisConnection connection) {
return connection.serverCommands()
.getConfig(CONFIG_NOTIFY_KEYSPACE_EVENTS)
.filter(Predicate.not(Properties::isEmpty))
.map((config) -> config.getProperty(config.stringPropertyNames().iterator().next()))
.onErrorMap(InvalidDataAccessApiUsageException.class,
(ex) -> new IllegalStateException("Unable to configure Reactive Redis to keyspace notifications",
ex));
}
} | repos\spring-session-main\spring-session-data-redis\src\main\java\org\springframework\session\data\redis\config\annotation\ConfigureNotifyKeyspaceEventsReactiveAction.java | 2 |
请完成以下Java代码 | public void setWEBUI_ViewAction (boolean WEBUI_ViewAction)
{
set_Value (COLUMNNAME_WEBUI_ViewAction, Boolean.valueOf(WEBUI_ViewAction));
}
/** Get Is View Action.
@return Is View Action */
@Override
public boolean isWEBUI_ViewAction ()
{
Object oo = get_Value(COLUMNNAME_WEBUI_ViewAction);
if (oo != null)
{
if (oo instanceof Boolean)
return ((Boolean)oo).booleanValue();
return "Y".equals(oo);
}
return false;
}
/** Set Quick action.
@param WEBUI_ViewQuickAction Quick action */
@Override
public void setWEBUI_ViewQuickAction (boolean WEBUI_ViewQuickAction)
{
set_Value (COLUMNNAME_WEBUI_ViewQuickAction, Boolean.valueOf(WEBUI_ViewQuickAction));
}
/** Get Quick action.
@return Quick action */
@Override
public boolean isWEBUI_ViewQuickAction ()
{
Object oo = get_Value(COLUMNNAME_WEBUI_ViewQuickAction);
if (oo != null)
{
if (oo instanceof Boolean)
return ((Boolean)oo).booleanValue();
return "Y".equals(oo);
}
return false;
}
/** Set Default quick action. | @param WEBUI_ViewQuickAction_Default Default quick action */
@Override
public void setWEBUI_ViewQuickAction_Default (boolean WEBUI_ViewQuickAction_Default)
{
set_Value (COLUMNNAME_WEBUI_ViewQuickAction_Default, Boolean.valueOf(WEBUI_ViewQuickAction_Default));
}
/** Get Default quick action.
@return Default quick action */
@Override
public boolean isWEBUI_ViewQuickAction_Default ()
{
Object oo = get_Value(COLUMNNAME_WEBUI_ViewQuickAction_Default);
if (oo != null)
{
if (oo instanceof Boolean)
return ((Boolean)oo).booleanValue();
return "Y".equals(oo);
}
return false;
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.adempiere.adempiere\base\src\main\java-gen\org\compiere\model\X_AD_Table_Process.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public void editChapter() {
template.setPropagationBehavior(TransactionDefinition.PROPAGATION_REQUIRES_NEW);
template.execute(new TransactionCallbackWithoutResult() {
@Override
protected void doInTransactionWithoutResult(TransactionStatus status) {
log.info("Starting first transaction ...");
Chapter chapter = chapterRepository.findById(1L).orElseThrow();
Modification modification = new Modification();
modification.setDescription("Rewording first paragraph");
modification.setModification("Reword: ... Added: ...");
modification.setChapter(chapter);
template.execute(new TransactionCallbackWithoutResult() {
@Override
protected void doInTransactionWithoutResult(TransactionStatus status) {
log.info("Starting second transaction ...");
Chapter chapter = chapterRepository.findById(1L).orElseThrow();
Modification modification = new Modification();
modification.setDescription("Formatting second paragraph");
modification.setModification("Format ...");
modification.setChapter(chapter);
modificationRepository.save(modification); | log.info("Commit second transaction ...");
}
});
log.info("Resuming first transaction ...");
modificationRepository.save(modification);
log.info("Commit first transaction ...");
}
});
log.info("Done!");
}
} | repos\Hibernate-SpringBoot-master\HibernateSpringBootOptimisticForceIncrement\src\main\java\com\bookstore\service\BookstoreService.java | 2 |
请完成以下Java代码 | public void setName(String name) {
this.name = name;
}
public String getName() {
return name;
}
public String getTypeName() {
if (typeName != null) {
return typeName;
} else if (type != null) {
return type.getTypeName();
} else {
return typeName;
}
}
public void setTypeName(String typeName) {
this.typeName = typeName;
}
public VariableType getType() {
return type;
}
public void setType(VariableType type) {
this.type = type;
}
public String getProcessInstanceId() {
return processInstanceId;
}
public String getTaskId() {
return taskId;
}
public void setTaskId(String taskId) {
this.taskId = taskId;
}
public String getExecutionId() {
return executionId;
}
public Long getLongValue() {
return longValue;
}
public void setLongValue(Long longValue) {
this.longValue = longValue;
}
public Double getDoubleValue() {
return doubleValue;
}
public void setDoubleValue(Double doubleValue) {
this.doubleValue = doubleValue;
}
public String getTextValue() {
return textValue;
}
public void setTextValue(String textValue) {
this.textValue = textValue;
}
public String getTextValue2() {
return textValue2;
}
public void setTextValue2(String textValue2) {
this.textValue2 = textValue2;
} | public Object getCachedValue() {
return cachedValue;
}
public void setCachedValue(Object cachedValue) {
this.cachedValue = cachedValue;
}
// misc methods ///////////////////////////////////////////////////////////////
@Override
public String toString() {
StringBuilder sb = new StringBuilder();
sb.append("VariableInstanceEntity[");
sb.append("id=").append(id);
sb.append(", name=").append(name);
sb.append(", type=").append(type != null ? type.getTypeName() : "null");
if (longValue != null) {
sb.append(", longValue=").append(longValue);
}
if (doubleValue != null) {
sb.append(", doubleValue=").append(doubleValue);
}
if (textValue != null) {
sb.append(", textValue=").append(StringUtils.abbreviate(textValue, 40));
}
if (textValue2 != null) {
sb.append(", textValue2=").append(StringUtils.abbreviate(textValue2, 40));
}
if (byteArrayRef != null && byteArrayRef.getId() != null) {
sb.append(", byteArrayValueId=").append(byteArrayRef.getId());
}
sb.append("]");
return sb.toString();
}
} | repos\Activiti-develop\activiti-core\activiti-engine\src\main\java\org\activiti\engine\impl\persistence\entity\VariableInstanceEntityImpl.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public class UserSearch {
// ------------------------
// PRIVATE FIELDS
// ------------------------
// Spring will inject here the entity manager object
@PersistenceContext
private EntityManager entityManager;
// ------------------------
// PUBLIC METHODS
// ------------------------
/**
* A basic search for the entity User. The search is done by exact match per
* keywords on fields name, city and email.
*
* @param text The query text.
*/
public List<User> search(String text) {
// get the full text entity manager
FullTextEntityManager fullTextEntityManager =
org.hibernate.search.jpa.Search.
getFullTextEntityManager(entityManager);
// create the query using Hibernate Search query DSL
QueryBuilder queryBuilder =
fullTextEntityManager.getSearchFactory()
.buildQueryBuilder().forEntity(User.class).get(); | // a very basic query by keywords
org.apache.lucene.search.Query query =
queryBuilder
.keyword()
.onFields("name", "city", "email")
.matching(text)
.createQuery();
// wrap Lucene query in an Hibernate Query object
org.hibernate.search.jpa.FullTextQuery jpaQuery =
fullTextEntityManager.createFullTextQuery(query, User.class);
// execute search and return results (sorted by relevance as default)
@SuppressWarnings("unchecked")
List<User> results = jpaQuery.getResultList();
return results;
} // method search
} // class | repos\spring-boot-samples-master\spring-boot-hibernate-search\src\main\java\netgloo\search\UserSearch.java | 2 |
请完成以下Java代码 | public class PricingConditionsView_CopyRowToEditable extends PricingConditionsViewBasedProcess
{
private final IBPartnerDAO bpartnersRepo = Services.get(IBPartnerDAO.class);
@Override
public ProcessPreconditionsResolution checkPreconditionsApplicable()
{
if (!getView().hasEditableRow())
{
return ProcessPreconditionsResolution.rejectWithInternalReason("view does not have an editable row");
}
if (!isSingleSelectedRow())
{
return ProcessPreconditionsResolution.rejectWithInternalReason("not a single selected row");
}
final PricingConditionsRow row = getSingleSelectedRow();
if (row.isEditable())
{
return ProcessPreconditionsResolution.rejectWithInternalReason("select other row than editable row");
}
return ProcessPreconditionsResolution.accept();
}
@Override
protected String doIt()
{
patchEditableRow(createChangeRequest(getSingleSelectedRow()));
return MSG_OK;
}
@Override
protected void postProcess(final boolean success)
{
invalidateView();
}
private PricingConditionsRowChangeRequest createChangeRequest(@NonNull final PricingConditionsRow templateRow)
{
final PricingConditionsBreak templatePricingConditionsBreak = templateRow.getPricingConditionsBreak();
PriceSpecification price = templatePricingConditionsBreak.getPriceSpecification();
if (price.isNoPrice())
{
// In case row does not have a price then use BPartner's pricing system
final BPartnerId bpartnerId = templateRow.getBpartnerId();
final SOTrx soTrx = SOTrx.ofBoolean(templateRow.isCustomer());
price = createBasePricingSystemPrice(bpartnerId, soTrx);
} | final Percent discount = templatePricingConditionsBreak.getDiscount();
final PaymentTermId paymentTermIdOrNull = templatePricingConditionsBreak.getPaymentTermIdOrNull();
final Percent paymentDiscountOverrideOrNull = templatePricingConditionsBreak.getPaymentDiscountOverrideOrNull();
return PricingConditionsRowChangeRequest.builder()
.priceChange(CompletePriceChange.of(price))
.discount(discount)
.paymentTermId(Optional.ofNullable(paymentTermIdOrNull))
.paymentDiscount(Optional.ofNullable(paymentDiscountOverrideOrNull))
.sourcePricingConditionsBreakId(templatePricingConditionsBreak.getId())
.build();
}
private PriceSpecification createBasePricingSystemPrice(final BPartnerId bpartnerId, final SOTrx soTrx)
{
final PricingSystemId pricingSystemId = bpartnersRepo.retrievePricingSystemIdOrNull(bpartnerId, soTrx);
if (pricingSystemId == null)
{
return PriceSpecification.none();
}
return PriceSpecification.basePricingSystem(pricingSystemId);
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.ui.web.base\src\main\java\de\metas\ui\web\order\pricingconditions\process\PricingConditionsView_CopyRowToEditable.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public class TaskSchedulingProperties {
private final Pool pool = new Pool();
private final Simple simple = new Simple();
private final Shutdown shutdown = new Shutdown();
/**
* Prefix to use for the names of newly created threads.
*/
private String threadNamePrefix = "scheduling-";
public Pool getPool() {
return this.pool;
}
public Simple getSimple() {
return this.simple;
}
public Shutdown getShutdown() {
return this.shutdown;
}
public String getThreadNamePrefix() {
return this.threadNamePrefix;
}
public void setThreadNamePrefix(String threadNamePrefix) {
this.threadNamePrefix = threadNamePrefix;
}
public static class Pool {
/**
* Maximum allowed number of threads. Doesn't have an effect if virtual threads
* are enabled.
*/
private int size = 1;
public int getSize() {
return this.size;
}
public void setSize(int size) {
this.size = size;
}
}
public static class Simple {
/**
* Set the maximum number of parallel accesses allowed. -1 indicates no
* concurrency limit at all. | */
private @Nullable Integer concurrencyLimit;
public @Nullable Integer getConcurrencyLimit() {
return this.concurrencyLimit;
}
public void setConcurrencyLimit(@Nullable Integer concurrencyLimit) {
this.concurrencyLimit = concurrencyLimit;
}
}
public static class Shutdown {
/**
* Whether the executor should wait for scheduled tasks to complete on shutdown.
*/
private boolean awaitTermination;
/**
* Maximum time the executor should wait for remaining tasks to complete.
*/
private @Nullable Duration awaitTerminationPeriod;
public boolean isAwaitTermination() {
return this.awaitTermination;
}
public void setAwaitTermination(boolean awaitTermination) {
this.awaitTermination = awaitTermination;
}
public @Nullable Duration getAwaitTerminationPeriod() {
return this.awaitTerminationPeriod;
}
public void setAwaitTerminationPeriod(@Nullable Duration awaitTerminationPeriod) {
this.awaitTerminationPeriod = awaitTerminationPeriod;
}
}
} | repos\spring-boot-4.0.1\core\spring-boot-autoconfigure\src\main\java\org\springframework\boot\autoconfigure\task\TaskSchedulingProperties.java | 2 |
请完成以下Java代码 | private static HUConsolidationJobReferenceBuilder newReference(final HUConsolidationJobReferenceKey key)
{
return HUConsolidationJobReference.builder()
.bpartnerLocationId(key.getBpartnerLocationId());
}
private WorkflowLaunchersList toWorkflowLaunchersList(final List<HUConsolidationJobReference> jobReferences)
{
final PickingSlotQueuesSummary stats = getMissingStats(jobReferences);
final HUConsolidationLauncherCaptionProvider captionProvider = captionProviderFactory.newCaptionProvider();
return WorkflowLaunchersList.builder()
.launchers(jobReferences.stream()
.map(jobReference -> jobReference.withUpdatedStats(stats))
.map(jobReference -> WorkflowLauncher.builder()
.applicationId(HUConsolidationApplication.APPLICATION_ID)
.caption(captionProvider.computeCaption(jobReference))
.wfParameters(jobReference.toParams())
.startedWFProcessId(jobReference.getStartedJobId() != null
? jobReference.getStartedJobId().toWFProcessId()
: null)
.build())
.collect(ImmutableList.toImmutableList()))
.build();
}
private PickingSlotQueuesSummary getMissingStats(final List<HUConsolidationJobReference> jobReferences) | {
final ImmutableSet<PickingSlotId> pickingSlotIdsWithoutStats = jobReferences.stream()
.filter(HUConsolidationJobReference::isStatsMissing)
.flatMap(jobReference -> jobReference.getPickingSlotIds().stream())
.collect(ImmutableSet.toImmutableSet());
if (pickingSlotIdsWithoutStats.isEmpty())
{
return PickingSlotQueuesSummary.EMPTY;
}
return pickingSlotService.getNotEmptyQueuesSummary(PickingSlotQueueQuery.onlyPickingSlotIds(pickingSlotIdsWithoutStats));
}
//
//
//
@Value
@Builder
private static class HUConsolidationJobReferenceKey
{
@NonNull BPartnerLocationId bpartnerLocationId;
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.hu_consolidation.mobile\src\main\java\de\metas\hu_consolidation\mobile\launchers\HUConsolidationWorkflowLaunchersProvider.java | 1 |
请完成以下Java代码 | public static Sql ofSql(@NonNull final String sql)
{
return new Sql(sql, null, null);
}
public static Sql ofSql(@NonNull final String sql, @Nullable Map<Integer, Object> sqlParamsMap)
{
return new Sql(sql, SqlParams.ofMap(sqlParamsMap), null);
}
public static Sql ofSql(@NonNull final String sql, @Nullable SqlParams sqlParamsMap)
{
return new Sql(sql, sqlParamsMap, null);
}
public static Sql ofComment(@NonNull final String comment) {return new Sql(null, null, comment);}
private Sql(
@Nullable final String sqlCommand,
@Nullable final SqlParams sqlParams,
@Nullable final String comment)
{
this.sqlCommand2 = StringUtils.trimBlankToNull(sqlCommand);
this.sqlParams = sqlParams != null ? sqlParams : SqlParams.EMPTY;
this.comment = StringUtils.trimBlankToNull(comment);
}
@Override
@Deprecated
public String toString() {return toSql();}
public boolean isEmpty() {return sqlCommand2 == null && comment == null;}
public String getSqlCommand() {return sqlCommand2 != null ? sqlCommand2 : "";}
public String toSql()
{
String sqlWithInlinedParams = this._sqlWithInlinedParams;
if (sqlWithInlinedParams == null)
{
sqlWithInlinedParams = this._sqlWithInlinedParams = buildFinalSql();
}
return sqlWithInlinedParams;
}
private String buildFinalSql() | {
final StringBuilder finalSql = new StringBuilder();
final String sqlComment = toSqlCommentLine(comment);
if (sqlComment != null)
{
finalSql.append(sqlComment);
}
if (sqlCommand2 != null && !sqlCommand2.isEmpty())
{
finalSql.append(toSqlCommentLine(timestamp.toString()));
final String sqlWithParams = !sqlParams.isEmpty()
? sqlParamsInliner.inline(sqlCommand2, sqlParams.toList())
: sqlCommand2;
finalSql.append(sqlWithParams).append("\n;\n\n");
}
return finalSql.toString();
}
private static String toSqlCommentLine(@Nullable final String comment)
{
final String commentNorm = StringUtils.trimBlankToNull(comment);
if (commentNorm == null)
{
return null;
}
return "-- "
+ commentNorm
.replace("\r\n", "\n")
.replace("\n", "\n-- ")
+ "\n";
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.adempiere.adempiere\base\src\main\java\org\adempiere\ad\migration\logger\Sql.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public class EmployeeController {
@Autowired
private EmployeeService employeeService;
@GetMapping
public List<Employee> getAllEmployees() {
return employeeService.getAllEmployees();
}
@GetMapping("/{id}")
public ResponseEntity<Employee> getEmployeeById(@PathVariable Integer id) {
return employeeService.getEmployeeById(id)
.map(ResponseEntity::ok)
.orElse(ResponseEntity.notFound().build());
}
@PostMapping | public Employee addEmployee(@RequestBody Employee employee) {
return employeeService.addEmployee(employee);
}
@PutMapping("/{id}")
public ResponseEntity<Employee> updateEmployee(@PathVariable Integer id, @RequestBody Employee employeeDetails) {
return ResponseEntity.ok(employeeService.updateEmployee(id, employeeDetails));
}
@DeleteMapping("/{id}")
public ResponseEntity<Void> deleteEmployee(@PathVariable Integer id) {
employeeService.deleteEmployee(id);
return ResponseEntity.noContent().build();
}
} | repos\springboot-demo-master\sqlserver\src\main\java\com\et\controller\EmployeeController.java | 2 |
请完成以下Java代码 | public StockQtyAndUOMQty minStockAndUom(@NonNull final StockQtyAndUOMQty other)
{
if (this.getUOMQty() == null && other.getUOMQty() == null)
{
if (this.getStockQty().compareTo(other.getStockQty()) <= 0)
{
return this;
}
return other;
}
// If only one UOM quantity is null, it's an inconsistent state
if (this.getUOMQty() == null || other.getUOMQty() == null)
{
throw new AdempiereException("UOM quantity is missing for only one quantity !");
}
if (this.getStockQty().compareTo(other.getStockQty()) <= 0 &&
this.getUOMQty().compareTo(other.getUOMQty()) <= 0)
{
return this;
}
return other;
}
@Nullable
@JsonIgnore
public BigDecimal getUOMToStockRatio()
{
return Optional.ofNullable(uomQty)
.map(uomQuantity -> {
if (uomQuantity.isZero() || stockQty.isZero())
{
return BigDecimal.ZERO;
}
final UOMPrecision uomPrecision = UOMPrecision.ofInt(uomQuantity.getUOM().getStdPrecision());
return uomQuantity.toBigDecimal().setScale(uomPrecision.toInt(), uomPrecision.getRoundingMode())
.divide(stockQty.toBigDecimal(), uomPrecision.getRoundingMode());
})
.orElse(null);
}
@NonNull
public static StockQtyAndUOMQty toZeroIfNegative(@NonNull final StockQtyAndUOMQty stockQtyAndUOMQty)
{
return stockQtyAndUOMQty.signum() < 0
? stockQtyAndUOMQty.toZero()
: stockQtyAndUOMQty;
}
@NonNull
public static StockQtyAndUOMQty toZeroIfPositive(@NonNull final StockQtyAndUOMQty stockQtyAndUOMQty)
{
return stockQtyAndUOMQty.signum() > 0 | ? stockQtyAndUOMQty.toZero()
: stockQtyAndUOMQty;
}
public Quantity getQtyInUOM(@NonNull final UomId uomId, @NonNull final QuantityUOMConverter converter)
{
if (uomQty != null)
{
if (UomId.equals(uomQty.getUomId(), uomId))
{
return uomQty;
}
else if (UomId.equals(uomQty.getSourceUomId(), uomId))
{
return uomQty.switchToSource();
}
}
if (UomId.equals(stockQty.getUomId(), uomId))
{
return stockQty;
}
else if (UomId.equals(stockQty.getSourceUomId(), uomId))
{
return stockQty.switchToSource();
}
return converter.convertQuantityTo(stockQty, productId, uomId);
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.business\src\main\java\de\metas\quantity\StockQtyAndUOMQty.java | 1 |
请完成以下Java代码 | public class ItemWithMultipleWrappers {
private int id;
private String itemName;
private Wrapper<User> owner;
private Wrapper<Integer> count;
public ItemWithMultipleWrappers() {
super();
}
public ItemWithMultipleWrappers(int id, String itemName, Wrapper<User> owner, Wrapper<Integer> count) {
this.id = id;
this.itemName = itemName;
this.owner = owner;
this.count = count;
}
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
} | public String getItemName() {
return itemName;
}
public void setItemName(String itemName) {
this.itemName = itemName;
}
public Wrapper<User> getOwner() {
return owner;
}
public void setOwner(Wrapper<User> owner) {
this.owner = owner;
}
public Wrapper<Integer> getCount() {
return count;
}
public void setCount(Wrapper<Integer> count) {
this.count = count;
}
} | repos\tutorials-master\jackson-modules\jackson-custom-conversions\src\main\java\com\baeldung\deserialization\ItemWithMultipleWrappers.java | 1 |
请完成以下Java代码 | public <T extends ResultAction> T getAction(final Class<T> actionType)
{
final ResultAction action = getAction();
if (action == null)
{
throw new IllegalStateException("No action defined");
}
if (!actionType.isAssignableFrom(action.getClass()))
{
throw new IllegalStateException("Action is not of type " + actionType + " but " + action.getClass());
}
@SuppressWarnings("unchecked") final T actionCasted = (T)action;
return actionCasted;
}
//
//
//
//
//
/**
* Base interface for all post-process actions
*/
public interface ResultAction
{
}
@lombok.Value
@lombok.Builder
public static class OpenReportAction implements ResultAction
{
@NonNull
String filename;
@NonNull
String contentType;
@NonNull
Resource reportData;
}
@lombok.Value
@lombok.Builder
public static class OpenViewAction implements ResultAction
{
@NonNull
ViewId viewId;
@Nullable
ViewProfileId profileId;
@Builder.Default
ProcessExecutionResult.RecordsToOpen.TargetTab targetTab = ProcessExecutionResult.RecordsToOpen.TargetTab.SAME_TAB_OVERLAY;
}
@lombok.Value
@lombok.Builder
public static class OpenIncludedViewAction implements ResultAction
{
@NonNull
ViewId viewId;
ViewProfileId profileId;
}
@lombok.Value(staticConstructor = "of")
public static class CreateAndOpenIncludedViewAction implements ResultAction
{
@NonNull
CreateViewRequest createViewRequest; | }
public static final class CloseViewAction implements ResultAction
{
public static final CloseViewAction instance = new CloseViewAction();
private CloseViewAction() {}
}
@lombok.Value
@lombok.Builder
public static class OpenSingleDocument implements ResultAction
{
@NonNull
DocumentPath documentPath;
@Builder.Default
ProcessExecutionResult.RecordsToOpen.TargetTab targetTab = ProcessExecutionResult.RecordsToOpen.TargetTab.NEW_TAB;
}
@lombok.Value
@lombok.Builder
public static class SelectViewRowsAction implements ResultAction
{
@NonNull ViewId viewId;
@NonNull DocumentIdsSelection rowIds;
}
@lombok.Value
@lombok.Builder
public static class DisplayQRCodeAction implements ResultAction
{
@NonNull String code;
}
@lombok.Value
@lombok.Builder
public static class NewRecordAction implements ResultAction
{
@NonNull String windowId;
@NonNull @Singular Map<String, String> fieldValues;
@NonNull @Builder.Default ProcessExecutionResult.WebuiNewRecord.TargetTab targetTab = ProcessExecutionResult.WebuiNewRecord.TargetTab.SAME_TAB;
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.ui.web.base\src\main\java\de\metas\ui\web\process\ProcessInstanceResult.java | 1 |
请完成以下Java代码 | public class X_C_BPartner_EditableAttribute1 extends org.compiere.model.PO implements I_C_BPartner_EditableAttribute1, org.compiere.model.I_Persistent
{
private static final long serialVersionUID = 1052869657L;
/** Standard Constructor */
public X_C_BPartner_EditableAttribute1 (final Properties ctx, final int C_BPartner_EditableAttribute1_ID, @Nullable final String trxName)
{
super (ctx, C_BPartner_EditableAttribute1_ID, trxName);
}
/** Load Constructor */
public X_C_BPartner_EditableAttribute1 (final Properties ctx, final ResultSet rs, @Nullable final String trxName)
{
super (ctx, rs, trxName);
}
/** Load Meta Data */
@Override
protected org.compiere.model.POInfo initPO(final Properties ctx)
{
return org.compiere.model.POInfo.getPOInfo(Table_Name);
}
@Override
public void setC_BPartner_EditableAttribute1_ID (final int C_BPartner_EditableAttribute1_ID)
{
if (C_BPartner_EditableAttribute1_ID < 1)
set_ValueNoCheck (COLUMNNAME_C_BPartner_EditableAttribute1_ID, null);
else | set_ValueNoCheck (COLUMNNAME_C_BPartner_EditableAttribute1_ID, C_BPartner_EditableAttribute1_ID);
}
@Override
public int getC_BPartner_EditableAttribute1_ID()
{
return get_ValueAsInt(COLUMNNAME_C_BPartner_EditableAttribute1_ID);
}
@Override
public void setName (final @Nullable java.lang.String Name)
{
set_Value (COLUMNNAME_Name, Name);
}
@Override
public java.lang.String getName()
{
return get_ValueAsString(COLUMNNAME_Name);
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.adempiere.adempiere\base\src\main\java-gen\org\compiere\model\X_C_BPartner_EditableAttribute1.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public ServletRegistrationBean cmmnServlet(FlowableCmmnProperties properties) {
return registerServlet(properties.getServlet(), CmmnEngineRestConfiguration.class);
}
}
@Configuration(proxyBeanMethods = false)
@ConditionalOnClass(DmnRestUrls.class)
@ConditionalOnBean(DmnEngine.class)
public static class DmnEngineRestApiConfiguration extends BaseRestApiConfiguration {
@Bean
public ServletRegistrationBean dmnServlet(FlowableDmnProperties properties) {
return registerServlet(properties.getServlet(), DmnEngineRestConfiguration.class);
}
}
@Configuration(proxyBeanMethods = false)
@ConditionalOnClass(EventRestUrls.class)
@ConditionalOnBean(EventRegistryEngine.class)
public static class EventRegistryRestApiConfiguration extends BaseRestApiConfiguration {
@Bean | public ServletRegistrationBean eventRegistryServlet(FlowableEventRegistryProperties properties) {
return registerServlet(properties.getServlet(), EventRegistryRestConfiguration.class);
}
}
@Configuration(proxyBeanMethods = false)
@ConditionalOnClass(IdmRestResponseFactory.class)
@ConditionalOnBean(IdmEngine.class)
public static class IdmEngineRestApiConfiguration extends BaseRestApiConfiguration {
@Bean
public ServletRegistrationBean idmServlet(FlowableIdmProperties properties) {
return registerServlet(properties.getServlet(), IdmEngineRestConfiguration.class);
}
}
} | repos\flowable-engine-main\modules\flowable-spring-boot\flowable-spring-boot-starters\flowable-spring-boot-autoconfigure\src\main\java\org\flowable\spring\boot\RestApiAutoConfiguration.java | 2 |
请在Spring Boot框架中完成以下Java代码 | public void update(DictDetail resources) {
DictDetail dictDetail = dictDetailRepository.findById(resources.getId()).orElseGet(DictDetail::new);
ValidationUtil.isNull( dictDetail.getId(),"DictDetail","id",resources.getId());
resources.setId(dictDetail.getId());
dictDetailRepository.save(resources);
// 清理缓存
delCaches(resources);
}
@Override
public List<DictDetailDto> getDictByName(String name) {
String key = CacheKey.DICT_NAME + name;
List<DictDetail> dictDetails = redisUtils.getList(key, DictDetail.class);
if(CollUtil.isEmpty(dictDetails)){
dictDetails = dictDetailRepository.findByDictName(name);
redisUtils.set(key, dictDetails, 1 , TimeUnit.DAYS);
} | return dictDetailMapper.toDto(dictDetails);
}
@Override
@Transactional(rollbackFor = Exception.class)
public void delete(Long id) {
DictDetail dictDetail = dictDetailRepository.findById(id).orElseGet(DictDetail::new);
// 清理缓存
delCaches(dictDetail);
dictDetailRepository.deleteById(id);
}
public void delCaches(DictDetail dictDetail){
Dict dict = dictRepository.findById(dictDetail.getDict().getId()).orElseGet(Dict::new);
redisUtils.del(CacheKey.DICT_NAME + dict.getName());
}
} | repos\eladmin-master\eladmin-system\src\main\java\me\zhengjie\modules\system\service\impl\DictDetailServiceImpl.java | 2 |
请完成以下Java代码 | public String getDocAction ()
{
return (String)get_Value(COLUMNNAME_DocAction);
}
/** Set Create Counter Document.
@param IsCreateCounter
Create Counter Document
*/
public void setIsCreateCounter (boolean IsCreateCounter)
{
set_Value (COLUMNNAME_IsCreateCounter, Boolean.valueOf(IsCreateCounter));
}
/** Get Create Counter Document.
@return Create Counter Document
*/
public boolean isCreateCounter ()
{
Object oo = get_Value(COLUMNNAME_IsCreateCounter);
if (oo != null)
{
if (oo instanceof Boolean)
return ((Boolean)oo).booleanValue();
return "Y".equals(oo);
}
return false;
}
/** Set Valid.
@param IsValid
Element is valid
*/
public void setIsValid (boolean IsValid)
{
set_Value (COLUMNNAME_IsValid, Boolean.valueOf(IsValid));
}
/** Get Valid.
@return Element is valid
*/
public boolean isValid ()
{
Object oo = get_Value(COLUMNNAME_IsValid);
if (oo != null)
{
if (oo instanceof Boolean)
return ((Boolean)oo).booleanValue();
return "Y".equals(oo);
}
return false;
}
/** Set Name.
@param Name
Alphanumeric identifier of the entity
*/
public void setName (String Name)
{
set_Value (COLUMNNAME_Name, Name);
}
/** Get Name. | @return Alphanumeric identifier of the entity
*/
public String getName ()
{
return (String)get_Value(COLUMNNAME_Name);
}
/** Get Record ID/ColumnName
@return ID/ColumnName pair
*/
public KeyNamePair getKeyNamePair()
{
return new KeyNamePair(get_ID(), getName());
}
/** Set Process Now.
@param Processing Process Now */
public void setProcessing (boolean Processing)
{
set_Value (COLUMNNAME_Processing, Boolean.valueOf(Processing));
}
/** Get Process Now.
@return Process Now */
public boolean isProcessing ()
{
Object oo = get_Value(COLUMNNAME_Processing);
if (oo != null)
{
if (oo instanceof Boolean)
return ((Boolean)oo).booleanValue();
return "Y".equals(oo);
}
return false;
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.adempiere.adempiere\base\src\main\java-gen\org\compiere\model\X_C_DocTypeCounter.java | 1 |
请在Spring Boot框架中完成以下Java代码 | static class Config {
/**
* Indicates multiple properties binding from externalized configuration or not.
*/
private boolean multiple = DEFAULT_MULTIPLE_CONFIG_PROPERTY_VALUE;
/**
* The property name of override Dubbo config
*/
private boolean override = DEFAULT_OVERRIDE_CONFIG_PROPERTY_VALUE;
public boolean isOverride() {
return override;
}
public void setOverride(boolean override) {
this.override = override;
}
public boolean isMultiple() {
return multiple;
}
public void setMultiple(boolean multiple) {
this.multiple = multiple;
}
} | static class Scan {
/**
* The basePackages to scan , the multiple-value is delimited by comma
*
* @see EnableDubbo#scanBasePackages()
*/
private Set<String> basePackages = new LinkedHashSet<>();
public Set<String> getBasePackages() {
return basePackages;
}
public void setBasePackages(Set<String> basePackages) {
this.basePackages = basePackages;
}
}
} | repos\dubbo-spring-boot-project-master\dubbo-spring-boot-compatible\autoconfigure\src\main\java\org\apache\dubbo\spring\boot\autoconfigure\DubboConfigurationProperties.java | 2 |
请完成以下Java代码 | public AuthenticatorAttestationResponseBuilder attestationObject(Bytes attestationObject) {
this.attestationObject = attestationObject;
return this;
}
/**
* Sets the {@link #getTransports()} property.
* @param transports the transports
* @return the {@link AuthenticatorAttestationResponseBuilder}
*/
public AuthenticatorAttestationResponseBuilder transports(AuthenticatorTransport... transports) {
return transports(Arrays.asList(transports));
}
/**
* Sets the {@link #getTransports()} property.
* @param transports the transports
* @return the {@link AuthenticatorAttestationResponseBuilder}
*/
public AuthenticatorAttestationResponseBuilder transports(List<AuthenticatorTransport> transports) {
this.transports = transports;
return this;
}
/**
* Sets the {@link #getClientDataJSON()} property.
* @param clientDataJSON the client data JSON.
* @return the {@link AuthenticatorAttestationResponseBuilder} | */
public AuthenticatorAttestationResponseBuilder clientDataJSON(Bytes clientDataJSON) {
this.clientDataJSON = clientDataJSON;
return this;
}
/**
* Builds a {@link AuthenticatorAssertionResponse}.
* @return the {@link AuthenticatorAttestationResponseBuilder}
*/
public AuthenticatorAttestationResponse build() {
return new AuthenticatorAttestationResponse(this.clientDataJSON, this.attestationObject, this.transports);
}
}
} | repos\spring-security-main\webauthn\src\main\java\org\springframework\security\web\webauthn\api\AuthenticatorAttestationResponse.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public class EmployeeController {
Map<Long, Employee> employeeMap = new HashMap<>();
@ModelAttribute("employees")
public void initEmployees() {
employeeMap.put(1L, new Employee(1L, "John", "223334411", "rh"));
employeeMap.put(2L, new Employee(2L, "Peter", "22001543", "informatics"));
employeeMap.put(3L, new Employee(3L, "Mike", "223334411", "admin"));
}
@RequestMapping(value = "/employee", method = RequestMethod.GET)
public ModelAndView showForm() {
return new ModelAndView("employeeHome", "employee", new Employee());
}
@RequestMapping(value = "/employee/{Id}", produces = { "application/json", "application/xml" }, method = RequestMethod.GET)
public @ResponseBody Employee getEmployeeById(@PathVariable final Long Id) {
return employeeMap.get(Id);
}
@RequestMapping(value = "/addEmployee", method = RequestMethod.POST)
public String submit(@ModelAttribute("employee") final Employee employee, final BindingResult result, final ModelMap model) {
if (result.hasErrors()) { | return "error";
}
model.addAttribute("name", employee.getName());
model.addAttribute("contactNumber", employee.getContactNumber());
model.addAttribute("workingArea", employee.getWorkingArea());
model.addAttribute("id", employee.getId());
employeeMap.put(employee.getId(), employee);
return "employeeView";
}
@ModelAttribute
public void addAttributes(final Model model) {
model.addAttribute("msg", "Welcome to the Netherlands!");
}
} | repos\tutorials-master\spring-web-modules\spring-mvc-basics\src\main\java\com\baeldung\modelattribute\EmployeeController.java | 2 |
请完成以下Java代码 | public final class CompositeAggregationListener implements IAggregationListener
{
private final CopyOnWriteArrayList<IAggregationListener> listeners = new CopyOnWriteArrayList<>();
@Override
public String toString()
{
return ObjectUtils.toString(this);
}
public void addListener(final IAggregationListener listener)
{
if (listener == null)
{
return;
}
listeners.addIfAbsent(listener);
}
@Override
public void onAggregationCreated(final I_C_Aggregation aggregation)
{
for (final IAggregationListener listener : listeners)
{
listener.onAggregationCreated(aggregation);
} | }
@Override
public void onAggregationChanged(final I_C_Aggregation aggregation)
{
for (final IAggregationListener listener : listeners)
{
listener.onAggregationChanged(aggregation);
}
}
@Override
public void onAggregationDeleted(final I_C_Aggregation aggregation)
{
for (final IAggregationListener listener : listeners)
{
listener.onAggregationDeleted(aggregation);
}
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.aggregation\src\main\java\de\metas\aggregation\listeners\impl\CompositeAggregationListener.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public class SetRemovalTimeBatchConfiguration extends BatchConfiguration {
protected Date removalTime;
protected boolean hasRemovalTime;
protected boolean isHierarchical;
protected boolean updateInChunks;
protected Integer chunkSize;
protected Set<String> entities;
public SetRemovalTimeBatchConfiguration(List<String> ids) {
this(ids, null);
}
public SetRemovalTimeBatchConfiguration(List<String> ids, DeploymentMappings mappings) {
super(ids, mappings);
}
public Date getRemovalTime() {
return removalTime;
}
public SetRemovalTimeBatchConfiguration setRemovalTime(Date removalTime) {
this.removalTime = removalTime;
return this;
}
public boolean hasRemovalTime() {
return hasRemovalTime;
}
public SetRemovalTimeBatchConfiguration setHasRemovalTime(boolean hasRemovalTime) {
this.hasRemovalTime = hasRemovalTime;
return this;
}
public boolean isHierarchical() {
return isHierarchical;
}
public SetRemovalTimeBatchConfiguration setHierarchical(boolean hierarchical) { | isHierarchical = hierarchical;
return this;
}
public boolean isUpdateInChunks() {
return updateInChunks;
}
public SetRemovalTimeBatchConfiguration setUpdateInChunks(boolean updateInChunks) {
this.updateInChunks = updateInChunks;
return this;
}
public Integer getChunkSize() {
return chunkSize;
}
public SetRemovalTimeBatchConfiguration setChunkSize(Integer chunkSize) {
this.chunkSize = chunkSize;
return this;
}
public Set<String> getEntities() {
return entities;
}
public SetRemovalTimeBatchConfiguration setEntities(Set<String> entities) {
this.entities = entities;
return this;
}
} | repos\camunda-bpm-platform-master\engine\src\main\java\org\camunda\bpm\engine\impl\batch\removaltime\SetRemovalTimeBatchConfiguration.java | 2 |
请完成以下Java代码 | public void setPP_Weighting_Spec(final org.eevolution.model.I_PP_Weighting_Spec PP_Weighting_Spec)
{
set_ValueFromPO(COLUMNNAME_PP_Weighting_Spec_ID, org.eevolution.model.I_PP_Weighting_Spec.class, PP_Weighting_Spec);
}
@Override
public void setPP_Weighting_Spec_ID (final int PP_Weighting_Spec_ID)
{
if (PP_Weighting_Spec_ID < 1)
set_Value (COLUMNNAME_PP_Weighting_Spec_ID, null);
else
set_Value (COLUMNNAME_PP_Weighting_Spec_ID, PP_Weighting_Spec_ID);
}
@Override
public int getPP_Weighting_Spec_ID()
{
return get_ValueAsInt(COLUMNNAME_PP_Weighting_Spec_ID);
}
@Override
public void setProcessed (final boolean Processed)
{
set_Value (COLUMNNAME_Processed, Processed);
}
@Override
public boolean isProcessed()
{
return get_ValueAsBoolean(COLUMNNAME_Processed);
}
@Override
public void setTargetWeight (final BigDecimal TargetWeight)
{
set_Value (COLUMNNAME_TargetWeight, TargetWeight); | }
@Override
public BigDecimal getTargetWeight()
{
final BigDecimal bd = get_ValueAsBigDecimal(COLUMNNAME_TargetWeight);
return bd != null ? bd : BigDecimal.ZERO;
}
@Override
public void setTolerance_Perc (final BigDecimal Tolerance_Perc)
{
set_Value (COLUMNNAME_Tolerance_Perc, Tolerance_Perc);
}
@Override
public BigDecimal getTolerance_Perc()
{
final BigDecimal bd = get_ValueAsBigDecimal(COLUMNNAME_Tolerance_Perc);
return bd != null ? bd : BigDecimal.ZERO;
}
@Override
public void setWeightChecksRequired (final int WeightChecksRequired)
{
set_Value (COLUMNNAME_WeightChecksRequired, WeightChecksRequired);
}
@Override
public int getWeightChecksRequired()
{
return get_ValueAsInt(COLUMNNAME_WeightChecksRequired);
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.adempiere.adempiere\base\src\main\java-gen\org\eevolution\model\X_PP_Order_Weighting_Run.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public class FlowableDmnAutoDeployBeanFactoryInitializationAotProcessor implements BeanFactoryInitializationAotProcessor {
protected final ResourcePatternResolver resolver = new PathMatchingResourcePatternResolver();
@Override
public BeanFactoryInitializationAotContribution processAheadOfTime(ConfigurableListableBeanFactory beanFactory) {
if (!ClassUtils.isPresent("org.flowable.dmn.spring.SpringDmnEngineConfiguration", beanFactory.getBeanClassLoader())) {
return null;
}
if (!beanFactory.containsBean("dmnEngineConfiguration")) {
return null;
}
FlowableDmnProperties properties = beanFactory.getBeanProvider(FlowableDmnProperties.class)
.getIfAvailable(); | if (properties == null || !properties.isDeployResources()) {
return null;
}
List<String> locationSuffixes = properties.getResourceSuffixes();
if (locationSuffixes.isEmpty()) {
return null;
}
String locationPrefix = properties.getResourceLocation();
if (locationPrefix.startsWith(ResourceUtils.CLASSPATH_URL_PREFIX) || locationPrefix.startsWith(ResourcePatternResolver.CLASSPATH_ALL_URL_PREFIX)) {
return new BaseAutoDeployResourceContribution(locationPrefix, locationSuffixes);
}
return null;
}
} | repos\flowable-engine-main\modules\flowable-spring-boot\flowable-spring-boot-starters\flowable-spring-boot-autoconfigure\src\main\java\org\flowable\spring\boot\aot\dmn\FlowableDmnAutoDeployBeanFactoryInitializationAotProcessor.java | 2 |
请完成以下Java代码 | public Optional<PriceListVersionId> getBasePriceListVersionId()
{
return rowsData.getBasePriceListVersionId();
}
public PriceListVersionId getBasePriceListVersionIdOrFail()
{
return rowsData.getBasePriceListVersionId()
.orElseThrow(() -> new AdempiereException("@NotFound@ @M_Pricelist_Version_Base_ID@"));
}
public List<ProductsProposalRow> getAllRows()
{
return ImmutableList.copyOf(getRows());
}
public void addOrUpdateRows(@NonNull final List<ProductsProposalRowAddRequest> requests)
{
rowsData.addOrUpdateRows(requests);
invalidateAll();
}
public void patchViewRow(@NonNull final DocumentId rowId, @NonNull final ProductsProposalRowChangeRequest request)
{
rowsData.patchRow(rowId, request);
} | public void removeRowsByIds(final Set<DocumentId> rowIds)
{
rowsData.removeRowsByIds(rowIds);
invalidateAll();
}
public ProductsProposalView filter(final ProductsProposalViewFilter filter)
{
rowsData.filter(filter);
return this;
}
@Override
public DocumentFilterList getFilters()
{
return ProductsProposalViewFilters.toDocumentFilters(rowsData.getFilter());
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.ui.web.base\src\main\java\de\metas\ui\web\order\products_proposal\view\ProductsProposalView.java | 1 |
请完成以下Java代码 | final class CostCollectorCandidateCoProductHUProducer extends AbstractPPOrderReceiptHUProducer
{
private final transient IHUPPOrderBL huPPOrderBL = Services.get(IHUPPOrderBL.class);
private final I_PP_Order_BOMLine coByProductOrderBOMLine;
private final ProductId productId;
public CostCollectorCandidateCoProductHUProducer(
final org.eevolution.model.I_PP_Order_BOMLine coByProductOrderBOMLine)
{
super(PPOrderId.ofRepoId(coByProductOrderBOMLine.getPP_Order_ID()));
// TODO: validate:
// * if is a completed PP_Order
// * if is really a receipt (i.e. it's a co/by product line)
this.coByProductOrderBOMLine = InterfaceWrapperHelper.create(coByProductOrderBOMLine, I_PP_Order_BOMLine.class);
productId = ProductId.ofRepoId(coByProductOrderBOMLine.getM_Product_ID());
}
private I_PP_Order_BOMLine getCoByProductOrderBOMLine()
{
return coByProductOrderBOMLine;
}
@Override
protected ProductId getProductId()
{
return productId;
}
@Override
protected Object getAllocationRequestReferencedModel()
{
return getCoByProductOrderBOMLine();
}
@Override
protected IAllocationSource createAllocationSource()
{
final I_PP_Order_BOMLine coByProductOrderBOMLine = getCoByProductOrderBOMLine();
final PPOrderBOMLineProductStorage ppOrderBOMLineProductStorage = new PPOrderBOMLineProductStorage(coByProductOrderBOMLine);
return new GenericAllocationSourceDestination(
ppOrderBOMLineProductStorage,
coByProductOrderBOMLine // referenced model
);
}
@Override
protected IDocumentLUTUConfigurationManager createReceiptLUTUConfigurationManager()
{
final I_PP_Order_BOMLine coByProductOrderBOMLine = getCoByProductOrderBOMLine();
return huPPOrderBL.createReceiptLUTUConfigurationManager(coByProductOrderBOMLine);
}
@Override
protected ReceiptCandidateRequestProducer newReceiptCandidateRequestProducer()
{ | final I_PP_Order_BOMLine coByProductOrderBOMLine = getCoByProductOrderBOMLine();
final PPOrderBOMLineId coByProductOrderBOMLineId = PPOrderBOMLineId.ofRepoId(coByProductOrderBOMLine.getPP_Order_BOMLine_ID());
final PPOrderId orderId = PPOrderId.ofRepoId(coByProductOrderBOMLine.getPP_Order_ID());
final OrgId orgId = OrgId.ofRepoId(coByProductOrderBOMLine.getAD_Org_ID());
return ReceiptCandidateRequestProducer.builder()
.orderId(orderId)
.coByProductOrderBOMLineId(coByProductOrderBOMLineId)
.orgId(orgId)
.date(getMovementDate())
.locatorId(getLocatorId())
.pickingCandidateId(getPickingCandidateId())
.build();
}
@Override
protected void addAssignedHUs(final Collection<I_M_HU> hus)
{
final I_PP_Order_BOMLine bomLine = getCoByProductOrderBOMLine();
huPPOrderBL.addAssignedHandlingUnits(bomLine, hus);
}
@Override
public IPPOrderReceiptHUProducer withPPOrderLocatorId()
{
final I_PP_Order order = huPPOrderBL.getById(PPOrderId.ofRepoId(coByProductOrderBOMLine.getPP_Order_ID()));
return locatorId(LocatorId.ofRepoId(order.getM_Warehouse_ID(), order.getM_Locator_ID()));
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.handlingunits.base\src\main\java\de\metas\handlingunits\pporder\api\impl\CostCollectorCandidateCoProductHUProducer.java | 1 |
请完成以下Java代码 | public RemoteCall<TransactionReceipt> setGreeting(String _message) {
final Function function = new Function(
"setGreeting",
Arrays.<Type>asList(new org.web3j.abi.datatypes.Utf8String(_message)),
Collections.<TypeReference<?>>emptyList());
return executeRemoteCallTransaction(function);
}
public RemoteCall<String> greet() {
final Function function = new Function("greet",
Arrays.<Type>asList(),
Arrays.<TypeReference<?>>asList(new TypeReference<Utf8String>() {}));
return executeRemoteCallSingleValueReturn(function, String.class);
}
public static RemoteCall<Greeting> deploy(Web3j web3j, Credentials credentials, BigInteger gasPrice, BigInteger gasLimit, String _message) {
String encodedConstructor = FunctionEncoder.encodeConstructor(Arrays.<Type>asList(new org.web3j.abi.datatypes.Utf8String(_message)));
return deployRemoteCall(Greeting.class, web3j, credentials, gasPrice, gasLimit, BINARY, encodedConstructor);
} | public static RemoteCall<Greeting> deploy(Web3j web3j, TransactionManager transactionManager, BigInteger gasPrice, BigInteger gasLimit, String _message) {
String encodedConstructor = FunctionEncoder.encodeConstructor(Arrays.<Type>asList(new org.web3j.abi.datatypes.Utf8String(_message)));
return deployRemoteCall(Greeting.class, web3j, transactionManager, gasPrice, gasLimit, BINARY, encodedConstructor);
}
public static Greeting load(String contractAddress, Web3j web3j, Credentials credentials, BigInteger gasPrice, BigInteger gasLimit) {
return new Greeting(contractAddress, web3j, credentials, gasPrice, gasLimit);
}
public static Greeting load(String contractAddress, Web3j web3j, TransactionManager transactionManager, BigInteger gasPrice, BigInteger gasLimit) {
return new Greeting(contractAddress, web3j, transactionManager, gasPrice, gasLimit);
}
} | repos\tutorials-master\ethereum\src\main\java\com\baeldung\web3j\contracts\Greeting.java | 1 |
请完成以下Java代码 | public java.lang.String getFirstname()
{
return (java.lang.String)get_Value(COLUMNNAME_Firstname);
}
@Override
public void setGrandTotal (java.math.BigDecimal GrandTotal)
{
set_Value (COLUMNNAME_GrandTotal, GrandTotal);
}
@Override
public java.math.BigDecimal getGrandTotal()
{
BigDecimal bd = get_ValueAsBigDecimal(COLUMNNAME_GrandTotal);
return bd != null ? bd : BigDecimal.ZERO;
}
@Override
public void setLastname (java.lang.String Lastname)
{
set_Value (COLUMNNAME_Lastname, Lastname); | }
@Override
public java.lang.String getLastname()
{
return (java.lang.String)get_Value(COLUMNNAME_Lastname);
}
@Override
public void setprintjob (java.lang.String printjob)
{
set_Value (COLUMNNAME_printjob, printjob);
}
@Override
public java.lang.String getprintjob()
{
return (java.lang.String)get_Value(COLUMNNAME_printjob);
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.printing\de.metas.printing.base\src\main\java-gen\de\metas\printing\model\X_RV_Printing_Bericht_List_Per_Print_Job.java | 1 |
请完成以下Java代码 | public org.compiere.model.I_M_Inventory getReversal()
{
return get_ValueAsPO(COLUMNNAME_Reversal_ID, org.compiere.model.I_M_Inventory.class);
}
@Override
public void setReversal(final org.compiere.model.I_M_Inventory Reversal)
{
set_ValueFromPO(COLUMNNAME_Reversal_ID, org.compiere.model.I_M_Inventory.class, Reversal);
}
@Override
public void setReversal_ID (final int Reversal_ID)
{
if (Reversal_ID < 1)
set_Value (COLUMNNAME_Reversal_ID, null);
else
set_Value (COLUMNNAME_Reversal_ID, Reversal_ID);
}
@Override
public int getReversal_ID()
{
return get_ValueAsInt(COLUMNNAME_Reversal_ID);
}
@Override
public void setUpdateQty (final @Nullable java.lang.String UpdateQty)
{
set_Value (COLUMNNAME_UpdateQty, UpdateQty);
}
@Override
public java.lang.String getUpdateQty()
{
return get_ValueAsString(COLUMNNAME_UpdateQty);
}
@Override
public org.compiere.model.I_C_ElementValue getUser1()
{
return get_ValueAsPO(COLUMNNAME_User1_ID, org.compiere.model.I_C_ElementValue.class);
}
@Override
public void setUser1(final org.compiere.model.I_C_ElementValue User1)
{
set_ValueFromPO(COLUMNNAME_User1_ID, org.compiere.model.I_C_ElementValue.class, User1);
}
@Override
public void setUser1_ID (final int User1_ID)
{
if (User1_ID < 1)
set_Value (COLUMNNAME_User1_ID, null);
else | set_Value (COLUMNNAME_User1_ID, User1_ID);
}
@Override
public int getUser1_ID()
{
return get_ValueAsInt(COLUMNNAME_User1_ID);
}
@Override
public org.compiere.model.I_C_ElementValue getUser2()
{
return get_ValueAsPO(COLUMNNAME_User2_ID, org.compiere.model.I_C_ElementValue.class);
}
@Override
public void setUser2(final org.compiere.model.I_C_ElementValue User2)
{
set_ValueFromPO(COLUMNNAME_User2_ID, org.compiere.model.I_C_ElementValue.class, User2);
}
@Override
public void setUser2_ID (final int User2_ID)
{
if (User2_ID < 1)
set_Value (COLUMNNAME_User2_ID, null);
else
set_Value (COLUMNNAME_User2_ID, User2_ID);
}
@Override
public int getUser2_ID()
{
return get_ValueAsInt(COLUMNNAME_User2_ID);
}
} | repos\metasfresh-new_dawn_uat\backend\de.metas.adempiere.adempiere\base\src\main\java-gen\org\compiere\model\X_M_Inventory.java | 1 |
请在Spring Boot框架中完成以下Java代码 | public class EDIImpCOLCandsType {
@XmlElement(name = "EDI_Imp_C_OLCand")
protected List<EDIImpCOLCandType> ediImpCOLCand;
/**
* Gets the value of the ediImpCOLCand property.
*
* <p>
* This accessor method returns a reference to the live list,
* not a snapshot. Therefore any modification you make to the
* returned list will be present inside the JAXB object.
* This is why there is not a <CODE>set</CODE> method for the ediImpCOLCand property.
*
* <p>
* For example, to add a new item, do as follows:
* <pre>
* getEDIImpCOLCand().add(newItem);
* </pre>
* | *
* <p>
* Objects of the following type(s) are allowed in the list
* {@link EDIImpCOLCandType }
*
*
*/
public List<EDIImpCOLCandType> getEDIImpCOLCand() {
if (ediImpCOLCand == null) {
ediImpCOLCand = new ArrayList<EDIImpCOLCandType>();
}
return this.ediImpCOLCand;
}
} | repos\metasfresh-new_dawn_uat\misc\services\camel\de-metas-camel-edi\src\main\java-xjc_metasfreshinhousev1\de\metas\edi\esb\jaxb\metasfreshinhousev1\EDIImpCOLCandsType.java | 2 |
请在Spring Boot框架中完成以下Java代码 | public Page<Persons> query() {
return this.instance.findAll(
this.pageable
);
}
public Integer getCount() {
return this.query().getSize();
}
public Integer getPageNumber() {
return this.query().getNumber();
}
public Long getTotal() {
return this.query().getTotalElements();
}
public Object getContent() {
return this.query().getContent();
}
}
class SexEmailType extends BasePaginationInfo implements Types {
public SexEmailType(String sexName, String emailName, Pageable pageable) {
super(sexName, emailName, pageable);
}
public Page<Persons> query() {
return this.instance.findBySexAndEmailContains(
this.sex,
this.email,
this.pageable
);
}
public Integer getCount() {
return this.query().getSize();
}
public Integer getPageNumber() {
return this.query().getNumber();
}
public Long getTotal() {
return this.query().getTotalElements();
}
public Object getContent() {
return this.query().getContent();
}
}
class SexType extends BasePaginationInfo implements Types {
public SexType(String sexName, String emailName, Pageable pageable) { //String sexName, String emailName,
super(sexName, emailName, pageable);
}
public Page<Persons> query() {
return this.instance.findBySex( | this.sex,
this.pageable
);
}
public Integer getCount() {
return this.query().getSize();
}
public Integer getPageNumber() {
return this.query().getNumber();
}
public Long getTotal() {
return this.query().getTotalElements();
}
public Object getContent() {
return this.query().getContent();
}
}
public class PaginationFormatting {
private PaginationMultiTypeValuesHelper multiValue = new PaginationMultiTypeValuesHelper();
private Map<String, PaginationMultiTypeValuesHelper> results = new HashMap<>();
public Map<String, PaginationMultiTypeValuesHelper> filterQuery(String sex, String email, Pageable pageable) {
Types typeInstance;
if (sex.length() == 0 && email.length() == 0) {
typeInstance = new AllType(sex, email, pageable);
} else if (sex.length() > 0 && email.length() > 0) {
typeInstance = new SexEmailType(sex, email, pageable);
} else {
typeInstance = new SexType(sex, email, pageable);
}
this.multiValue.setCount(typeInstance.getCount());
this.multiValue.setPage(typeInstance.getPageNumber() + 1);
this.multiValue.setResults(typeInstance.getContent());
this.multiValue.setTotal(typeInstance.getTotal());
this.results.put("data", this.multiValue);
return results;
}
} | repos\SpringBoot-vue-master\src\main\java\com\boylegu\springboot_vue\controller\pagination\PaginationFormatting.java | 2 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.